forked from IBM/CodeEngine
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathsender.go
113 lines (95 loc) · 2.58 KB
/
sender.go
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
package main
// Simple add that will send an event (kafka message) to kafka.
// It sends it based on getting an HTTP request coming in.
import (
"fmt"
"log"
"net/http"
"os"
"strconv"
"strings"
"github.com/Shopify/sarama"
)
var producer sarama.SyncProducer
// This will setup our connection to Kafka.
// Nothing too special here, just setting up our Kafka client library based
// on the creds we have.
func init() {
brokers := ""
user := ""
password := ""
type CredStruct struct {
Kafka_Brokers_SASL []string
User string
Password string
}
if os.Getenv("PASSWORD") != "" {
user = "token"
password = os.Getenv("PASSWORD")
brokers = os.Getenv("BROKERS")
log.Printf("Brokers: %s", brokers)
} else {
panic("Missing PASSWORD env var")
}
kVersion, err := sarama.ParseKafkaVersion("2.1.1")
if err != nil {
log.Printf("Error parsing Kafka version: %v", err)
os.Exit(1)
}
log.Printf("User: %s", user)
log.Printf("Password: %s", password[:5])
log.Printf("Brokers: %s", brokers)
// Make sure we're using TLS to talk to Event Streams
config := sarama.NewConfig()
config.Version = kVersion
config.Net.SASL.Enable = true
config.Net.SASL.Handshake = true
config.Net.SASL.Mechanism = sarama.SASLTypePlaintext
config.Net.TLS.Enable = true
config.Net.SASL.User = user
config.Net.SASL.Password = password
config.Producer.RequiredAcks = sarama.WaitForAll
config.Producer.Return.Successes = true
producer, err = sarama.NewSyncProducer(strings.Split(brokers, ","), config)
if err != nil {
panic(fmt.Sprintf("Error connecting to Kafka: %s\n", err))
}
}
func HandleHTTP(w http.ResponseWriter, r *http.Request) {
topic := "topic1"
num := 1
// Allow people to set a different topic
if tmp, ok := r.URL.Query()["topic"]; ok {
topic = tmp[0]
}
// Allow people to send more than one message
if tmp, ok := r.URL.Query()["num"]; ok {
num, _ = strconv.Atoi(tmp[0])
if num < 1 {
num = 1
}
}
// Error check that we have a topic at all
if topic == "" {
w.WriteHeader(http.StatusBadRequest)
fmt.Fprintf(w, "Missing 'topic' query parameter")
return
}
log.Printf("Sending %d msg(s) to topic: %s", num, topic)
for i := 0; i < num; i++ {
msg := &sarama.ProducerMessage{
Topic: topic,
Partition: -1,
Value: sarama.StringEncoder(fmt.Sprintf("test1: %d", i+1)),
}
partition, offset, err := producer.SendMessage(msg)
if err != nil {
log.Printf("Part: %v Offset: %v Err: %s", partition, offset, err)
}
}
}
func main() {
http.HandleFunc("/", HandleHTTP)
log.Printf("Listening on port 8080")
http.ListenAndServe(":8080", nil)
}