forked from SparkPost/gosparkpost
-
Notifications
You must be signed in to change notification settings - Fork 1
/
templates.go
473 lines (393 loc) · 13.1 KB
/
templates.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
package gosparkpost
import (
"context"
"encoding/json"
"fmt"
"reflect"
"strings"
"time"
"github.com/pkg/errors"
)
// https://www.sparkpost.com/api#/reference/templates
var TemplatesPathFormat = "/api/v%d/templates"
// Template is the JSON structure accepted by and returned from the SparkPost Templates API.
// It's mostly metadata at this level - see Content and Options for more detail.
type Template struct {
ID string `json:"id,omitempty"`
Content Content `json:"content,omitempty"`
Published bool `json:"published,omitempty"`
Name string `json:"name,omitempty"`
Description string `json:"description,omitempty"`
LastUse time.Time `json:"last_use,omitempty"`
LastUpdate time.Time `json:"last_update_time,omitempty"`
Options *TmplOptions `json:"options,omitempty"`
}
// Content is what you'll send to your Recipients.
// Knowledge of SparkPost's substitution/templating capabilities will come in handy here.
// https://www.sparkpost.com/api#/introduction/substitutions-reference
type Content struct {
HTML string `json:"html,omitempty"`
Text string `json:"text,omitempty"`
Subject string `json:"subject,omitempty"`
From interface{} `json:"from,omitempty"`
ReplyTo string `json:"reply_to,omitempty"`
Headers map[string]string `json:"headers,omitempty"`
EmailRFC822 string `json:"email_rfc822,omitempty"`
Attachments []Attachment `json:"attachments,omitempty"`
InlineImages []InlineImage `json:"inline_images,omitempty"`
}
// Attachment contains metadata and the contents of the file to attach.
type Attachment struct {
MIMEType string `json:"type"`
Filename string `json:"name"`
B64Data string `json:"data"`
}
// InlineImage contains metadata and the contents of the image to make available for inline use.
type InlineImage Attachment
// From describes the nested object way of specifying the From header.
// Content.From can be specified this way, or as a plain string.
type From struct {
Email string `json:"email"`
Name string `json:"name"`
}
// TmplOptions specifies settings to apply to this Template.
// These settings may be overridden in the Transmission API call.
type TmplOptions struct {
OpenTracking *bool `json:"open_tracking,omitempty"`
ClickTracking *bool `json:"click_tracking,omitempty"`
Transactional *bool `json:"transactional,omitempty"`
}
// PreviewOptions contains the required subsitution_data object to
// preview a template
type PreviewOptions struct {
SubstitutionData map[string]interface{} `json:"substitution_data"`
}
// ParseFrom parses the various allowable Content.From values.
func ParseFrom(from interface{}) (f From, err error) {
// handle the allowed types
switch fromVal := from.(type) {
case From:
f = fromVal
case Address:
f.Email = fromVal.Email
f.Name = fromVal.Name
case string: // simple string value
if fromVal == "" {
err = fmt.Errorf("Content.From may not be empty")
} else {
f.Email = fromVal
}
case map[string]interface{}:
// auto-parsed nested json object
for k, v := range fromVal {
switch vVal := v.(type) {
case string:
if strings.EqualFold(k, "name") {
f.Name = vVal
} else if strings.EqualFold(k, "email") {
f.Email = vVal
}
default:
err = fmt.Errorf("strings are required for all Content.From values")
break
}
}
case map[string]string:
// user-provided json literal (convenience)
for k, v := range fromVal {
if strings.EqualFold(k, "name") {
f.Name = v
} else if strings.EqualFold(k, "email") {
f.Email = v
}
}
default:
err = fmt.Errorf("unsupported Content.From value type [%s]", reflect.TypeOf(fromVal))
}
return
}
// Validate runs sanity checks on a Template struct.
// This should catch most errors before attempting a doomed API call.
func (t *Template) Validate() error {
if t == nil {
return fmt.Errorf("Can't Validate a nil Template")
}
if t.Content.EmailRFC822 != "" {
// TODO: optionally validate MIME structure
// if MIME content is present, clobber all other Content options
t.Content = Content{EmailRFC822: t.Content.EmailRFC822}
return nil
}
// enforce required parameters
if t.Content.Subject == "" {
return fmt.Errorf("Template requires a non-empty Content.Subject")
} else if t.Content.HTML == "" && t.Content.Text == "" {
return fmt.Errorf("Template requires either Content.HTML or Content.Text")
}
_, err := ParseFrom(t.Content.From)
if err != nil {
return err
}
if len(t.Content.Attachments) > 0 {
for _, att := range t.Content.Attachments {
if len(att.Filename) > 255 {
return fmt.Errorf("Attachment name length must be <= 255: [%s]", att.Filename)
} else if strings.ContainsAny(att.B64Data, "\r\n") {
return fmt.Errorf("Attachment data may not contain line breaks [\\r\\n]")
}
}
}
if len(t.Content.InlineImages) > 0 {
for _, img := range t.Content.InlineImages {
if len(img.Filename) > 255 {
return fmt.Errorf("InlineImage name length must be <= 255: [%s]", img.Filename)
} else if strings.ContainsAny(img.B64Data, "\r\n") {
return fmt.Errorf("InlineImage data may not contain line breaks [\\r\\n]")
}
}
}
// enforce max lengths
if len(t.ID) > 64 {
return fmt.Errorf("Template id may not be longer than 64 bytes")
} else if len(t.Name) > 1024 {
return fmt.Errorf("Template name may not be longer than 1024 bytes")
} else if len(t.Description) > 1024 {
return fmt.Errorf("Template description may not be longer than 1024 bytes")
}
return nil
}
// TemplateCreate accepts a populated Template object, validates its Contents,
// and performs an API call against the configured endpoint.
func (c *Client) TemplateCreate(t *Template) (id string, res *Response, err error) {
return c.TemplateCreateContext(context.Background(), t)
}
// TemplateCreateContext is the same as TemplateCreate, and it allows the caller to provide a context.
func (c *Client) TemplateCreateContext(ctx context.Context, t *Template) (id string, res *Response, err error) {
if t == nil {
err = fmt.Errorf("Create called with nil Template")
return
}
err = t.Validate()
if err != nil {
return
}
// A Template that makes it past Validate() will always Marshal
jsonBytes, _ := json.Marshal(t)
path := fmt.Sprintf(TemplatesPathFormat, c.Config.ApiVersion)
url := fmt.Sprintf("%s%s", c.Config.BaseUrl, path)
res, err = c.HttpPost(ctx, url, jsonBytes)
if err != nil {
return
}
if err = res.ParseResponse(); err != nil {
return
}
if Is2XX(res.HTTP.StatusCode) {
var ok bool
var results map[string]interface{}
if results, ok = res.Results.(map[string]interface{}); !ok {
err = fmt.Errorf("Unexpected response to Template creation (results)")
} else if id, ok = results["id"].(string); !ok {
err = fmt.Errorf("Unexpected response to Template creation (id)")
}
} else {
err = res.HTTPError()
}
return
}
// TemplateGet fills out the provided template, using the specified id.
func (c *Client) TemplateGet(t *Template, draft bool) (*Response, error) {
return c.TemplateGetContext(context.Background(), t, draft)
}
// TemplateGetContext is the same as TemplateGet, and it allows the caller to provide a context
func (c *Client) TemplateGetContext(ctx context.Context, t *Template, draft bool) (*Response, error) {
if t == nil {
return nil, errors.New("TemplateGet called with nil Template")
}
if t.ID == "" {
return nil, errors.New("TemplateGet called with blank id")
}
path := fmt.Sprintf(TemplatesPathFormat, c.Config.ApiVersion)
url := fmt.Sprintf("%s%s/%s?draft=%t", c.Config.BaseUrl, path, t.ID, draft)
res, err := c.HttpGet(ctx, url)
if err != nil {
return nil, err
}
var body []byte
body, err = res.ReadBody()
if err != nil {
return res, err
}
if err = res.ParseResponse(); err != nil {
return res, err
}
if Is2XX(res.HTTP.StatusCode) {
// Unwrap the returned Template
tmp := map[string]*json.RawMessage{}
if err = json.Unmarshal(body, &tmp); err != nil {
} else if results, ok := tmp["results"]; ok {
err = json.Unmarshal(*results, t)
} else {
err = errors.New("Unexpected response to TemplateGet")
}
} else {
err = res.HTTPError()
}
return res, err
}
// TemplateUpdate updates a draft/published template with the specified id
// The `updatePublished` parameter controls which version (draft/false vs published/true) of the template will be updated.
func (c *Client) TemplateUpdate(t *Template, updatePublished bool) (res *Response, err error) {
return c.TemplateUpdateContext(context.Background(), t, updatePublished)
}
// TemplateUpdateContext is the same as TemplateUpdate, and it allows the caller to provide a context
func (c *Client) TemplateUpdateContext(ctx context.Context, t *Template, updatePublished bool) (res *Response, err error) {
if t == nil {
err = fmt.Errorf("Update called with nil Template")
return
}
if t.ID == "" {
err = fmt.Errorf("Update called with blank id")
return
}
err = t.Validate()
if err != nil {
return
}
// A Template that makes it past Validate() will always Marshal
jsonBytes, _ := json.Marshal(t)
path := fmt.Sprintf(TemplatesPathFormat, c.Config.ApiVersion)
url := fmt.Sprintf("%s%s/%s?update_published=%t", c.Config.BaseUrl, path, t.ID, updatePublished)
res, err = c.HttpPut(ctx, url, jsonBytes)
if err != nil {
return
}
if err = res.AssertJson(); err != nil {
return
}
if Is2XX(res.HTTP.StatusCode) {
return
}
if err = res.ParseResponse(); err == nil {
err = res.HTTPError()
}
return
}
// Templates returns metadata for all Templates in the system.
func (c *Client) Templates() ([]Template, *Response, error) {
return c.TemplatesContext(context.Background())
}
// TemplatesContext is the same as Templates, and it allows the caller to provide a context
func (c *Client) TemplatesContext(ctx context.Context) (tl []Template, res *Response, err error) {
path := fmt.Sprintf(TemplatesPathFormat, c.Config.ApiVersion)
url := c.Config.BaseUrl + path
res, err = c.HttpGet(ctx, url)
if err != nil {
return
}
if err = res.AssertJson(); err != nil {
return
}
if Is2XX(res.HTTP.StatusCode) {
var body []byte
body, err = res.ReadBody()
if err != nil {
return
}
tlist := map[string][]Template{}
if err = json.Unmarshal(body, &tlist); err != nil {
return
}
return tlist["results"], res, nil
}
if err = res.ParseResponse(); err == nil {
err = res.HTTPError()
}
return
}
// TemplateDelete removes the Template with the specified id.
func (c *Client) TemplateDelete(id string) (res *Response, err error) {
return c.TemplateDeleteContext(context.Background(), id)
}
// TemplateDeleteContext is the same as TemplateDelete, and it allows the caller to provide a context
func (c *Client) TemplateDeleteContext(ctx context.Context, id string) (res *Response, err error) {
if id == "" {
err = fmt.Errorf("Delete called with blank id")
return
}
path := fmt.Sprintf(TemplatesPathFormat, c.Config.ApiVersion)
url := fmt.Sprintf("%s%s/%s", c.Config.BaseUrl, path, id)
res, err = c.HttpDelete(ctx, url)
if err != nil {
return
}
if err = res.AssertJson(); err != nil {
return
}
if err = res.ParseResponse(); err == nil {
err = res.HTTPError()
}
return
}
// TemplatePreview renders and returns the output of a template using the provided substitution data.
func (c *Client) TemplatePreview(id string, payload *PreviewOptions) (res *Response, err error) {
return c.TemplatePreviewContext(context.Background(), id, payload)
}
// TemplatePreviewContext is the same as TemplatePreview, and it allows the caller to provide a context
func (c *Client) TemplatePreviewContext(ctx context.Context, id string, payload *PreviewOptions) (res *Response, err error) {
if id == "" {
err = fmt.Errorf("Preview called with blank id")
return
}
if payload == nil {
payload = &PreviewOptions{}
}
jsonBytes, err := json.Marshal(payload)
if err != nil {
return
}
path := fmt.Sprintf(TemplatesPathFormat, c.Config.ApiVersion)
url := fmt.Sprintf("%s%s/%s/preview", c.Config.BaseUrl, path, id)
res, err = c.HttpPost(ctx, url, jsonBytes)
if err != nil {
return
}
if err = res.AssertJson(); err != nil {
return
}
if err = res.ParseResponse(); err == nil {
err = res.HTTPError()
}
return
}
// TemplatePublish just publishes draft template
func (c *Client) TemplatePublish(id string) (err error) {
return c.TemplatePublishContext(context.Background(), id)
}
// TemplatePublishContext is the same as TemplatePublish, and it allows the caller to provide a context
func (c *Client) TemplatePublishContext(ctx context.Context, id string) (err error) {
if id == "" {
err = fmt.Errorf("Publish called with blank id")
return
}
// A Template that makes it past Validate() will always Marshal
jsonBytes, _ := json.Marshal(map[string]bool{
"published": true,
})
path := fmt.Sprintf(TemplatesPathFormat, c.Config.ApiVersion)
url := fmt.Sprintf("%s%s/%s", c.Config.BaseUrl, path, id)
res, err := c.HttpPut(ctx, url, jsonBytes)
if err != nil {
return
}
if err = res.AssertJson(); err != nil {
return
}
if Is2XX(res.HTTP.StatusCode) {
return
}
if err = res.ParseResponse(); err == nil {
err = res.HTTPError()
}
return
}