-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathkochava-go.go
198 lines (152 loc) · 5.46 KB
/
kochava-go.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
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
package main
import (
"fmt"
"github.com/joho/godotenv"
"log"
"os"
"github.com/go-redis/redis"
"encoding/json"
"net/http"
"bytes"
"strconv"
"time"
"math"
"io/ioutil"
)
var RedisServer, RedisPort, RedisPassword string
var RedisDB int
var RedisDeliveryAttempts int
var client *redis.Client
/**
For JSON.Marshall to actually work on a struct, not only must you use the json tagging, but also "export"
the variables for usage by naming them with a capital letter?
*/
type Statistics struct {
Delivery_attempts int `json:"delivery_attempts"`
Response_code int `json:"response_code"`
Response_body string `json:"response_body"`
Response_time_delta string `json:"response_time_delta"` //we're sending more data than needed calc on logging server
Delivery_time_delta string `json:"delivery_time_delta"`
Response_datetime string `json:"response_datetime"` //we're sending more data than needed calc on logging server
Delivery_datetime string `json:"delivery_datetime"`
Original_redis_key string `json:"original_redis_key"`
}
var statistics Statistics
//Create http client to work on Redis Items
var HttpClient = &http.Client{}
func main() {
//load godotenv, set env variables.
bootstrap()
//Connect to redis, set the client interface to and instance of redis.Client
connectToRedis()
/*
Get a random value from a key on the stack
*/
requestJSON := client.LPop("queue:requests").Val()
byt := []byte(requestJSON)
//exit application if there is no length
if len(byt) <= 0 {
os.Exit(0)
}
/*
* We need to provide a variable where the JSON package can put the decoded data. This map[string]string will
* hold a map of strings from the JSON response
*/
var JSONResponse map[string]string
if err := json.Unmarshal(byt, &JSONResponse); err != nil {
panic(err)
}
statistics = Statistics{ Original_redis_key: JSONResponse["original_request_time"] }
//Store the current time so that we can count total response time.
DeliveryStartTime := time.Now()
for i := 0; i < RedisDeliveryAttempts; i++ {
req, _ := http.NewRequest( JSONResponse["method"] , JSONResponse["location"], nil)
req.Header.Add("Accept", "application/json")
resp, err := HttpClient.Do(req)
statistics.Delivery_attempts++
//Check for request error
if nil == err {
ResponseReceivedTime := time.Now()
//Get redis key, convert to a float, then make a new time object which we can subtract from current time
//TODO: ensure times are set the same on ingestion and delivery servers
original_request_time, err := strconv.ParseFloat( JSONResponse["original_request_time"] , 64)
if err != nil {}
//Convert
sec, dec := math.Modf(original_request_time);
RedisKeyAsTime := time.Unix(int64(sec), int64(dec*(1e9)))
//Subtract initial request time from now to get the total amount of time it took for us to deliver
statistics.Delivery_time_delta = durationToMicroString(ResponseReceivedTime.Sub(RedisKeyAsTime))
statistics.Delivery_datetime = timeToMicroString(DeliveryStartTime)
//subtract one time object from another, ouput difference in seconds, format to string, 6 digits
statistics.Response_time_delta = durationToMicroString(ResponseReceivedTime.Sub(DeliveryStartTime))
statistics.Response_datetime = timeToMicroString(ResponseReceivedTime)
body, err := ioutil.ReadAll(resp.Body)
if err != nil {}
statistics.Response_body = string(body)
statistics.Response_code = resp.StatusCode
postStatistics()
//we delivered, bone out
break
}
//Post statistics if RedisDeliveryAttempts reached
if statistics.Delivery_attempts == RedisDeliveryAttempts {
ResponseReceivedTime := time.Now()
//stupid magic number to get microseconds to store in php
statistics.Response_time_delta = durationToMicroString(ResponseReceivedTime.Sub(DeliveryStartTime))
statistics.Response_datetime = timeToMicroString(ResponseReceivedTime)
statistics.Delivery_datetime = timeToMicroString(DeliveryStartTime)
postStatistics()
}
}
}
/**
* Converts a time duration to a string with microsecond percision
*/
func durationToMicroString(timeToConvert time.Duration) string {
return strconv.FormatFloat(timeToConvert.Seconds(), 'f', 6, 64)
}
/**
* Converts a time to a string formatted with a decimal which PHP can understand
*/
func timeToMicroString(timeToConvert time.Time) string {
return strconv.FormatInt(timeToConvert.Unix(),10) + "." + strconv.Itoa(timeToConvert.Nanosecond())
}
/**
Load Environment variables
*/
func bootstrap() {
err := godotenv.Load()
if err != nil {
log.Fatal("Error loading .env file")
}
RedisServer = os.Getenv("REDIS_SERVER")
RedisPort = os.Getenv("REDIS_PORT")
RedisDB, err = strconv.Atoi(os.Getenv("REDIS_DATABASE"))
RedisPassword = os.Getenv("REDIS_PASSWORD")
RedisDeliveryAttempts, err = strconv.Atoi(os.Getenv("REDIS_DELIVERY_ATTEMPTS"))
}
/**
Creates a redis client for the function
*/
func connectToRedis() {
client = redis.NewClient(&redis.Options{
Addr: RedisServer + ":" + RedisPort,
Password: RedisPassword, // no password set
DB: RedisDB, // use default DB
})
}
/**
Sends updated statistics to PHP endpoint to track success / failure of delivery:wq
*/
func postStatistics() {
//Should be able to serialize these, getting empty object back
sendem, err := json.Marshal(statistics)
if err != nil {
fmt.Println(err)
return
}
response, posterr := HttpClient.Post(os.Getenv("DETAILS_API_LOCATION"), "application/json", bytes.NewReader(sendem))
if posterr != nil {
fmt.Println(response)
}
}