This repository was archived by the owner on May 16, 2024. It is now read-only.
-
Notifications
You must be signed in to change notification settings - Fork 25
/
Copy pathstarkSigner.ts
88 lines (77 loc) · 2.55 KB
/
starkSigner.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
import { ec } from 'elliptic';
import * as encUtils from 'enc-utils';
import { StarkSigner } from '../../types';
import { starkEc } from './legacy/crypto';
import BN from 'bn.js';
import { Errors } from '../../workflows/errors';
export class StandardStarkSigner implements StarkSigner {
private keyPair: ec.KeyPair;
constructor(private privateKey: string) {
this.keyPair = starkEc.keyFromPrivate(privateKey, 'hex');
}
public getAddress(): string {
const xCoordinate = this.keyPair.getPublic().getX().toString('hex');
return encUtils.sanitizeHex(xCoordinate);
}
public async signMessage(msg: string): Promise<string> {
return this.serialize(this.keyPair.sign(this.fixMsgHashLen(msg)));
}
private serialize(sig: ec.Signature): string {
return encUtils.addHexPrefix(
encUtils.padLeft(sig.r.toString('hex'), 64) +
encUtils.padLeft(sig.s.toString('hex'), 64),
);
}
public async sign(msg: string): Promise<ec.Signature> {
return this.keyPair.sign(this.fixMsgHashLen(msg));
}
public getYCoordinate(): string {
return encUtils.sanitizeBytes(
this.keyPair.getPublic().getY().toString(16),
2,
);
}
/*
The function _truncateToN in lib/elliptic/ec/index.js does a shift-right of delta bits,
if delta is positive, where
delta = msgHash.byteLength() * 8 - starkEx.n.bitLength().
This function does the opposite operation so that
_truncateToN(fixMsgHashLen(msgHash)) == msgHash.
*/
private fixMsgHashLen(msg: string) {
msg = encUtils.removeHexPrefix(msg);
msg = new BN(msg, 'hex').toString('hex');
if (msg.length <= 62) {
// In this case, msg should not be transformed, as the byteLength() is at most 31,
// so delta < 0 (see _truncateToN).
return msg;
}
if (msg.length !== 63) {
throw new Error(Errors.StarkCurveInvalidMessageLength);
}
// In this case delta will be 4 so we perform a shift-left of 4 bits by adding a ZERO_BN.
return `${msg}0`;
}
}
/**
* Creates a new Stark Signer
* @params starkPrivateKey - the private key as a hex string
* @returns a StarkSigner
*/
export function createStarkSigner(starkPrivateKey: string): StarkSigner {
return new StandardStarkSigner(starkPrivateKey);
}
export function serializePackedSignature(
sig: ec.Signature,
pubY: string,
): string {
return encUtils.sanitizeHex(
encUtils.padLeft(sig.r.toString(16), 64) +
encUtils.padLeft(sig.s.toString(16), 64, '0') +
encUtils.padLeft(
new BN(encUtils.removeHexPrefix(pubY), 'hex').toString(16),
64,
'0',
),
);
}