forked from fastly/go-fastly
-
Notifications
You must be signed in to change notification settings - Fork 0
/
waf.go
1017 lines (874 loc) · 31.2 KB
/
waf.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
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
package fastly
import (
"bytes"
"encoding/json"
"fmt"
"io"
"io/ioutil"
"net/http"
"reflect"
"strconv"
"strings"
"time"
"github.com/google/jsonapi"
)
// WAFConfigurationSet represents information about a configuration_set.
type WAFConfigurationSet struct {
ID string `jsonapi:"primary,configuration_set"`
}
// WAF is the information about a firewall object.
type WAF struct {
ID string `jsonapi:"primary,waf"`
Version int `jsonapi:"attr,version"`
PrefetchCondition string `jsonapi:"attr,prefetch_condition"`
Response string `jsonapi:"attr,response"`
LastPush *time.Time `jsonapi:"attr,last_push,iso8601"`
ConfigurationSet *WAFConfigurationSet `jsonapi:"relation,configuration_set"`
}
// wafType is used for reflection because JSONAPI wants to know what it's
// decoding into.
var wafType = reflect.TypeOf(new(WAF))
// ListWAFsInput is used as input to the ListWAFs function.
type ListWAFsInput struct {
// Service is the ID of the service (required).
Service string
// Version is the specific configuration version (required).
Version int
}
// ListWAFs returns the list of wafs for the configuration version.
func (c *Client) ListWAFs(i *ListWAFsInput) ([]*WAF, error) {
if i.Service == "" {
return nil, ErrMissingService
}
if i.Version == 0 {
return nil, ErrMissingVersion
}
path := fmt.Sprintf("/service/%s/version/%d/wafs", i.Service, i.Version)
resp, err := c.Get(path, nil)
if err != nil {
return nil, err
}
data, err := jsonapi.UnmarshalManyPayload(resp.Body, wafType)
if err != nil {
return nil, err
}
wafs := make([]*WAF, len(data))
for i := range data {
typed, ok := data[i].(*WAF)
if !ok {
return nil, fmt.Errorf("got back a non-WAF response")
}
wafs[i] = typed
}
return wafs, nil
}
// CreateWAFInput is used as input to the CreateWAF function.
type CreateWAFInput struct {
// Service is the ID of the service. Version is the specific configuration
// version. Both fields are required.
Service string
Version int
ID string `jsonapi:"primary,waf"`
PrefetchCondition string `jsonapi:"attr,prefetch_condition,omitempty"`
Response string `jsonapi:"attr,response,omitempty"`
}
// CreateWAF creates a new Fastly WAF.
func (c *Client) CreateWAF(i *CreateWAFInput) (*WAF, error) {
if i.Service == "" {
return nil, ErrMissingService
}
if i.Version == 0 {
return nil, ErrMissingVersion
}
path := fmt.Sprintf("/service/%s/version/%d/wafs", i.Service, i.Version)
resp, err := c.PostJSONAPI(path, i, nil)
if err != nil {
return nil, err
}
var waf WAF
if err := jsonapi.UnmarshalPayload(resp.Body, &waf); err != nil {
return nil, err
}
return &waf, nil
}
// GetWAFInput is used as input to the GetWAF function.
type GetWAFInput struct {
// Service is the ID of the service. Version is the specific configuration
// version. Both fields are required.
Service string
Version int
// ID is the id of the WAF to get.
ID string
}
func (c *Client) GetWAF(i *GetWAFInput) (*WAF, error) {
if i.Service == "" {
return nil, ErrMissingService
}
if i.Version == 0 {
return nil, ErrMissingVersion
}
if i.ID == "" {
return nil, ErrMissingWAFID
}
path := fmt.Sprintf("/service/%s/version/%d/wafs/%s", i.Service, i.Version, i.ID)
resp, err := c.Get(path, nil)
if err != nil {
return nil, err
}
var waf WAF
if err := jsonapi.UnmarshalPayload(resp.Body, &waf); err != nil {
return nil, err
}
return &waf, nil
}
// UpdateWAFInput is used as input to the UpdateWAF function.
type UpdateWAFInput struct {
// Service is the ID of the service. Version is the specific configuration
// version. Both fields are required.
Service string
Version int
ID string `jsonapi:"primary,waf"`
PrefetchCondition string `jsonapi:"attr,prefetch_condition,omitempty"`
Response string `jsonapi:"attr,response,omitempty"`
}
// UpdateWAF updates a specific WAF.
func (c *Client) UpdateWAF(i *UpdateWAFInput) (*WAF, error) {
if i.Service == "" {
return nil, ErrMissingService
}
if i.Version == 0 {
return nil, ErrMissingVersion
}
if i.ID == "" {
return nil, ErrMissingWAFID
}
path := fmt.Sprintf("/service/%s/version/%d/wafs/%s", i.Service, i.Version, i.ID)
resp, err := c.PatchJSONAPI(path, i, nil)
if err != nil {
return nil, err
}
var waf WAF
if err := jsonapi.UnmarshalPayload(resp.Body, &waf); err != nil {
return nil, err
}
return &waf, nil
}
// DeleteWAFInput is used as input to the DeleteWAFInput function.
type DeleteWAFInput struct {
// Service is the ID of the service. Version is the specific configuration
// version. Both fields are required.
Service string
Version int
// ID is the id of the WAF to delete.
ID string
}
func (c *Client) DeleteWAF(i *DeleteWAFInput) error {
if i.Service == "" {
return ErrMissingService
}
if i.Version == 0 {
return ErrMissingVersion
}
if i.ID == "" {
return ErrMissingWAFID
}
path := fmt.Sprintf("/service/%s/version/%d/wafs/%s", i.Service, i.Version, i.ID)
_, err := c.Delete(path, nil)
return err
}
// OWASP is the information about an OWASP object.
type OWASP struct {
ID string `jsonapi:"primary,owasp"`
AllowedHTTPVersions string `jsonapi:"attr,allowed_http_versions"`
AllowedMethods string `jsonapi:"attr,allowed_methods"`
AllowedRequestContentType string `jsonapi:"attr,allowed_request_content_type"`
AllowedRequestContentTypeCharset string `jsonapi:"attr,allowed_request_content_type_charset"`
ArgLength int `jsonapi:"attr,arg_length"`
ArgNameLength int `jsonapi:"attr,arg_name_length"`
CombinedFileSizes int `jsonapi:"attr,combined_file_sizes"`
CreatedAt *time.Time `jsonapi:"attr,created_at,iso8601"`
CriticalAnomalyScore int `jsonapi:"attr,critical_anomaly_score"`
CRSValidateUTF8Encoding bool `jsonapi:"attr,crs_validate_utf8_encoding"`
ErrorAnomalyScore int `jsonapi:"attr,error_anomaly_score"`
HighRiskCountryCodes string `jsonapi:"attr,high_risk_country_codes"`
HTTPViolationScoreThreshold int `jsonapi:"attr,http_violation_score_threshold"`
InboundAnomalyScoreThreshold int `jsonapi:"attr,inbound_anomaly_score_threshold"`
LFIScoreThreshold int `jsonapi:"attr,lfi_score_threshold"`
MaxFileSize int `jsonapi:"attr,max_file_size"`
MaxNumArgs int `jsonapi:"attr,max_num_args"`
NoticeAnomalyScore int `jsonapi:"attr,notice_anomaly_score"`
ParanoiaLevel int `jsonapi:"attr,paranoia_level"`
PHPInjectionScoreThreshold int `jsonapi:"attr,php_injection_score_threshold"`
RCEScoreThreshold int `jsonapi:"attr,rce_score_threshold"`
RestrictedExtensions string `jsonapi:"attr,restricted_extensions"`
RestrictedHeaders string `jsonapi:"attr,restricted_headers"`
RFIScoreThreshold int `jsonapi:"attr,rfi_score_threshold"`
SessionFixationScoreThreshold int `jsonapi:"attr,session_fixation_score_threshold"`
SQLInjectionScoreThreshold int `jsonapi:"attr,sql_injection_score_threshold"`
TotalArgLength int `jsonapi:"attr,total_arg_length"`
UpdatedAt *time.Time `jsonapi:"attr,updated_at,iso8601"`
WarningAnomalyScore int `jsonapi:"attr,warning_anomaly_score"`
XSSScoreThreshold int `jsonapi:"attr,xss_score_threshold"`
}
// GetOWASPInput is used as input to the GetOWASP function.
type GetOWASPInput struct {
// Service is the ID of the service. ID is the ID of the firewall.
// Both fields are required.
Service string
ID string
}
// GetOWASP gets OWASP settings for a service firewall object.
func (c *Client) GetOWASP(i *GetOWASPInput) (*OWASP, error) {
if i.Service == "" {
return nil, ErrMissingService
}
if i.ID == "" {
return nil, ErrMissingWAFID
}
path := fmt.Sprintf("/service/%s/wafs/%s/owasp", i.Service, i.ID)
resp, err := c.Get(path, nil)
if err != nil {
return nil, err
}
var owasp OWASP
if err := jsonapi.UnmarshalPayload(resp.Body, &owasp); err != nil {
return nil, err
}
return &owasp, nil
}
// CreateOWASPInput is used as input to the CreateOWASP function.
type CreateOWASPInput struct {
// Service is the ID of the service. ID is the ID of the firewall.
// Both fields are required.
Service string
ID string `jsonapi:"primary,owasp"`
Type string `jsonapi:"attr,type"`
}
// CreateOWASP creates an OWASP settings object for a service firewall object.
func (c *Client) CreateOWASP(i *CreateOWASPInput) (*OWASP, error) {
if i.Service == "" {
return nil, ErrMissingService
}
if i.ID == "" {
return nil, ErrMissingWAFID
}
path := fmt.Sprintf("/service/%s/wafs/%s/owasp", i.Service, i.ID)
resp, err := c.PostJSONAPI(path, i, nil)
if err != nil {
return nil, err
}
var owasp OWASP
if err := jsonapi.UnmarshalPayload(resp.Body, &owasp); err != nil {
return nil, err
}
return &owasp, nil
}
// UpdateOWASPInput is used as input to the CreateOWASP function.
type UpdateOWASPInput struct {
// Service is the ID of the service. ID is the ID of the firewall.
// Both fields are required.
Service string
ID string
OWASPID string `jsonapi:"primary,owasp,omitempty"`
Type string `jsonapi:"attr,type"`
AllowedHTTPVersions string `jsonapi:"attr,allowed_http_versions,omitempty"`
AllowedMethods string `jsonapi:"attr,allowed_methods,omitempty"`
AllowedRequestContentType string `jsonapi:"attr,allowed_request_content_type,omitempty"`
AllowedRequestContentTypeCharset string `jsonapi:"attr,allowed_request_content_type_charset,omitempty"`
ArgLength int `jsonapi:"attr,arg_length,omitempty"`
ArgNameLength int `jsonapi:"attr,arg_name_length,omitempty"`
CombinedFileSizes int `jsonapi:"attr,combined_file_sizes,omitempty"`
CreatedAt *time.Time `jsonapi:"attr,created_at,omitempty,iso8601"`
CriticalAnomalyScore int `jsonapi:"attr,critical_anomaly_score,omitempty"`
CRSValidateUTF8Encoding bool `jsonapi:"attr,crs_validate_utf8_encoding,omitempty"`
ErrorAnomalyScore int `jsonapi:"attr,error_anomaly_score,omitempty"`
HighRiskCountryCodes string `jsonapi:"attr,high_risk_country_codes,omitempty"`
HTTPViolationScoreThreshold int `jsonapi:"attr,http_violation_score_threshold,omitempty"`
InboundAnomalyScoreThreshold int `jsonapi:"attr,inbound_anomaly_score_threshold,omitempty"`
LFIScoreThreshold int `jsonapi:"attr,lfi_score_threshold,omitempty"`
MaxFileSize int `jsonapi:"attr,max_file_size,omitempty"`
MaxNumArgs int `jsonapi:"attr,max_num_args,omitempty"`
NoticeAnomalyScore int `jsonapi:"attr,notice_anomaly_score,omitempty"`
ParanoiaLevel int `jsonapi:"attr,paranoia_level,omitempty"`
PHPInjectionScoreThreshold int `jsonapi:"attr,php_injection_score_threshold,omitempty"`
RCEScoreThreshold int `jsonapi:"attr,rce_score_threshold,omitempty"`
RestrictedExtensions string `jsonapi:"attr,restricted_extensions,omitempty"`
RestrictedHeaders string `jsonapi:"attr,restricted_headers,omitempty"`
RFIScoreThreshold int `jsonapi:"attr,rfi_score_threshold,omitempty"`
SessionFixationScoreThreshold int `jsonapi:"attr,session_fixation_score_threshold,omitempty"`
SQLInjectionScoreThreshold int `jsonapi:"attr,sql_injection_score_threshold,omitempty"`
TotalArgLength int `jsonapi:"attr,total_arg_length,omitempty"`
UpdatedAt *time.Time `jsonapi:"attr,updated_at,omitempty,iso8601"`
WarningAnomalyScore int `jsonapi:"attr,warning_anomaly_score,omitempty"`
XSSScoreThreshold int `jsonapi:"attr,xss_score_threshold,omitempty"`
}
// CreateOWASP creates an OWASP settings object for a service firewall object.
func (c *Client) UpdateOWASP(i *UpdateOWASPInput) (*OWASP, error) {
if i.Service == "" {
return nil, ErrMissingService
}
if i.ID == "" {
return nil, ErrMissingWAFID
}
if i.OWASPID == "" {
return nil, ErrMissingOWASPID
}
path := fmt.Sprintf("/service/%s/wafs/%s/owasp", i.Service, i.ID)
resp, err := c.PatchJSONAPI(path, i, nil)
if err != nil {
return nil, err
}
var owasp OWASP
if err := jsonapi.UnmarshalPayload(resp.Body, &owasp); err != nil {
return nil, err
}
return &owasp, nil
}
// Rule is the information about a WAF rule.
type Rule struct {
ID string `jsonapi:"primary,rule"`
RuleID string `jsonapi:"attr,rule_id,omitempty"`
Severity int `jsonapi:"attr,severity,omitempty"`
Message string `jsonapi:"attr,message,omitempty"`
}
// rulesType is used for reflection because JSONAPI wants to know what it's
// decoding into.
var rulesType = reflect.TypeOf(new(Rule))
// GetRules returns the list of wafs for the configuration version.
func (c *Client) GetRules() ([]*Rule, error) {
path := fmt.Sprintf("/wafs/rules")
resp, err := c.Get(path, nil)
if err != nil {
return nil, err
}
data, err := jsonapi.UnmarshalManyPayload(resp.Body, rulesType)
if err != nil {
return nil, err
}
rules := make([]*Rule, len(data))
for i := range data {
typed, ok := data[i].(*Rule)
if !ok {
return nil, fmt.Errorf("got back a non-Rules response")
}
rules[i] = typed
}
return rules, nil
}
// GetRuleVCLInput is used as input to the GetRuleVCL function.
type GetRuleInput struct {
// RuleID is the ID of the rule and is required.
RuleID string
}
// GetRule gets a Rule using the Rule ID.
func (c *Client) GetRule(i *GetRuleInput) (*Rule, error) {
if i.RuleID == "" {
return nil, ErrMissingRuleID
}
path := fmt.Sprintf("/wafs/rules/%s", i.RuleID)
resp, err := c.Get(path, nil)
if err != nil {
return nil, err
}
var rule Rule
if err := jsonapi.UnmarshalPayload(resp.Body, &rule); err != nil {
return nil, err
}
return &rule, nil
}
// RuleVCL is the information about a Rule's VCL.
type RuleVCL struct {
ID string `jsonapi:"primary,rule_vcl"`
VCL string `jsonapi:"attr,vcl,omitempty"`
}
// GetRuleVCL gets the VCL for a Rule.
func (c *Client) GetRuleVCL(i *GetRuleInput) (*RuleVCL, error) {
if i.RuleID == "" {
return nil, ErrMissingRuleID
}
path := fmt.Sprintf("/wafs/rules/%s/vcl", i.RuleID)
resp, err := c.Get(path, nil)
if err != nil {
return nil, err
}
var vcl RuleVCL
if err := jsonapi.UnmarshalPayload(resp.Body, &vcl); err != nil {
return nil, err
}
return &vcl, nil
}
// GetWAFRuleVCLInput is used as input to the GetWAFRuleVCL function.
type GetWAFRuleVCLInput struct {
// ID is the ID of the firewall. RuleID is the ID of the rule.
// Both are required.
ID string
RuleID string
}
// GetWAFRuleVCL gets the VCL for a role associated with a firewall WAF.
func (c *Client) GetWAFRuleVCL(i *GetWAFRuleVCLInput) (*RuleVCL, error) {
if i.ID == "" {
return nil, ErrMissingWAFID
}
if i.RuleID == "" {
return nil, ErrMissingRuleID
}
path := fmt.Sprintf("/wafs/%s/rules/%s/vcl", i.ID, i.RuleID)
resp, err := c.Get(path, nil)
if err != nil {
return nil, err
}
var vcl RuleVCL
if err := jsonapi.UnmarshalPayload(resp.Body, &vcl); err != nil {
return nil, err
}
return &vcl, nil
}
// Ruleset is the information about a firewall object's ruleset.
type Ruleset struct {
ID string `jsonapi:"primary,ruleset"`
VCL string `jsonapi:"attr,vcl,omitempty"`
LastPush *time.Time `jsonapi:"attr,last_push,omitempty,iso8601"`
}
// GetWAFRuleRuleSetsInput is used as input to the GetWAFRuleRuleSets function.
type GetWAFRuleRuleSetsInput struct {
// Service is the ID of the service. ID is the ID of the firewall.
// Both fields are required.
Service string
ID string
}
// GetWAFRuleRuleSets gets the VCL for rulesets associated with a firewall WAF.
func (c *Client) GetWAFRuleRuleSets(i *GetWAFRuleRuleSetsInput) (*Ruleset, error) {
if i.Service == "" {
return nil, ErrMissingService
}
if i.ID == "" {
return nil, ErrMissingWAFID
}
path := fmt.Sprintf("/service/%s/wafs/%s/ruleset", i.Service, i.ID)
resp, err := c.Get(path, nil)
if err != nil {
return nil, err
}
var ruleset Ruleset
if err := jsonapi.UnmarshalPayload(resp.Body, &ruleset); err != nil {
return nil, err
}
return &ruleset, nil
}
// UpdateWAFRuleRuleSetsInput is used as input to the UpdateWAFRuleSets function.
type UpdateWAFRuleRuleSetsInput struct {
// Service is the ID of the service. ID is the ID of the firewall.
// Both fields are required.
Service string
ID string `jsonapi:"primary,ruleset"`
}
// UpdateWAFRuleSets updates the rulesets for a role associated with a firewall WAF.
func (c *Client) UpdateWAFRuleSets(i *UpdateWAFRuleRuleSetsInput) (*Ruleset, error) {
if i.Service == "" {
return nil, ErrMissingService
}
if i.ID == "" {
return nil, ErrMissingWAFID
}
path := fmt.Sprintf("/service/%s/wafs/%s/ruleset", i.Service, i.ID)
resp, err := c.PatchJSONAPI(path, i, nil)
if err != nil {
return nil, err
}
var ruleset Ruleset
if err := jsonapi.UnmarshalPayload(resp.Body, &ruleset); err != nil {
return nil, err
}
return &ruleset, nil
}
// GetWAFRuleStatusesInput specifies the parameters for the GetWAFRuleStatuses call
type GetWAFRuleStatusesInput struct {
Service string
WAF string
Filters GetWAFRuleStatusesFilters
}
// WAFRuleStatus stores the information about a rule received from Fastly
type WAFRuleStatus struct {
ID string `jsonapi:"primary,rule_status"` // This is the ID of the status, not the ID of the rule. Currently, it is of the format ${WAF_ID}-${rule_ID}, if you want to infer those based on this field.
Status string `jsonapi:"attr,status"`
Tag string `jsonapi:"attr,name,omitempty"` // This will only be set in a response for modifying rules based on tag.
// HACK: These two fields are supposed to be sent in response
// to requests for rule status data, but the entire "Relationships"
// field is currently missing from Fastly responses, so they are
// instead inferred from the status ID (see inferIDs method).
// WAF newTypeThatDoesntExistNow `jsonapi:"relation,waf"`
// Rule newTypeThatDoesntExistNow `jsonapi:"relation,rule"`
}
// GetWAFRuleStatusesFilters provides a set of parameters for filtering the
// results of the call to get the rules associated with a WAF.
type GetWAFRuleStatusesFilters struct {
Status string
Accuracy int
Maturity int
Message string
Revision int
RuleID string
TagID int // Filter by a single tag ID.
TagName string // Filter by single tag name.
Version string
Tags []int // Return all rules with any of the specified tag IDs.
MaxResults int // Max number of returned results per request.
Page int // Which page of results to return.
}
// formatFilters converts user input into query parameters for filtering
// Fastly results for rules in a WAF.
func (i *GetWAFRuleStatusesInput) formatFilters() map[string]string {
input := i.Filters
result := map[string]string{}
pairings := map[string]interface{}{
"filter[status]": input.Status,
"filter[rule][accuracy]": input.Accuracy,
"filter[rule][maturity]": input.Maturity,
"filter[rule][message]": input.Message,
"filter[rule][revision]": input.Revision,
"filter[rule][rule_id]": input.RuleID,
"filter[rule][tags]": input.TagID,
"filter[rule][tags][name]": input.TagName,
"filter[rule][version]": input.Version,
"include": input.Tags,
"page[size]": input.MaxResults,
"page[number]": input.Page, // starts at 1, not 0
}
// NOTE: This setup means we will not be able to send the zero value
// of any of these filters. It doesn't appear we would need to at present.
for key, value := range pairings {
switch t := reflect.TypeOf(value).String(); t {
case "string":
if value != "" {
result[key] = value.(string)
}
case "int":
if value != 0 {
result[key] = strconv.Itoa(value.(int))
}
case "[]int":
// convert ints to strings
toStrings := []string{}
values := value.([]int)
for _, i := range values {
toStrings = append(toStrings, strconv.Itoa(i))
}
// concat strings
if len(values) > 0 {
result[key] = strings.Join(toStrings, ",")
}
}
}
return result
}
// GetWAFRuleStatuses fetches the status of a subset of rules associated with a WAF.
func (c *Client) GetWAFRuleStatuses(i *GetWAFRuleStatusesInput) (GetWAFRuleStatusesResponse, error) {
statusResponse := GetWAFRuleStatusesResponse{Rules: []*WAFRuleStatus{}}
if i.Service == "" {
return statusResponse, ErrMissingService
}
if i.WAF == "" {
return statusResponse, ErrMissingWAFID
}
path := fmt.Sprintf("/service/%s/wafs/%s/rule_statuses", i.Service, i.WAF)
filters := &RequestOptions{Params: i.formatFilters()}
resp, err := c.Get(path, filters)
if err != nil {
return statusResponse, err
}
err = c.interpretWAFRuleStatusesPage(&statusResponse, resp)
// NOTE: It's possible for statusResponse to be partially completed before an error
// was encountered, so the presence of a statusResponse doesn't preclude the presence of
// an error.
return statusResponse, err
}
// interpretWAFRuleStatusesPage accepts a Fastly response for a set of WAF rule statuses
// and unmarshals the results. If there are more pages of results, it fetches the next
// page, adds that response to the array of results, and repeats until all results have
// been fetched.
func (c *Client) interpretWAFRuleStatusesPage(answer *GetWAFRuleStatusesResponse, received *http.Response) error {
// before we pull the status info out of the response body, fetch
// pagination info from it:
pages, body, err := getPages(received.Body)
if err != nil {
return err
}
data, err := jsonapi.UnmarshalManyPayload(body, reflect.TypeOf(new(WAFRuleStatus)))
if err != nil {
return err
}
for i := range data {
typed, ok := data[i].(*WAFRuleStatus)
if !ok {
return fmt.Errorf("got back response of unexpected type")
}
answer.Rules = append(answer.Rules, typed)
}
if pages.Next != "" {
// NOTE: pages.Next URL includes filters already
resp, err := c.SimpleGet(pages.Next)
if err != nil {
return err
}
c.interpretWAFRuleStatusesPage(answer, resp)
}
return nil
}
// linksResponse is used to pull the "Links" pagination fields from
// a call to Fastly; these are excluded from the results of the jsonapi
// call to `UnmarshalManyPayload()`, so we have to fetch them separately.
type linksResponse struct {
Links paginationInfo `json:"links"`
}
// paginationInfo stores links to searches related to the current one, showing
// any information about additional results being stored on another page
type paginationInfo struct {
First string `json:"first,omitempty"`
Last string `json:"last,omitempty"`
Next string `json:"next,omitempty"`
}
// GetWAFRuleStatusesResponse is the data returned to the user from a GetWAFRuleStatus call
type GetWAFRuleStatusesResponse struct {
Rules []*WAFRuleStatus
}
// getPages parses a response to get the pagination data without destroying
// the reader we receive as "resp.Body"; this essentially copies resp.Body
// and returns it so we can use it again.
func getPages(body io.Reader) (paginationInfo, io.Reader, error) {
var buf bytes.Buffer
tee := io.TeeReader(body, &buf)
bodyBytes, err := ioutil.ReadAll(tee)
if err != nil {
return paginationInfo{}, nil, err
}
var pages linksResponse
json.Unmarshal(bodyBytes, &pages)
return pages.Links, bytes.NewReader(buf.Bytes()), nil
}
// GetWAFRuleStatusInput specifies the parameters for the GetWAFRuleStatus call.
type GetWAFRuleStatusInput struct {
ID int
Service string
WAF string
}
// GetWAFRuleStatus fetches the status of a single rule associated with a WAF.
func (c *Client) GetWAFRuleStatus(i *GetWAFRuleStatusInput) (WAFRuleStatus, error) {
if i.ID == 0 {
return WAFRuleStatus{}, ErrMissingRuleID
}
if i.Service == "" {
return WAFRuleStatus{}, ErrMissingService
}
if i.WAF == "" {
return WAFRuleStatus{}, ErrMissingWAFID
}
path := fmt.Sprintf("/service/%s/wafs/%s/rules/%d/rule_status", i.Service, i.WAF, i.ID)
resp, err := c.Get(path, nil)
if err != nil {
return WAFRuleStatus{}, err
}
var status WAFRuleStatus
err = jsonapi.UnmarshalPayload(resp.Body, &status)
return status, err
}
// UpdateWAFRuleStatusInput specifies the parameters for the UpdateWAFRuleStatus call.
type UpdateWAFRuleStatusInput struct {
ID string `jsonapi:"primary,rule_status"` // The ID of the rule status. Currently in the format ${WAF_ID}-${rule_ID}.
RuleID int
Service string
WAF string
Status string `jsonapi:"attr,status"`
}
// validate makes sure the UpdateWAFRuleStatusInput instance has all
// fields we need to request a change.
func (i UpdateWAFRuleStatusInput) validate() error {
if i.ID == "" {
return ErrMissingID
}
if i.RuleID == 0 {
return ErrMissingRuleID
}
if i.Service == "" {
return ErrMissingService
}
if i.WAF == "" {
return ErrMissingWAFID
}
if i.Status == "" {
return ErrMissingStatus
}
return nil
}
// UpdateWAFRuleStatus changes the status of a single rule associated with a WAF.
func (c *Client) UpdateWAFRuleStatus(i *UpdateWAFRuleStatusInput) (WAFRuleStatus, error) {
if err := i.validate(); err != nil {
return WAFRuleStatus{}, err
}
path := fmt.Sprintf("/service/%s/wafs/%s/rules/%d/rule_status", i.Service, i.WAF, i.RuleID)
var buf bytes.Buffer
err := jsonapi.MarshalPayload(&buf, i)
if err != nil {
return WAFRuleStatus{}, err
}
options := &RequestOptions{
Body: &buf,
Headers: map[string]string{
"Content-Type": jsonapi.MediaType,
"Accept": jsonapi.MediaType,
},
}
resp, err := c.Patch(path, options)
if err != nil {
return WAFRuleStatus{}, err
}
var status WAFRuleStatus
err = jsonapi.UnmarshalPayload(resp.Body, &status)
return status, err
}
// UpdateWAFRuleTagStatusInput specifies the parameters for the UpdateWAFRuleStatus call.
type UpdateWAFRuleTagStatusInput struct {
Service string
WAF string
Status string `json:"status"` // `jsonapi:"attr,status"`
Tag string `json:"name"` // `jsonapi:"attr,name"`
Force bool `json:"force"` // `jsonapi:"attr,force"`
// HACK: This won't work with the jsonapi struct tags, because the POST body expected by
// Fastly doesn't conform to the jsonapi spec -- there's no ID field at the top level,
// and there's no way for us to indicate the "type" of the entity without a primary key.
// ID field is required: http://jsonapi.org/format/#document-resource-objects
}
// updateWAFRuleTagStatusBody is the top-level object sent to Fastly based on
// UpdateWAFRuleTagStatusInput from the user.
type updateWAFRuleTagStatusBody struct {
Data updateWAFRuleTagStatusData `json:"data"`
}
type updateWAFRuleTagStatusData struct {
Type string `json:"type"` // hard-coded because we can't use jsonapi
Attributes *UpdateWAFRuleTagStatusInput `json:"attributes"` // supplied by user as input
}
// validate makes sure the UpdateWAFRuleStatusInput instance has all
// fields we need to request a change. Almost, but not quite, identical to
// UpdateWAFRuleStatusInput.validate()
func (i UpdateWAFRuleTagStatusInput) validate() error {
if i.Tag == "" {
return ErrMissingTag
}
if i.Service == "" {
return ErrMissingService
}
if i.WAF == "" {
return ErrMissingWAFID
}
if i.Status == "" {
return ErrMissingStatus
}
return nil
}
// UpdateWAFRuleTagStatus changes the status of a single rule associated with a WAF.
// NOTE: This call currently appears to return *all* rules attached to the WAF, rather
// than just the ones that were modified by the call.
func (c *Client) UpdateWAFRuleTagStatus(input *UpdateWAFRuleTagStatusInput) (GetWAFRuleStatusesResponse, error) {
if err := input.validate(); err != nil {
return GetWAFRuleStatusesResponse{}, err
}
path := fmt.Sprintf("/service/%s/wafs/%s/rule_statuses", input.Service, input.WAF)
body := updateWAFRuleTagStatusBody{
Data: updateWAFRuleTagStatusData{
Type: "rule_status",
Attributes: input,
},
}
encoded, err := json.Marshal(body)
if err != nil {
return GetWAFRuleStatusesResponse{}, err
}
options := &RequestOptions{
Body: bytes.NewReader(encoded),
Headers: map[string]string{
"Content-Type": jsonapi.MediaType,
"Accept": jsonapi.MediaType,
},
}
resp, err := c.Post(path, options)
if err != nil {
return GetWAFRuleStatusesResponse{}, err
}
statusResponse := GetWAFRuleStatusesResponse{Rules: []*WAFRuleStatus{}}
err = c.interpretWAFRuleStatusesPage(&statusResponse, resp)
return statusResponse, err
}
// UpdateWAFConfigSetInput is used as input to the UpdateWAFConfigSet function.
type UpdateWAFConfigSetInput struct {
WAFList []ConfigSetWAFs
ConfigSetID string
}
// ConfigSetWAFs used to store the ID of a WAF needed to update config set relationships
type ConfigSetWAFs struct {
ID string `jsonapi:"primary,waf"`
}
// UpdateWAFConfigSetResponse stores the list of WAFs returned from the call to update its config set
type UpdateWAFConfigSetResponse struct {
IDs []ConfigSetWAFs `jsonapi:"primary,waf"`
}
// UpdateWAFConfigSet updates a list of WAFs with the given configset
func (c *Client) UpdateWAFConfigSet(i *UpdateWAFConfigSetInput) (UpdateWAFConfigSetResponse, error) {
if err := i.validate(); err != nil {
return UpdateWAFConfigSetResponse{}, err
}
var wafs []interface{}
for _, w := range i.WAFList {
wafs = append(wafs, &w)
}
path := fmt.Sprintf("/wafs/configuration_sets/%s/relationships/wafs", i.ConfigSetID)
resp, err := c.PatchJSONAPI(path, wafs, nil)
if err != nil {
return UpdateWAFConfigSetResponse{}, err
}
wafConfigSetResponse := UpdateWAFConfigSetResponse{}
err = c.interpretWAFCongfigSetResponse(&wafConfigSetResponse, resp)
if err != nil {
return UpdateWAFConfigSetResponse{}, err
}
return wafConfigSetResponse, nil
}
// validate makes sure the UpdateWAFConfigSetInput instance has all
// fields we need to assign the config set to the WAF(s)
func (i UpdateWAFConfigSetInput) validate() error {
if i.ConfigSetID == "" {
return ErrMissingConfigSetID
}
if len(i.WAFList) == 0 {
return ErrMissingWAFList
}
return nil
}
// interpretWAFCongfigSetResponse accepts a Fastly response containing a set of WAF ID's that
// where given to associate with the config set and unmarshals the results.
// If there are more pages of results, it fetches the next
// page, adds that response to the array of results, and repeats until all results have
// been fetched.
func (c *Client) interpretWAFCongfigSetResponse(answer *UpdateWAFConfigSetResponse, received *http.Response) error {
pages, body, err := getPages(received.Body)
if err != nil {
return err
}
data, err := jsonapi.UnmarshalManyPayload(body, reflect.TypeOf([]ConfigSetWAFs{}))
if err != nil {
return err
}
for i := range data {