Files
gocqlx/qb/update.go

106 lines
2.3 KiB
Go
Raw Normal View History

2017-09-21 21:43:27 +02:00
// Copyright (C) 2017 ScyllaDB
// Use of this source code is governed by a ALv2-style
// license that can be found in the LICENSE file.
package qb
// UPDATE reference:
2017-07-28 10:18:38 +02:00
// https://cassandra.apache.org/doc/latest/cql/dml.html#update
import (
2017-07-28 10:18:38 +02:00
"bytes"
)
2017-07-28 10:18:38 +02:00
// UpdateBuilder builds CQL UPDATE statements.
type UpdateBuilder struct {
table string
using using
columns columns
where where
_if _if
exists bool
}
// Update returns a new UpdateBuilder with the given table name.
func Update(table string) *UpdateBuilder {
return &UpdateBuilder{
table: table,
}
}
2017-07-28 10:18:38 +02:00
// ToCql builds the query into a CQL string and named args.
func (b *UpdateBuilder) ToCql() (stmt string, names []string) {
cql := bytes.Buffer{}
cql.WriteString("UPDATE ")
cql.WriteString(b.table)
cql.WriteByte(' ')
2017-08-01 12:44:10 +02:00
names = append(names, b.using.writeCql(&cql)...)
cql.WriteString("SET ")
for i, c := range b.columns {
cql.WriteString(c)
cql.WriteString("=?")
if i < len(b.columns)-1 {
cql.WriteByte(',')
}
}
names = append(names, b.columns...)
cql.WriteByte(' ')
names = append(names, b.where.writeCql(&cql)...)
names = append(names, b._if.writeCql(&cql)...)
if b.exists {
cql.WriteString("IF EXISTS ")
}
stmt = cql.String()
return
}
// Table sets the table to be updated.
func (b *UpdateBuilder) Table(table string) *UpdateBuilder {
b.table = table
return b
}
2017-07-28 10:18:38 +02:00
// Timestamp sets a USING TIMESTAMP clause on the query.
2017-08-01 12:44:10 +02:00
func (b *UpdateBuilder) Timestamp() *UpdateBuilder {
b.using.timestamp = true
return b
}
2017-07-28 10:18:38 +02:00
// TTL sets a USING TTL clause on the query.
2017-08-01 12:44:10 +02:00
func (b *UpdateBuilder) TTL() *UpdateBuilder {
b.using.ttl = true
return b
}
2017-07-28 10:18:38 +02:00
// Set adds SET clauses to the query.
func (b *UpdateBuilder) Set(columns ...string) *UpdateBuilder {
b.columns = append(b.columns, columns...)
return b
}
2017-07-28 10:18:38 +02:00
// Where adds an expression to the WHERE clause of the query. Expressions are
// ANDed together in the generated CQL.
2017-07-27 13:39:27 +02:00
func (b *UpdateBuilder) Where(w ...Cmp) *UpdateBuilder {
b.where = append(b.where, w...)
return b
}
2017-07-28 10:18:38 +02:00
// If adds an expression to the IF clause of the query. Expressions are ANDed
// together in the generated CQL.
2017-07-27 13:39:27 +02:00
func (b *UpdateBuilder) If(w ...Cmp) *UpdateBuilder {
b._if = append(b._if, w...)
return b
}
2017-07-28 10:18:38 +02:00
// Existing sets a IF EXISTS clause on the query.
func (b *UpdateBuilder) Existing() *UpdateBuilder {
b.exists = true
return b
}