This repository was archived by the owner on Feb 21, 2024. It is now read-only.
-
Notifications
You must be signed in to change notification settings - Fork 232
/
Copy pathpresort.go
296 lines (263 loc) · 7 KB
/
presort.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
package ctl
import (
"bufio"
"context"
"encoding/csv"
"encoding/json"
"fmt"
"hash/fnv"
"io"
"io/fs"
"os"
"path/filepath"
"sync"
"github.com/featurebasedb/featurebase/v3/logger"
"github.com/pkg/errors"
"golang.org/x/sync/errgroup"
)
type PreSortCommand struct {
// Optional Index filter
File string
Type string
Table string
PrimaryKeyFields []string
PrimaryKeySeparator string
PartitionN int
JobSize int
NumWorkers int
// Path to write sorted files to
OutputDir string
// Standard input/output
logDest logger.Logger
outputLocks []sync.Mutex
outputFiles map[int]*os.File
outputEncoders map[int]*json.Encoder
outputWriters map[int]*csv.Writer
}
// NewPreSortCommand returns a new instance of PreSortCommand.
func NewPreSortCommand(logdest logger.Logger) *PreSortCommand {
return &PreSortCommand{
logDest: logdest,
Type: "ndjson",
OutputDir: "presorted_files",
PartitionN: 256,
JobSize: 1000,
NumWorkers: 4,
PrimaryKeySeparator: "|",
outputFiles: make(map[int]*os.File),
}
}
// Run executes the main program execution.
func (cmd *PreSortCommand) Run(ctx context.Context) error {
if cmd.File == "" {
return errors.New("must set a file or directory to read from")
}
if len(cmd.PrimaryKeyFields) == 0 {
return errors.New("must define primary-key-fields")
}
if cmd.Table == "" {
return errors.New("must set a table name")
}
cmd.outputLocks = make([]sync.Mutex, cmd.PartitionN)
filelist := []string{}
walkfunc := func(path string, d fs.DirEntry, err error) error {
if !d.IsDir() {
filelist = append(filelist, path)
}
return nil
}
err := filepath.WalkDir(cmd.File, walkfunc)
if err != nil {
return errors.Wrapf(err, "walking %s", cmd.File)
}
if len(filelist) > 3 {
cmd.logDest.Printf("%d files: %v...", len(filelist), filelist[:3])
} else {
cmd.logDest.Printf("Files: %v", filelist)
}
if err := os.MkdirAll(cmd.OutputDir, 0755); err != nil {
return errors.Wrapf(err, "creating output directory: '%s'", cmd.OutputDir)
}
for i := 0; i < cmd.PartitionN; i++ {
name := filepath.Join(cmd.OutputDir, fmt.Sprintf("output_%d", i))
f, err := os.Create(name)
if err != nil {
return errors.Wrapf(err, "couldn't open output file %s", name)
}
cmd.outputFiles[i] = f
}
defer func() {
for _, f := range cmd.outputFiles {
_ = f.Sync()
_ = f.Close()
}
}()
linech := make(chan [][]byte, 16)
var eg *errgroup.Group
switch cmd.Type {
case "ndjson":
eg = cmd.setupNDJSON(linech)
case "csv":
// CSV ends here
return errors.Wrap(cmd.RunCSV(filelist), "running CSV command")
default:
return errors.Errorf("unsupported type %s, try ndjson or csv", cmd.Type)
}
// The rest of this is just for NDJSON... CSV doesn't currently
// support multiple workers. It needs to do the file reading
// differently in order to handle potential newlines within
// fields.
for _, fname := range filelist {
f, err := os.Open(fname)
if err != nil {
return errors.Wrapf(err, "opening %s", fname)
}
sc := bufio.NewScanner(f)
batch:
for {
lines := make([][]byte, 0, cmd.JobSize)
for i := 0; i < cmd.JobSize; i++ {
if !sc.Scan() {
linech <- lines
break batch
}
line := sc.Bytes()
// must copy line as scanner will reuse the buffer it's given us
lc := make([]byte, len(line))
copy(lc, line)
lines = append(lines, lc)
}
linech <- lines
}
if err := sc.Err(); err != nil {
return errors.Wrap(err, "scanning file")
}
}
close(linech)
if err := eg.Wait(); err != nil {
return err
}
return nil
}
func (cmd *PreSortCommand) setupNDJSON(linech chan [][]byte) *errgroup.Group {
cmd.outputEncoders = make(map[int]*json.Encoder)
for i, f := range cmd.outputFiles {
cmd.outputEncoders[i] = json.NewEncoder(f)
cmd.outputEncoders[i].SetIndent("", "")
cmd.outputEncoders[i].SetEscapeHTML(false)
}
// start workers
eg := &errgroup.Group{}
for i := 0; i < cmd.NumWorkers; i++ {
eg.Go(func() error {
return cmd.ndjsonWorker(linech)
})
}
return eg
}
func (cmd *PreSortCommand) ndjsonWorker(linech chan [][]byte) error {
for lines := range linech {
rec := map[string]interface{}{}
for _, line := range lines {
err := json.Unmarshal(line, &rec)
if err != nil {
return errors.Wrapf(err, "unmarshaling '%s'", line)
}
partition, err := cmd.ndjsonPartition(rec)
if err != nil {
return err
}
if err := cmd.outputNDJSON(partition, rec); err != nil {
return errors.Wrap(err, "outputting ndjson")
}
for k := range rec {
delete(rec, k)
}
}
}
return nil
}
func (cmd *PreSortCommand) outputNDJSON(partition int, record map[string]interface{}) error {
cmd.outputLocks[partition].Lock()
defer cmd.outputLocks[partition].Unlock()
return cmd.outputEncoders[partition].Encode(record)
}
func (cmd *PreSortCommand) ndjsonPartition(rec map[string]interface{}) (int, error) {
h := fnv.New64a()
_, _ = h.Write([]byte(cmd.Table))
for i, name := range cmd.PrimaryKeyFields {
val, ok := rec[name]
if !ok {
return 0, errors.Errorf("couldn't find primary key part '%s' in record: %+v", name, rec)
}
h.Write([]byte(toString(val)))
if i < len(cmd.PrimaryKeyFields)-1 {
h.Write([]byte(cmd.PrimaryKeySeparator))
}
}
return int(h.Sum64() % uint64(cmd.PartitionN)), nil
}
func toString(val interface{}) string {
switch valt := val.(type) {
case string:
return valt
case float64, int, int64, uint64, float32, uint:
return fmt.Sprintf("%d", valt)
default:
return fmt.Sprintf("%v", valt)
}
}
func (cmd *PreSortCommand) RunCSV(filelist []string) error {
outputWriters := make(map[int]*csv.Writer)
for i, f := range cmd.outputFiles {
outputWriters[i] = csv.NewWriter(f)
}
for _, fname := range filelist {
f, err := os.Open(fname)
if err != nil {
cmd.logDest.Warnf("Could not open %s, skipping", fname)
}
reader := csv.NewReader(f)
reader.ReuseRecord = true
rec, err := reader.Read()
if err != nil {
return errors.Wrap(err, "")
}
header := make(map[string]int)
for i, key := range rec {
header[key] = i
}
for rec, err = reader.Read(); err == nil; rec, err = reader.Read() {
partition, err := cmd.csvPartition(header, rec)
if err != nil {
return err
}
err = outputWriters[partition].Write(rec)
if err != nil {
return errors.Wrapf(err, "writing record to partition %d", partition)
}
}
if err != io.EOF && err != nil {
return errors.Wrapf(err, "error attempting to decode json from %s", fname)
}
}
for _, w := range outputWriters {
w.Flush()
}
return nil
}
func (cmd *PreSortCommand) csvPartition(header map[string]int, rec []string) (int, error) {
h := fnv.New64a()
_, _ = h.Write([]byte(cmd.Table))
for i, name := range cmd.PrimaryKeyFields {
pos, ok := header[name]
if !ok {
return 0, errors.Errorf("couldn't find primary key part '%s' in header: %+v", name, header)
}
h.Write([]byte(rec[pos]))
if i < len(cmd.PrimaryKeyFields)-1 {
h.Write([]byte(cmd.PrimaryKeySeparator))
}
}
return int(h.Sum64() % uint64(cmd.PartitionN)), nil
}