nim-web3/web3.nim

685 lines
23 KiB
Nim
Raw Normal View History

2018-12-21 17:27:09 +00:00
import
2022-09-05 17:29:33 +00:00
std/[macros, strutils, options, math, json, tables, uri, strformat]
2021-02-02 22:27:10 +00:00
from os import DirSep, AltSep
2019-06-12 16:46:29 +00:00
import
2022-09-05 17:29:33 +00:00
stint, httputils, chronicles, chronos, nimcrypto/keccak,
json_rpc/[rpcclient, jsonmarshal], stew/byteutils, eth/keys,
web3/[ethtypes, conversions, ethhexstrings, transaction_signing, encoding]
2018-12-21 17:27:09 +00:00
2021-02-02 22:27:10 +00:00
template sourceDir: string = currentSourcePath.rsplit({DirSep, AltSep}, 1)[0]
2018-12-21 17:27:09 +00:00
## Generate client convenience marshalling wrappers from forward declarations
2021-02-02 22:27:10 +00:00
createRpcSigs(RpcClient, sourceDir & "/web3/ethcallsigs.nim")
2019-06-12 16:46:29 +00:00
export UInt256, Int256, Uint128, Int128
2020-08-10 20:08:44 +00:00
export ethtypes, conversions, encoding
2018-12-21 17:27:09 +00:00
type
2019-06-12 16:46:29 +00:00
Web3* = ref object
provider*: RpcClient
subscriptions*: Table[string, Subscription]
2019-08-05 20:08:18 +00:00
defaultAccount*: Address
2020-06-21 19:57:43 +00:00
privateKey*: Option[PrivateKey]
lastKnownNonce*: Option[Nonce]
onDisconnect*: proc() {.gcsafe, raises: [Defect].}
2019-06-12 16:46:29 +00:00
2019-01-22 16:38:34 +00:00
Sender*[T] = ref object
2019-06-12 16:46:29 +00:00
web3*: Web3
2019-08-05 20:08:18 +00:00
contractAddress*: Address
2019-01-10 11:50:51 +00:00
2019-01-22 16:38:34 +00:00
EncodeResult* = tuple[dynamic: bool, data: string]
2019-01-22 15:08:24 +00:00
SubscriptionEventHandler* = proc (j: JsonNode) {.gcsafe, raises: [Defect].}
SubscriptionErrorHandler* = proc (err: CatchableError) {.gcsafe, raises: [Defect].}
BlockHeaderHandler* = proc (b: BlockHeader) {.gcsafe, raises: [Defect].}
2019-06-12 16:46:29 +00:00
Subscription* = ref object
id*: string
web3*: Web3
eventHandler*: SubscriptionEventHandler
errorHandler*: SubscriptionErrorHandler
pendingEvents: seq[JsonNode]
historicalEventsProcessed: bool
removed: bool
2019-06-12 16:46:29 +00:00
ContractCallBase = ref object of RootObj
2019-08-05 20:08:18 +00:00
web3: Web3
data: string
to: Address
2022-04-07 13:52:36 +00:00
value: UInt256
2019-08-05 20:08:18 +00:00
ContractCall*[T] = ref object of ContractCallBase
2019-08-05 20:08:18 +00:00
2019-06-12 16:46:29 +00:00
proc handleSubscriptionNotification(w: Web3, j: JsonNode) =
let s = w.subscriptions.getOrDefault(j{"subscription"}.getStr())
if not s.isNil and not s.removed:
if s.historicalEventsProcessed:
s.eventHandler(j{"result"})
else:
s.pendingEvents.add(j)
2019-06-12 16:46:29 +00:00
proc newWeb3*(provider: RpcClient): Web3 =
result = Web3(provider: provider)
result.subscriptions = initTable[string, Subscription]()
let r = result
provider.setMethodHandler("eth_subscription") do(j: JsonNode):
r.handleSubscriptionNotification(j)
2022-03-04 19:14:42 +00:00
proc newWeb3*(
uri: string, getHeaders: GetJsonRpcRequestHeaders = nil):
Future[Web3] {.async.} =
2019-07-31 09:16:35 +00:00
let u = parseUri(uri)
var provider: RpcClient
case u.scheme
of "http", "https":
2022-03-04 19:14:42 +00:00
let p = newRpcHttpClient(getHeaders = getHeaders)
2019-07-31 09:16:35 +00:00
await p.connect(uri)
provider = p
of "ws", "wss":
2022-03-04 19:14:42 +00:00
let p = newRpcWebSocketClient(getHeaders = getHeaders)
2019-07-31 09:16:35 +00:00
await p.connect(uri)
provider = p
else:
raise newException(CatchableError, "Unknown web3 url scheme")
result = newWeb3(provider)
let r = result
provider.onDisconnect = proc() =
r.subscriptions.clear()
if not r.onDisconnect.isNil:
r.onDisconnect()
2019-07-31 09:16:35 +00:00
2019-10-22 15:57:59 +00:00
proc close*(web3: Web3): Future[void] = web3.provider.close()
proc getHistoricalEvents(s: Subscription, options: JsonNode) {.async.} =
try:
let logs = await s.web3.provider.eth_getLogs(options)
for l in logs:
if s.removed: break
s.eventHandler(l)
s.historicalEventsProcessed = true
var i = 0
while i < s.pendingEvents.len: # Mind reentrancy
if s.removed: break
s.eventHandler(s.pendingEvents[i])
inc i
s.pendingEvents = @[]
except CatchableError as e:
echo "Caught exception in getHistoricalEvents: ", e.msg
echo e.getStackTrace()
proc subscribe*(w: Web3, name: string, options: JsonNode,
eventHandler: SubscriptionEventHandler,
errorHandler: SubscriptionErrorHandler): Future[Subscription]
{.async.} =
## Sets up a new subsciption using the `eth_subscribe` RPC call.
##
## May raise a `CatchableError` if the subscription is not established.
##
## Once the subscription is established, the `eventHandler` callback
## will be executed for each event of interest.
##
## In case of any errors or illegal behavior of the remote RPC node,
## the `errorHandler` will be executed with relevant information about
## the error.
# Don't send an empty `{}` object as an extra argument if there are no options
let id = if options.isNil:
await w.provider.eth_subscribe(name)
else:
await w.provider.eth_subscribe(name, options)
result = Subscription(id: id,
web3: w,
eventHandler: eventHandler,
errorHandler: errorHandler)
2019-06-12 16:46:29 +00:00
w.subscriptions[id] = result
proc subscribeForLogs*(w: Web3, options: JsonNode,
logsHandler: SubscriptionEventHandler,
errorHandler: SubscriptionErrorHandler,
withHistoricEvents = true): Future[Subscription]
{.async.} =
result = await subscribe(w, "logs", options, logsHandler, errorHandler)
if withHistoricEvents:
discard getHistoricalEvents(result, options)
else:
result.historicalEventsProcessed = true
proc subscribeForBlockHeaders*(w: Web3,
blockHeadersCallback: proc(b: BlockHeader) {.gcsafe, raises: [Defect].},
errorHandler: SubscriptionErrorHandler): Future[Subscription]
{.async.} =
proc eventHandler(json: JsonNode) {.gcsafe, raises: [Defect].} =
var blk: BlockHeader
try:
fromJson(json, "result", blk)
blockHeadersCallback(blk)
except CatchableError as err:
errorHandler(err[])
# `nil` options so that we skip sending an empty `{}` object as an extra argument
# to geth for `newHeads`: https://github.com/ethereum/go-ethereum/issues/21588
result = await subscribe(w, "newHeads", nil, eventHandler, errorHandler)
result.historicalEventsProcessed = true
2019-06-12 16:46:29 +00:00
proc unsubscribe*(s: Subscription): Future[void] {.async.} =
s.web3.subscriptions.del(s.id)
s.removed = true
2019-06-12 16:46:29 +00:00
discard await s.web3.provider.eth_unsubscribe(s.id)
2018-12-21 17:27:09 +00:00
proc unknownType() = discard # Used for informative errors
template typeSignature(T: typedesc): string =
when T is string:
"string"
elif T is DynamicBytes:
"bytes"
elif T is FixedBytes:
"bytes" & $T.N
elif T is StUint:
"uint" & $T.bits
elif T is Address:
"address"
elif T is Bool:
"bool"
else:
unknownType(T)
2019-08-05 20:08:18 +00:00
proc initContractCall[T](web3: Web3, data: string, to: Address): ContractCall[T] {.inline.} =
ContractCall[T](web3: web3, data: data, to: to)
2019-08-05 20:08:18 +00:00
2018-12-21 17:27:09 +00:00
type
InterfaceObjectKind = enum
function, constructor, event
MutabilityKind = enum
pure, view, nonpayable, payable
FunctionInputOutput = object
name: string
typ: NimNode
2018-12-21 17:27:09 +00:00
EventInput = object
name: string
typ: NimNode
2018-12-21 17:27:09 +00:00
indexed: bool
FunctionObject = object
name: string
stateMutability: MutabilityKind
inputs: seq[FunctionInputOutput]
outputs: seq[FunctionInputOutput]
ConstructorObject = object
stateMutability: MutabilityKind
inputs: seq[FunctionInputOutput]
outputs: seq[FunctionInputOutput]
EventObject = object
name: string
inputs: seq[EventInput]
anonymous: bool
InterfaceObject = object
case kind: InterfaceObjectKind
of function: functionObject: FunctionObject
of constructor: constructorObject: ConstructorObject
of event: eventObject: EventObject
proc joinStrings(s: varargs[string]): string = join(s)
proc getSignature(function: FunctionObject | EventObject): NimNode =
result = newCall(bindSym"joinStrings")
result.add(newLit(function.name & "("))
2018-12-21 17:27:09 +00:00
for i, input in function.inputs:
result.add(newCall(bindSym"typeSignature", input.typ))
2018-12-21 17:27:09 +00:00
if i != function.inputs.high:
result.add(newLit(","))
result.add(newLit(")"))
result = newCall(ident"static", result)
2019-01-09 21:55:03 +00:00
proc addAddressAndSignatureToOptions(options: JsonNode, address: Address, signature: string): JsonNode =
result = options
if result.isNil:
result = newJObject()
if "address" notin result:
result["address"] = %address
var topics = result{"topics"}
if topics.isNil:
topics = newJArray()
result["topics"] = topics
topics.elems.insert(%signature, 0)
2018-12-21 17:27:09 +00:00
proc parseContract(body: NimNode): seq[InterfaceObject] =
proc parseOutputs(outputNode: NimNode): seq[FunctionInputOutput] =
result.add FunctionInputOutput(typ: (if outputNode.kind == nnkEmpty: ident"void" else: outputNode))
2018-12-21 17:27:09 +00:00
proc parseInputs(inputNodes: NimNode): seq[FunctionInputOutput] =
for i in 1..<inputNodes.len:
let input = inputNodes[i]
input.expectKind(nnkIdentDefs)
let typ = input[^2]
for j in 0 .. input.len - 3:
let arg = input[j]
result.add(FunctionInputOutput(
name: $arg,
typ: typ,
))
2018-12-21 17:27:09 +00:00
proc parseEventInputs(inputNodes: NimNode): seq[EventInput] =
for i in 1..<inputNodes.len:
let input = inputNodes[i]
input.expectKind(nnkIdentDefs)
let typ = input[^2]
for j in 0 .. input.len - 3:
let arg = input[j]
case typ.kind:
2018-12-21 17:27:09 +00:00
of nnkBracketExpr:
if $typ[0] == "indexed":
2019-01-17 15:22:45 +00:00
result.add EventInput(
name: $arg,
typ: typ[1],
2019-01-17 15:22:45 +00:00
indexed: true
)
else:
result.add EventInput(name: $arg, typ: typ)
2018-12-21 17:27:09 +00:00
else:
result.add EventInput(name: $arg, typ: typ)
2018-12-21 17:27:09 +00:00
var
constructor: Option[ConstructorObject]
functions: seq[FunctionObject]
events: seq[EventObject]
for procdef in body:
doAssert(procdef.kind == nnkProcDef,
"Contracts can only be built with procedures")
let
2020-07-15 03:03:36 +00:00
isconstructor = procdef[4].findChild(it.strVal == "constructor") != nil
isevent = procdef[4].findChild(it.strVal == "event") != nil
2018-12-21 17:27:09 +00:00
doAssert(not (isconstructor and constructor.isSome),
"Contract can only have a single constructor")
doAssert(not (isconstructor and isevent),
"Can't be both event and constructor")
if not isevent:
let
2020-07-15 03:03:36 +00:00
ispure = procdef[4].findChild(it.strVal == "pure") != nil
isview = procdef[4].findChild(it.strVal == "view") != nil
ispayable = procdef[4].findChild(it.strVal == "payable") != nil
2018-12-21 17:27:09 +00:00
doAssert(not (ispure and isview),
"can't be both `pure` and `view`")
doAssert(not ((ispure or isview) and ispayable),
"can't be both `pure` or `view` while being `payable`")
if isconstructor:
constructor = some(ConstructorObject(
stateMutability: if ispure: pure elif isview: view elif ispayable: payable else: nonpayable,
inputs: parseInputs(procdef[3]),
outputs: parseOutputs(procdef[3][0])
))
else:
functions.add FunctionObject(
2020-07-15 03:03:36 +00:00
name: procdef[0].strVal,
2018-12-21 17:27:09 +00:00
stateMutability: if ispure: pure elif isview: view elif ispayable: payable else: nonpayable,
inputs: parseInputs(procdef[3]),
outputs: parseOutputs(procdef[3][0])
)
else:
2020-07-15 03:03:36 +00:00
let isanonymous = procdef[4].findChild(it.strVal == "anonymous") != nil
2018-12-21 17:27:09 +00:00
doAssert(procdef[3][0].kind == nnkEmpty,
"Events can't have return values")
events.add EventObject(
2020-07-15 03:03:36 +00:00
name: procdef[0].strVal,
2018-12-21 17:27:09 +00:00
inputs: parseEventInputs(procdef[3]),
anonymous: isanonymous
)
2018-12-21 17:27:09 +00:00
if constructor.isSome:
result.add InterfaceObject(kind: InterfaceObjectKind.constructor, constructorObject: constructor.unsafeGet)
for function in functions:
result.add InterfaceObject(kind: InterfaceObjectKind.function, functionObject: function)
for event in events:
result.add InterfaceObject(kind: InterfaceObjectKind.event, eventObject: event)
2019-01-22 16:38:34 +00:00
macro contract*(cname: untyped, body: untyped): untyped =
2018-12-21 17:27:09 +00:00
var objects = parseContract(body)
result = newStmtList()
2019-01-09 21:55:03 +00:00
let
address = ident "address"
2019-01-10 11:50:51 +00:00
client = ident "client"
2019-01-09 21:55:03 +00:00
receipt = genSym(nskForVar)
2019-01-10 11:50:51 +00:00
receiver = ident "receiver"
eventListener = ident "eventListener"
result.add quote do:
type
`cname`* = object
2018-12-21 17:27:09 +00:00
for obj in objects:
2019-01-09 21:55:03 +00:00
case obj.kind:
of function:
2018-12-21 17:27:09 +00:00
let
signature = getSignature(obj.functionObject)
2018-12-21 17:27:09 +00:00
procName = ident obj.functionObject.name
senderName = ident "sender"
2019-08-05 20:08:18 +00:00
output = if obj.functionObject.outputs.len != 1:
ident "void"
else:
obj.functionObject.outputs[0].typ
2019-01-22 15:08:24 +00:00
var
encodedParams = genSym(nskVar)#newLit("")
offset = genSym(nskVar)
dataBuf = genSym(nskVar)
encodings = genSym(nskVar)
encoder = newStmtList()
encoder.add quote do:
var
`offset` = 0
`encodedParams` = ""
`dataBuf` = ""
`encodings`: seq[EncodeResult]
2018-12-21 17:27:09 +00:00
for input in obj.functionObject.inputs:
2019-01-22 15:08:24 +00:00
let inputName = ident input.name
encoder.add quote do:
let encoding = encode(`inputName`)
`offset` += (if encoding.dynamic:
32
else:
encoding.data.len div 2)
2019-01-22 15:08:24 +00:00
`encodings`.add encoding
encoder.add quote do:
for encoding in `encodings`:
if encoding.dynamic:
`encodedParams` &= `offset`.toHex(64).toLower
`dataBuf` &= encoding.data
else:
`encodedParams` &= encoding.data
`offset` += encoding.data.len div 2
2019-01-22 15:08:24 +00:00
`encodedParams` &= `dataBuf`
2018-12-21 17:27:09 +00:00
var procDef = quote do:
proc `procName`*(`senderName`: Sender[`cname`]): ContractCall[`output`] =
2019-06-12 16:46:29 +00:00
discard
2018-12-21 17:27:09 +00:00
for input in obj.functionObject.inputs:
procDef[3].add nnkIdentDefs.newTree(
ident input.name,
input.typ,
2018-12-21 17:27:09 +00:00
newEmptyNode()
)
2019-08-05 20:08:18 +00:00
procDef[6].add quote do:
`encoder`
return initContractCall[`output`](
`senderName`.web3,
2022-04-07 13:52:36 +00:00
($keccak256.digest(`signature`))[0..<8].toLower & `encodedParams`,
2019-08-05 20:08:18 +00:00
`senderName`.contractAddress)
2018-12-21 17:27:09 +00:00
result.add procDef
2019-01-09 21:55:03 +00:00
of event:
if not obj.eventObject.anonymous:
2019-06-12 16:46:29 +00:00
let callbackIdent = ident "callback"
let jsonIdent = ident "j"
2019-01-09 21:55:03 +00:00
var
params = nnkFormalParams.newTree(newEmptyNode())
paramsWithRawData = nnkFormalParams.newTree(newEmptyNode())
2019-01-09 21:55:03 +00:00
argParseBody = newStmtList()
i = 1
2019-06-12 16:46:29 +00:00
call = nnkCall.newTree(callbackIdent)
callWithRawData = nnkCall.newTree(callbackIdent)
offset = ident "offset"
inputData = ident "inputData"
var offsetInited = false
for input in obj.eventObject.inputs:
let param = nnkIdentDefs.newTree(
2019-01-09 21:55:03 +00:00
ident input.name,
input.typ,
2019-01-09 21:55:03 +00:00
newEmptyNode()
)
params.add param
paramsWithRawData.add param
2019-01-09 21:55:03 +00:00
let
argument = genSym(nskVar)
kind = input.typ
2019-01-09 21:55:03 +00:00
if input.indexed:
argParseBody.add quote do:
var `argument`: `kind`
discard decode(strip0xPrefix(`jsonIdent`["topics"][`i`].getStr), 0, `argument`)
2019-01-09 21:55:03 +00:00
i += 1
else:
if not offsetInited:
argParseBody.add quote do:
var `inputData` = strip0xPrefix(`jsonIdent`["data"].getStr)
var `offset` = 0
offsetInited = true
argParseBody.add quote do:
var `argument`: `kind`
`offset` += decode(`inputData`, `offset`, `argument`)
2019-01-09 21:55:03 +00:00
call.add argument
callWithRawData.add argument
let
eventName = obj.eventObject.name
cbident = ident eventName
procTy = nnkProcTy.newTree(params, newEmptyNode())
signature = getSignature(obj.eventObject)
# generated with dumpAstGen - produces "{.raises: [Defect], gcsafe.}"
let pragmas = nnkPragma.newTree(
nnkExprColonExpr.newTree(
newIdentNode("raises"),
nnkBracket.newTree(
newIdentNode("Defect")
)
),
newIdentNode("gcsafe")
)
procTy[1] = pragmas
2019-09-09 20:51:24 +00:00
callWithRawData.add jsonIdent
paramsWithRawData.add nnkIdentDefs.newTree(
jsonIdent,
bindSym "JsonNode",
newEmptyNode()
)
let procTyWithRawData = nnkProcTy.newTree(paramsWithRawData, newEmptyNode())
procTyWithRawData[1] = pragmas
2019-06-12 16:46:29 +00:00
result.add quote do:
type `cbident`* = object
template eventTopic*(T: type `cbident`): string =
"0x" & toLowerAscii($keccak256.digest(`signature`))
proc subscribe(s: Sender[`cname`],
t: type `cbident`,
options: JsonNode,
`callbackIdent`: `procTy`,
errorHandler: SubscriptionErrorHandler,
withHistoricEvents = true): Future[Subscription] =
let options = addAddressAndSignatureToOptions(options, s.contractAddress, eventTopic(`cbident`))
proc eventHandler(`jsonIdent`: JsonNode) {.gcsafe, raises: [Defect].} =
try:
`argParseBody`
`call`
except CatchableError as err:
errorHandler err[]
s.web3.subscribeForLogs(options, eventHandler, errorHandler, withHistoricEvents)
proc subscribe(s: Sender[`cname`],
t: type `cbident`,
options: JsonNode,
`callbackIdent`: `procTyWithRawData`,
errorHandler: SubscriptionErrorHandler,
withHistoricEvents = true): Future[Subscription] =
let options = addAddressAndSignatureToOptions(options, s.contractAddress, eventTopic(`cbident`))
proc eventHandler(`jsonIdent`: JsonNode) {.gcsafe, raises: [Defect].} =
try:
`argParseBody`
`callWithRawData`
except CatchableError as err:
errorHandler err[]
s.web3.subscribeForLogs(options, eventHandler, errorHandler, withHistoricEvents)
2019-01-09 21:55:03 +00:00
else:
discard
2019-06-12 16:46:29 +00:00
when defined(debugMacros) or defined(debugWeb3Macros):
echo result.repr
proc getJsonLogs*(s: Sender,
EventName: type,
fromBlock, toBlock = none(RtBlockIdentifier),
blockHash = none(BlockHash)): Future[JsonNode] =
mixin eventTopic
var options = newJObject()
options["address"] = %s.contractAddress
var topics = newJArray()
topics.elems.insert(%eventTopic(EventName), 0)
options["topics"] = topics
if blockHash.isSome:
doAssert fromBlock.isNone and toBlock.isNone
options["blockhash"] = %blockHash.unsafeGet
else:
if fromBlock.isSome:
options["fromBlock"] = %fromBlock.unsafeGet
if toBlock.isSome:
options["toBlock"] = %toBlock.unsafeGet
s.web3.provider.eth_getLogs(options)
proc nextNonce*(web3: Web3): Future[Nonce] {.async.} =
if web3.lastKnownNonce.isSome:
inc web3.lastKnownNonce.get
return web3.lastKnownNonce.get
else:
let fromAddress = web3.privateKey.get().toPublicKey().toCanonicalAddress.Address
result = int(await web3.provider.eth_getTransactionCount(fromAddress, "latest"))
web3.lastKnownNonce = some result
2019-08-05 20:08:18 +00:00
proc send*(web3: Web3, c: EthSend): Future[TxHash] {.async.} =
2020-06-21 19:57:43 +00:00
if web3.privateKey.isSome():
2019-08-05 20:08:18 +00:00
var cc = c
if cc.nonce.isNone:
cc.nonce = some(await web3.nextNonce())
2020-06-21 19:57:43 +00:00
let t = "0x" & encodeTransaction(cc, web3.privateKey.get())
2019-08-05 20:08:18 +00:00
return await web3.provider.eth_sendRawTransaction(t)
else:
return await web3.provider.eth_sendTransaction(c)
proc send*(c: ContractCallBase,
value = 0.u256,
gas = 3000000'u64,
gasPrice = 0): Future[TxHash] {.async.} =
let
web3 = c.web3
gasPrice = if web3.privateKey.isSome() or gasPrice != 0: some(gasPrice)
else: none(int)
nonce = if web3.privateKey.isSome(): some(await web3.nextNonce())
else: none(Nonce)
cc = EthSend(
data: "0x" & c.data,
source: web3.defaultAccount,
to: some(c.to),
gas: some(Quantity(gas)),
value: some(value),
nonce: nonce,
gasPrice: gasPrice)
return await web3.send(cc)
2019-08-05 20:08:18 +00:00
proc call*[T](c: ContractCall[T],
value = 0.u256,
gas = 3000000'u64,
blockNumber = high(uint64)): Future[T] {.async.} =
2019-08-05 20:08:18 +00:00
var cc: EthCall
cc.data = some("0x" & c.data)
cc.source = some(c.web3.defaultAccount)
cc.to = c.to
cc.gas = some(Quantity(gas))
cc.value = some(value)
let response = strip0xPrefix:
if blockNumber != high(uint64):
2020-06-24 12:13:36 +00:00
await c.web3.provider.eth_call(cc, &"0x{blockNumber:X}")
else:
await c.web3.provider.eth_call(cc, "latest")
if response.len > 0:
var res: T
discard decode(response, 0, res)
return res
else:
raise newException(CatchableError, "No response from the Web3 provider")
2019-08-05 20:08:18 +00:00
proc getMinedTransactionReceipt*(web3: Web3, tx: TxHash): Future[ReceiptObject] {.async.} =
## Returns the receipt for the transaction. Waits for it to be mined if necessary.
# TODO: Potentially more optimal solution is to subscribe and wait for appropriate
# notification. Now we're just polling every 500ms which should be ok for most cases.
var r: Option[ReceiptObject]
while r.isNone:
r = await web3.provider.eth_getTransactionReceipt(tx)
if r.isNone:
await sleepAsync(500.milliseconds)
result = r.get
2019-08-05 20:08:18 +00:00
proc exec*[T](c: ContractCall[T], value = 0.u256, gas = 3000000'u64): Future[T] {.async.} =
let h = await c.send(value, gas)
let receipt = await c.web3.getMinedTransactionReceipt(h)
2019-08-05 20:08:18 +00:00
# TODO: decode result from receipt
2018-12-21 17:27:09 +00:00
# This call will generate the `cc.data` part to call that contract method in the code below
#sendCoin(fromHex(Stuint[256], "e375b6fb6d0bf0d86707884f3952fee3977251fe"), 600.to(Stuint[256]))
2018-12-21 17:27:09 +00:00
# Set up a JsonRPC call to send a transaction
# The idea here is to let the Web3 object contain the RPC calls, then allow the
# above DSL to create helpers to create the EthSend object and perform the
# transaction. The current idea is to make all this reduce to something like:
# var
# w3 = initWeb3("127.0.0.1", 8545)
# myContract = contract:
# <DSL>
# myContract.sender("0x780bc7b4055941c2cb0ee10510e3fc837eb093c1").sendCoin(
# fromHex(Stuint[256], "e375b6fb6d0bf0d86707884f3952fee3977251fe"),
# 600.to(Stuint[256])
# )
# If the address of the contract on the chain should be part of the DSL or
# dynamically registered is still not decided.
#var cc: EthSend
#cc.source = [0x78.byte, 0x0b, 0xc7, 0xb4, 0x05, 0x59, 0x41, 0xc2, 0xcb, 0x0e, 0xe1, 0x05, 0x10, 0xe3, 0xfc, 0x83, 0x7e, 0xb0, 0x93, 0xc1]
#cc.to = some([0x0a.byte, 0x78, 0xc0, 0x8F, 0x31, 0x4E, 0xB2, 0x5A, 0x35, 0x1B, 0xfB, 0xA9, 0x03,0x21, 0xa6, 0x96, 0x04, 0x74, 0xbD, 0x79])
#cc.data = "0x90b98a11000000000000000000000000e375b6fb6d0bf0d86707884f3952fee3977251FE0000000000000000000000000000000000000000000000000000000000000258"
#var w3 = initWeb3("127.0.0.1", 8545)
#let response = waitFor w3.eth.eth_sendTransaction(cc)
#echo response
2019-08-05 20:08:18 +00:00
proc contractSender*(web3: Web3, T: typedesc, toAddress: Address): Sender[T] =
Sender[T](web3: web3, contractAddress: toAddress)
2019-01-10 11:50:51 +00:00
proc isDeployed*(s: Sender, atBlock: RtBlockIdentifier): Future[bool] {.async.} =
let
codeFut = case atBlock.kind
of bidNumber:
s.web3.provider.eth_getCode(s.contractAddress, atBlock.number)
of bidAlias:
s.web3.provider.eth_getCode(s.contractAddress, atBlock.alias)
code = await codeFut
# TODO: Check that all methods of the contract are present by
# looking for their ABI signatures within the code:
# https://ethereum.stackexchange.com/questions/11856/how-to-detect-from-web3-if-method-exists-on-a-deployed-contract
return code.len > 0
proc subscribe*(s: Sender, t: typedesc, cb: proc): Future[Subscription] {.inline.} =
2020-06-30 12:54:22 +00:00
subscribe(s, t, newJObject(), cb, SubscriptionErrorHandler nil)
2019-01-22 16:38:34 +00:00
proc `$`*(b: Bool): string =
2022-04-07 13:52:36 +00:00
$(StInt[256](b))