-
Notifications
You must be signed in to change notification settings - Fork 53
/
Copy pathbalance.ts
285 lines (243 loc) · 10.7 KB
/
balance.ts
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
import { create as createLogger } from '../common/log'
const log = createLogger('balance-middleware')
import { Middleware, MiddlewareCallback, MiddlewareServices, Pipelines } from '../types/middleware'
import { AccountInfo } from '../types/accounts'
import BigNumber from 'bignumber.js'
import * as IlpPacket from 'ilp-packet'
import Stats from '../services/stats'
const { InsufficientLiquidityError } = IlpPacket.Errors
interface BalanceOpts {
initialBalance?: BigNumber
minimum?: BigNumber
maximum?: BigNumber
}
class Balance {
private balance: BigNumber
private minimum: BigNumber
private maximum: BigNumber
constructor ({
initialBalance = new BigNumber(0),
minimum = new BigNumber(0),
maximum = new BigNumber(Infinity)
}: BalanceOpts) {
this.balance = initialBalance
this.minimum = minimum
this.maximum = maximum
}
add (amount: BigNumber | string | number) {
const newBalance = this.balance.plus(amount)
if (newBalance.gt(this.maximum)) {
log.error('rejected balance update. oldBalance=%s newBalance=%s amount=%s', this.balance, newBalance, amount)
throw new InsufficientLiquidityError('exceeded maximum balance.')
}
this.balance = newBalance
}
subtract (amount: BigNumber | string | number) {
const newBalance = this.balance.minus(amount)
if (newBalance.lt(this.minimum)) {
log.error('rejected balance update. oldBalance=%s newBalance=%s amount=%s', this.balance, newBalance, amount)
throw new Error(`insufficient funds. oldBalance=${this.balance} proposedBalance=${newBalance}`)
}
this.balance = newBalance
}
getValue () {
return this.balance
}
getMinimum () {
return this.minimum
}
toJSON () {
return {
balance: this.balance.toString(),
minimum: this.minimum.toString(),
maximum: this.maximum.toString()
}
}
}
export default class BalanceMiddleware implements Middleware {
private stats: Stats
private getInfo: (accountId: string) => AccountInfo
private sendMoney: (amount: string, accountId: string) => Promise<void>
private balances: Map<string, Balance> = new Map()
constructor (opts: {}, { getInfo, sendMoney, stats }: MiddlewareServices) {
this.getInfo = getInfo
this.sendMoney = sendMoney
this.stats = stats
}
async applyToPipelines (pipelines: Pipelines, accountId: string) {
const accountInfo = this.getInfo(accountId)
if (!accountInfo) {
throw new Error('could not load info for account. accountId=' + accountId)
}
const account = { accountId, accountInfo }
if (accountInfo.balance) {
const {
minimum = '-Infinity',
maximum
} = accountInfo.balance
const balance = new Balance({
minimum: new BigNumber(minimum),
maximum: new BigNumber(maximum)
})
this.balances.set(accountId, balance)
log.info('initializing balance for account. accountId=%s minimumBalance=%s maximumBalance=%s', accountId, minimum, maximum)
pipelines.startup.insertLast({
name: 'balance',
method: async (dummy: void, next: MiddlewareCallback<void, void>) => {
// When starting up, check if we need to pre-fund / settle
// tslint:disable-next-line:no-floating-promises
this.maybeSettle(accountId)
this.stats.balance.setValue(account, {}, balance.getValue().toNumber())
return next(dummy)
}
})
pipelines.incomingData.insertLast({
name: 'balance',
method: async (data: Buffer, next: MiddlewareCallback<Buffer, Buffer>) => {
if (data[0] === IlpPacket.Type.TYPE_ILP_PREPARE) {
const parsedPacket = IlpPacket.deserializeIlpPrepare(data)
// Ignore zero amount packets
if (parsedPacket.amount === '0') {
return next(data)
}
// Increase balance on prepare
balance.add(parsedPacket.amount)
log.trace('balance increased due to incoming ilp prepare. accountId=%s amount=%s newBalance=%s', accountId, parsedPacket.amount, balance.getValue())
this.stats.balance.setValue(account, {}, balance.getValue().toNumber())
let result
try {
result = await next(data)
} catch (err) {
// Refund on error
balance.subtract(parsedPacket.amount)
log.debug('incoming packet refunded due to error. accountId=%s amount=%s newBalance=%s', accountId, parsedPacket.amount, balance.getValue())
this.stats.balance.setValue(account, {}, balance.getValue().toNumber())
this.stats.incomingDataPacketValue.increment(account, { result : 'failed' }, +parsedPacket.amount)
throw err
}
if (result[0] === IlpPacket.Type.TYPE_ILP_REJECT) {
// Refund on reject
balance.subtract(parsedPacket.amount)
log.debug('incoming packet refunded due to ilp reject. accountId=%s amount=%s newBalance=%s', accountId, parsedPacket.amount, balance.getValue())
this.stats.balance.setValue(account, {}, balance.getValue().toNumber())
this.stats.incomingDataPacketValue.increment(account, { result : 'rejected' }, +parsedPacket.amount)
} else if (result[0] === IlpPacket.Type.TYPE_ILP_FULFILL) {
this.maybeSettle(accountId).catch(log.error)
this.stats.incomingDataPacketValue.increment(account, { result : 'fulfilled' }, +parsedPacket.amount)
}
return result
} else {
return next(data)
}
}
})
pipelines.incomingMoney.insertLast({
name: 'balance',
method: async (amount: string, next: MiddlewareCallback<string, void>) => {
balance.subtract(amount)
log.trace('balance reduced due to incoming settlement. accountId=%s amount=%s newBalance=%s', accountId, amount, balance.getValue())
this.stats.balance.setValue(account, {}, balance.getValue().toNumber())
return next(amount)
}
})
pipelines.outgoingData.insertLast({
name: 'balance',
method: async (data: Buffer, next: MiddlewareCallback<Buffer, Buffer>) => {
if (data[0] === IlpPacket.Type.TYPE_ILP_PREPARE) {
const parsedPacket = IlpPacket.deserializeIlpPrepare(data)
// Ignore zero amount packets
if (parsedPacket.amount === '0') {
return next(data)
}
let result
try {
balance.subtract(parsedPacket.amount)
result = await next(data)
} catch (err) {
log.debug('outgoing packet not applied due to error. accountId=%s amount=%s newBalance=%s', accountId, parsedPacket.amount, balance.getValue())
this.stats.outgoingDataPacketValue.increment(account, { result : 'failed' }, +parsedPacket.amount)
balance.add(parsedPacket.amount)
throw err
}
if (result[0] === IlpPacket.Type.TYPE_ILP_REJECT) {
balance.add(parsedPacket.amount)
log.debug('outgoing packet not applied due to ilp reject. accountId=%s amount=%s newBalance=%s', accountId, parsedPacket.amount, balance.getValue())
this.stats.outgoingDataPacketValue.increment(account, { result : 'rejected' }, +parsedPacket.amount)
} else if (result[0] === IlpPacket.Type.TYPE_ILP_FULFILL) {
// Decrease balance on prepare
this.maybeSettle(accountId).catch(log.error)
log.trace('balance decreased due to outgoing ilp fulfill. accountId=%s amount=%s newBalance=%s', accountId, parsedPacket.amount, balance.getValue())
this.stats.balance.setValue(account, {}, balance.getValue().toNumber())
this.stats.outgoingDataPacketValue.increment(account, { result : 'fulfilled' }, +parsedPacket.amount)
}
return result
} else {
return next(data)
}
}
})
pipelines.outgoingMoney.insertLast({
name: 'balance',
method: async (amount: string, next: MiddlewareCallback<string, void>) => {
balance.add(amount)
log.trace('balance increased due to outgoing settlement. accountId=%s amount=%s newBalance=%s', accountId, amount, balance.getValue())
this.stats.balance.setValue(account, {}, balance.getValue().toNumber())
return next(amount)
}
})
} else {
log.warn('(!!!) balance middleware NOT enabled for account, this account can spend UNLIMITED funds. accountId=%s', accountId)
}
}
getStatus () {
const accounts = {}
this.balances.forEach((balance, accountId) => {
accounts[accountId] = balance.toJSON()
})
return { accounts }
}
modifyBalance (accountId: string, _amountDiff: BigNumber.Value): BigNumber {
const accountInfo = this.getInfo(accountId)
if (!accountInfo) {
throw new Error('could not load info for account. accountId=' + accountId)
}
const account = { accountId, accountInfo }
const amountDiff = new BigNumber(_amountDiff)
const balance = this.getBalance(accountId)
log.warn('modifying balance accountId=%s amount=%s', accountId, amountDiff.toString())
if (amountDiff.isPositive()) {
balance.add(amountDiff)
} else {
balance.subtract(amountDiff.negated())
this.maybeSettle(accountId).catch(log.error)
}
this.stats.balance.setValue(account, {}, balance.getValue().toNumber())
return balance.getValue()
}
private getBalance (accountId: string): Balance {
const balance = this.balances.get(accountId)
if (!balance) {
throw new Error('account not found. accountId=' + accountId)
}
return balance
}
private async maybeSettle (accountId: string): Promise<void> {
const accountInfo = this.getInfo(accountId)
const { settleThreshold, settleTo = '0' } = accountInfo.balance!
const bnSettleThreshold = settleThreshold ? new BigNumber(settleThreshold) : undefined
const bnSettleTo = new BigNumber(settleTo)
const balance = this.getBalance(accountId)
const settle = bnSettleThreshold && bnSettleThreshold.gt(balance.getValue())
if (!settle) return
const settleAmount = bnSettleTo.minus(balance.getValue())
log.debug('settlement triggered. accountId=%s balance=%s settleAmount=%s', accountId, balance.getValue(), settleAmount)
await this.sendMoney(settleAmount.toString(), accountId)
.catch(e => {
let err = e
if (!err || typeof err !== 'object') {
err = new Error('Non-object thrown: ' + e)
}
log.error('error occurred during settlement. accountId=%s settleAmount=%s errInfo=%s', accountId, settleAmount, err.stack ? err.stack : err)
})
}
}