276 lines
9.4 KiB
Python
276 lines
9.4 KiB
Python
|
# standard imports
|
||
|
import os
|
||
|
import sys
|
||
|
import logging
|
||
|
import time
|
||
|
import argparse
|
||
|
import sys
|
||
|
import re
|
||
|
import hashlib
|
||
|
import csv
|
||
|
import json
|
||
|
|
||
|
# third-party impotts
|
||
|
import eth_abi
|
||
|
import confini
|
||
|
from hexathon import (
|
||
|
strip_0x,
|
||
|
add_0x,
|
||
|
)
|
||
|
from cic_registry.chain import ChainSpec
|
||
|
from chainsyncer.backend import MemBackend
|
||
|
from chainsyncer.driver import HeadSyncer
|
||
|
from chainlib.eth.connection import HTTPConnection
|
||
|
from chainlib.eth.block import (
|
||
|
block_latest,
|
||
|
block_by_number,
|
||
|
Block,
|
||
|
)
|
||
|
from chainlib.eth.hash import keccak256_string_to_hex
|
||
|
from chainlib.eth.address import to_checksum
|
||
|
from chainlib.eth.erc20 import ERC20TxFactory
|
||
|
from chainlib.eth.gas import DefaultGasOracle
|
||
|
from chainlib.eth.nonce import DefaultNonceOracle
|
||
|
from chainlib.eth.tx import TxFactory
|
||
|
from chainlib.eth.rpc import jsonrpc_template
|
||
|
from chainlib.eth.error import EthException
|
||
|
from crypto_dev_signer.eth.signer import ReferenceSigner as EIP155Signer
|
||
|
from crypto_dev_signer.keystore import DictKeystore
|
||
|
from cic_types.models.person import Person
|
||
|
|
||
|
|
||
|
logging.basicConfig(level=logging.WARNING)
|
||
|
logg = logging.getLogger()
|
||
|
|
||
|
config_dir = '/usr/local/etc/cic-syncer'
|
||
|
|
||
|
argparser = argparse.ArgumentParser(description='daemon that monitors transactions in new blocks')
|
||
|
argparser.add_argument('-p', '--provider', dest='p', type=str, help='chain rpc provider address')
|
||
|
argparser.add_argument('-y', '--key-file', dest='y', type=str, help='Ethereum keystore file to use for signing')
|
||
|
argparser.add_argument('-c', type=str, default=config_dir, help='config root to use')
|
||
|
argparser.add_argument('-i', '--chain-spec', type=str, dest='i', help='chain spec')
|
||
|
argparser.add_argument('-a', '--index-address', type=str, dest='a', help='account index contract address')
|
||
|
argparser.add_argument('-r', '--registry-address', type=str, dest='r', help='CIC Registry address')
|
||
|
argparser.add_argument('--head', action='store_true', help='start at current block height (overrides --offset)')
|
||
|
argparser.add_argument('--env-prefix', default=os.environ.get('CONFINI_ENV_PREFIX'), dest='env_prefix', type=str, help='environment prefix for variables to overwrite configuration')
|
||
|
argparser.add_argument('-q', type=str, default='cic-eth', help='celery queue to submit transaction tasks to')
|
||
|
argparser.add_argument('--offset', type=int, default=0, help='block offset to start syncer from')
|
||
|
argparser.add_argument('-v', help='be verbose', action='store_true')
|
||
|
argparser.add_argument('-vv', help='be more verbose', action='store_true')
|
||
|
argparser.add_argument('user_dir', type=str, help='user export directory')
|
||
|
args = argparser.parse_args(sys.argv[1:])
|
||
|
|
||
|
if args.v == True:
|
||
|
logging.getLogger().setLevel(logging.INFO)
|
||
|
elif args.vv == True:
|
||
|
logging.getLogger().setLevel(logging.DEBUG)
|
||
|
|
||
|
config_dir = os.path.join(args.c)
|
||
|
os.makedirs(config_dir, 0o777, True)
|
||
|
config = confini.Config(config_dir, args.env_prefix)
|
||
|
config.process()
|
||
|
# override args
|
||
|
args_override = {
|
||
|
'CIC_CHAIN_SPEC': getattr(args, 'i'),
|
||
|
'ETH_PROVIDER': getattr(args, 'p'),
|
||
|
'CIC_REGISTRY_ADDRESS': getattr(args, 'r'),
|
||
|
}
|
||
|
config.dict_override(args_override, 'cli flag')
|
||
|
config.censor('PASSWORD', 'DATABASE')
|
||
|
config.censor('PASSWORD', 'SSL')
|
||
|
logg.debug('config loaded from {}:\n{}'.format(config_dir, config))
|
||
|
|
||
|
#app = celery.Celery(backend=config.get('CELERY_RESULT_URL'), broker=config.get('CELERY_BROKER_URL'))
|
||
|
|
||
|
signer_address = None
|
||
|
keystore = DictKeystore()
|
||
|
if args.y != None:
|
||
|
logg.debug('loading keystore file {}'.format(args.y))
|
||
|
signer_address = keystore.import_keystore_file(args.y)
|
||
|
logg.debug('now have key for signer address {}'.format(signer_address))
|
||
|
signer = EIP155Signer(keystore)
|
||
|
|
||
|
queue = args.q
|
||
|
chain_str = config.get('CIC_CHAIN_SPEC')
|
||
|
block_offset = 0
|
||
|
if args.head:
|
||
|
block_offset = -1
|
||
|
else:
|
||
|
block_offset = args.offset
|
||
|
account_index_address = args.a
|
||
|
|
||
|
chain_spec = ChainSpec.from_chain_str(chain_str)
|
||
|
|
||
|
user_dir = args.user_dir # user_out_dir from import_users.py
|
||
|
|
||
|
|
||
|
class Handler:
|
||
|
|
||
|
account_index_add_signature = keccak256_string_to_hex('add(address)')[:8]
|
||
|
|
||
|
def __init__(self, conn, user_dir, addresses, balances, token_address):
|
||
|
self.conn = conn
|
||
|
self.token_address = token_address
|
||
|
self.user_dir = user_dir
|
||
|
self.addresses = addresses
|
||
|
self.balances = balances
|
||
|
|
||
|
|
||
|
def name(self):
|
||
|
return 'balance_handler'
|
||
|
|
||
|
|
||
|
def handle(self, getter, block, tx):
|
||
|
try:
|
||
|
if tx.payload[:8] == self.account_index_add_signature:
|
||
|
recipient = eth_abi.decode_single('address', bytes.fromhex(tx.payload[-64:]))
|
||
|
original_address = to_checksum(self.addresses[to_checksum(recipient)])
|
||
|
user_file = '{}/{}/{}.json'.format(
|
||
|
recipient[2:4].upper(),
|
||
|
recipient[4:6].upper(),
|
||
|
recipient[2:].upper(),
|
||
|
)
|
||
|
filepath = os.path.join(self.user_dir, user_file)
|
||
|
f = open(filepath, 'r')
|
||
|
o = json.load(f)
|
||
|
f.close()
|
||
|
u = Person(o)
|
||
|
balance = self.balances[original_address]
|
||
|
logg.info('registered {} originally {} ({}) tx hash {} balance {}'.format(recipient, original_address, u, tx.hash, balance))
|
||
|
|
||
|
(tx_hash_hex, o) = getter.tx_factory.erc20_transfer(self.token_address, signer_address, recipient, balance)
|
||
|
logg.info('submitting erc20 transfer tx {} for recipient {}'.format(tx_hash_hex, recipient))
|
||
|
r = self.conn.do(o)
|
||
|
except TypeError:
|
||
|
pass
|
||
|
except IndexError:
|
||
|
pass
|
||
|
except EthException as e:
|
||
|
logg.error('send error {}'.format(e).ljust(200))
|
||
|
#except KeyError as e:
|
||
|
# logg.error('key error {}'.format(e).ljust(200))
|
||
|
|
||
|
|
||
|
class BlockGetter:
|
||
|
|
||
|
def __init__(self, conn, gas_oracle, nonce_oracle, chain_id):
|
||
|
self.conn = conn
|
||
|
self.tx_factory = ERC20TxFactory(signer=signer, gas_oracle=gas_oracle, nonce_oracle=nonce_oracle, chain_id=chain_id)
|
||
|
|
||
|
|
||
|
def get(self, n):
|
||
|
o = block_by_number(n)
|
||
|
r = self.conn.do(o)
|
||
|
b = None
|
||
|
try:
|
||
|
b = Block(r)
|
||
|
except TypeError as e:
|
||
|
if r == None:
|
||
|
logg.debug('block not found {}'.format(n))
|
||
|
else:
|
||
|
logg.error('block retrieve error {}'.format(e))
|
||
|
return b
|
||
|
|
||
|
|
||
|
def progress_callback(s, block_number, tx_index):
|
||
|
sys.stdout.write(s.ljust(200) + "\r")
|
||
|
|
||
|
|
||
|
|
||
|
def main():
|
||
|
global chain_str, block_offset, user_dir
|
||
|
|
||
|
conn = HTTPConnection(config.get('ETH_PROVIDER'))
|
||
|
gas_oracle = DefaultGasOracle(conn)
|
||
|
nonce_oracle = DefaultNonceOracle(signer_address, conn)
|
||
|
|
||
|
# Get Token registry address
|
||
|
txf = TxFactory(signer=signer, gas_oracle=gas_oracle, nonce_oracle=None, chain_id=chain_spec.chain_id())
|
||
|
tx = txf.template(signer_address, config.get('CIC_REGISTRY_ADDRESS'))
|
||
|
|
||
|
registry_addressof_method = keccak256_string_to_hex('addressOf(bytes32)')[:8]
|
||
|
data = add_0x(registry_addressof_method)
|
||
|
data += eth_abi.encode_single('bytes32', b'TokenRegistry').hex()
|
||
|
txf.set_code(tx, data)
|
||
|
|
||
|
o = jsonrpc_template()
|
||
|
o['method'] = 'eth_call'
|
||
|
o['params'].append(txf.normalize(tx))
|
||
|
o['params'].append('latest')
|
||
|
r = conn.do(o)
|
||
|
token_index_address = to_checksum(eth_abi.decode_single('address', bytes.fromhex(strip_0x(r))))
|
||
|
logg.info('found token index address {}'.format(token_index_address))
|
||
|
|
||
|
|
||
|
# Get Sarafu token address
|
||
|
tx = txf.template(signer_address, token_index_address)
|
||
|
data = add_0x(registry_addressof_method)
|
||
|
h = hashlib.new('sha256')
|
||
|
h.update(b'SRF')
|
||
|
z = h.digest()
|
||
|
data += eth_abi.encode_single('bytes32', z).hex()
|
||
|
txf.set_code(tx, data)
|
||
|
o = jsonrpc_template()
|
||
|
o['method'] = 'eth_call'
|
||
|
o['params'].append(txf.normalize(tx))
|
||
|
o['params'].append('latest')
|
||
|
r = conn.do(o)
|
||
|
print('r {}'.format(r))
|
||
|
sarafu_token_address = to_checksum(eth_abi.decode_single('address', bytes.fromhex(strip_0x(r))))
|
||
|
logg.info('found token address {}'.format(sarafu_token_address))
|
||
|
|
||
|
|
||
|
getter = BlockGetter(conn, gas_oracle, nonce_oracle, chain_spec.chain_id())
|
||
|
syncer_backend = MemBackend(chain_str, 0)
|
||
|
|
||
|
if block_offset == -1:
|
||
|
o = block_latest()
|
||
|
r = conn.do(o)
|
||
|
block_offset = int(strip_0x(r), 16) + 1
|
||
|
|
||
|
addresses = {}
|
||
|
f = open('{}/addresses.csv'.format(user_dir, 'r'))
|
||
|
while True:
|
||
|
l = f.readline()
|
||
|
if l == None:
|
||
|
break
|
||
|
r = l.split(',')
|
||
|
try:
|
||
|
k = r[0]
|
||
|
v = r[1].rstrip()
|
||
|
addresses[k] = v
|
||
|
sys.stdout.write('loading address mapping {} -> {}'.format(k, v).ljust(200) + "\r")
|
||
|
except IndexError as e:
|
||
|
break
|
||
|
f.close()
|
||
|
|
||
|
balances = {}
|
||
|
f = open('{}/balances.csv'.format(user_dir, 'r'))
|
||
|
remove_zeros = 10**12
|
||
|
i = 0
|
||
|
while True:
|
||
|
l = f.readline()
|
||
|
if l == None:
|
||
|
break
|
||
|
r = l.split(',')
|
||
|
try:
|
||
|
address = to_checksum(r[0])
|
||
|
sys.stdout.write('loading balance {} {}'.format(i, address).ljust(200) + "\r")
|
||
|
except ValueError:
|
||
|
break
|
||
|
balance = int(int(r[1].rstrip()) / remove_zeros)
|
||
|
balances[address] = balance
|
||
|
i += 1
|
||
|
|
||
|
f.close()
|
||
|
|
||
|
syncer_backend.set(block_offset, 0)
|
||
|
syncer = HeadSyncer(syncer_backend, progress_callback=progress_callback)
|
||
|
handler = Handler(conn, user_dir, addresses, balances, sarafu_token_address)
|
||
|
syncer.add_filter(handler)
|
||
|
syncer.loop(1, getter)
|
||
|
|
||
|
|
||
|
if __name__ == '__main__':
|
||
|
main()
|