forked from ido50/sqlz
-
Notifications
You must be signed in to change notification settings - Fork 0
/
select.go
738 lines (606 loc) · 20.6 KB
/
select.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
package sqlz
import (
"context"
"fmt"
"strings"
"github.com/jmoiron/sqlx"
)
// JoinType is an enumerated type representing the
// type of a JOIN clause (INNER, LEFT, RIGHT or FULL)
type JoinType string
// InnerJoin represents an inner join
// LeftJoin represents a left join
// RightJoin represents a right join
// FullJoin represents a full join
// InnerLateralJoin represents an inner lateral join
// LeftLateralJoin represents a left lateral join
// RightLateralJoin represents a right lateral join
const (
InnerJoin JoinType = "INNER JOIN"
LeftJoin JoinType = "LEFT JOIN"
RightJoin JoinType = "RIGHT JOIN"
FullJoin = "FULL JOIN"
InnerLateralJoin = "INNER JOIN LATERAL"
LeftLateralJoin = "LEFT JOIN LATERAL"
RightLateralJoin = "RIGHT JOIN LATERAL"
)
// String returns the string representation of the
// join type (e.g. "FULL JOIN")
func (j JoinType) String() string {
return string(j)
}
// IsLateral returns true if the join is a lateral join.
func (j JoinType) IsLateral() bool {
return j == InnerLateralJoin || j == LeftLateralJoin || j == RightLateralJoin
}
// SelectStmt represents a SELECT statement
type SelectStmt struct {
Table string
LimitTo int64
OffsetFrom int64
OffsetRows int64
IsDistinct bool
IsUnionAll bool
orderWithNulls orderWithNulls
queryer Queryer
DistinctColumns []string
Columns []string
Joins []JoinClause
Conditions []WhereCondition
Ordering []SQLStmt
Grouping []string
GroupConditions []WhereCondition
Unions []*SelectStmt
Locks []*LockClause
*Statement
}
// JoinClause represents a JOIN clause in a
// SELECT statement
type JoinClause struct {
Type JoinType
Table string
ResultSet *SelectStmt
Conditions []WhereCondition
}
// LockClause represents a row or table level locking for a SELECT statement
type LockClause struct {
Strength LockStrength
Wait LockWait
Tables []string
}
// NoWait sets the lock as a NO WAIT lock.
func (lock *LockClause) NoWait() *LockClause {
lock.Wait = LockNoWait
return lock
}
// SkipLocked sets the lock as a SKIP LOCKED lock.
func (lock *LockClause) SkipLocked() *LockClause {
lock.Wait = LockSkipLocked
return lock
}
// OfTables sets the tables for the lock.
func (lock *LockClause) OfTables(tables ...string) *LockClause {
lock.Tables = append(lock.Tables, tables...)
return lock
}
// LockStrength represents the strength of a LockClause
type LockStrength int8
const (
// LockForUpdate represents a LOCK FOR UPDATE clause
LockForUpdate LockStrength = iota
// LockForNoKeyUpdate represents a LOCK FOR NO KEY UPDATE clause
LockForNoKeyUpdate
// LockForShare represents a LOCK FOR SHARE clause
LockForShare
// LockForKeyShare represents a LOCK FOR KEY SHARE clause
LockForKeyShare
)
// LockWait represents the behavior of the database when a lock cannot
// be acquired
type LockWait int8
const (
// LockDefault represents the default LockWait behavior
LockDefault LockWait = iota
// LockNoWait represents a no wait behavior
LockNoWait
// LockSkipLocked represents a skip locked behavior
LockSkipLocked
)
// OrderColumn represents a column in an ORDER BY
// clause (with direction)
type OrderColumn struct {
Column string
Desc bool
}
type orderWithNulls struct {
Enabled bool
First bool
}
// ToSQL generates SQL for an OrderColumn
func (o OrderColumn) ToSQL(_ bool) (string, []interface{}) {
str := o.Column
if o.Desc {
str += " DESC"
} else {
str += " ASC"
}
return str, nil
}
// Asc creates an OrderColumn for the provided
// column in ascending order
func Asc(col string) OrderColumn {
return OrderColumn{col, false}
}
// Desc creates an OrderColumn for the provided
// column in descending order
func Desc(col string) OrderColumn {
return OrderColumn{col, true}
}
// Select creates a new SelectStmt object, selecting
// the provided columns. You can use any SQL syntax
// supported by your database system, e.g. Select("*"),
// Select("one", "two t", "MAX(three) maxThree")
func (db *DB) Select(cols ...string) *SelectStmt {
return &SelectStmt{
Columns: append([]string{}, cols...),
queryer: db.DB,
Statement: &Statement{db.ErrHandlers},
}
}
// Select creates a new SelectStmt object, selecting
// the provided columns. You can use any SQL syntax
// supported by your database system, e.g. Select("*"),
// Select("one", "two t", "MAX(three) maxThree")
func (tx *Tx) Select(cols ...string) *SelectStmt {
return &SelectStmt{
Columns: append([]string{}, cols...),
queryer: tx.Tx,
Statement: &Statement{tx.ErrHandlers},
}
}
// Distinct marks the statements as a SELECT DISTINCT
// statement
func (stmt *SelectStmt) Distinct(cols ...string) *SelectStmt {
stmt.DistinctColumns = append([]string{}, cols...)
stmt.IsDistinct = true
return stmt
}
// From sets the table to select from
func (stmt *SelectStmt) From(table string) *SelectStmt {
stmt.Table = table
return stmt
}
// Join creates a new join with the supplied type, on the
// supplied table or result set (a sub-select statement),
// using the provided conditions. Since conditions in a
// JOIN clause usually compare two columns, use sqlz.Indirect
// in your conditions.
func (stmt *SelectStmt) Join(
joinType JoinType,
table string,
resultSet *SelectStmt,
conds ...WhereCondition,
) *SelectStmt {
stmt.Joins = append(stmt.Joins, JoinClause{
Type: joinType,
Table: table,
ResultSet: resultSet,
Conditions: append([]WhereCondition{}, conds...),
})
return stmt
}
// LeftJoin is a wrapper of Join for creating a LEFT JOIN on a table
// with the provided conditions
func (stmt *SelectStmt) LeftJoin(table string, conds ...WhereCondition) *SelectStmt {
return stmt.Join(LeftJoin, table, nil, conds...)
}
// RightJoin is a wrapper of Join for creating a RIGHT JOIN on a table
// with the provided conditions
func (stmt *SelectStmt) RightJoin(table string, conds ...WhereCondition) *SelectStmt {
return stmt.Join(RightJoin, table, nil, conds...)
}
// InnerJoin is a wrapper of Join for creating a INNER JOIN on a table
// with the provided conditions
func (stmt *SelectStmt) InnerJoin(table string, conds ...WhereCondition) *SelectStmt {
return stmt.Join(InnerJoin, table, nil, conds...)
}
// FullJoin is a wrapper of Join for creating a FULL JOIN on a table
// with the provided conditions
func (stmt *SelectStmt) FullJoin(table string, conds ...WhereCondition) *SelectStmt {
return stmt.Join(FullJoin, table, nil, conds...)
}
// LeftJoinRS is a wrapper of Join for creating a LEFT JOIN on the
// results of a sub-query
func (stmt *SelectStmt) LeftJoinRS(rs *SelectStmt, as string, conds ...WhereCondition) *SelectStmt {
return stmt.Join(LeftJoin, as, rs, conds...)
}
// RightJoinRS is a wrapper of Join for creating a RIGHT JOIN on the
// results of a sub-query
func (stmt *SelectStmt) RightJoinRS(rs *SelectStmt, as string, conds ...WhereCondition) *SelectStmt {
return stmt.Join(RightJoin, as, rs, conds...)
}
// InnerJoinRS is a wrapper of Join for creating a INNER JOIN on the
// results of a sub-query
func (stmt *SelectStmt) InnerJoinRS(rs *SelectStmt, as string, conds ...WhereCondition) *SelectStmt {
return stmt.Join(InnerJoin, as, rs, conds...)
}
// FullJoinRS is a wrapper of Join for creating a FULL JOIN on the
// results of a sub-query
func (stmt *SelectStmt) FullJoinRS(rs *SelectStmt, as string, conds ...WhereCondition) *SelectStmt {
return stmt.Join(FullJoin, as, rs, conds...)
}
// LeftLateralJoin is a wrapper of Join for creating a LEFT LATERAL JOIN on a
// table with the provided conditions
func (stmt *SelectStmt) LeftLateralJoin(rs *SelectStmt, as string, conds ...WhereCondition) *SelectStmt {
return stmt.Join(LeftLateralJoin, as, rs, conds...)
}
// RightLateralJoin is a wrapper of Join for creating a RIGHT LATERAL JOIN on a
// table with the provided conditions
func (stmt *SelectStmt) RightLateralJoin(rs *SelectStmt, as string, conds ...WhereCondition) *SelectStmt {
return stmt.Join(RightLateralJoin, as, rs, conds...)
}
// InnerLateralJoin is a wrapper of Join for creating a INNER LATERAL JOIN on a
// table with the provided conditions
func (stmt *SelectStmt) InnerLateralJoin(rs *SelectStmt, as string, conds ...WhereCondition) *SelectStmt {
return stmt.Join(InnerLateralJoin, as, rs, conds...)
}
// Where creates one or more WHERE conditions for the SELECT statement.
// If multiple conditions are passed, they are considered AND conditions.
func (stmt *SelectStmt) Where(conditions ...WhereCondition) *SelectStmt {
stmt.Conditions = append(stmt.Conditions, conditions...)
return stmt
}
// WithNullsFirst modifies ORDER BY clauses to sort NULL values first.
func (stmt *SelectStmt) WithNullsFirst() *SelectStmt {
stmt.orderWithNulls.Enabled = true
stmt.orderWithNulls.First = true
return stmt
}
// WithNullsLast modifies ORDER BY clauses to sort NULL values last.
func (stmt *SelectStmt) WithNullsLast() *SelectStmt {
stmt.orderWithNulls.Enabled = true
stmt.orderWithNulls.First = false
return stmt
}
// OrderBy sets an ORDER BY clause for the query. Pass OrderColumn objects
// using the Asc and Desc functions.
func (stmt *SelectStmt) OrderBy(cols ...SQLStmt) *SelectStmt {
stmt.Ordering = append(stmt.Ordering, cols...)
return stmt
}
// GroupBy sets a GROUP BY clause with the provided columns.
func (stmt *SelectStmt) GroupBy(cols ...string) *SelectStmt {
stmt.Grouping = append(stmt.Grouping, cols...)
return stmt
}
// Having sets HAVING conditions for aggregated values. Usage is the
// same as Where.
func (stmt *SelectStmt) Having(conditions ...WhereCondition) *SelectStmt {
stmt.GroupConditions = append(stmt.GroupConditions, conditions...)
return stmt
}
// Limit limits the amount of results returned to the provided value
// (this is a LIMIT clause). In some database systems, Offset with two
// values should be used instead.
func (stmt *SelectStmt) Limit(limit int64) *SelectStmt {
stmt.LimitTo = limit
return stmt
}
// Offset skips the provided number of results. In supporting database
// systems, you can provide a limit on the number of the returned
// results as the second parameter
func (stmt *SelectStmt) Offset(start int64, rows ...int64) *SelectStmt {
stmt.OffsetFrom = start
if len(rows) > 0 {
stmt.OffsetRows = rows[0]
}
return stmt
}
// Lock sets a LOCK clause on the SELECT statement.
func (stmt *SelectStmt) Lock(lock *LockClause) *SelectStmt {
stmt.Locks = append(stmt.Locks, lock)
return stmt
}
// ForUpdate adds a "FOR UPDATE" lock clause on the statement
func ForUpdate() *LockClause {
return &LockClause{Strength: LockForUpdate}
}
// ForNoKeyUpdate adds a "FOR NO KEY UPDATE" lock clause on the statement
func ForNoKeyUpdate() *LockClause {
return &LockClause{Strength: LockForNoKeyUpdate}
}
// ForShare adds a "FOR SHARE" lock clause on the statement
func ForShare() *LockClause {
return &LockClause{Strength: LockForShare}
}
// ForKeyShare adds a "FOR KEY SHARE" lock clause on the statement
func ForKeyShare() *LockClause {
return &LockClause{Strength: LockForKeyShare}
}
// ToSQL generates the SELECT statement's SQL and returns a list of
// bindings. It is used internally by GetRow and GetAll, but is
// exported if you wish to use it directly.
func (stmt *SelectStmt) ToSQL(rebind bool) (asSQL string, bindings []interface{}) { //nolint: gocognit, gocyclo
var clauses = []string{"SELECT"}
if stmt.IsDistinct {
clauses = append(clauses, "DISTINCT")
if len(stmt.DistinctColumns) > 0 {
clauses = append(clauses, "ON ("+strings.Join(stmt.DistinctColumns, ", ")+")")
}
}
if len(stmt.Columns) == 0 {
clauses = append(clauses, "*")
} else {
clauses = append(clauses, strings.Join(stmt.Columns, ", "))
}
if len(stmt.Table) > 0 {
clauses = append(clauses, fmt.Sprintf("FROM %s", stmt.Table))
}
for _, join := range stmt.Joins {
onClause, joinBindings := parseConditions(join.Conditions)
if join.ResultSet != nil {
rsSQL, rsBindings := join.ResultSet.ToSQL(false)
clauses = append(clauses, join.Type.String()+" ("+rsSQL+") "+join.Table+" ON "+onClause)
bindings = append(bindings, rsBindings...)
} else {
clauses = append(clauses, join.Type.String()+" "+join.Table+" ON "+onClause)
}
// add the join condition bindings (this MUST happen after adding the clause
// itself, because if the join is on a result set then the result set's bindings
// need to come first
bindings = append(bindings, joinBindings...)
}
if len(stmt.Conditions) > 0 {
whereClause, whereBindings := parseConditions(stmt.Conditions)
bindings = append(bindings, whereBindings...)
clauses = append(clauses, fmt.Sprintf("WHERE %s", whereClause))
}
if len(stmt.Grouping) > 0 {
clauses = append(clauses, fmt.Sprintf("GROUP BY %s", strings.Join(stmt.Grouping, ", ")))
}
if len(stmt.GroupConditions) > 0 {
groupByClause, groupBindings := parseConditions(stmt.GroupConditions)
bindings = append(bindings, groupBindings...)
clauses = append(clauses, fmt.Sprintf("HAVING %s", groupByClause))
}
if len(stmt.Ordering) > 0 {
var ordering []string
for _, order := range stmt.Ordering {
o, _ := order.ToSQL(false)
ordering = append(ordering, o)
}
clauses = append(clauses, fmt.Sprintf("ORDER BY %s", strings.Join(ordering, ", ")))
if stmt.orderWithNulls.Enabled {
if stmt.orderWithNulls.First {
clauses = append(clauses, "NULLS FIRST")
} else {
clauses = append(clauses, "NULLS LAST")
}
}
}
if stmt.LimitTo > 0 {
clauses = append(clauses, fmt.Sprintf("LIMIT %d", stmt.LimitTo))
}
if stmt.OffsetFrom > 0 {
offset := fmt.Sprintf("%d", stmt.OffsetFrom)
if stmt.OffsetRows > 0 {
offset += fmt.Sprintf(" %d", stmt.OffsetRows)
}
clauses = append(clauses, "OFFSET "+offset)
}
for _, lock := range stmt.Locks {
var lockStrength string
switch lock.Strength {
case LockForUpdate:
lockStrength = "FOR UPDATE"
case LockForNoKeyUpdate:
lockStrength = "FOR NO KEY UPDATE"
case LockForShare:
lockStrength = "FOR SHARE"
case LockForKeyShare:
lockStrength = "FOR KEY SHARE"
default:
continue
}
lockClause := []string{lockStrength}
if len(lock.Tables) > 0 {
lockClause = append(lockClause, "OF "+strings.Join(lock.Tables, ", "))
}
if lock.Wait == LockNoWait {
lockClause = append(lockClause, "NOWAIT")
} else if lock.Wait == LockSkipLocked {
lockClause = append(lockClause, "SKIP LOCKED")
}
clauses = append(clauses, strings.Join(lockClause, " "))
}
if len(stmt.Unions) > 0 {
cmd := "UNION"
if stmt.IsUnionAll {
cmd += " ALL"
}
for _, union := range stmt.Unions {
u, b := union.ToSQL(false)
bindings = append(bindings, b...)
clauses = append(clauses, fmt.Sprintf("%s %s", cmd, u))
}
}
asSQL = strings.Join(clauses, " ")
if rebind {
if db, ok := stmt.queryer.(*sqlx.DB); ok {
asSQL = db.Rebind(asSQL)
} else if tx, ok := stmt.queryer.(*sqlx.Tx); ok {
asSQL = tx.Rebind(asSQL)
}
}
return asSQL, bindings
}
// GetRow executes the SELECT statement and loads the first
// result into the provided variable (which may be a simple
// variable if only one column was selected, or a struct if
// multiple columns were selected).
func (stmt *SelectStmt) GetRow(into interface{}) error {
asSQL, bindings := stmt.ToSQL(true)
err := sqlx.Get(stmt.queryer, into, asSQL, bindings...)
stmt.HandleError(err)
return err
}
// GetRowContext executes the SELECT statement and loads the first
// result into the provided variable (which may be a simple
// variable if only one column was selected, or a struct if
// multiple columns were selected).
func (stmt *SelectStmt) GetRowContext(ctx context.Context, into interface{}) error {
asSQL, bindings := stmt.ToSQL(true)
err := sqlx.GetContext(ctx, stmt.queryer, into, asSQL, bindings...)
stmt.HandleError(err)
return err
}
// GetAll executes the SELECT statement and loads all the
// results into the provided slice variable.
func (stmt *SelectStmt) GetAll(into interface{}) error {
asSQL, bindings := stmt.ToSQL(true)
err := sqlx.Select(stmt.queryer, into, asSQL, bindings...)
stmt.HandleError(err)
return err
}
// GetAllContext executes the SELECT statement and loads all the
// results into the provided slice variable.
func (stmt *SelectStmt) GetAllContext(ctx context.Context, into interface{}) error {
asSQL, bindings := stmt.ToSQL(true)
err := sqlx.SelectContext(ctx, stmt.queryer, into, asSQL, bindings...)
stmt.HandleError(err)
return err
}
func (stmt *SelectStmt) GetCountStmt() *SelectStmt {
countStmt := *stmt
countStmt.Columns = []string{"COUNT(*)"}
countStmt.LimitTo = 0
countStmt.OffsetFrom = 0
countStmt.OffsetRows = 0
countStmt.Ordering = []SQLStmt{}
countStmt.Locks = []*LockClause{}
for _, st := range countStmt.Unions {
st.Columns = []string{"COUNT(*)"}
st.LimitTo = 0
st.OffsetFrom = 0
st.OffsetRows = 0
st.Ordering = []SQLStmt{}
st.Locks = []*LockClause{}
}
return &countStmt
}
// GetCount executes the SELECT statement disregarding limits,
// offsets, selected columns and ordering; and returns the
// total number of matching results. This is useful when
// paginating results.
func (stmt *SelectStmt) GetCount() (count int64, err error) {
defer stmt.HandleError(err)
countStmt := *stmt
countStmt.Columns = []string{"COUNT(*)"}
countStmt.LimitTo = 0
countStmt.OffsetFrom = 0
countStmt.OffsetRows = 0
countStmt.Ordering = []SQLStmt{}
countStmt.Locks = []*LockClause{}
for _, st := range countStmt.Unions {
st.Columns = []string{"COUNT(*)"}
st.LimitTo = 0
st.OffsetFrom = 0
st.OffsetRows = 0
st.Ordering = []SQLStmt{}
st.Locks = []*LockClause{}
}
rows, err := countStmt.GetAllAsRows()
if err != nil {
return count, err
}
defer rows.Close()
for rows.Next() {
var stmtCount int64
err = rows.Scan(&stmtCount)
if err != nil {
return count, err
}
count += stmtCount
}
err = rows.Err()
return count, err
}
// GetCountContext executes the SELECT statement disregarding limits,
// offsets, selected columns and ordering; and returns the
// total number of matching results. This is useful when
// paginating results.
func (stmt *SelectStmt) GetCountContext(ctx context.Context) (count int64, err error) {
countStmt := *stmt
countStmt.Columns = []string{"COUNT(*)"}
countStmt.LimitTo = 0
countStmt.OffsetFrom = 0
countStmt.OffsetRows = 0
countStmt.Ordering = []SQLStmt{}
countStmt.Locks = []*LockClause{}
err = countStmt.GetRowContext(ctx, &count)
return count, err
}
// GetAllAsMaps executes the SELECT statement and returns all results as a slice
// of maps from string to empty interfaces. This is useful for intermediary
// query where creating a struct type would be redundant
func (stmt *SelectStmt) GetAllAsMaps() (maps []map[string]interface{}, err error) {
defer stmt.HandleError(err)
asSQL, bindings := stmt.ToSQL(true)
rows, err := stmt.queryer.Queryx(asSQL, bindings...)
if err != nil {
return maps, err
}
defer rows.Close()
for rows.Next() {
results := make(map[string]interface{})
err = rows.MapScan(results)
if err != nil {
return maps, err
}
maps = append(maps, results)
}
err = rows.Err()
if err != nil {
return maps, err
}
return maps, nil
}
// GetRowAsMap executes the SELECT statement and returns the first result as a
// map from string to empty interfaces. This is useful for intermediary query
// where creating a struct type would be redundant
func (stmt *SelectStmt) GetRowAsMap() (results map[string]interface{}, err error) {
asSQL, bindings := stmt.ToSQL(true)
results = make(map[string]interface{})
err = stmt.queryer.QueryRowx(asSQL, bindings...).MapScan(results)
stmt.HandleError(err)
return results, err
}
// GetAllAsRows executes the SELECT statement and returns an sqlx.Rows object
// to use for iteration. It is the caller's responsibility to close the cursor
// with Close().
func (stmt *SelectStmt) GetAllAsRows() (rows *sqlx.Rows, err error) {
asSQL, bindings := stmt.ToSQL(true)
rows, err = stmt.queryer.Queryx(asSQL, bindings...)
stmt.HandleError(err)
return rows, err
}
// GetAllAsRowsContext executes the SELECT statement and returns an sqlx.Rows object
// to use for iteration. It is the caller's responsibility to close the cursor
// with Close().
func (stmt *SelectStmt) GetAllAsRowsContext(ctx context.Context) (rows *sqlx.Rows, err error) {
asSQL, bindings := stmt.ToSQL(true)
rows, err = stmt.queryer.QueryxContext(ctx, asSQL, bindings...)
stmt.HandleError(err)
return rows, err
}
// Union adds the 'UNION' command between two or more SELECT statements.
func (stmt *SelectStmt) Union(statements ...*SelectStmt) *SelectStmt {
stmt.Unions = append(stmt.Unions, statements...)
return stmt
}
// UnionAll adds the 'UNION ALL' command between two or more SELECT statements.
func (stmt *SelectStmt) UnionAll(statements ...*SelectStmt) *SelectStmt {
stmt.IsUnionAll = true
stmt.Union(statements...)
return stmt
}