-
Notifications
You must be signed in to change notification settings - Fork 0
/
copy.go
349 lines (314 loc) · 9.18 KB
/
copy.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
// Copyright 2016 The Cockroach Authors.
//
// Licensed under the Apache License, Version 2.0 (the "License");
// you may not use this file except in compliance with the License.
// You may obtain a copy of the License at
//
// http://www.apache.org/licenses/LICENSE-2.0
//
// Unless required by applicable law or agreed to in writing, software
// distributed under the License is distributed on an "AS IS" BASIS,
// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or
// implied. See the License for the specific language governing
// permissions and limitations under the License.
package sql
import (
"bytes"
"fmt"
"io"
"unsafe"
"golang.org/x/net/context"
"github.com/cockroachdb/cockroach/pkg/sql/parser"
"github.com/cockroachdb/cockroach/pkg/sql/privilege"
"github.com/cockroachdb/cockroach/pkg/sql/sqlbase"
)
// COPY FROM is not a usual planNode. After a COPY FROM is executed as a
// planNode and until an error or it is explicitly completed, the planner
// carries a reference to a copyNode to send the contents of copy data
// payloads using the executor's Copy methods. Attempting to execute non-COPY
// statements before the COPY has finished will result in an error.
//
// The copyNode hold two buffers: raw bytes and rows. All copy data is
// appended to the byte buffer. Afterward, rows are extracted from the
// bytes. When the number of rows has reached some limit (whose purpose is
// to increase performance by batching inserts), they are inserted with an
// insertNode. A CopyDone message will flush and insert all remaining data.
//
// See: https://www.postgresql.org/docs/9.5/static/sql-copy.html
type copyNode struct {
session *Session
table parser.TableExpr
columns parser.UnresolvedNames
resultColumns sqlbase.ResultColumns
buf bytes.Buffer
rows []*parser.Tuple
rowsMemAcc WrappableMemoryAccount
}
func (*copyNode) Values() parser.Datums { return nil }
func (*copyNode) Next(runParams) (bool, error) { return false, nil }
func (n *copyNode) Close(ctx context.Context) {
n.rowsMemAcc.Wsession(n.session).Close(ctx)
}
// CopyFrom begins a COPY.
// Privileges: INSERT on table.
func (p *planner) CopyFrom(ctx context.Context, n *parser.CopyFrom) (planNode, error) {
cn := ©Node{
table: &n.Table,
columns: n.Columns,
}
tn, err := n.Table.NormalizeWithDatabaseName(p.session.Database)
if err != nil {
return nil, err
}
en, err := p.makeEditNode(ctx, tn, privilege.INSERT)
if err != nil {
return nil, err
}
cols, err := p.processColumns(en.tableDesc, n.Columns)
if err != nil {
return nil, err
}
cn.resultColumns = make(sqlbase.ResultColumns, len(cols))
for i, c := range cols {
cn.resultColumns[i] = sqlbase.ResultColumn{Typ: c.Type.ToDatumType()}
}
cn.session = p.session
cn.rowsMemAcc = p.session.OpenAccount()
return cn, nil
}
// Start implements the planNode interface.
func (n *copyNode) Start(runParams) error {
// Should never happen because the executor prevents non-COPY messages during
// a COPY.
if n.session.copyFrom != nil {
return fmt.Errorf("COPY already in progress")
}
n.session.copyFrom = n
return nil
}
// CopyDataBlock represents a data block of a COPY FROM statement.
type CopyDataBlock struct {
Done bool
}
type copyMsg int
const (
copyMsgNone copyMsg = iota
copyMsgData
copyMsgDone
nullString = `\N`
lineDelim = '\n'
)
var (
fieldDelim = []byte{'\t'}
)
// ProcessCopyData appends data to the planner's internal COPY state as
// parsed datums. Since the COPY protocol allows any length of data to be
// sent in a message, there's no guarantee that data contains a complete row
// (or even a complete datum). It is thus valid to have no new rows added
// to the internal state after this call.
func (s *Session) ProcessCopyData(
ctx context.Context, data string, msg copyMsg,
) (StatementList, error) {
cf := s.copyFrom
buf := cf.buf
switch msg {
case copyMsgData:
// ignore
case copyMsgDone:
var err error
// If there's a line in the buffer without \n at EOL, add it here.
if buf.Len() > 0 {
err = cf.addRow(ctx, buf.Bytes())
}
return StatementList{{AST: CopyDataBlock{Done: true}}}, err
default:
return nil, fmt.Errorf("expected copy command")
}
buf.WriteString(data)
for buf.Len() > 0 {
line, err := buf.ReadBytes(lineDelim)
if err != nil {
if err != io.EOF {
return nil, err
}
} else {
// Remove lineDelim from end.
line = line[:len(line)-1]
// Remove a single '\r' at EOL, if present.
if len(line) > 0 && line[len(line)-1] == '\r' {
line = line[:len(line)-1]
}
}
if buf.Len() == 0 && bytes.Equal(line, []byte(`\.`)) {
break
}
if err := cf.addRow(ctx, line); err != nil {
return nil, err
}
}
return StatementList{{AST: CopyDataBlock{}}}, nil
}
func (n *copyNode) addRow(ctx context.Context, line []byte) error {
var err error
parts := bytes.Split(line, fieldDelim)
if len(parts) != len(n.resultColumns) {
return fmt.Errorf("expected %d values, got %d", len(n.resultColumns), len(parts))
}
exprs := make(parser.Exprs, len(parts))
acc := n.rowsMemAcc.Wsession(n.session)
for i, part := range parts {
s := string(part)
if s == nullString {
exprs[i] = parser.DNull
continue
}
switch t := n.resultColumns[i].Typ; t {
case parser.TypeBytes,
parser.TypeDate,
parser.TypeInterval,
parser.TypeString,
parser.TypeTimestamp,
parser.TypeTimestampTZ,
parser.TypeUUID:
s, err = decodeCopy(s)
if err != nil {
return err
}
}
d, err := parser.ParseStringAs(n.resultColumns[i].Typ, s, n.session.Location)
if err != nil {
return err
}
sz := d.Size()
if err := acc.Grow(ctx, int64(sz)); err != nil {
return err
}
exprs[i] = d
}
tuple := &parser.Tuple{Exprs: exprs}
if err := acc.Grow(ctx, int64(unsafe.Sizeof(*tuple))); err != nil {
return err
}
n.rows = append(n.rows, tuple)
return nil
}
// decodeCopy unescapes a single COPY field.
//
// See: https://www.postgresql.org/docs/9.5/static/sql-copy.html#AEN74432
func decodeCopy(in string) (string, error) {
var buf bytes.Buffer
start := 0
for i, n := 0, len(in); i < n; i++ {
if in[i] != '\\' {
continue
}
buf.WriteString(in[start:i])
i++
if i >= n {
return "", fmt.Errorf("unknown escape sequence: %q", in[i-1:])
}
ch := in[i]
if decodedChar := decodeMap[ch]; decodedChar != 0 {
buf.WriteByte(decodedChar)
} else if ch == 'x' {
// \x can be followed by 1 or 2 hex digits.
i++
if i >= n {
return "", fmt.Errorf("unknown escape sequence: %q", in[i-2:])
}
ch = in[i]
digit, ok := decodeHexDigit(ch)
if !ok {
return "", fmt.Errorf("unknown escape sequence: %q", in[i-2:i])
}
if i+1 < n {
if v, ok := decodeHexDigit(in[i+1]); ok {
i++
digit <<= 4
digit += v
}
}
buf.WriteByte(digit)
} else if ch >= '0' && ch <= '7' {
digit, _ := decodeOctDigit(ch)
// 1 to 2 more octal digits follow.
if i+1 < n {
if v, ok := decodeOctDigit(in[i+1]); ok {
i++
digit <<= 3
digit += v
}
}
if i+1 < n {
if v, ok := decodeOctDigit(in[i+1]); ok {
i++
digit <<= 3
digit += v
}
}
buf.WriteByte(digit)
} else {
return "", fmt.Errorf("unknown escape sequence: %q", in[i-1:i+1])
}
start = i + 1
}
buf.WriteString(in[start:])
return buf.String(), nil
}
func decodeDigit(c byte, onlyOctal bool) (byte, bool) {
switch {
case c >= '0' && c <= '7':
return c - '0', true
case !onlyOctal && c >= '8' && c <= '9':
return c - '0', true
case !onlyOctal && c >= 'a' && c <= 'f':
return c - 'a' + 10, true
case !onlyOctal && c >= 'A' && c <= 'F':
return c - 'A' + 10, true
default:
return 0, false
}
}
func decodeOctDigit(c byte) (byte, bool) { return decodeDigit(c, true) }
func decodeHexDigit(c byte) (byte, bool) { return decodeDigit(c, false) }
var decodeMap = map[byte]byte{
'b': '\b',
'f': '\f',
'n': '\n',
'r': '\r',
't': '\t',
'v': '\v',
'\\': '\\',
}
// CopyData is the statement type after a block of COPY data has been
// received. There may be additional rows ready to insert. If so, return an
// insertNode, otherwise emptyNode.
func (p *planner) CopyData(ctx context.Context, n CopyDataBlock) (planNode, error) {
// When this many rows are in the copy buffer, they are inserted.
const copyRowSize = 100
cf := p.session.copyFrom
// Only do work if we have lots of rows or this is the end.
if ln := len(cf.rows); ln == 0 || (ln < copyRowSize && !n.Done) {
return &zeroNode{}, nil
}
vc := &parser.ValuesClause{Tuples: cf.rows}
// Reuse the same backing array once the Insert is complete.
cf.rows = cf.rows[:0]
cf.rowsMemAcc.Wsession(p.session).Clear(ctx)
in := parser.Insert{
Table: cf.table,
Columns: cf.columns,
Rows: &parser.Select{
Select: vc,
},
Returning: parser.AbsentReturningClause,
}
return p.Insert(ctx, &in, nil)
}
// Format implements the NodeFormatter interface.
func (CopyDataBlock) Format(buf *bytes.Buffer, f parser.FmtFlags) {}
// StatementType implements the Statement interface.
func (CopyDataBlock) StatementType() parser.StatementType { return parser.RowsAffected }
// StatementTag returns a short string identifying the type of statement.
func (CopyDataBlock) StatementTag() string { return "" }
func (CopyDataBlock) String() string { return "CopyDataBlock" }