-
Notifications
You must be signed in to change notification settings - Fork 220
/
Copy pathpsm.js
314 lines (285 loc) · 9.83 KB
/
psm.js
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
import '@agoric/zoe/exported.js';
import '@agoric/zoe/src/contracts/exported.js';
import '@agoric/governance/exported.js';
import { E } from '@endo/eventual-send';
import {
ceilMultiplyBy,
floorDivideBy,
floorMultiplyBy,
atomicRearrange,
} from '@agoric/zoe/src/contractSupport/index.js';
import { Far } from '@endo/marshal';
import {
handleParamGovernance,
ParamTypes,
publicMixinAPI,
} from '@agoric/governance';
import { M, provide, vivifyFarInstance } from '@agoric/vat-data';
import { AmountMath } from '@agoric/ertp';
import { makeMakeCollectFeesInvitation } from '../collectFees.js';
import { makeMetricsPublishKit } from '../contractSupport.js';
const { Fail } = assert;
/**
* @file The Parity Stability Module supports efficiently minting/burning a
* stable token at a specified fixed ratio to a reference stable token, which
* thereby acts as an anchor to provide additional stability. For flexible
* economic policies, the fee percentage for trading into and out of the stable
* token are specified separately.
*
*/
/**
* @typedef {object} MetricsNotification
* Metrics naming scheme is that nouns are present values and past-participles
* are accumulative.
*
* @property {Amount<'nat'>} anchorPoolBalance amount of Anchor token
* available to be swapped
* @property {Amount<'nat'>} mintedPoolBalance amount of Minted token
* outstanding (the amount minted minus the amount burned).
* @property {Amount<'nat'>} feePoolBalance amount of Minted token
* fees available to be collected
*
* @property {Amount<'nat'>} totalAnchorProvided running sum of Anchor
* ever given by this contract
* @property {Amount<'nat'>} totalMintedProvided running sum of Minted
* ever given by this contract
*/
/** @typedef {import('@agoric/vat-data').Baggage} Baggage */
/**
* @param {ZCF<GovernanceTerms<{
* GiveMintedFee: 'ratio',
* WantMintedFee: 'ratio',
* MintLimit: 'amount',
* }> & {
* anchorBrand: Brand<'nat'>,
* anchorPerMinted: Ratio,
* }>} zcf
* @param {{feeMintAccess: FeeMintAccess, initialPoserInvitation: Invitation, storageNode: StorageNode, marshaller: Marshaller}} privateArgs
* @param {Baggage} baggage
*/
export const start = async (zcf, privateArgs, baggage) => {
const { anchorBrand, anchorPerMinted } = zcf.getTerms();
console.log('PSM Starting', anchorBrand, anchorPerMinted);
const stableMint = await zcf.registerFeeMint(
'Minted',
privateArgs.feeMintAccess,
);
const { brand: stableBrand } = stableMint.getIssuerRecord();
(anchorPerMinted.numerator.brand === anchorBrand &&
anchorPerMinted.denominator.brand === stableBrand) ||
Fail`Ratio ${anchorPerMinted} is not consistent with brands ${anchorBrand} and ${stableBrand}`;
zcf.setTestJig(() => ({
stableIssuerRecord: stableMint.getIssuerRecord(),
}));
const emptyStable = AmountMath.makeEmpty(stableBrand);
const emptyAnchor = AmountMath.makeEmpty(anchorBrand);
const { publicMixin, creatorMixin, makeFarGovernorFacet, params } =
await handleParamGovernance(
zcf,
privateArgs.initialPoserInvitation,
{
GiveMintedFee: ParamTypes.RATIO,
MintLimit: ParamTypes.AMOUNT,
WantMintedFee: ParamTypes.RATIO,
},
privateArgs.storageNode,
privateArgs.marshaller,
);
const provideEmptyZcfSeat = name => {
return provide(baggage, name, () => zcf.makeEmptySeatKit().zcfSeat);
};
const anchorPool = provideEmptyZcfSeat('anchorPoolSeat');
const feePool = provideEmptyZcfSeat('feePoolSeat');
const stage = provideEmptyZcfSeat('stageSeat');
let mintedPoolBalance = provide(baggage, 'mintedPoolBalance', () =>
AmountMath.makeEmpty(stableBrand),
);
let totalAnchorProvided = provide(baggage, 'totalAnchorProvided', () =>
AmountMath.makeEmpty(anchorBrand),
);
let totalMintedProvided = provide(baggage, 'totalMintedProvided', () =>
AmountMath.makeEmpty(stableBrand),
);
/** @type {import('../contractSupport.js').MetricsPublishKit<MetricsNotification>} */
const { metricsPublisher, metricsSubscriber } = makeMetricsPublishKit(
privateArgs.storageNode,
privateArgs.marshaller,
);
const updateMetrics = () => {
metricsPublisher.publish(
harden({
anchorPoolBalance: anchorPool.getAmountAllocated('Anchor', anchorBrand),
feePoolBalance: feePool.getAmountAllocated('Minted', stableBrand),
mintedPoolBalance,
totalAnchorProvided,
totalMintedProvided,
}),
);
};
updateMetrics();
/**
* @param {Amount<'nat'>} toMint
*/
const assertUnderLimit = toMint => {
const mintedAfter = AmountMath.add(mintedPoolBalance, toMint);
AmountMath.isGTE(params.getMintLimit(), mintedAfter) ||
Fail`Request would exceed mint limit`;
};
const burnMinted = toBurn => {
stableMint.burnLosses({ Minted: toBurn }, stage);
mintedPoolBalance = AmountMath.subtract(mintedPoolBalance, toBurn);
};
const mintMinted = toMint => {
stableMint.mintGains({ Minted: toMint }, stage);
mintedPoolBalance = AmountMath.add(mintedPoolBalance, toMint);
};
/**
* @param {ZCFSeat} seat
* @param {Amount<'nat'>} given
* @param {Amount<'nat'>} [wanted] defaults to maximum anchor (given exchange rate minus fees)
*/
const giveMinted = (seat, given, wanted = emptyAnchor) => {
const fee = ceilMultiplyBy(given, params.getGiveMintedFee());
const afterFee = AmountMath.subtract(given, fee);
const maxAnchor = floorMultiplyBy(afterFee, anchorPerMinted);
AmountMath.isGTE(maxAnchor, wanted) ||
Fail`wanted ${wanted} is more than ${given} minus fees ${fee}`;
atomicRearrange(
zcf,
harden([
[seat, stage, { In: afterFee }, { Minted: afterFee }],
[seat, feePool, { In: fee }, { Minted: fee }],
[anchorPool, seat, { Anchor: maxAnchor }, { Out: maxAnchor }],
]),
);
// The treatment of `burnMinted` here is different than the
// one immediately below. This `burnMinted`
// happen only if the `atomicRearrange` does *not* throw.
burnMinted(afterFee);
totalAnchorProvided = AmountMath.add(totalAnchorProvided, maxAnchor);
};
/**
* @param {ZCFSeat} seat
* @param {Amount<'nat'>} given
* @param {Amount<'nat'>} [wanted]
*/
const wantMinted = (seat, given, wanted = emptyStable) => {
const asStable = floorDivideBy(given, anchorPerMinted);
assertUnderLimit(asStable);
const fee = ceilMultiplyBy(asStable, params.getWantMintedFee());
const afterFee = AmountMath.subtract(asStable, fee);
AmountMath.isGTE(afterFee, wanted) ||
Fail`wanted ${wanted} is more than ${given} minus fees ${fee}`;
mintMinted(asStable);
try {
atomicRearrange(
zcf,
harden([
[seat, anchorPool, { In: given }, { Anchor: given }],
[stage, seat, { Minted: afterFee }, { Out: afterFee }],
[stage, feePool, { Minted: fee }],
]),
);
} catch (e) {
// The treatment of `burnMinted` here is different than the
// one immediately above. This `burnMinted`
// happens only if the `atomicRearrange` *does* throw.
burnMinted(asStable);
throw e;
}
totalMintedProvided = AmountMath.add(totalMintedProvided, asStable);
};
/** @param {ZCFSeat} seat */
const giveMintedHook = seat => {
const {
give: { In: given },
want: { Out: wanted } = { Out: undefined },
} = seat.getProposal();
giveMinted(seat, given, wanted);
seat.exit();
updateMetrics();
};
/** @param {ZCFSeat} seat */
const wantmintedHook = seat => {
const {
give: { In: given },
want: { Out: wanted } = { Out: undefined },
} = seat.getProposal();
wantMinted(seat, given, wanted);
seat.exit();
updateMetrics();
};
const [anchorAmountShape, stableAmountShape] = await Promise.all([
E(anchorBrand).getAmountShape(),
E(stableBrand).getAmountShape(),
]);
const PSMI = M.interface('PSM', {
getMetrics: M.call().returns(M.remotable('MetricsSubscriber')),
getPoolBalance: M.call().returns(anchorAmountShape),
makeWantMintedInvitation: M.call().returns(M.promise()),
makeGiveMintedInvitation: M.call().returns(M.promise()),
...publicMixinAPI,
});
const methods = {
getMetrics() {
return metricsSubscriber;
},
getPoolBalance() {
return anchorPool.getAmountAllocated('Anchor', anchorBrand);
},
makeWantMintedInvitation() {
return zcf.makeInvitation(
wantmintedHook,
'wantMinted',
undefined,
M.splitRecord({
give: { In: anchorAmountShape },
want: M.or({ Out: stableAmountShape }, {}),
}),
);
},
makeGiveMintedInvitation() {
return zcf.makeInvitation(
giveMintedHook,
'giveMinted',
undefined,
M.splitRecord({
give: { In: stableAmountShape },
want: M.or({ Out: anchorAmountShape }, {}),
}),
);
},
...publicMixin,
};
const publicFacet = vivifyFarInstance(
baggage,
'Parity Stability Module',
PSMI,
methods,
);
// TODO why does this operation return an object with a single operation?
const { makeCollectFeesInvitation } = makeMakeCollectFeesInvitation(
zcf,
feePool,
stableBrand,
'Minted',
);
// The creator facets are only accessibly to governance and bootstrap,
// and so do not need interface protection at this time. Additionally,
// all the operations take no arguments and so are largely defensive as is.
const limitedCreatorFacet = Far('Parity Stability Module', {
getRewardAllocation() {
return feePool.getCurrentAllocation();
},
makeCollectFeesInvitation() {
return makeCollectFeesInvitation();
},
...creatorMixin,
});
const governorFacet = makeFarGovernorFacet(limitedCreatorFacet);
return harden({
creatorFacet: governorFacet,
publicFacet,
});
};
/** @typedef {Awaited<ReturnType<typeof start>>['publicFacet']} PsmPublicFacet */