forked from snowflakedb/gosnowflake
-
Notifications
You must be signed in to change notification settings - Fork 0
/
connection.go
985 lines (891 loc) · 28.3 KB
/
connection.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
// Copyright (c) 2017-2022 Snowflake Computing Inc. All rights reserved.
package gosnowflake
import (
"bufio"
"bytes"
"compress/gzip"
"context"
"database/sql"
"database/sql/driver"
"encoding/base64"
"encoding/json"
"io"
"net/http"
"net/url"
"os"
"regexp"
"strconv"
"strings"
"sync"
"sync/atomic"
"time"
"github.com/apache/arrow/go/v14/arrow/ipc"
)
const (
httpHeaderContentType = "Content-Type"
httpHeaderAccept = "accept"
httpHeaderUserAgent = "User-Agent"
httpHeaderServiceName = "X-Snowflake-Service"
httpHeaderContentLength = "Content-Length"
httpHeaderHost = "Host"
httpHeaderValueOctetStream = "application/octet-stream"
httpHeaderContentEncoding = "Content-Encoding"
httpClientAppID = "CLIENT_APP_ID"
httpClientAppVersion = "CLIENT_APP_VERSION"
)
const (
statementTypeIDSelect = int64(0x1000)
statementTypeIDDml = int64(0x3000)
statementTypeIDMultiTableInsert = statementTypeIDDml + int64(0x500)
statementTypeIDMultistatement = int64(0xA000)
)
const (
sessionClientSessionKeepAlive = "client_session_keep_alive"
sessionClientValidateDefaultParameters = "CLIENT_VALIDATE_DEFAULT_PARAMETERS"
sessionArrayBindStageThreshold = "client_stage_array_binding_threshold"
serviceName = "service_name"
)
type resultType string
const (
snowflakeResultType contextKey = "snowflakeResultType"
execResultType resultType = "exec"
queryResultType resultType = "query"
)
type execKey string
const (
executionType execKey = "executionType"
executionTypeStatement string = "statement"
)
const privateLinkSuffix = "privatelink.snowflakecomputing.com"
type snowflakeConn struct {
ctx context.Context
cfg *Config
rest *snowflakeRestful
restMu sync.RWMutex // guard shutdown race
SequenceCounter uint64
QueryID string
SQLState string
telemetry *snowflakeTelemetry
internal InternalClient
queryContextCache *queryContextCache
currentTimeProvider currentTimeProvider
execRespCache *execRespCache
// Server version obtained from the auth response.
serverVersion string
}
var (
queryIDPattern = `[\w\-_]+`
queryIDRegexp = regexp.MustCompile(queryIDPattern)
)
func (sc *snowflakeConn) exec(
ctx context.Context,
query string,
noResult bool,
isInternal bool,
describeOnly bool,
bindings []driver.NamedValue) (
*execResponse, error) {
var err error
counter := atomic.AddUint64(&sc.SequenceCounter, 1) // query sequence counter
queryContext, err := buildQueryContext(sc.queryContextCache)
if err != nil {
logger.Errorf("error while building query context: %v", err)
}
req := execRequest{
SQLText: query,
AsyncExec: noResult,
Parameters: map[string]interface{}{},
IsInternal: isInternal,
DescribeOnly: describeOnly,
SequenceID: counter,
QueryContext: queryContext,
}
if key := ctx.Value(multiStatementCount); key != nil {
req.Parameters[string(multiStatementCount)] = key
}
if tag := ctx.Value(queryTag); tag != nil {
req.Parameters[string(queryTag)] = tag
}
logger.WithContext(ctx).Infof("parameters: %v", req.Parameters)
// handle bindings, if required
requestID := getOrGenerateRequestIDFromContext(ctx)
if len(bindings) > 0 {
if err = sc.processBindings(ctx, bindings, describeOnly, requestID, &req); err != nil {
return nil, err
}
}
logger.WithContext(ctx).Infof("bindings: %v", req.Bindings)
// populate headers
headers := getHeaders()
if isFileTransfer(query) {
headers[httpHeaderAccept] = headerContentTypeApplicationJSON
}
paramsMutex.Lock()
if serviceName, ok := sc.cfg.Params[serviceName]; ok {
headers[httpHeaderServiceName] = *serviceName
}
paramsMutex.Unlock()
jsonBody, err := json.Marshal(req)
if err != nil {
return nil, err
}
data, err := sc.rest.FuncPostQuery(ctx, sc.rest, &url.Values{}, headers,
jsonBody, sc.rest.RequestTimeout, requestID, sc.cfg)
if shouldLogSfResponseForCacheBug(ctx) {
logger.WithContext(ctx).Errorf("exec request response %+v", data)
}
if err != nil {
return data, err
}
code := -1
if data.Code != "" {
code, err = strconv.Atoi(data.Code)
if err != nil {
return data, err
}
}
logger.WithContext(ctx).Infof("Success: %v, Code: %v", data.Success, code)
if !data.Success {
err = (populateErrorFields(code, data)).exceptionTelemetry(sc)
return nil, err
}
if !sc.cfg.DisableQueryContextCache && data.Data.QueryContext != nil {
queryContext, err := extractQueryContext(data)
if err != nil {
logger.Errorf("error while decoding query context: ", err)
} else {
sc.queryContextCache.add(sc, queryContext.Entries...)
}
}
// handle PUT/GET commands
if isFileTransfer(query) {
data, err = sc.processFileTransfer(ctx, data, query, isInternal)
if err != nil {
return nil, err
}
}
logger.WithContext(ctx).Info("Exec/Query SUCCESS")
if data.Data.FinalDatabaseName != "" {
sc.cfg.Database = data.Data.FinalDatabaseName
}
if data.Data.FinalSchemaName != "" {
sc.cfg.Schema = data.Data.FinalSchemaName
}
if data.Data.FinalWarehouseName != "" {
sc.cfg.Warehouse = data.Data.FinalWarehouseName
}
if data.Data.FinalRoleName != "" {
sc.cfg.Role = data.Data.FinalRoleName
}
sc.populateSessionParameters(data.Data.Parameters)
return data, err
}
func extractQueryContext(data *execResponse) (queryContext, error) {
var queryContext queryContext
err := json.Unmarshal(data.Data.QueryContext, &queryContext)
return queryContext, err
}
func buildQueryContext(qcc *queryContextCache) (requestQueryContext, error) {
rqc := requestQueryContext{}
if qcc == nil || len(qcc.entries) == 0 {
logger.Debugf("empty qcc")
return rqc, nil
}
for _, qce := range qcc.entries {
contextData := contextData{}
if qce.Context == "" {
contextData.Base64Data = qce.Context
}
rqc.Entries = append(rqc.Entries, requestQueryContextEntry{
ID: qce.ID,
Priority: qce.Priority,
Timestamp: qce.Timestamp,
Context: contextData,
})
}
return rqc, nil
}
func (sc *snowflakeConn) Begin() (driver.Tx, error) {
return sc.BeginTx(sc.ctx, driver.TxOptions{})
}
func (sc *snowflakeConn) BeginTx(
ctx context.Context,
opts driver.TxOptions) (
driver.Tx, error) {
logger.WithContext(ctx).Info("BeginTx")
if opts.ReadOnly {
return nil, (&SnowflakeError{
Number: ErrNoReadOnlyTransaction,
SQLState: SQLStateFeatureNotSupported,
Message: errMsgNoReadOnlyTransaction,
}).exceptionTelemetry(sc)
}
if int(opts.Isolation) != int(sql.LevelDefault) {
return nil, (&SnowflakeError{
Number: ErrNoDefaultTransactionIsolationLevel,
SQLState: SQLStateFeatureNotSupported,
Message: errMsgNoDefaultTransactionIsolationLevel,
}).exceptionTelemetry(sc)
}
if sc.rest == nil {
return nil, driver.ErrBadConn
}
isDesc := isDescribeOnly(ctx)
if _, err := sc.exec(ctx, "BEGIN", false, /* noResult */
false /* isInternal */, isDesc, nil); err != nil {
return nil, err
}
return &snowflakeTx{sc, ctx}, nil
}
func (sc *snowflakeConn) cleanup() {
// must flush log buffer while the process is running.
if sc.rest != nil && sc.rest.Client != nil {
sc.rest.Client.CloseIdleConnections()
}
sc.restMu.Lock()
defer sc.restMu.Unlock()
sc.rest = nil
sc.cfg = nil
releaseExecRespCache(sc.execRespCache)
sc.execRespCache = nil
}
func (sc *snowflakeConn) Close() (err error) {
logger.WithContext(sc.ctx).Infoln("Close")
sc.telemetry.sendBatch()
sc.stopHeartBeat()
defer sc.cleanup()
if sc.cfg != nil && !sc.cfg.KeepSessionAlive {
if err = sc.rest.FuncCloseSession(sc.ctx, sc.rest, sc.rest.RequestTimeout); err != nil {
logger.Error(err)
}
}
return nil
}
func (sc *snowflakeConn) PrepareContext(
ctx context.Context,
query string) (
driver.Stmt, error) {
logger.WithContext(sc.ctx).Infoln("Prepare")
if sc.rest == nil {
return nil, driver.ErrBadConn
}
stmt := &snowflakeStmt{
sc: sc,
query: query,
}
return stmt, nil
}
func (sc *snowflakeConn) ExecContext(
ctx context.Context,
query string,
args []driver.NamedValue) (
driver.Result, error) {
if sc.rest == nil {
return nil, driver.ErrBadConn
}
noResult := isAsyncMode(ctx)
isDesc := isDescribeOnly(ctx)
// TODO handle isInternal
ctx = setResultType(ctx, execResultType)
qStart := time.Now()
data, err := sc.exec(ctx, query, noResult, false /* isInternal */, isDesc, args)
if err != nil {
logger.WithContext(ctx).Infof("error: %v", err)
if data != nil {
code, e := strconv.Atoi(data.Code)
if e != nil {
return nil, e
}
return nil, (&SnowflakeError{
Number: code,
SQLState: data.Data.SQLState,
Message: err.Error(),
QueryID: data.Data.QueryID,
}).exceptionTelemetry(sc)
}
return nil, err
}
// if async exec, return result object right away
if noResult {
return data.Data.AsyncResult, nil
}
if isDml(data.Data.StatementTypeID) {
// collects all values from the returned row sets
updatedRows, err := updateRows(data.Data)
if err != nil {
return nil, err
}
logger.WithContext(ctx).Debugf("number of updated rows: %#v", updatedRows)
rows := &snowflakeResult{
affectedRows: updatedRows,
insertID: -1,
queryID: data.Data.QueryID,
} // last insert id is not supported by Snowflake
rows.monitoring = mkMonitoringFetcher(sc, data.Data.QueryID, time.Since(qStart))
return rows, nil
} else if isMultiStmt(&data.Data) {
rows, err := sc.handleMultiExec(ctx, data.Data)
if err != nil {
return nil, err
}
rows.monitoring = mkMonitoringFetcher(sc, data.Data.QueryID, time.Since(qStart))
return rows, nil
} else if isDql(&data.Data) {
logger.WithContext(ctx).Debugf("DQL")
if isStatementContext(ctx) {
return &snowflakeResultNoRows{queryID: data.Data.QueryID}, nil
}
return driver.ResultNoRows, nil
}
logger.Debug("DDL")
if isStatementContext(ctx) {
return &snowflakeResultNoRows{queryID: data.Data.QueryID}, nil
}
return driver.ResultNoRows, nil
}
func (sc *snowflakeConn) QueryContext(
ctx context.Context,
query string,
args []driver.NamedValue) (
driver.Rows, error) {
qid, err := getResumeQueryID(ctx)
if err != nil {
return nil, err
}
if qid == "" {
return sc.queryContextInternal(ctx, query, args)
}
// check the query status to find out if there is a result to fetch
_, err = sc.checkQueryStatus(ctx, qid)
snowflakeErr, isSnowflakeError := err.(*SnowflakeError)
if err == nil || (isSnowflakeError && snowflakeErr.Number == ErrQueryIsRunning) {
// the query is running. Rows object will be returned from here.
return sc.buildRowsForRunningQuery(ctx, qid)
}
return nil, err
}
func (sc *snowflakeConn) queryContextInternal(
ctx context.Context,
query string,
args []driver.NamedValue) (
driver.Rows, error) {
if sc.rest == nil {
return nil, driver.ErrBadConn
}
noResult := isAsyncMode(ctx)
isDesc := isDescribeOnly(ctx)
ctx = setResultType(ctx, queryResultType)
qStart := time.Now()
// TODO: handle isInternal
data, err := sc.exec(ctx, query, noResult, false /* isInternal */, isDesc, args)
if err != nil {
logger.WithContext(ctx).Errorf("error: %v", err)
if data != nil {
code, e := strconv.Atoi(data.Code)
if e != nil {
return nil, e
}
return nil, (&SnowflakeError{
Number: code,
SQLState: data.Data.SQLState,
Message: err.Error(),
QueryID: data.Data.QueryID,
}).exceptionTelemetry(sc)
}
return nil, err
}
// if async query, return row object right away
if noResult {
return data.Data.AsyncRows, nil
}
rows := new(snowflakeRows)
rows.sc = sc
rows.queryID = data.Data.QueryID
rows.monitoring = mkMonitoringFetcher(sc, data.Data.QueryID, time.Since(qStart))
if isSubmitSync(ctx) && data.Code == queryInProgressCode {
rows.status = QueryStatusInProgress
return rows, nil
}
rows.status = QueryStatusComplete
if isMultiStmt(&data.Data) {
// handleMultiQuery is responsible to fill rows with childResults
if err = sc.handleMultiQuery(ctx, data.Data, rows); err != nil {
return nil, err
}
if data.Data.ResultIDs == "" && rows.ChunkDownloader == nil {
// SIG-16907: We have no results to download here.
logger.WithContext(ctx).Errorf("Encountered empty result-ids for a multi-statement request. Query-id: %s, Query: %s", data.Data.QueryID, query)
return nil, (&SnowflakeError{
Number: ErrQueryIDFormat,
SQLState: data.Data.SQLState,
Message: "ExecResponse for multi-statement request had no ResultIDs",
QueryID: data.Data.QueryID,
}).exceptionTelemetry(sc)
}
} else {
rows.addDownloader(populateChunkDownloader(ctx, sc, data.Data))
}
if startErr := rows.ChunkDownloader.start(); startErr != nil {
return nil, startErr
}
return rows, err
}
func (sc *snowflakeConn) Prepare(query string) (driver.Stmt, error) {
return sc.PrepareContext(sc.ctx, query)
}
func (sc *snowflakeConn) Exec(
query string,
args []driver.Value) (
driver.Result, error) {
return sc.ExecContext(sc.ctx, query, toNamedValues(args))
}
func (sc *snowflakeConn) Query(
query string,
args []driver.Value) (
driver.Rows, error) {
return sc.QueryContext(sc.ctx, query, toNamedValues(args))
}
func (sc *snowflakeConn) Ping(ctx context.Context) error {
logger.WithContext(ctx).Infoln("Ping")
if sc.rest == nil {
return driver.ErrBadConn
}
noResult := isAsyncMode(ctx)
isDesc := isDescribeOnly(ctx)
// TODO: handle isInternal
ctx = setResultType(ctx, execResultType)
_, err := sc.exec(ctx, "SELECT 1", noResult, false, /* isInternal */
isDesc, []driver.NamedValue{})
return err
}
// CheckNamedValue determines which types are handled by this driver aside from
// the instances captured by driver.Value
func (sc *snowflakeConn) CheckNamedValue(nv *driver.NamedValue) error {
if _, ok := nv.Value.(SnowflakeDataType); ok {
// Pass SnowflakeDataType args through without modification so that we can
// distinguish them from arguments of type []byte
return nil
}
if supportedNullBind(nv) || supportedArrayBind(nv) {
return nil
}
return driver.ErrSkip
}
func (sc *snowflakeConn) GetQueryStatus(
ctx context.Context,
queryID string) (
*SnowflakeQueryStatus, error) {
queryRet, err := sc.checkQueryStatus(ctx, queryID)
if err != nil {
return nil, err
}
return &SnowflakeQueryStatus{
queryRet.SQLText,
queryRet.StartTime,
queryRet.EndTime,
queryRet.ErrorCode,
queryRet.ErrorMessage,
queryRet.Stats.ScanBytes,
queryRet.Stats.ProducedRows,
queryRet.Status,
}, nil
}
// QueryArrowStream returns batches which can be queried for their raw arrow
// ipc stream of bytes. This way consumers don't need to be using the exact
// same version of Arrow as the connection is using internally in order
// to consume Arrow data.
func (sc *snowflakeConn) QueryArrowStream(ctx context.Context, query string, bindings ...driver.NamedValue) (ArrowStreamLoader, error) {
ctx = WithArrowBatches(context.WithValue(ctx, asyncMode, false))
ctx = setResultType(ctx, queryResultType)
isDesc := isDescribeOnly(ctx)
data, err := sc.exec(ctx, query, false, false /* isinternal */, isDesc, bindings)
if err != nil {
logger.WithContext(ctx).Errorf("error: %v", err)
if data != nil {
code, e := strconv.Atoi(data.Code)
if e != nil {
return nil, e
}
return nil, (&SnowflakeError{
Number: code,
SQLState: data.Data.SQLState,
Message: err.Error(),
QueryID: data.Data.QueryID,
}).exceptionTelemetry(sc)
}
return nil, err
}
return &snowflakeArrowStreamChunkDownloader{
sc: sc,
ChunkMetas: data.Data.Chunks,
Total: data.Data.Total,
Qrmk: data.Data.Qrmk,
ChunkHeader: data.Data.ChunkHeaders,
FuncGet: getChunk,
RowSet: rowSetType{
RowType: data.Data.RowType,
JSON: data.Data.RowSet,
RowSetBase64: data.Data.RowSetBase64,
},
}, nil
}
// ArrowStreamBatch is a type describing a potentially yet-to-be-downloaded
// Arrow IPC stream. Call `GetStream` to download and retrieve an io.Reader
// that can be used with ipc.NewReader to get record batch results.
type ArrowStreamBatch struct {
idx int
numrows int64
scd *snowflakeArrowStreamChunkDownloader
Loc *time.Location
rr io.ReadCloser
}
// NumRows returns the total number of rows that the metadata stated should
// be in this stream of record batches.
func (asb *ArrowStreamBatch) NumRows() int64 { return asb.numrows }
// gzip.Reader.Close does NOT close the underlying reader, so we
// need to wrap with wrapReader so that closing will close the
// response body (or any other reader that we want to gzip uncompress)
type wrapReader struct {
io.Reader
wrapped io.ReadCloser
}
func (w *wrapReader) Close() error {
if cl, ok := w.Reader.(io.ReadCloser); ok {
if err := cl.Close(); err != nil {
return err
}
}
return w.wrapped.Close()
}
func (asb *ArrowStreamBatch) downloadChunkStreamHelper(ctx context.Context) error {
headers := make(map[string]string)
if len(asb.scd.ChunkHeader) > 0 {
logger.Debug("chunk header is provided")
for k, v := range asb.scd.ChunkHeader {
logger.Debugf("adding header: %v, value: %v", k, v)
headers[k] = v
}
} else {
headers[headerSseCAlgorithm] = headerSseCAes
headers[headerSseCKey] = asb.scd.Qrmk
}
resp, err := asb.scd.FuncGet(ctx, asb.scd.sc, asb.scd.ChunkMetas[asb.idx].URL, headers, asb.scd.sc.rest.RequestTimeout)
if err != nil {
return err
}
logger.Debugf("response returned chunk: %v for URL: %v", asb.idx+1, asb.scd.ChunkMetas[asb.idx].URL)
if resp.StatusCode != http.StatusOK {
defer resp.Body.Close()
b, err := io.ReadAll(resp.Body)
if err != nil {
return err
}
logger.WithContext(asb.scd.sc.ctx).Infof("HTTP: %v, URL: %v, Body: %v", resp.StatusCode, asb.scd.ChunkMetas[asb.idx].URL, b)
logger.WithContext(asb.scd.sc.ctx).Infof("Header: %v", resp.Header)
return &SnowflakeError{
Number: ErrFailedToGetChunk,
SQLState: SQLStateConnectionFailure,
Message: errMsgFailedToGetChunk,
MessageArgs: []interface{}{asb.idx},
}
}
defer func() {
if asb.rr == nil {
resp.Body.Close()
}
}()
bufStream := bufio.NewReader(resp.Body)
gzipMagic, err := bufStream.Peek(2)
if err != nil {
return err
}
if gzipMagic[0] == 0x1f && gzipMagic[1] == 0x8b {
// detect and uncompress gzip
bufStream0, err := gzip.NewReader(bufStream)
if err != nil {
return err
}
// gzip.Reader.Close() does NOT close the underlying
// reader, so we need to wrap it and ensure close will
// close the response body. Otherwise we'll leak it.
asb.rr = &wrapReader{Reader: bufStream0, wrapped: resp.Body}
} else {
asb.rr = &wrapReader{Reader: bufStream, wrapped: resp.Body}
}
return nil
}
// GetStream returns a stream of bytes consisting of an Arrow IPC Record
// batch stream. Close should be called on the returned stream when done
// to ensure no leaked memory.
func (asb *ArrowStreamBatch) GetStream(ctx context.Context) (io.ReadCloser, error) {
if asb.rr == nil {
if err := asb.downloadChunkStreamHelper(ctx); err != nil {
return nil, err
}
}
return asb.rr, nil
}
// ArrowStreamLoader is a convenience interface for downloading
// Snowflake results via multiple Arrow Record Batch streams.
//
// Some queries from Snowflake do not return Arrow data regardless
// of the settings, such as "SHOW WAREHOUSES". In these cases,
// you'll find TotalRows() > 0 but GetBatches returns no batches
// and no errors. In this case, the data is accessible via JSONData
// with the actual types matching up to the metadata in RowTypes.
type ArrowStreamLoader interface {
GetBatches() ([]ArrowStreamBatch, error)
TotalRows() int64
RowTypes() []execResponseRowType
Location() *time.Location
JSONData() [][]*string
}
type snowflakeArrowStreamChunkDownloader struct {
sc *snowflakeConn
ChunkMetas []execResponseChunk
Total int64
Qrmk string
ChunkHeader map[string]string
FuncGet func(context.Context, *snowflakeConn, string, map[string]string, time.Duration) (*http.Response, error)
RowSet rowSetType
}
func (scd *snowflakeArrowStreamChunkDownloader) Location() *time.Location {
if scd.sc != nil {
return getCurrentLocation(scd.sc.cfg.Params)
}
return nil
}
func (scd *snowflakeArrowStreamChunkDownloader) TotalRows() int64 { return scd.Total }
func (scd *snowflakeArrowStreamChunkDownloader) RowTypes() []execResponseRowType {
return scd.RowSet.RowType
}
func (scd *snowflakeArrowStreamChunkDownloader) JSONData() [][]*string {
return scd.RowSet.JSON
}
// the server might have had an empty first batch, check if we can decode
// that first batch, if not we skip it.
func (scd *snowflakeArrowStreamChunkDownloader) maybeFirstBatch() []byte {
if scd.RowSet.RowSetBase64 == "" {
return nil
}
// first batch
rowSetBytes, err := base64.StdEncoding.DecodeString(scd.RowSet.RowSetBase64)
if err != nil {
// match logic in buildFirstArrowChunk
// assume there's no first chunk if we can't decode the base64 string
return nil
}
// verify it's a valid ipc stream, otherwise skip it
rr, err := ipc.NewReader(bytes.NewReader(rowSetBytes))
if err != nil {
return nil
}
rr.Release()
return rowSetBytes
}
func (scd *snowflakeArrowStreamChunkDownloader) GetBatches() (out []ArrowStreamBatch, err error) {
chunkMetaLen := len(scd.ChunkMetas)
loc := scd.Location()
out = make([]ArrowStreamBatch, chunkMetaLen, chunkMetaLen+1)
toFill := out
rowSetBytes := scd.maybeFirstBatch()
// if there was no first batch in the response from the server,
// skip it and move on. toFill == out
// otherwise expand out by one to account for the first batch
// and fill it in. have toFill refer to the slice of out excluding
// the first batch.
if len(rowSetBytes) > 0 {
out = out[:chunkMetaLen+1]
out[0] = ArrowStreamBatch{
scd: scd,
Loc: loc,
rr: io.NopCloser(bytes.NewReader(rowSetBytes)),
}
toFill = out[1:]
}
var totalCounted int64
for i := range toFill {
toFill[i] = ArrowStreamBatch{
idx: i,
numrows: int64(scd.ChunkMetas[i].RowCount),
Loc: loc,
scd: scd,
}
totalCounted += int64(scd.ChunkMetas[i].RowCount)
}
if len(rowSetBytes) > 0 {
// if we had a first batch, fill in the numrows
out[0].numrows = scd.Total - totalCounted
}
return
}
func buildSnowflakeConn(ctx context.Context, config Config) (*snowflakeConn, error) {
sc := &snowflakeConn{
SequenceCounter: 0,
ctx: ctx,
cfg: &config,
queryContextCache: (&queryContextCache{}).init(),
currentTimeProvider: defaultTimeProvider,
}
// Easy logging is temporarily disabled
//err := initEasyLogging(config.ClientConfigFile)
//if err != nil {
// return nil, err
//}
var st http.RoundTripper = SnowflakeTransport
if sc.cfg.Transporter == nil {
if sc.cfg.InsecureMode {
// no revocation check with OCSP. Think twice when you want to enable this option.
st = snowflakeInsecureTransport
} else {
// set OCSP fail open mode
ocspResponseCacheLock.Lock()
atomic.StoreUint32((*uint32)(&ocspFailOpen), uint32(sc.cfg.OCSPFailOpen))
ocspResponseCacheLock.Unlock()
}
} else {
// use the custom transport
st = sc.cfg.Transporter
}
if strings.HasSuffix(sc.cfg.Host, privateLinkSuffix) {
if err := sc.setupOCSPPrivatelink(sc.cfg.Application, sc.cfg.Host); err != nil {
return nil, err
}
} else {
if _, set := os.LookupEnv(cacheServerURLEnv); set {
os.Unsetenv(cacheServerURLEnv)
}
}
var tokenAccessor TokenAccessor
if sc.cfg.TokenAccessor != nil {
tokenAccessor = sc.cfg.TokenAccessor
} else {
tokenAccessor = getSimpleTokenAccessor()
}
if sc.cfg.DisableTelemetry {
sc.telemetry = &snowflakeTelemetry{enabled: false}
}
if sc.cfg.ConnectionID != "" {
sc.execRespCache = acquireExecRespCache(sc.cfg.ConnectionID)
}
// authenticate
sc.rest = &snowflakeRestful{
Host: sc.cfg.Host,
Port: sc.cfg.Port,
Protocol: sc.cfg.Protocol,
Client: &http.Client{
// request timeout including reading response body
Timeout: sc.cfg.ClientTimeout,
Transport: st,
},
JWTClient: &http.Client{
Timeout: sc.cfg.JWTClientTimeout,
Transport: st,
},
TokenAccessor: tokenAccessor,
LoginTimeout: sc.cfg.LoginTimeout,
RequestTimeout: sc.cfg.RequestTimeout,
MaxRetryCount: sc.cfg.MaxRetryCount,
FuncPost: postRestful,
FuncGet: getRestful,
FuncAuthPost: postAuthRestful,
FuncPostQuery: postRestfulQuery,
FuncPostQueryHelper: postRestfulQueryHelper,
FuncRenewSession: renewRestfulSession,
FuncPostAuth: postAuth,
FuncCloseSession: closeSession,
FuncCancelQuery: cancelQuery,
FuncPostAuthSAML: postAuthSAML,
FuncPostAuthOKTA: postAuthOKTA,
FuncGetSSO: getSSO,
}
if sc.cfg.DisableTelemetry {
sc.telemetry = &snowflakeTelemetry{enabled: false}
} else {
sc.telemetry = &snowflakeTelemetry{
flushSize: defaultFlushSize,
sr: sc.rest,
mutex: &sync.Mutex{},
enabled: true,
}
}
return sc, nil
}
// FetchResult returns a Rows handle for a previously issued query,
// given the snowflake query-id. This functionality is not used by the
// go sql library but is exported to clients who can make use of this
// capability explicitly.
//
// See the ResultFetcher interface.
func (sc *snowflakeConn) FetchResult(ctx context.Context, qid string) (driver.Rows, error) {
return sc.buildRowsForRunningQuery(ctx, qid)
}
// WaitForQueryCompletion waits for the result of a previously issued query,
// given the snowflake query-id. This functionality is not used by the
// go sql library but is exported to clients who can make use of this
// capability explicitly.
func (sc *snowflakeConn) WaitForQueryCompletion(ctx context.Context, qid string) error {
return sc.blockOnQueryCompletion(ctx, qid)
}
// ResultFetcher is an interface which allows a query result to be
// fetched given the corresponding snowflake query-id.
//
// The raw gosnowflake connection implements this interface and we
// export it so that clients can access this functionality, bypassing
// the alternative which is the query it via the RESULT_SCAN table
// function.
type ResultFetcher interface {
FetchResult(ctx context.Context, qid string) (driver.Rows, error)
WaitForQueryCompletion(ctx context.Context, qid string) error
}
// MonitoringResultFetcher is an interface which allows to fetch monitoringResult
// with snowflake connection and query-id.
type MonitoringResultFetcher interface {
FetchMonitoringResult(queryID string, runtime time.Duration) (*monitoringResult, error)
}
// FetchMonitoringResult returns a monitoringResult object
// Multiplex can call monitoringResult.Monitoring() to get the QueryMonitoringData
func (sc *snowflakeConn) FetchMonitoringResult(queryID string, runtime time.Duration) (*monitoringResult, error) {
if sc.rest == nil {
return nil, driver.ErrBadConn
}
// set the fake runtime just to bypass fast query
monitoringResult := mkMonitoringFetcher(sc, queryID, runtime)
return monitoringResult, nil
}
// QuerySubmitter is an interface that allows executing a query synchronously
// while only fetching the result if the query completes within 45 seconds.
type QuerySubmitter interface {
SubmitQuerySync(ctx context.Context, query string) (SnowflakeResult, error)
}
// SubmitQuerySync submits the given query for execution, and waits synchronously
// for up to 45 seconds.
// If the query complete within that duration, the SnowflakeResult is marked as complete,
// and the results can be fetched via the GetArrowBatches() method.
// Otherwise, the caller can use the provided query ID to fetch the query's results
// asynchronously. The caller must fetch the results of a query that is still running
// within 300 seconds, otherwise the query will be aborted.
func (sc *snowflakeConn) SubmitQuerySync(
ctx context.Context,
query string,
args ...driver.NamedValue,
) (SnowflakeResult, error) {
rows, err := sc.queryContextInternal(WithSubmitSync(WithArrowBatches(ctx)), query, args)
if err != nil {
return nil, err
}
return rows.(*snowflakeRows), nil
}
// TokenGetter is an interface that can be used to get the current tokens and session
// ID from a Snowflake connection. This returns the following values:
// - token: The temporary credential used to authenticate requests to Snowflake's API.
// This is valid for one hour.
// - masterToken: Used to refresh the auth token above. Valid for four hours.
// - sessionID: The ID of the Snowflake session corresponding to this connection.
type TokenGetter interface {
GetTokens() (token string, masterToken string, sessionID int64)
}
func (sc *snowflakeConn) GetTokens() (token string, masterToken string, sessionID int64) {
// TODO: If possible, check if the token will expire soon, and refresh it preemptively.
return sc.rest.TokenAccessor.GetTokens()
}