-
Notifications
You must be signed in to change notification settings - Fork 0
Expand file tree
/
Copy pathscript_runner.go
More file actions
303 lines (248 loc) · 7.25 KB
/
script_runner.go
File metadata and controls
303 lines (248 loc) · 7.25 KB
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
// Copyright 2023 Dapper Labs, Inc.
//
// 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 scanner
import (
"context"
"errors"
"regexp"
"strings"
"github.com/onflow/cadence"
"github.com/onflow/flow-go-sdk"
"github.com/rs/zerolog"
"github.com/onflow/flow-batch-scan/client"
)
// DefaultScriptRunnerMaxConcurrentScripts is the maximum number of scripts that can be running concurrently
// at any given time. If this is more than the rate limit, some scripts will be just waiting.
// As long as they don't wait too long, this is not a problem.
const DefaultScriptRunnerMaxConcurrentScripts = 20
type ScriptRunnerConfig struct {
Script []byte
MaxConcurrentScripts int
HandleScriptError func(AddressBatch, error) ScriptErrorAction
}
func DefaultScriptRunnerConfig() ScriptRunnerConfig {
return ScriptRunnerConfig{
Script: []byte(defaultScript),
MaxConcurrentScripts: DefaultScriptRunnerMaxConcurrentScripts,
HandleScriptError: DefaultHandleScriptError,
}
}
type ScriptRunner struct {
*ComponentBase
ScriptRunnerConfig
client client.Client
addressBatchChan <-chan AddressBatch
resultsChan chan<- ProcessedAddressBatch
limitChan chan struct{}
}
var _ Component = (*ScriptRunner)(nil)
func NewScriptRunner(
client client.Client,
addressBatchChan <-chan AddressBatch,
resultsChan chan<- ProcessedAddressBatch,
config ScriptRunnerConfig,
logger zerolog.Logger,
) *ScriptRunner {
r := &ScriptRunner{
ScriptRunnerConfig: config,
client: client,
addressBatchChan: addressBatchChan,
resultsChan: resultsChan,
limitChan: make(chan struct{}, config.MaxConcurrentScripts),
}
r.ComponentBase = NewComponentWithStart(
"script_runner",
r.start,
logger,
)
return r
}
func (r *ScriptRunner) start(ctx context.Context) {
go func() {
for {
select {
case <-ctx.Done():
r.Finish(ctx.Err())
return
case input, ok := <-r.addressBatchChan:
if !ok {
r.Finish(nil)
return
}
r.handleBatch(ctx, input)
}
}
}()
}
func (r *ScriptRunner) handleBatch(ctx context.Context, input AddressBatch) {
if !input.IsValid() {
return
}
if len(input.Addresses) == 0 {
input.DoneHandling()
return
}
r.limitChan <- struct{}{}
go func() {
defer func() { <-r.limitChan }()
result, err := r.executeScript(ctx, input)
if err == nil {
r.resultsChan <- ProcessedAddressBatch{
AddressBatch: input,
Result: result,
}
return
}
if errors.Is(err, context.Canceled) || errors.Is(err, context.DeadlineExceeded) {
r.Finish(err)
return
}
r.Logger.
Warn().
Err(err).
Msg("failed to run script")
action := r.HandleScriptError(input, err)
switch action := action.(type) {
case ScriptErrorActionRetry:
// retry the same batch
r.Logger.
Info().
Msg("retrying")
go func() {
r.handleBatch(ctx, input)
}()
return
case ScriptErrorActionSplit:
// split the batch and run each half
// this reduces computation usage,
// and might also find any errors that are caused by
// a single account having problems
if len(input.Addresses) != 1 {
r.Logger.
Info().
Int("addresses", len(input.Addresses)).
Msg("retrying by splitting")
left, right := input.Split()
go func() {
r.handleBatch(ctx, left)
r.handleBatch(ctx, right)
}()
return
}
r.Logger.Info().Msg("cannot split, only one address left")
// error out
case ScriptErrorActionExclude:
// exclude the problematic addresses and retry
addresses := action.Addresses
r.Logger.
Info().
Strs("addresses", func() []string {
r := make([]string, len(addresses))
for i, a := range addresses {
r[i] = a.String()
}
return r
}()).
Msg("retrying by excluding")
for _, address := range addresses {
input.ExcludeAddress(address)
}
go func() {
r.handleBatch(ctx, input)
}()
return
case ScriptErrorActionNone:
// nothing, just continue and error out
case ScriptErrorActionUnhandled:
// nothing, just continue and error out
default:
r.Logger.
Warn().
Interface("action", action).
Msg("unknown script error action")
}
r.Logger.Warn().
Msg("unable to handle error running script")
r.Finish(err)
}()
}
var accountFrozenRegex = regexp.MustCompile(`\[Error Code: 1204] account (?P<address>\w{16}) is frozen`)
// executeScript retries running the cadence script until we get a successful response back,
// returning an array of Balance pairs, along with a boolean representing whether we can continue
// or are finished processing.
func (r *ScriptRunner) executeScript(
ctx context.Context,
input AddressBatch,
) (result cadence.Value, err error) {
arguments := convertAddressesToArguments(input.Addresses)
r.Logger.
Debug().
Uint64("block_height", input.BlockHeight).
Int("num_addresses", len(input.Addresses)).
Msgf("executing script")
return r.client.ExecuteScriptAtBlockHeight(
ctx,
input.BlockHeight,
r.Script,
arguments,
)
}
// convertAddressesToArguments generates an array of cadence.Value from an array of flow.Address
func convertAddressesToArguments(addresses []flow.Address) []cadence.Value {
var accounts []cadence.Value
for _, address := range addresses {
accounts = append(accounts, cadence.Address(address))
}
return []cadence.Value{cadence.NewArray(accounts)}
}
type ScriptErrorAction interface {
isScriptErrorAction()
}
type ScriptErrorActionRetry struct{}
var _ ScriptErrorAction = ScriptErrorActionRetry{}
func (s ScriptErrorActionRetry) isScriptErrorAction() {}
type ScriptErrorActionNone struct{}
var _ ScriptErrorAction = ScriptErrorActionNone{}
func (s ScriptErrorActionNone) isScriptErrorAction() {}
type ScriptErrorActionUnhandled struct{}
var _ ScriptErrorAction = ScriptErrorActionUnhandled{}
func (s ScriptErrorActionUnhandled) isScriptErrorAction() {}
type ScriptErrorActionSplit struct{}
var _ ScriptErrorAction = ScriptErrorActionSplit{}
func (s ScriptErrorActionSplit) isScriptErrorAction() {}
type ScriptErrorActionExclude struct {
Addresses []flow.Address
}
var _ ScriptErrorAction = ScriptErrorActionExclude{}
func (s ScriptErrorActionExclude) isScriptErrorAction() {}
func DefaultHandleScriptError(_ AddressBatch, err error) ScriptErrorAction {
if errors.Is(err, context.Canceled) {
return ScriptErrorActionNone{}
}
if strings.Contains(err.Error(), "state commitment not found") {
return ScriptErrorActionNone{}
}
// If the account is frozen, we can skip it
if strings.Contains(err.Error(), "[Error Code: 1204]") {
addressIndex := accountFrozenRegex.SubexpIndex("address")
match := accountFrozenRegex.FindStringSubmatch(err.Error())
if match != nil {
address := flow.HexToAddress(match[addressIndex])
return ScriptErrorActionExclude{
Addresses: []flow.Address{address},
}
}
}
return ScriptErrorActionUnhandled{}
}