-
Notifications
You must be signed in to change notification settings - Fork 1
/
config.go
575 lines (519 loc) · 15.9 KB
/
config.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
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
package zia
import (
"bytes"
"context"
"encoding/json"
"errors"
"fmt"
"io"
"math"
"net/http"
"net/http/cookiejar"
"net/url"
"os"
"regexp"
"strconv"
"strings"
"sync"
"time"
"github.com/hashicorp/go-retryablehttp"
"github.com/hashicorp/terraform-plugin-sdk/v2/helper/logging"
"github.com/zscaler/zscaler-sdk-go/v2/cache"
"github.com/zscaler/zscaler-sdk-go/v2/logger"
rl "github.com/zscaler/zscaler-sdk-go/v2/ratelimiter"
)
const (
maxIdleConnections int = 40
requestTimeout int = 60
JSessionIDTimeout = 30 // minutes.
jSessionTimeoutOffset = 5 * time.Minute
contentTypeJSON = "application/json"
cookieName = "JSESSIONID"
MaxNumOfRetries = 100
RetryWaitMaxSeconds = 20
RetryWaitMinSeconds = 5
// API types.
ziaAPIVersion = "api/v1"
ziaAPIAuthURL = "/authenticatedSession"
loggerPrefix = "zia-logger: "
)
// Client ...
// Client ...
type Client struct {
sync.Mutex
userName string
password string
cloud string
apiKey string
session *Session
sessionRefreshed time.Time // Also indicates last usage
sessionTimeout time.Duration // in minutes
URL string
HTTPClient *http.Client
Logger logger.Logger
UserAgent string
freshCache bool
cacheEnabled bool
cache cache.Cache
cacheTtl time.Duration
cacheCleanwindow time.Duration
cacheMaxSizeMB int
rateLimiter *rl.RateLimiter
sessionTicker *time.Ticker
stopTicker chan bool
refreshing bool
}
// Session ...
type Session struct {
AuthType string `json:"authType"`
ObfuscateAPIKey bool `json:"obfuscateApiKey"`
PasswordExpiryTime int `json:"passwordExpiryTime"`
PasswordExpiryDays int `json:"passwordExpiryDays"`
Source string `json:"source"`
JSessionID string `json:"jSessionID,omitempty"`
}
// Credentials ...
type Credentials struct {
Username string `json:"username"`
Password string `json:"password"`
APIKey string `json:"apiKey"`
TimeStamp string `json:"timestamp"`
}
func obfuscateAPIKey(apiKey, timeStamp string) (string, error) {
// check min required size
if len(timeStamp) < 6 || len(apiKey) < 12 {
return "", errors.New("time stamp or api key doesn't have required sizes")
}
seed := apiKey
high := timeStamp[len(timeStamp)-6:]
highInt, _ := strconv.Atoi(high)
low := fmt.Sprintf("%06d", highInt>>1)
key := ""
for i := 0; i < len(high); i++ {
index, _ := strconv.Atoi((string)(high[i]))
key += (string)(seed[index])
}
for i := 0; i < len(low); i++ {
index, _ := strconv.Atoi((string)(low[i]))
key += (string)(seed[index+2])
}
return key, nil
}
// NewClient Returns a Client from credentials passed as parameters.
func NewClient(username, password, apiKey, ziaCloud, userAgent string) (*Client, error) {
logger := logger.GetDefaultLogger(loggerPrefix)
rateLimiter := rl.NewRateLimiter(2, 1, 1, 1)
httpClient := getHTTPClient(logger, rateLimiter)
url := fmt.Sprintf("https://zsapi.%s.net/%s", ziaCloud, ziaAPIVersion)
if ziaCloud == "zspreview" {
url = fmt.Sprintf("https://admin.%s.net/%s", ziaCloud, ziaAPIVersion)
}
cacheDisabled, _ := strconv.ParseBool(os.Getenv("ZSCALER_SDK_CACHE_DISABLED"))
cli := &Client{
userName: username,
password: password,
apiKey: apiKey,
cloud: ziaCloud,
HTTPClient: httpClient,
URL: url,
Logger: logger,
UserAgent: userAgent,
cacheEnabled: !cacheDisabled,
cacheTtl: time.Minute * 10,
cacheCleanwindow: time.Minute * 8,
cacheMaxSizeMB: 0,
rateLimiter: rateLimiter,
stopTicker: make(chan bool),
sessionTimeout: 30 * time.Minute, // Initialize with a default session timeout
}
cche, err := cache.NewCache(cli.cacheTtl, cli.cacheCleanwindow, cli.cacheMaxSizeMB)
if err != nil {
cche = cache.NewNopCache()
}
cli.cache = cche
// Start the session refresh ticker
cli.startSessionTicker()
return cli, nil
}
// MakeAuthRequestZIA authenticates using the provided credentials and returns the session or an error.
func MakeAuthRequestZIA(credentials *Credentials, url string, client *http.Client, userAgent string) (*Session, error) {
if credentials == nil {
return nil, fmt.Errorf("empty credentials")
}
data, err := json.Marshal(credentials)
if err != nil {
return nil, err
}
req, err := http.NewRequest("POST", url+ziaAPIAuthURL, bytes.NewReader(data))
if err != nil {
return nil, err
}
req.Header.Set("Content-Type", contentTypeJSON)
if userAgent != "" {
req.Header.Add("User-Agent", userAgent)
}
resp, err := client.Do(req)
if err != nil {
return nil, err
}
defer resp.Body.Close()
// Read the response body for use in error messages
body, err := io.ReadAll(resp.Body)
if err != nil {
return nil, fmt.Errorf("failed to read response body: %v", err)
}
switch resp.StatusCode {
case http.StatusOK:
var session Session
if err = json.Unmarshal(body, &session); err != nil {
return nil, fmt.Errorf("error unmarshalling response: %v", err)
}
session.JSessionID, err = extractJSessionIDFromHeaders(resp.Header)
if err != nil {
return nil, err
}
return &session, nil
case http.StatusBadRequest:
return nil, fmt.Errorf("HTTP 400 Bad Request: %s", string(body))
case http.StatusUnauthorized:
return nil, fmt.Errorf("HTTP 401 Unauthorized: %s", string(body))
case http.StatusForbidden:
return nil, fmt.Errorf("HTTP 403 Forbidden: %s", string(body))
default:
return nil, fmt.Errorf("HTTP %d: %s", resp.StatusCode, string(body))
}
}
func extractJSessionIDFromHeaders(header http.Header) (string, error) {
sessionIdStr := header.Get("Set-Cookie")
if sessionIdStr == "" {
return "", fmt.Errorf("no Set-Cookie header received")
}
regex := regexp.MustCompile("JSESSIONID=(.*?);")
// look for the first match we find
result := regex.FindStringSubmatch(sessionIdStr)
if len(result) < 2 {
return "", fmt.Errorf("couldn't find JSESSIONID in header value")
}
return result[1], nil
}
func getCurrentTimestampMilisecond() string {
return fmt.Sprintf("%d", time.Now().UnixNano()/int64(time.Millisecond))
}
// RefreshSession .. The caller should require lock.
func (c *Client) refreshSession() error {
timeStamp := getCurrentTimestampMilisecond()
obfuscatedKey, err := obfuscateAPIKey(c.apiKey, timeStamp)
if err != nil {
return err
}
credentialData := Credentials{
Username: c.userName,
Password: c.password,
APIKey: obfuscatedKey,
TimeStamp: timeStamp,
}
session, err := MakeAuthRequestZIA(&credentialData, c.URL, c.HTTPClient, c.UserAgent)
if err != nil {
c.Logger.Printf("[ERROR] Failed to make auth request: %v\n", err)
return err
}
c.session = session
c.sessionRefreshed = time.Now()
if c.session.PasswordExpiryTime == -1 {
c.Logger.Printf("[INFO] PasswordExpiryTime is -1, setting sessionTimeout to 30 minutes")
c.sessionTimeout = 30 * time.Minute
} else {
//c.Logger.Printf("[INFO] Setting session timeout based on PasswordExpiryTime: %v seconds", c.session.PasswordExpiryTime)
c.sessionTimeout = time.Duration(c.session.PasswordExpiryTime) * time.Second
}
return nil
}
func (c *Client) WithCache(cache bool) {
c.cacheEnabled = cache
}
func (c *Client) WithCacheTtl(i time.Duration) {
c.cacheTtl = i
c.Lock()
c.cache.Close()
cche, err := cache.NewCache(i, c.cacheCleanwindow, c.cacheMaxSizeMB)
if err != nil {
cche = cache.NewNopCache()
}
c.cache = cche
c.Unlock()
}
func (c *Client) WithCacheCleanWindow(i time.Duration) {
c.cacheCleanwindow = i
c.Lock()
c.cache.Close()
cche, err := cache.NewCache(c.cacheTtl, i, c.cacheMaxSizeMB)
if err != nil {
cche = cache.NewNopCache()
}
c.cache = cche
c.Unlock()
}
// checkSession checks if the session is valid and refreshes it if necessary.
func (c *Client) checkSession() error {
c.Lock()
defer c.Unlock()
now := time.Now()
if c.session == nil {
c.Logger.Printf("[INFO] No session found, refreshing session")
err := c.refreshSession()
if err != nil {
c.Logger.Printf("[ERROR] Failed to get session id: %v\n", err)
return err
}
} else {
c.Logger.Printf("[INFO] Current time: %v\nSession Refreshed: %v\nSession Timeout: %v\n",
now.Format("2006-01-02 15:04:05 MST"),
c.sessionRefreshed.Format("2006-01-02 15:04:05 MST"),
c.sessionTimeout)
if c.session.PasswordExpiryTime > 0 && now.After(c.sessionRefreshed.Add(c.sessionTimeout-jSessionTimeoutOffset)) {
c.Logger.Printf("[INFO] Session timeout reached, refreshing session")
if !c.refreshing {
c.refreshing = true
c.Unlock()
err := c.refreshSession()
c.Lock()
c.refreshing = false
if err != nil {
c.Logger.Printf("[ERROR] Failed to refresh session id: %v\n", err)
return err
}
} else {
c.Logger.Printf("[INFO] Another refresh is in progress, waiting for it to complete")
}
} else {
c.Logger.Printf("[INFO] Session is still valid, no need to refresh")
}
}
url, err := url.Parse(c.URL)
if err != nil {
c.Logger.Printf("[ERROR] Failed to parse url %s: %v\n", c.URL, err)
return err
}
if c.HTTPClient.Jar == nil {
c.HTTPClient.Jar, err = cookiejar.New(nil)
if err != nil {
c.Logger.Printf("[ERROR] Failed to create new http cookie jar %v\n", err)
return err
}
}
c.HTTPClient.Jar.SetCookies(url, []*http.Cookie{
{
Name: cookieName,
Value: c.session.JSessionID,
},
})
return nil
}
func (c *Client) GetContentType() string {
return contentTypeJSON
}
func getRetryAfter(resp *http.Response, l logger.Logger) time.Duration {
if s := resp.Header.Get("Retry-After"); s != "" {
if sleep, err := strconv.ParseInt(s, 10, 64); err == nil {
l.Printf("[INFO] got Retry-After from header:%s\n", s)
return time.Second * time.Duration(sleep)
} else {
dur, err := time.ParseDuration(s)
if err == nil {
return dur
}
l.Printf("[INFO] error getting Retry-After from header:%s\n", err)
}
}
body, err := io.ReadAll(resp.Body)
if err != nil {
l.Printf("[INFO] error getting Retry-After from body:%s\n", err)
return 0
}
data := map[string]string{}
err = json.Unmarshal(body, &data)
if err != nil {
l.Printf("[INFO] error getting Retry-After from body:%s\n", err)
return 0
}
if retryAfterStr, ok := data["Retry-After"]; ok && retryAfterStr != "" {
l.Printf("[INFO] got Retry-After from body:%s\n", retryAfterStr)
secondsStr := strings.Split(retryAfterStr, " ")[0]
seconds, err := strconv.Atoi(secondsStr)
if err != nil {
l.Printf("[INFO] error getting Retry-After from body:%s\n", err)
return 0
}
return time.Duration(seconds) * time.Second
}
return 0
}
func getHTTPClient(l logger.Logger, rateLimiter *rl.RateLimiter) *http.Client {
retryableClient := retryablehttp.NewClient()
retryableClient.RetryWaitMin = time.Second * time.Duration(RetryWaitMinSeconds)
retryableClient.RetryWaitMax = time.Second * time.Duration(RetryWaitMaxSeconds)
retryableClient.RetryMax = MaxNumOfRetries
// Set up the cookie jar
jar, err := cookiejar.New(nil)
if err != nil {
l.Printf("[ERROR] failed to create cookie jar: %v", err)
// Handle the error, possibly by continuing without a cookie jar
// or you can choose to halt the execution if the cookie jar is critical
}
// Configure the underlying HTTP client
retryableClient.HTTPClient = &http.Client{
Jar: jar, // Set the cookie jar
// ... other configurations ...
}
retryableClient.Backoff = func(min, max time.Duration, attemptNum int, resp *http.Response) time.Duration {
if resp != nil {
if resp.StatusCode == http.StatusTooManyRequests || resp.StatusCode == http.StatusServiceUnavailable {
retryAfter := getRetryAfter(resp, l)
if retryAfter > 0 {
return retryAfter
}
}
if resp.Request != nil {
wait, d := rateLimiter.Wait(resp.Request.Method)
if wait {
return d
} else {
return 0
}
}
}
// default to exp backoff
mult := math.Pow(2, float64(attemptNum)) * float64(min)
sleep := time.Duration(mult)
if float64(sleep) != mult || sleep > max {
sleep = max
}
return sleep
}
retryableClient.CheckRetry = checkRetry
retryableClient.Logger = l
retryableClient.HTTPClient.Timeout = time.Duration(requestTimeout) * time.Second
retryableClient.HTTPClient.Transport = &http.Transport{
Proxy: http.ProxyFromEnvironment,
MaxIdleConnsPerHost: maxIdleConnections,
}
retryableClient.HTTPClient = &http.Client{
Timeout: time.Duration(requestTimeout) * time.Second,
Transport: &http.Transport{
Proxy: http.ProxyFromEnvironment,
MaxIdleConnsPerHost: maxIdleConnections,
},
Jar: jar, // Set the cookie jar
}
retryableClient.HTTPClient.Transport = logging.NewSubsystemLoggingHTTPTransport("gozscaler", retryableClient.HTTPClient.Transport)
retryableClient.CheckRetry = checkRetry
retryableClient.Logger = l
return retryableClient.StandardClient()
}
func containsInt(codes []int, code int) bool {
for _, a := range codes {
if a == code {
return true
}
}
return false
}
// getRetryOnStatusCodes return a list of http status codes we want to apply retry on.
// Return empty slice to enable retry on all connection & server errors.
// Or return []int{429} to retry on only TooManyRequests error.
func getRetryOnStatusCodes() []int {
return []int{http.StatusTooManyRequests}
}
type ApiErr struct {
Code string `json:"code"`
Message string `json:"message"`
}
// Used to make http client retry on provided list of response status codes.
func checkRetry(ctx context.Context, resp *http.Response, err error) (bool, error) {
// do not retry on context.Canceled or context.DeadlineExceeded
if ctx.Err() != nil {
return false, ctx.Err()
}
if resp != nil && containsInt(getRetryOnStatusCodes(), resp.StatusCode) {
return true, nil
}
if resp != nil && (resp.StatusCode == http.StatusPreconditionFailed || resp.StatusCode == http.StatusConflict || resp.StatusCode == http.StatusUnauthorized) {
apiRespErr := ApiErr{}
data, err := io.ReadAll(resp.Body)
resp.Body = io.NopCloser(bytes.NewBuffer(data))
if err == nil {
err = json.Unmarshal(data, &apiRespErr)
if err == nil {
if apiRespErr.Code == "UNEXPECTED_ERROR" && apiRespErr.Message == "Failed during enter Org barrier" ||
apiRespErr.Code == "EDIT_LOCK_NOT_AVAILABLE" || apiRespErr.Message == "Resource Access Blocked" ||
apiRespErr.Code == "UNEXPECTED_ERROR" && apiRespErr.Message == "Request processing failed, possibly because an expected precondition was not met" {
return true, nil
}
}
}
}
return retryablehttp.DefaultRetryPolicy(ctx, resp, err)
}
func (c *Client) Logout() error {
_, err := c.Request(ziaAPIAuthURL, "DELETE", nil, "application/json")
if err != nil {
return err
}
return nil
}
func (c *Client) GetSandboxURL() string {
return "https://csbapi." + c.cloud + ".net"
}
func (c *Client) GetSandboxToken() string {
return os.Getenv("ZIA_SANDBOX_TOKEN")
}
// func (c *Client) startSessionTicker() {
// c.Lock()
// defer c.Unlock()
// if c.sessionTicker != nil {
// c.stopTicker <- true
// c.sessionTicker.Stop()
// }
// tickerInterval := c.sessionTimeout - 1*time.Minute
// c.sessionTicker = time.NewTicker(tickerInterval)
// go func() {
// for {
// select {
// case <-c.sessionTicker.C:
// err := c.refreshSession()
// if err != nil {
// c.Logger.Printf("[ERROR] Failed to refresh session: %v\n", err)
// }
// case <-c.stopTicker:
// return
// }
// }
// }()
// }
// startSessionTicker starts a ticker to refresh the session periodically
func (c *Client) startSessionTicker() {
if c.sessionTimeout > 0 {
c.sessionTicker = time.NewTicker(c.sessionTimeout - jSessionTimeoutOffset)
go func() {
for {
select {
case <-c.sessionTicker.C:
c.Lock()
if !c.refreshing {
c.refreshing = true
c.Unlock()
c.refreshSession()
c.Lock()
c.refreshing = false
}
c.Unlock()
case <-c.stopTicker:
c.sessionTicker.Stop()
return
}
}
}()
} else {
c.Logger.Printf("[ERROR] Invalid session timeout value: %v\n", c.sessionTimeout)
}
}