Compare commits
25 Commits
lash/chain
...
v0.3.0
| Author | SHA1 | Date | |
|---|---|---|---|
|
|
ca059c5b30
|
||
|
|
30172798c0
|
||
|
|
df02af8b6d
|
||
|
|
0a44ceb364
|
||
|
|
f49e4149fd
|
||
|
|
7c0df3b967
|
||
|
|
acbbebd8da
|
||
|
|
96f58c5f41
|
||
|
|
0707291f8f
|
||
|
|
ed7f0a3f71
|
||
|
|
2fc3d4da0c
|
||
|
|
5fc27671da
|
||
|
|
8f86e9c970
|
||
|
|
abc619d7b2
|
||
|
|
42aa809500
|
||
|
|
e31367853c
|
||
|
|
9522729fa0
|
||
|
|
097a6f4b53
|
||
|
|
8d0a1f589b
|
||
|
|
24a71b6c7f
|
||
|
|
b893aaa7b1
|
||
|
|
ab1977b802
|
||
|
|
3d39fea7f8
|
||
|
|
b19b948be3
|
||
|
|
f961345652
|
1
.gitignore
vendored
1
.gitignore
vendored
@@ -6,3 +6,4 @@ build/
|
||||
*.egg-info
|
||||
*.sqlite
|
||||
.coverage
|
||||
.chaind
|
||||
|
||||
@@ -21,7 +21,6 @@ class Normalizer(TxHexNormalizer, NoopNormalizer):
|
||||
hexathon.to_int(v)
|
||||
|
||||
|
||||
|
||||
eth_normalizer = Normalizer()
|
||||
|
||||
|
||||
|
||||
@@ -2,6 +2,7 @@
|
||||
from chainlib.interface import ChainInterface
|
||||
from chainlib.eth.block import (
|
||||
block_by_number,
|
||||
block_latest,
|
||||
Block,
|
||||
)
|
||||
from chainlib.eth.tx import (
|
||||
@@ -16,3 +17,4 @@ class EthChainInterface(ChainInterface):
|
||||
self._block_from_src = Block.from_src
|
||||
self._tx_receipt = receipt
|
||||
self._src_normalize = Tx.src_normalize
|
||||
self._block_latest = block_latest
|
||||
|
||||
@@ -5,12 +5,5 @@ id =
|
||||
data_dir =
|
||||
dispatch_delay = 0.01
|
||||
|
||||
[database]
|
||||
engine =
|
||||
name = chaind
|
||||
driver =
|
||||
user =
|
||||
password =
|
||||
host =
|
||||
port =
|
||||
debug = 0
|
||||
[tx]
|
||||
digest_size = 32
|
||||
|
||||
165
chaind/eth/runnable/queuer.py
Normal file
165
chaind/eth/runnable/queuer.py
Normal file
@@ -0,0 +1,165 @@
|
||||
# standard imports
|
||||
import os
|
||||
import logging
|
||||
import signal
|
||||
|
||||
# external imports
|
||||
import chainlib.eth.cli
|
||||
from chainlib.eth.cli.arg import (
|
||||
Arg,
|
||||
ArgFlag,
|
||||
process_args,
|
||||
)
|
||||
from chainlib.eth.cli.config import (
|
||||
Config,
|
||||
process_config,
|
||||
)
|
||||
from chainqueue.cli.arg import (
|
||||
apply_arg as apply_arg_queue,
|
||||
apply_flag as apply_flag_queue,
|
||||
)
|
||||
from chaind.cli.arg import (
|
||||
apply_arg,
|
||||
apply_flag,
|
||||
)
|
||||
from chaind.session import SessionController
|
||||
from chaind.setup import Environment
|
||||
from chaind.error import (
|
||||
NothingToDoError,
|
||||
ClientGoneError,
|
||||
ClientBlockError,
|
||||
ClientInputError,
|
||||
)
|
||||
from chainqueue import (
|
||||
Store,
|
||||
Status,
|
||||
)
|
||||
from chainqueue.error import DuplicateTxError
|
||||
from chainqueue.store.fs import (
|
||||
IndexStore,
|
||||
CounterStore,
|
||||
)
|
||||
from chainqueue.cache import CacheTokenTx
|
||||
from chainlib.encode import TxHexNormalizer
|
||||
from chainlib.chain import ChainSpec
|
||||
from chaind.adapters.fs import ChaindFsAdapter
|
||||
from chaind.dispatch import DispatchProcessor
|
||||
from chainqueue.data import config_dir as chainqueue_config_dir
|
||||
from chaind.data import config_dir as chaind_config_dir
|
||||
from chainlib.eth.cli.log import process_log
|
||||
from chaind.cli.config import process_config as process_config_local
|
||||
|
||||
# local imports
|
||||
from chaind.eth.cache import EthCacheTx
|
||||
from chaind.eth.settings import ChaindSettings
|
||||
from chaind.eth.dispatch import EthDispatcher
|
||||
from chaind.eth.settings import process_settings
|
||||
from chaind.settings import (
|
||||
process_queue,
|
||||
process_socket,
|
||||
process_dispatch,
|
||||
)
|
||||
|
||||
logging.basicConfig(level=logging.WARNING)
|
||||
logg = logging.getLogger()
|
||||
|
||||
script_dir = os.path.dirname(os.path.realpath(__file__))
|
||||
config_dir = os.path.join(script_dir, '..', 'data', 'config')
|
||||
|
||||
env = Environment(domain='eth', env=os.environ)
|
||||
|
||||
arg_flags = ArgFlag()
|
||||
arg_flags = apply_flag_queue(arg_flags)
|
||||
arg_flags = apply_flag(arg_flags)
|
||||
|
||||
arg = Arg(arg_flags)
|
||||
arg = apply_arg_queue(arg)
|
||||
arg = apply_arg(arg)
|
||||
|
||||
flags = arg_flags.STD_READ | arg_flags.QUEUE | arg_flags.STATE | arg_flags.SESSION
|
||||
|
||||
argparser = chainlib.eth.cli.ArgumentParser()
|
||||
argparser = process_args(argparser, arg, flags)
|
||||
args = argparser.parse_args()
|
||||
|
||||
logg = process_log(args, logg)
|
||||
|
||||
config = Config()
|
||||
config.add_schema_dir(chainqueue_config_dir)
|
||||
config.add_schema_dir(chaind_config_dir)
|
||||
config = process_config(config, arg, args, flags)
|
||||
config = process_config_local(config, arg, args, flags)
|
||||
config.add('eth', 'CHAIND_ENGINE', False)
|
||||
config.add('sync', 'CHAIND_COMPONENT', False)
|
||||
logg.debug('config loaded:\n{}'.format(config))
|
||||
|
||||
settings = ChaindSettings(include_sync=True)
|
||||
settings = process_settings(settings, config)
|
||||
settings = process_queue(settings, config)
|
||||
settings = process_socket(settings, config)
|
||||
settings = process_dispatch(settings, config)
|
||||
logg.debug('settings loaded:\n{}'.format(settings))
|
||||
|
||||
tx_normalizer = TxHexNormalizer().tx_hash
|
||||
token_cache_store = CacheTokenTx(settings.get('CHAIN_SPEC'), normalizer=tx_normalizer)
|
||||
|
||||
dispatcher = EthDispatcher(settings.get('CONN'))
|
||||
processor = DispatchProcessor(settings.get('CHAIN_SPEC'), settings.dir_for('queue'), dispatcher)
|
||||
ctrl = SessionController(settings, processor.process)
|
||||
|
||||
signal.signal(signal.SIGINT, ctrl.shutdown)
|
||||
signal.signal(signal.SIGTERM, ctrl.shutdown)
|
||||
|
||||
logg.info('session id is ' + settings.get('SESSION_ID'))
|
||||
logg.info('session socket path is ' + settings.get('SESSION_SOCKET_PATH'))
|
||||
|
||||
|
||||
def main():
|
||||
global dispatcher, settings
|
||||
|
||||
queue_adapter = ChaindFsAdapter(
|
||||
settings.get('CHAIN_SPEC'),
|
||||
settings.dir_for('queue'),
|
||||
EthCacheTx,
|
||||
dispatcher,
|
||||
store_sync=False,
|
||||
)
|
||||
|
||||
while True:
|
||||
v = None
|
||||
client_socket = None
|
||||
try:
|
||||
(client_socket, v) = ctrl.get()
|
||||
except ClientGoneError:
|
||||
break
|
||||
except ClientBlockError:
|
||||
continue
|
||||
except ClientInputError:
|
||||
continue
|
||||
except NothingToDoError:
|
||||
pass
|
||||
|
||||
if v == None:
|
||||
ctrl.process(settings.get('CONN'))
|
||||
#queue_adapter = create_adapter(settings, dispatcher)
|
||||
continue
|
||||
|
||||
result_data = None
|
||||
r = 0 # no error
|
||||
try:
|
||||
result_data = queue_adapter.put(v.hex())
|
||||
except DuplicateTxError as e:
|
||||
logg.error('tx already exists: {}'.format(e))
|
||||
r = 1
|
||||
except ValueError as e:
|
||||
logg.error('adapter rejected input {}: "{}"'.format(v.hex(), e))
|
||||
continue
|
||||
|
||||
if r == 0:
|
||||
queue_adapter.enqueue(result_data)
|
||||
|
||||
ctrl.respond_put(client_socket, r, extra_data=result_data)
|
||||
|
||||
|
||||
if __name__ == '__main__':
|
||||
main()
|
||||
@@ -10,13 +10,40 @@ import socket
|
||||
|
||||
# external imports
|
||||
import chainlib.eth.cli
|
||||
from chainlib.eth.cli.arg import (
|
||||
Arg,
|
||||
ArgFlag,
|
||||
process_args,
|
||||
)
|
||||
from chainlib.eth.cli.config import (
|
||||
Config,
|
||||
process_config,
|
||||
)
|
||||
from chaind.setup import Environment
|
||||
from chainlib.eth.gas import price
|
||||
from chainlib.chain import ChainSpec
|
||||
from hexathon import strip_0x
|
||||
from chainqueue.cli.arg import (
|
||||
apply_arg as apply_arg_queue,
|
||||
apply_flag as apply_flag_queue,
|
||||
)
|
||||
from chainqueue.data import config_dir as chainqueue_config_dir
|
||||
from chaind.data import config_dir as chaind_config_dir
|
||||
from chaind.cli.arg import (
|
||||
apply_arg,
|
||||
apply_flag,
|
||||
)
|
||||
from chainlib.eth.cli.log import process_log
|
||||
from chaind.settings import process_queue
|
||||
from chaind.settings import ChaindSettings
|
||||
from chaind.error import TxSourceError
|
||||
from chainlib.error import (
|
||||
InitializationError,
|
||||
SignerMissingException,
|
||||
)
|
||||
from chaind.cli.config import process_config as process_config_local
|
||||
|
||||
# local imports
|
||||
from chaind.error import TxSourceError
|
||||
from chaind.eth.token.process import Processor
|
||||
from chaind.eth.token.gas import GasTokenResolver
|
||||
from chaind.eth.cli.csv import CSVProcessor
|
||||
@@ -24,53 +51,73 @@ from chaind.eth.cli.output import (
|
||||
Outputter,
|
||||
OpMode,
|
||||
)
|
||||
from chaind.eth.settings import process_settings
|
||||
|
||||
logging.basicConfig(level=logging.WARNING)
|
||||
logg = logging.getLogger()
|
||||
|
||||
script_dir = os.path.dirname(os.path.realpath(__file__))
|
||||
config_dir = os.path.join(script_dir, '..', 'data', 'config')
|
||||
|
||||
def process_settings_local(settings, config):
|
||||
# if settings.get('SIGNER') == None:
|
||||
# raise SignerMissingException('signer missing')
|
||||
return settings
|
||||
|
||||
|
||||
arg_flags = chainlib.eth.cli.argflag_std_write
|
||||
argparser = chainlib.eth.cli.ArgumentParser(arg_flags)
|
||||
argparser.add_argument('--socket', dest='socket', type=str, help='Socket to send transactions to')
|
||||
argparser.add_argument('--token-module', dest='token_module', type=str, help='Python module path to resolve tokens from identifiers')
|
||||
argparser.add_positional('source', required=False, type=str, help='Transaction source file')
|
||||
env = Environment(domain='eth', env=os.environ)
|
||||
|
||||
arg_flags = ArgFlag()
|
||||
arg_flags = apply_flag_queue(arg_flags)
|
||||
arg_flags = apply_flag(arg_flags)
|
||||
|
||||
arg = Arg(arg_flags)
|
||||
arg = apply_arg_queue(arg)
|
||||
arg = apply_arg(arg)
|
||||
arg.set_long('s', 'send-rpc')
|
||||
|
||||
flags = arg_flags.STD_WRITE | arg_flags.TOKEN | arg_flags.SOCKET_CLIENT | arg_flags.STATE | arg_flags.WALLET | arg_flags.SESSION
|
||||
|
||||
argparser = chainlib.eth.cli.ArgumentParser()
|
||||
argparser = process_args(argparser, arg, flags)
|
||||
argparser.add_argument('source', help='Transaction source file')
|
||||
args = argparser.parse_args()
|
||||
|
||||
extra_args = {
|
||||
'socket': None,
|
||||
'source': None,
|
||||
}
|
||||
env = Environment(domain='eth', env=os.environ)
|
||||
config = chainlib.eth.cli.Config.from_args(args, arg_flags, extra_args=extra_args, base_config_dir=config_dir)
|
||||
config.add(args.token_module, 'TOKEN_MODULE', True)
|
||||
logg = process_log(args, logg)
|
||||
|
||||
wallet = chainlib.eth.cli.Wallet()
|
||||
wallet.from_config(config)
|
||||
config = Config()
|
||||
config.add_schema_dir(chainqueue_config_dir)
|
||||
config.add_schema_dir(chaind_config_dir)
|
||||
config = process_config(config, arg, args, flags)
|
||||
config = process_config_local(config, arg, args, flags)
|
||||
config.add(args.source, '_SOURCE', False)
|
||||
config.add('queue', 'CHAIND_COMPONENT', False)
|
||||
config.add('eth', 'CHAIND_ENGINE', False)
|
||||
logg.debug('config loaded:\n{}'.format(config))
|
||||
|
||||
rpc = chainlib.eth.cli.Rpc(wallet=wallet)
|
||||
conn = rpc.connect_by_config(config)
|
||||
|
||||
chain_spec = ChainSpec.from_chain_str(config.get('CHAIN_SPEC'))
|
||||
try:
|
||||
settings = ChaindSettings(include_sync=True)
|
||||
settings = process_settings(settings, config)
|
||||
settings = process_queue(settings, config)
|
||||
settings = process_settings_local(settings, config)
|
||||
except InitializationError as e:
|
||||
sys.stderr.write('Initialization error: ' + str(e) + '\n')
|
||||
sys.exit(1)
|
||||
logg.debug('settings loaded:\n{}'.format(settings))
|
||||
|
||||
mode = OpMode.STDOUT
|
||||
|
||||
re_unix = r'^ipc://(/.+)'
|
||||
m = re.match(re_unix, config.get('_SOCKET', ''))
|
||||
m = re.match(re_unix, config.get('SESSION_SOCKET_PATH', ''))
|
||||
if m != None:
|
||||
config.add(m.group(1), '_SOCKET', exists_ok=True)
|
||||
config.add(m.group(1), 'SESSION_SOCKET_PATH', exists_ok=True)
|
||||
r = 0
|
||||
try:
|
||||
stat_info = os.stat(config.get('_SOCKET'))
|
||||
stat_info = os.stat(config.get('SESSION_SOCKET_PATH'))
|
||||
if not stat.S_ISSOCK(stat_info.st_mode):
|
||||
r = 1
|
||||
except FileNotFoundError:
|
||||
r = 1
|
||||
|
||||
if r > 0:
|
||||
sys.stderr.write('{} is not a socket\n'.format(config.get('_SOCKET')))
|
||||
sys.stderr.write('{} is not a socket\n'.format(config.get('SESSION_SOCKET_PATH')))
|
||||
sys.exit(1)
|
||||
|
||||
mode = OpMode.UNIX
|
||||
@@ -82,18 +129,46 @@ if config.get('_SOURCE') == None:
|
||||
sys.exit(1)
|
||||
|
||||
|
||||
class SocketSender:
|
||||
|
||||
def __init__(self, settings):
|
||||
self.path = settings.get('SESSION_SOCKET_PATH')
|
||||
|
||||
def send(self, tx):
|
||||
s = socket.socket(socket.AF_UNIX, socket.SOCK_STREAM)
|
||||
err = None
|
||||
try:
|
||||
s.connect(self.path)
|
||||
except FileNotFoundError as e:
|
||||
err = e
|
||||
if err != None:
|
||||
s.close()
|
||||
raise err
|
||||
s.sendall(tx.encode('utf-8'))
|
||||
r = s.recv(68)
|
||||
s.close()
|
||||
return r
|
||||
|
||||
|
||||
def main():
|
||||
conn = settings.get('CONN')
|
||||
token_resolver = None
|
||||
if config.get('TOKEN_MODULE') != None:
|
||||
if settings.get('TOKEN_MODULE') != None:
|
||||
import importlib
|
||||
m = importlib.import_module(config.get('TOKEN_MODULE'))
|
||||
m = importlib.import_module(settings.get('TOKEN_MODULE'))
|
||||
m = m.TokenResolver
|
||||
else:
|
||||
from chaind.eth.token.gas import GasTokenResolver
|
||||
m = GasTokenResolver
|
||||
token_resolver = m(chain_spec, rpc.get_sender_address(), rpc.get_signer(), rpc.get_gas_oracle(), rpc.get_nonce_oracle())
|
||||
token_resolver = m(
|
||||
settings.get('CHAIN_SPEC'),
|
||||
settings.get('SENDER_ADDRESS'),
|
||||
settings.get('SIGNER'),
|
||||
settings.get('GAS_ORACLE'),
|
||||
settings.get('NONCE_ORACLE'),
|
||||
)
|
||||
|
||||
processor = Processor(token_resolver, config.get('_SOURCE'))
|
||||
processor = Processor(token_resolver, config.get('_SOURCE'), use_checksum=not config.get('_UNSAFE'))
|
||||
processor.add_processor(CSVProcessor())
|
||||
|
||||
sends = None
|
||||
@@ -103,6 +178,11 @@ def main():
|
||||
sys.stderr.write('processing error: {}. processors: {}\n'.format(str(e), str(processor)))
|
||||
sys.exit(1)
|
||||
|
||||
sender = None
|
||||
if config.true('_SOCKET_SEND'):
|
||||
if settings.get('SESSION_SOCKET_PATH') != None:
|
||||
sender = SocketSender(settings)
|
||||
|
||||
tx_iter = iter(processor)
|
||||
out = Outputter(mode)
|
||||
while True:
|
||||
@@ -112,6 +192,14 @@ def main():
|
||||
except StopIteration:
|
||||
break
|
||||
tx_hex = tx_bytes.hex()
|
||||
if sender != None:
|
||||
r = None
|
||||
try:
|
||||
r = sender.send(tx_hex)
|
||||
except FileNotFoundError as e:
|
||||
sys.stderr.write('send to socket {} failed: {}\n'.format(sender.path, e))
|
||||
sys.exit(1)
|
||||
logg.info('sent {} result {}'.format(tx_hex, r))
|
||||
print(out.do(tx_hex))
|
||||
|
||||
|
||||
|
||||
@@ -6,19 +6,43 @@ import logging
|
||||
import chainlib.eth.cli
|
||||
from chaind.setup import Environment
|
||||
from chaind.filter import StateFilter
|
||||
from chaind.adapters.fs import ChaindFsAdapter
|
||||
from chainlib.eth.block import block_latest
|
||||
from chainlib.eth.connection import EthHTTPConnection
|
||||
from chainlib.chain import ChainSpec
|
||||
from hexathon import strip_0x
|
||||
from chainsyncer.store.fs import SyncFsStore
|
||||
from chainsyncer.driver.chain_interface import ChainInterfaceDriver
|
||||
from chainsyncer.error import SyncDone
|
||||
from chainlib.eth.cli.arg import (
|
||||
Arg,
|
||||
ArgFlag,
|
||||
process_args,
|
||||
)
|
||||
from chainlib.eth.cli.config import (
|
||||
Config,
|
||||
process_config,
|
||||
)
|
||||
from chainsyncer.cli.arg import (
|
||||
apply_arg as apply_arg_sync,
|
||||
apply_flag as apply_flag_sync,
|
||||
)
|
||||
from chainsyncer.data import config_dir as chainsyncer_config_dir
|
||||
from chaind.data import config_dir as chaind_config_dir
|
||||
from chaind.cli.arg import (
|
||||
apply_arg,
|
||||
apply_flag,
|
||||
)
|
||||
from chainlib.eth.cli.log import process_log
|
||||
from chaind.settings import ChaindSettings
|
||||
from chaind.cli.config import process_config as process_config_local
|
||||
from chainsyncer.cli.config import process_config as process_config_syncer
|
||||
|
||||
# local imports
|
||||
from chaind.eth.cache import EthCacheTx
|
||||
from chaind.eth.chain import EthChainInterface
|
||||
from chaind.eth.settings import (
|
||||
process_settings,
|
||||
process_sync,
|
||||
)
|
||||
|
||||
|
||||
logging.basicConfig(level=logging.WARNING)
|
||||
logg = logging.getLogger()
|
||||
|
||||
script_dir = os.path.dirname(os.path.realpath(__file__))
|
||||
@@ -26,91 +50,52 @@ config_dir = os.path.join(script_dir, '..', 'data', 'config')
|
||||
|
||||
env = Environment(domain='eth', env=os.environ)
|
||||
|
||||
arg_flags = chainlib.eth.cli.argflag_std_read
|
||||
argparser = chainlib.eth.cli.ArgumentParser(arg_flags)
|
||||
argparser.add_argument('--data-dir', type=str, help='data directory')
|
||||
argparser.add_argument('--runtime-dir', type=str, help='runtime directory')
|
||||
argparser.add_argument('--session-id', dest='session_id', type=str, help='session identifier')
|
||||
argparser.add_argument('--dispatch-delay', dest='dispatch_delay', type=float, help='socket timeout before processing queue')
|
||||
argparser.add_argument('--offset', type=int, default=0, help='Start sync on this block')
|
||||
argparser.add_argument('--until', type=int, default=0, help='Terminate sync on this block')
|
||||
argparser.add_argument('--head', action='store_true', help='Start at current block height (overrides --offset, assumes --keep-alive)')
|
||||
argparser.add_argument('--keep-alive', action='store_true', dest='keep_alive', help='Continue to sync head after history sync complete')
|
||||
arg_flags = ArgFlag()
|
||||
arg_flags = apply_flag_sync(arg_flags)
|
||||
arg_flags = apply_flag(arg_flags)
|
||||
|
||||
arg = Arg(arg_flags)
|
||||
arg = apply_arg_sync(arg)
|
||||
arg = apply_arg(arg)
|
||||
|
||||
flags = arg_flags.STD_BASE | arg_flags.CHAIN_SPEC | arg_flags.PROVIDER | arg_flags.SEQ | arg_flags.STATE
|
||||
flags = arg_flags.more(flags, arg_flags.SYNC_RANGE_EXT)
|
||||
flags = arg_flags.more(flags, arg_flags.CHAIND_BASE)
|
||||
|
||||
argparser = chainlib.eth.cli.ArgumentParser()
|
||||
argparser = process_args(argparser, arg, flags)
|
||||
args = argparser.parse_args()
|
||||
extra_args = {
|
||||
'runtime_dir': 'SESSION_RUNTIME_DIR',
|
||||
'data_dir': 'SESSION_DATA_DIR',
|
||||
'session_id': 'SESSION_ID',
|
||||
'dispatch_delay': 'SESSION_DISPATCH_DELAY',
|
||||
}
|
||||
config = chainlib.eth.cli.Config.from_args(args, arg_flags, extra_args=extra_args, base_config_dir=config_dir)
|
||||
|
||||
logg.debug('session id {} {}'.format(type(config.get('SESSION_ID')), config.get('SESSION_ID')))
|
||||
if config.get('SESSION_ID') == None:
|
||||
config.add(env.session, 'SESSION_ID', exists_ok=True)
|
||||
if config.get('SESSION_RUNTIME_DIR') == None:
|
||||
config.add(env.runtime_dir, 'SESSION_RUNTIME_DIR', exists_ok=True)
|
||||
if config.get('SESSION_DATA_DIR') == None:
|
||||
config.add(env.data_dir, 'SESSION_DATA_DIR', exists_ok=True)
|
||||
if not config.get('SESSION_SOCKET_PATH'):
|
||||
socket_path = os.path.join(config.get('SESSION_RUNTIME_DIR'), config.get('SESSION_ID'), 'chaind.sock')
|
||||
config.add(socket_path, 'SESSION_SOCKET_PATH', True)
|
||||
config.add(args.keep_alive, '_KEEP_ALIVE', True)
|
||||
config.add(args.head, '_HEAD', True)
|
||||
config.add(args.offset, '_SYNC_OFFSET', True)
|
||||
logg = process_log(args, logg)
|
||||
|
||||
config = Config()
|
||||
config.add_schema_dir(chainsyncer_config_dir)
|
||||
config.add_schema_dir(chaind_config_dir)
|
||||
config = process_config(config, arg, args, flags)
|
||||
config = process_config_local(config, arg, args, flags)
|
||||
config = process_config_syncer(config, arg, args, flags)
|
||||
config.add('eth', 'CHAIND_ENGINE', False)
|
||||
config.add('sync', 'CHAIND_COMPONENT', False)
|
||||
logg.debug('config loaded:\n{}'.format(config))
|
||||
|
||||
chain_spec = ChainSpec.from_chain_str(config.get('CHAIN_SPEC'))
|
||||
|
||||
conn = EthHTTPConnection(url=config.get('RPC_PROVIDER'), chain_spec=chain_spec)
|
||||
settings = ChaindSettings(include_sync=True)
|
||||
settings = process_settings(settings, config)
|
||||
settings = process_sync(settings, config)
|
||||
logg.debug('settings loaded:\n{}'.format(settings))
|
||||
|
||||
|
||||
def main():
|
||||
o = block_latest()
|
||||
r = conn.do(o)
|
||||
block_offset = int(strip_0x(r), 16) + 1
|
||||
logg.info('network block height is {}'.format(block_offset))
|
||||
|
||||
keep_alive = False
|
||||
session_block_offset = 0
|
||||
block_limit = 0
|
||||
if args.head:
|
||||
session_block_offset = block_offset
|
||||
block_limit = -1
|
||||
keep_alive = True
|
||||
else:
|
||||
session_block_offset = args.offset
|
||||
|
||||
if args.until > 0:
|
||||
if not args.head and args.until <= session_block_offset:
|
||||
raise ValueError('sync termination block number must be later than offset ({} >= {})'.format(session_block_offset, args.until))
|
||||
block_limit = args.until
|
||||
elif config.true('_KEEP_ALIVE'):
|
||||
keep_alive=True
|
||||
block_limit = -1
|
||||
|
||||
if session_block_offset == -1:
|
||||
session_block_offset = block_offset
|
||||
elif not config.true('_KEEP_ALIVE'):
|
||||
if block_limit == 0:
|
||||
block_limit = block_offset
|
||||
|
||||
queue_adapter = ChaindFsAdapter(
|
||||
chain_spec,
|
||||
config.get('SESSION_DATA_DIR'),
|
||||
EthCacheTx,
|
||||
None,
|
||||
)
|
||||
fltr = StateFilter(queue_adapter)
|
||||
sync_store = SyncFsStore(config.get('SESSION_RUNTIME_DIR'), session_id=config.get('SESSION_ID'))
|
||||
fltr = StateFilter(settings.get('CHAIN_SPEC'), settings.dir_for('queue'), EthCacheTx)
|
||||
sync_store = SyncFsStore(settings.get('SESSION_DATA_PATH'), session_id=settings.get('SESSION_ID'))
|
||||
sync_store.register(fltr)
|
||||
|
||||
logg.debug('session block ofset {}'.format(session_block_offset))
|
||||
logg.debug('session block offset {}'.format(settings.get('SYNCER_OFFSET')))
|
||||
|
||||
chain_interface = EthChainInterface()
|
||||
drv = ChainInterfaceDriver(sync_store, chain_interface, offset=session_block_offset, target=block_limit)
|
||||
drv.run(conn)
|
||||
drv = ChainInterfaceDriver(sync_store, settings.get('SYNCER_INTERFACE'), offset=settings.get('SYNCER_OFFSET'), target=settings.get('SYNCER_LIMIT'))
|
||||
try:
|
||||
drv.run(settings.get('CONN'))
|
||||
except SyncDone as e:
|
||||
logg.info('sync done: {}'.format(e))
|
||||
|
||||
|
||||
if __name__ == '__main__':
|
||||
|
||||
@@ -1,137 +0,0 @@
|
||||
# standard imports
|
||||
import os
|
||||
import logging
|
||||
import signal
|
||||
|
||||
# external imports
|
||||
import chainlib.eth.cli
|
||||
from chaind.session import SessionController
|
||||
from chaind.setup import Environment
|
||||
from chaind.error import (
|
||||
NothingToDoError,
|
||||
ClientGoneError,
|
||||
ClientBlockError,
|
||||
ClientInputError,
|
||||
)
|
||||
from chainqueue import (
|
||||
Store,
|
||||
Status,
|
||||
)
|
||||
from chainqueue.error import DuplicateTxError
|
||||
from chainqueue.store.fs import (
|
||||
IndexStore,
|
||||
CounterStore,
|
||||
)
|
||||
from chainqueue.cache import CacheTokenTx
|
||||
from chainlib.encode import TxHexNormalizer
|
||||
from chainlib.chain import ChainSpec
|
||||
from chaind.adapters.fs import ChaindFsAdapter
|
||||
|
||||
# local imports
|
||||
from chaind.eth.dispatch import EthDispatcher
|
||||
from chaind.eth.cache import EthCacheTx
|
||||
|
||||
logging.basicConfig(level=logging.WARNING)
|
||||
logg = logging.getLogger()
|
||||
|
||||
script_dir = os.path.dirname(os.path.realpath(__file__))
|
||||
config_dir = os.path.join(script_dir, '..', 'data', 'config')
|
||||
|
||||
env = Environment(domain='eth', env=os.environ)
|
||||
|
||||
arg_flags = chainlib.eth.cli.argflag_std_read
|
||||
argparser = chainlib.eth.cli.ArgumentParser(arg_flags)
|
||||
argparser.add_argument('--data-dir', type=str, help='data directory')
|
||||
argparser.add_argument('--runtime-dir', type=str, help='runtime directory')
|
||||
argparser.add_argument('--session-id', dest='session_id', type=str, help='session identifier')
|
||||
argparser.add_argument('--dispatch-delay', dest='dispatch_delay', type=float, help='socket timeout before processing queue')
|
||||
args = argparser.parse_args()
|
||||
extra_args = {
|
||||
'runtime_dir': 'SESSION_RUNTIME_DIR',
|
||||
'data_dir': 'SESSION_DATA_DIR',
|
||||
'session_id': 'SESSION_ID',
|
||||
'dispatch_delay': 'SESSION_DISPATCH_DELAY',
|
||||
}
|
||||
config = chainlib.eth.cli.Config.from_args(args, arg_flags, extra_args=extra_args, base_config_dir=config_dir)
|
||||
|
||||
logg.debug('session id {} {}'.format(type(config.get('SESSION_ID')), config.get('SESSION_ID')))
|
||||
if config.get('SESSION_ID') == None:
|
||||
config.add(env.session, 'SESSION_ID', exists_ok=True)
|
||||
if config.get('SESSION_RUNTIME_DIR') == None:
|
||||
config.add(env.runtime_dir, 'SESSION_RUNTIME_DIR', exists_ok=True)
|
||||
if config.get('SESSION_DATA_DIR') == None:
|
||||
config.add(env.data_dir, 'SESSION_DATA_DIR', exists_ok=True)
|
||||
if not config.get('SESSION_SOCKET_PATH'):
|
||||
socket_path = os.path.join(config.get('SESSION_RUNTIME_DIR'), config.get('SESSION_ID'), 'chaind.sock')
|
||||
config.add(socket_path, 'SESSION_SOCKET_PATH', True)
|
||||
|
||||
logg.debug('config loaded:\n{}'.format(config))
|
||||
|
||||
def process_outgoing(chain_spec, adapter, rpc, limit=100):
|
||||
upcoming = adapter.upcoming()
|
||||
logg.info('process {} {} {}'.format(chain_spec, adapter, rpc))
|
||||
logg.info('upcoming {}'.format(upcoming))
|
||||
i = 0
|
||||
for tx_hash in upcoming:
|
||||
if adapter.dispatch(tx_hash):
|
||||
i += 1
|
||||
return i
|
||||
|
||||
chain_spec = ChainSpec.from_chain_str(config.get('CHAIN_SPEC'))
|
||||
|
||||
rpc = chainlib.eth.cli.Rpc()
|
||||
conn = rpc.connect_by_config(config)
|
||||
|
||||
tx_normalizer = TxHexNormalizer().tx_hash
|
||||
token_cache_store = CacheTokenTx(chain_spec, normalizer=tx_normalizer)
|
||||
dispatcher = EthDispatcher(conn)
|
||||
queue_adapter = ChaindFsAdapter(
|
||||
chain_spec,
|
||||
config.get('SESSION_DATA_DIR'),
|
||||
EthCacheTx,
|
||||
dispatcher,
|
||||
)
|
||||
|
||||
ctrl = SessionController(config, queue_adapter, process_outgoing)
|
||||
signal.signal(signal.SIGINT, ctrl.shutdown)
|
||||
signal.signal(signal.SIGTERM, ctrl.shutdown)
|
||||
|
||||
|
||||
def main():
|
||||
while True:
|
||||
v = None
|
||||
client_socket = None
|
||||
try:
|
||||
(client_socket, v) = ctrl.get()
|
||||
except ClientGoneError:
|
||||
break
|
||||
except ClientBlockError:
|
||||
continue
|
||||
except ClientInputError:
|
||||
continue
|
||||
except NothingToDoError:
|
||||
pass
|
||||
|
||||
if v == None:
|
||||
ctrl.process(conn)
|
||||
continue
|
||||
|
||||
result_data = None
|
||||
r = 0 # no error
|
||||
try:
|
||||
result_data = queue_adapter.put(v.hex())
|
||||
except DuplicateTxError as e:
|
||||
logg.error('tx already exists: {}'.format(e))
|
||||
r = 1
|
||||
except ValueError as e:
|
||||
logg.error('adapter rejected input {}: "{}"'.format(v.hex(), e))
|
||||
continue
|
||||
|
||||
if r == 0:
|
||||
queue_adapter.enqueue(result_data)
|
||||
|
||||
ctrl.respond_put(client_socket, r, extra_data=result_data)
|
||||
|
||||
|
||||
if __name__ == '__main__':
|
||||
main()
|
||||
31
chaind/eth/settings.py
Normal file
31
chaind/eth/settings.py
Normal file
@@ -0,0 +1,31 @@
|
||||
# external imports
|
||||
from chainlib.eth.connection import EthHTTPConnection
|
||||
from chainlib.eth.settings import process_settings as base_process_settings
|
||||
from chaind.eth.chain import EthChainInterface
|
||||
from chaind.settings import *
|
||||
from chainsyncer.settings import process_sync_range
|
||||
|
||||
|
||||
def process_common(settings, config):
|
||||
rpc_provider = config.get('RPC_PROVIDER')
|
||||
if rpc_provider == None:
|
||||
rpc_provider = 'http://localhost:8545'
|
||||
conn = EthHTTPConnection(url=rpc_provider, chain_spec=settings.get('CHAIN_SPEC'))
|
||||
settings.set('RPC', conn)
|
||||
return settings
|
||||
|
||||
|
||||
def process_sync(settings, config):
|
||||
settings.set('SYNCER_INTERFACE', EthChainInterface())
|
||||
settings = process_sync_range(settings, config)
|
||||
return settings
|
||||
|
||||
|
||||
def process_settings(settings, config):
|
||||
settings = base_process_settings(settings, config)
|
||||
settings = process_common(settings, config)
|
||||
settings = process_backend(settings, config)
|
||||
settings = process_session(settings, config)
|
||||
settings = process_socket(settings, config)
|
||||
|
||||
return settings
|
||||
@@ -9,7 +9,7 @@ logg = logging.getLogger(__name__)
|
||||
|
||||
class BaseTokenResolver:
|
||||
|
||||
def __init__(self, chain_spec, sender, signer, gas_oracle, nonce_oracle):
|
||||
def __init__(self, chain_spec, sender, signer, gas_oracle, nonce_oracle, advance_nonce=False):
|
||||
self.chain_spec = chain_spec
|
||||
self.chain_id = chain_spec.chain_id()
|
||||
self.signer = signer
|
||||
@@ -19,6 +19,10 @@ class BaseTokenResolver:
|
||||
self.factory = None
|
||||
self.gas_limit_start = None
|
||||
self.gas_price_start = None
|
||||
if advance_nonce:
|
||||
self.nonce_getter = self.nonce_oracle.next_nonce
|
||||
else:
|
||||
self.nonce_getter = self.nonce_oracle.get_nonce
|
||||
|
||||
|
||||
def reset(self):
|
||||
@@ -28,7 +32,7 @@ class BaseTokenResolver:
|
||||
|
||||
|
||||
def get_values(self, gas_value, value, executable_address=None):
|
||||
nonce = self.nonce_oracle.next_nonce()
|
||||
nonce = self.nonce_getter()
|
||||
|
||||
if executable_address == None:
|
||||
return (value, 0, nonce)
|
||||
|
||||
@@ -9,7 +9,7 @@ from chaind.eth.token import BaseTokenResolver
|
||||
class GasTokenResolver(BaseTokenResolver):
|
||||
|
||||
def __init__(self, chain_spec, sender, signer, gas_oracle, nonce_oracle):
|
||||
super(GasTokenResolver, self).__init__(chain_spec, sender, signer, gas_oracle, nonce_oracle)
|
||||
super(GasTokenResolver, self).__init__(chain_spec, sender, signer, gas_oracle, nonce_oracle, advance_nonce=True)
|
||||
self.factory = Gas(self.chain_spec, signer=self.signer, gas_oracle=self.gas_oracle, nonce_oracle=self.nonce_oracle)
|
||||
|
||||
|
||||
|
||||
@@ -3,7 +3,10 @@ import logging
|
||||
|
||||
# external imports
|
||||
from chaind.error import TxSourceError
|
||||
from chainlib.eth.address import is_checksum_address
|
||||
from chainlib.eth.address import (
|
||||
is_checksum_address,
|
||||
to_checksum_address,
|
||||
)
|
||||
from chainlib.eth.tx import unpack
|
||||
from chainlib.eth.gas import Gas
|
||||
from hexathon import (
|
||||
@@ -17,10 +20,11 @@ logg = logging.getLogger(__name__)
|
||||
|
||||
class Processor:
|
||||
|
||||
def __init__(self, resolver, source):
|
||||
def __init__(self, resolver, source, use_checksum=True):
|
||||
self.resolver = resolver
|
||||
self.source = source
|
||||
self.processor = []
|
||||
self.safe = use_checksum
|
||||
self.conn = None
|
||||
|
||||
|
||||
@@ -50,9 +54,14 @@ class Processor:
|
||||
txs = []
|
||||
for i, r in enumerate(self.content):
|
||||
logg.debug('processing {}'.format(r))
|
||||
if not is_checksum_address(r[0]):
|
||||
raise ValueError('invalid checksum address {} in record {}'.format(r[0], i))
|
||||
self.content[i][0] = add_0x(r[0])
|
||||
address = r[0]
|
||||
if self.safe:
|
||||
if not is_checksum_address(address):
|
||||
raise ValueError('invalid checksum address {} in record {}'.format(address, i))
|
||||
else:
|
||||
address = to_checksum_address(address)
|
||||
|
||||
self.content[i][0] = add_0x(address)
|
||||
try:
|
||||
self.content[i][1] = int(r[1])
|
||||
except ValueError:
|
||||
|
||||
@@ -1 +1 @@
|
||||
eth-erc20~=0.3.0
|
||||
eth-erc20~=0.3.2
|
||||
|
||||
@@ -1,6 +1,5 @@
|
||||
chaind~=0.1.0
|
||||
hexathon~=0.1.5
|
||||
chainlib-eth~=0.1.0
|
||||
chaind~=0.3.0
|
||||
hexathon~=0.1.7
|
||||
chainlib-eth~=0.3.0
|
||||
pyxdg~=0.27
|
||||
shep~=0.2.3
|
||||
funga-eth~=0.6.0
|
||||
funga-eth~=0.6.1
|
||||
|
||||
@@ -1,6 +1,6 @@
|
||||
[metadata]
|
||||
name = chaind-eth
|
||||
version = 0.1.0
|
||||
version = 0.3.0
|
||||
description = Queue server for ethereum
|
||||
author = Louis Holbrook
|
||||
author_email = dev@holbrook.no
|
||||
@@ -31,10 +31,11 @@ packages =
|
||||
chaind.eth
|
||||
chaind.eth.runnable
|
||||
chaind.eth.cli
|
||||
chaind.eth.token
|
||||
|
||||
[options.entry_points]
|
||||
console_scripts =
|
||||
chaind-eth-tasker = chaind.eth.runnable.tasker:main
|
||||
chaind-eth-queuer = chaind.eth.runnable.queuer:main
|
||||
chaind-eth-syncer = chaind.eth.runnable.syncer:main
|
||||
chaind-eth-send = chaind.eth.runnable.send:main
|
||||
#chaind-eth-resend = chaind_eth.runnable.resend:main
|
||||
|
||||
2
setup.py
2
setup.py
@@ -27,7 +27,7 @@ while True:
|
||||
l = f.readline()
|
||||
if l == '':
|
||||
break
|
||||
test_requirements.append(l.rstrip())
|
||||
erc20_requirements.append(l.rstrip())
|
||||
f.close()
|
||||
|
||||
|
||||
|
||||
@@ -1,7 +1,7 @@
|
||||
[Unit]
|
||||
Description=Chainqueue transaction dispatch interface
|
||||
Requires=chaind-eth-sync@.service
|
||||
After=chaind-eth-sync@.service
|
||||
#Requires=chaind-eth-sync@.service
|
||||
#After=chaind-eth-sync@.service
|
||||
|
||||
[Service]
|
||||
Environment="SESSION_ID=%i"
|
||||
|
||||
@@ -11,7 +11,7 @@ from chainlib.chain import ChainSpec
|
||||
from chainqueue.cache import CacheTokenTx
|
||||
from chainlib.error import RPCException
|
||||
from chainlib.status import Status as TxStatus
|
||||
from chaind.unittest.common import TestChaindFsBase
|
||||
from chaind.unittest.fs import TestChaindFsBase
|
||||
from chaind.driver import QueueDriver
|
||||
from chaind.filter import StateFilter
|
||||
from chainlib.eth.gas import Gas
|
||||
|
||||
Reference in New Issue
Block a user