source_code
stringlengths 45
7.24k
| function_name
stringlengths 1
111
| messages
list |
|---|---|---|
def x(ctx, account):
account = Account(account, full=True)
t = [['vesting_id', 'claimable']]
for vest in account['vesting_balances']:
vesting = Vesting(vest)
t.append([vesting['id'], str(vesting.claimable)])
print_table(t)
|
vesting
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ctx, account):\n account = Account(account, full=True)\n t = [['vesting_id', 'claimable']]\n for vest in account['vesting_balances']:\n vesting = Vesting(vest)\n t.append([vesting['id'], str(vesting.claimable)])\n print_table(t)\n",
"role": "user"
},
{
"content": "vesting",
"role": "assistant"
}
] |
def x(ctx, vestingid, account, amount):
vesting = Vesting(vestingid)
if amount:
amount = Amount(float(amount), 'BTS')
else:
amount = vesting.claimable
print_tx(ctx.bitshares.vesting_balance_withdraw(vesting['id'], amount=
amount, account=vesting['owner']))
|
claim
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ctx, vestingid, account, amount):\n vesting = Vesting(vestingid)\n if amount:\n amount = Amount(float(amount), 'BTS')\n else:\n amount = vesting.claimable\n print_tx(ctx.bitshares.vesting_balance_withdraw(vesting['id'], amount=\n amount, account=vesting['owner']))\n",
"role": "user"
},
{
"content": "claim",
"role": "assistant"
}
] |
def x(ctx, amount, symbol, account):
print_tx(ctx.bitshares.reserve(Amount(amount, symbol,
bitshares_instance=ctx.bitshares), account=account))
|
reserve
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ctx, amount, symbol, account):\n print_tx(ctx.bitshares.reserve(Amount(amount, symbol,\n bitshares_instance=ctx.bitshares), account=account))\n",
"role": "user"
},
{
"content": "reserve",
"role": "assistant"
}
] |
def x(context, port):
global ctx
ctx = context
app.run(port=port)
|
run
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(context, port):\n global ctx\n ctx = context\n app.run(port=port)\n",
"role": "user"
},
{
"content": "run",
"role": "assistant"
}
] |
def x(f):
@click.pass_context
@verbose
def x(ctx, *args, **kwargs):
ctx.obj['offline'] = True
ctx.bitshares = BitShares(**ctx.obj)
ctx.blockchain = ctx.bitshares
ctx.bitshares.set_shared_instance()
return ctx.invoke(f, *args, **kwargs)
return update_wrapper(new_func, f)
|
offline
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(f):\n\n @click.pass_context\n @verbose\n def x(ctx, *args, **kwargs):\n ctx.obj['offline'] = True\n ctx.bitshares = BitShares(**ctx.obj)\n ctx.blockchain = ctx.bitshares\n ctx.bitshares.set_shared_instance()\n return ctx.invoke(f, *args, **kwargs)\n return update_wrapper(new_func, f)\n",
"role": "user"
},
{
"content": "offline",
"role": "assistant"
}
] |
def x(**kwargsChain):
def x(f):
@click.pass_context
@verbose
def x(ctx, *args, **kwargs):
newoptions = ctx.obj
newoptions.update(kwargsChain)
ctx.bitshares = BitShares(**newoptions)
ctx.blockchain = ctx.bitshares
set_shared_bitshares_instance(ctx.bitshares)
return ctx.invoke(f, *args, **kwargs)
return update_wrapper(new_func, f)
return wrap
|
customchain
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(**kwargsChain):\n\n def x(f):\n\n @click.pass_context\n @verbose\n def x(ctx, *args, **kwargs):\n newoptions = ctx.obj\n newoptions.update(kwargsChain)\n ctx.bitshares = BitShares(**newoptions)\n ctx.blockchain = ctx.bitshares\n set_shared_bitshares_instance(ctx.bitshares)\n return ctx.invoke(f, *args, **kwargs)\n return update_wrapper(new_func, f)\n return wrap\n",
"role": "user"
},
{
"content": "customchain",
"role": "assistant"
}
] |
def x(ctx, proposal, account):
print_tx(ctx.bitshares.disapproveproposal(proposal, account=account))
|
disapproveproposal
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ctx, proposal, account):\n print_tx(ctx.bitshares.disapproveproposal(proposal, account=account))\n",
"role": "user"
},
{
"content": "disapproveproposal",
"role": "assistant"
}
] |
def x(ctx, proposal, account):
print_tx(ctx.bitshares.approveproposal(proposal, account=account))
|
approveproposal
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ctx, proposal, account):\n print_tx(ctx.bitshares.approveproposal(proposal, account=account))\n",
"role": "user"
},
{
"content": "approveproposal",
"role": "assistant"
}
] |
def x(ctx, account):
proposals = Proposals(account)
t = [['id', 'expiration', 'proposer', 'required approvals',
'available approvals', 'review period time', 'proposal']]
for proposal in proposals:
t.append([proposal['id'], proposal['expiration_time'], Account(
proposal.proposer)['name'], [Account(x)['name'] for x in
proposal['required_active_approvals'] + proposal[
'required_owner_approvals']], json.dumps([Account(x)['name'] for
x in proposal['available_active_approvals']] + proposal[
'available_key_approvals'] + proposal[
'available_owner_approvals'], indent=1), proposal.get(
'review_period_time', None), format_dict(proposal[
'proposed_transaction'])])
print_table(t)
|
proposals
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ctx, account):\n proposals = Proposals(account)\n t = [['id', 'expiration', 'proposer', 'required approvals',\n 'available approvals', 'review period time', 'proposal']]\n for proposal in proposals:\n t.append([proposal['id'], proposal['expiration_time'], Account(\n proposal.proposer)['name'], [Account(x)['name'] for x in \n proposal['required_active_approvals'] + proposal[\n 'required_owner_approvals']], json.dumps([Account(x)['name'] for\n x in proposal['available_active_approvals']] + proposal[\n 'available_key_approvals'] + proposal[\n 'available_owner_approvals'], indent=1), proposal.get(\n 'review_period_time', None), format_dict(proposal[\n 'proposed_transaction'])])\n print_table(t)\n",
"role": "user"
},
{
"content": "proposals",
"role": "assistant"
}
] |
def x(ctx, file, account):
if not file:
print_message('Prompting for message. Terminate with CTRL-D', 'info')
file = click.get_text_stream('stdin')
m = Message(file.read(), bitshares_instance=ctx.bitshares)
print_message(m.sign(account), 'info')
|
sign
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ctx, file, account):\n if not file:\n print_message('Prompting for message. Terminate with CTRL-D', 'info')\n file = click.get_text_stream('stdin')\n m = Message(file.read(), bitshares_instance=ctx.bitshares)\n print_message(m.sign(account), 'info')\n",
"role": "user"
},
{
"content": "sign",
"role": "assistant"
}
] |
def x(ctx, file, account):
if not file:
print_message('Prompting for message. Terminate with CTRL-D', 'info')
file = click.get_text_stream('stdin')
m = Message(file.read(), bitshares_instance=ctx.bitshares)
try:
if m.verify():
print_message('Verified', 'success')
else:
print_message('not verified', 'error')
except InvalidMessageSignature:
print_message('Signature INVALID!', 'error')
|
verify
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ctx, file, account):\n if not file:\n print_message('Prompting for message. Terminate with CTRL-D', 'info')\n file = click.get_text_stream('stdin')\n m = Message(file.read(), bitshares_instance=ctx.bitshares)\n try:\n if m.verify():\n print_message('Verified', 'success')\n else:\n print_message('not verified', 'error')\n except InvalidMessageSignature:\n print_message('Signature INVALID!', 'error')\n",
"role": "user"
},
{
"content": "verify",
"role": "assistant"
}
] |
def x(ctx, foreign_account, permission, weight, threshold, account):
if not foreign_account:
from bitsharesbase.account import PasswordKey
pwd = click.prompt('Password for Key Derivation', hide_input=True,
confirmation_prompt=True)
foreign_account = format(PasswordKey(account, pwd, permission).
get_public(), 'BTS')
print_tx(ctx.bitshares.allow(foreign_account, weight=weight, account=
account, permission=permission, threshold=threshold))
|
allow
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ctx, foreign_account, permission, weight, threshold, account):\n if not foreign_account:\n from bitsharesbase.account import PasswordKey\n pwd = click.prompt('Password for Key Derivation', hide_input=True,\n confirmation_prompt=True)\n foreign_account = format(PasswordKey(account, pwd, permission).\n get_public(), 'BTS')\n print_tx(ctx.bitshares.allow(foreign_account, weight=weight, account=\n account, permission=permission, threshold=threshold))\n",
"role": "user"
},
{
"content": "allow",
"role": "assistant"
}
] |
def x(ctx, foreign_account, permission, threshold, account):
print_tx(ctx.bitshares.disallow(foreign_account, account=account,
permission=permission, threshold=threshold))
|
disallow
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ctx, foreign_account, permission, threshold, account):\n print_tx(ctx.bitshares.disallow(foreign_account, account=account,\n permission=permission, threshold=threshold))\n",
"role": "user"
},
{
"content": "disallow",
"role": "assistant"
}
] |
def x(ctx, account, limit, type, csv, exclude, raw):
from bitsharesbase.operations import getOperationNameForId
t = [['#', 'time (block)', 'operation', 'details']]
for a in account:
account = Account(a, bitshares_instance=ctx.bitshares)
for b in account.history(limit=limit, only_ops=type, exclude_ops=
exclude):
block = BlockHeader(b['block_num'])
row = [b['id'], '%s (%s)' % (block.time(), b['block_num']),
'{} ({})'.format(getOperationNameForId(b['op'][0]), b['op']
[0]), pprintOperation(b) if not raw else json.dumps(b,
indent=4)]
t.append(row)
print_table(t)
|
history
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ctx, account, limit, type, csv, exclude, raw):\n from bitsharesbase.operations import getOperationNameForId\n t = [['#', 'time (block)', 'operation', 'details']]\n for a in account:\n account = Account(a, bitshares_instance=ctx.bitshares)\n for b in account.history(limit=limit, only_ops=type, exclude_ops=\n exclude):\n block = BlockHeader(b['block_num'])\n row = [b['id'], '%s (%s)' % (block.time(), b['block_num']),\n '{} ({})'.format(getOperationNameForId(b['op'][0]), b['op']\n [0]), pprintOperation(b) if not raw else json.dumps(b,\n indent=4)]\n t.append(row)\n print_table(t)\n",
"role": "user"
},
{
"content": "history",
"role": "assistant"
}
] |
def x(ctx, to, amount, asset, memo, account):
print_tx(ctx.bitshares.transfer(to, amount, asset, memo=memo, account=
account))
|
transfer
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ctx, to, amount, asset, memo, account):\n print_tx(ctx.bitshares.transfer(to, amount, asset, memo=memo, account=\n account))\n",
"role": "user"
},
{
"content": "transfer",
"role": "assistant"
}
] |
def x(ctx, accounts):
t = [['Account', 'Amount']]
for a in accounts:
account = Account(a, bitshares_instance=ctx.bitshares)
for b in account.balances:
t.append([str(a), str(b)])
print_table(t)
|
balance
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ctx, accounts):\n t = [['Account', 'Amount']]\n for a in accounts:\n account = Account(a, bitshares_instance=ctx.bitshares)\n for b in account.balances:\n t.append([str(a), str(b)])\n print_table(t)\n",
"role": "user"
},
{
"content": "balance",
"role": "assistant"
}
] |
def x(ctx, accountname, account, password):
print_tx(ctx.bitshares.create_account(accountname, registrar=account,
password=password))
|
newaccount
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ctx, accountname, account, password):\n print_tx(ctx.bitshares.create_account(accountname, registrar=account,\n password=password))\n",
"role": "user"
},
{
"content": "newaccount",
"role": "assistant"
}
] |
def x(ctx, account_name, account):
from bitsharesbase import transactions, operations
account = Account(account)
op = {'fee': {'amount': 0, 'asset_id': '1.3.0'}, 'registrar': account[
'id'], 'referrer': account['id'], 'referrer_percent': 100, 'name':
account_name, 'owner': account['owner'], 'active': account['active'
], 'options': account['options'], 'extensions': {}, 'prefix': ctx.
bitshares.rpc.chain_params['prefix']}
op = operations.Account_create(**op)
print_tx(ctx.bitshares.finalizeOp(op, account, 'active'))
|
cloneaccount
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ctx, account_name, account):\n from bitsharesbase import transactions, operations\n account = Account(account)\n op = {'fee': {'amount': 0, 'asset_id': '1.3.0'}, 'registrar': account[\n 'id'], 'referrer': account['id'], 'referrer_percent': 100, 'name':\n account_name, 'owner': account['owner'], 'active': account['active'\n ], 'options': account['options'], 'extensions': {}, 'prefix': ctx.\n bitshares.rpc.chain_params['prefix']}\n op = operations.Account_create(**op)\n print_tx(ctx.bitshares.finalizeOp(op, account, 'active'))\n",
"role": "user"
},
{
"content": "cloneaccount",
"role": "assistant"
}
] |
def x(ctx, key, account):
print_tx(ctx.bitshares.update_memo_key(key, account=account))
|
changememokey
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ctx, key, account):\n print_tx(ctx.bitshares.update_memo_key(key, account=account))\n",
"role": "user"
},
{
"content": "changememokey",
"role": "assistant"
}
] |
def x(ctx, whitelist_account, account):
account = Account(account, blockchain_instance=ctx.blockchain)
print_tx(account.whitelist(whitelist_account))
|
whitelist
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ctx, whitelist_account, account):\n account = Account(account, blockchain_instance=ctx.blockchain)\n print_tx(account.whitelist(whitelist_account))\n",
"role": "user"
},
{
"content": "whitelist",
"role": "assistant"
}
] |
def x(ctx, blacklist_account, account):
account = Account(account, blockchain_instance=ctx.blockchain)
print_tx(account.blacklist(blacklist_account))
|
blacklist
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ctx, blacklist_account, account):\n account = Account(account, blockchain_instance=ctx.blockchain)\n print_tx(account.blacklist(blacklist_account))\n",
"role": "user"
},
{
"content": "blacklist",
"role": "assistant"
}
] |
def x(ctx, unlist_account, account):
account = Account(account, blockchain_instance=ctx.blockchain)
print_tx(account.nolist(unlist_account))
|
unlist
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ctx, unlist_account, account):\n account = Account(account, blockchain_instance=ctx.blockchain)\n print_tx(account.nolist(unlist_account))\n",
"role": "user"
},
{
"content": "unlist",
"role": "assistant"
}
] |
def x(ctx, proxy_account, account):
print_tx(ctx.bitshares.set_proxy(proxy_account, account=account))
|
setproxy
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ctx, proxy_account, account):\n print_tx(ctx.bitshares.set_proxy(proxy_account, account=account))\n",
"role": "user"
},
{
"content": "setproxy",
"role": "assistant"
}
] |
def x(ctx, obj, limit):
if obj.upper() == obj:
from bitshares.asset import Asset
asset = Asset(obj, full=True)
calls = asset.get_call_orders(limit)
t = [['acount', 'debt', 'collateral', 'call price', 'ratio']]
for call in calls:
t.append([str(call['account']['name']), str(call['debt']), str(
call['collateral']), str(call['call_price']), '%.2f' % call
['ratio']])
print_table(t)
else:
from bitshares.dex import Dex
dex = Dex(bitshares_instance=ctx.bitshares)
calls = dex.list_debt_positions(account=obj)
t = [['debt', 'collateral', 'call price', 'ratio']]
for symbol in calls:
t.append([str(calls[symbol]['debt']), str(calls[symbol][
'collateral']), str(calls[symbol]['call_price']), '%.2f' %
calls[symbol]['ratio']])
print_table(t)
|
calls
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ctx, obj, limit):\n if obj.upper() == obj:\n from bitshares.asset import Asset\n asset = Asset(obj, full=True)\n calls = asset.get_call_orders(limit)\n t = [['acount', 'debt', 'collateral', 'call price', 'ratio']]\n for call in calls:\n t.append([str(call['account']['name']), str(call['debt']), str(\n call['collateral']), str(call['call_price']), '%.2f' % call\n ['ratio']])\n print_table(t)\n else:\n from bitshares.dex import Dex\n dex = Dex(bitshares_instance=ctx.bitshares)\n calls = dex.list_debt_positions(account=obj)\n t = [['debt', 'collateral', 'call price', 'ratio']]\n for symbol in calls:\n t.append([str(calls[symbol]['debt']), str(calls[symbol][\n 'collateral']), str(calls[symbol]['call_price']), '%.2f' %\n calls[symbol]['ratio']])\n print_table(t)\n",
"role": "user"
},
{
"content": "calls",
"role": "assistant"
}
] |
def x(ctx, asset, limit):
from bitshares.asset import Asset
asset = Asset(asset, full=True)
if not asset.is_bitasset:
print_message('{} is not a bitasset.'.format(asset['symbol']),
'warning')
sys.exit(1)
calls = asset.get_settle_orders(limit)
t = [['acount', 'amount', 'date']]
for call in calls:
t.append([str(call['account']['name']), str(call['amount']), str(
call['date'])])
print_table(t)
|
settlements
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ctx, asset, limit):\n from bitshares.asset import Asset\n asset = Asset(asset, full=True)\n if not asset.is_bitasset:\n print_message('{} is not a bitasset.'.format(asset['symbol']),\n 'warning')\n sys.exit(1)\n calls = asset.get_settle_orders(limit)\n t = [['acount', 'amount', 'date']]\n for call in calls:\n t.append([str(call['account']['name']), str(call['amount']), str(\n call['date'])])\n print_table(t)\n",
"role": "user"
},
{
"content": "settlements",
"role": "assistant"
}
] |
def x(ctx, workers, account):
print_tx(ctx.bitshares.approveworker(workers, account=account))
|
approveworker
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ctx, workers, account):\n print_tx(ctx.bitshares.approveworker(workers, account=account))\n",
"role": "user"
},
{
"content": "approveworker",
"role": "assistant"
}
] |
def x(ctx, workers, account):
print_tx(ctx.bitshares.disapproveworker(workers, account=account))
|
disapproveworker
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ctx, workers, account):\n print_tx(ctx.bitshares.disapproveworker(workers, account=account))\n",
"role": "user"
},
{
"content": "disapproveworker",
"role": "assistant"
}
] |
def x(ctx, account, top):
workers = Workers(account)
t = [['id', 'name/url', 'daily_pay', 'votes', 'time', 'account']]
workers_sorted = sorted(workers, key=lambda x: int(x['total_votes_for']
), reverse=True)
if top:
workers_sorted = workers_sorted[:top + 1]
for worker in workers_sorted:
if worker['work_end_date'] < datetime.datetime.utcnow():
continue
votes = Amount({'amount': worker['total_votes_for'], 'asset_id':
'1.3.0'})
amount = Amount({'amount': worker['daily_pay'], 'asset_id': '1.3.0'})
t.append([worker['id'], '{name}\n{url}'.format(**worker), str(
amount), str(votes),
"""{work_begin_date:%Y-%m-%d}
-
{work_end_date:%Y-%m-%d}""".
format(**worker), str(Account(worker['worker_account'])['name'])])
print_table(t)
|
workers
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ctx, account, top):\n workers = Workers(account)\n t = [['id', 'name/url', 'daily_pay', 'votes', 'time', 'account']]\n workers_sorted = sorted(workers, key=lambda x: int(x['total_votes_for']\n ), reverse=True)\n if top:\n workers_sorted = workers_sorted[:top + 1]\n for worker in workers_sorted:\n if worker['work_end_date'] < datetime.datetime.utcnow():\n continue\n votes = Amount({'amount': worker['total_votes_for'], 'asset_id':\n '1.3.0'})\n amount = Amount({'amount': worker['daily_pay'], 'asset_id': '1.3.0'})\n t.append([worker['id'], '{name}\\n{url}'.format(**worker), str(\n amount), str(votes),\n \"\"\"{work_begin_date:%Y-%m-%d}\n-\n{work_end_date:%Y-%m-%d}\"\"\".\n format(**worker), str(Account(worker['worker_account'])['name'])])\n print_table(t)\n",
"role": "user"
},
{
"content": "workers",
"role": "assistant"
}
] |
def x(ctx, key):
if not key:
while True:
key = click.prompt('Private Key (wif) [Enter to quit]',
hide_input=True, show_default=False, default='exit')
if not key or key == 'exit':
break
try:
ctx.bitshares.wallet.addPrivateKey(key)
except Exception as e:
click.echo(str(e))
continue
else:
for k in key:
try:
ctx.bitshares.wallet.addPrivateKey(k)
except Exception as e:
click.echo(str(e))
installedKeys = ctx.bitshares.wallet.getPublicKeys()
if len(installedKeys) == 1:
name = ctx.bitshares.wallet.getAccountFromPublicKey(installedKeys[0])
if name:
account = Account(name, bitshares_instance=ctx.bitshares)
click.echo('=' * 30)
click.echo('Setting new default user: %s' % account['name'])
click.echo()
click.echo('You can change these settings with:')
click.echo(' uptick set default_account <account>')
click.echo('=' * 30)
config['default_account'] = account['name']
|
addkey
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ctx, key):\n if not key:\n while True:\n key = click.prompt('Private Key (wif) [Enter to quit]',\n hide_input=True, show_default=False, default='exit')\n if not key or key == 'exit':\n break\n try:\n ctx.bitshares.wallet.addPrivateKey(key)\n except Exception as e:\n click.echo(str(e))\n continue\n else:\n for k in key:\n try:\n ctx.bitshares.wallet.addPrivateKey(k)\n except Exception as e:\n click.echo(str(e))\n installedKeys = ctx.bitshares.wallet.getPublicKeys()\n if len(installedKeys) == 1:\n name = ctx.bitshares.wallet.getAccountFromPublicKey(installedKeys[0])\n if name:\n account = Account(name, bitshares_instance=ctx.bitshares)\n click.echo('=' * 30)\n click.echo('Setting new default user: %s' % account['name'])\n click.echo()\n click.echo('You can change these settings with:')\n click.echo(' uptick set default_account <account>')\n click.echo('=' * 30)\n config['default_account'] = account['name']\n",
"role": "user"
},
{
"content": "addkey",
"role": "assistant"
}
] |
def x(ctx, pubkeys):
if not pubkeys:
pubkeys = click.prompt('Public Keys').split(' ')
if click.confirm(
"""Are you sure you want to delete keys from your wallet?
This step is IRREVERSIBLE! If you don't have a backup, You may lose access to your account!"""
):
for pub in pubkeys:
ctx.bitshares.wallet.removePrivateKeyFromPublicKey(pub)
|
delkey
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ctx, pubkeys):\n if not pubkeys:\n pubkeys = click.prompt('Public Keys').split(' ')\n if click.confirm(\n \"\"\"Are you sure you want to delete keys from your wallet?\nThis step is IRREVERSIBLE! If you don't have a backup, You may lose access to your account!\"\"\"\n ):\n for pub in pubkeys:\n ctx.bitshares.wallet.removePrivateKeyFromPublicKey(pub)\n",
"role": "user"
},
{
"content": "delkey",
"role": "assistant"
}
] |
def x(ctx, pubkey):
click.echo(ctx.bitshares.wallet.getPrivateKeyForPublicKey(pubkey))
|
getkey
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ctx, pubkey):\n click.echo(ctx.bitshares.wallet.getPrivateKeyForPublicKey(pubkey))\n",
"role": "user"
},
{
"content": "getkey",
"role": "assistant"
}
] |
def x(ctx):
t = [['Available Key']]
for key in ctx.bitshares.wallet.getPublicKeys():
t.append([key])
print_table(t)
|
listkeys
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ctx):\n t = [['Available Key']]\n for key in ctx.bitshares.wallet.getPublicKeys():\n t.append([key])\n print_table(t)\n",
"role": "user"
},
{
"content": "listkeys",
"role": "assistant"
}
] |
def x(ctx):
t = [['Name', 'Key', 'Owner', 'Active', 'Memo']]
for key in tqdm(ctx.bitshares.wallet.getPublicKeys(True)):
for account in ctx.bitshares.wallet.getAccountsFromPublicKey(key):
account = Account(account)
is_owner = key in [x[0] for x in account['owner']['key_auths']]
is_active = key in [x[0] for x in account['active']['key_auths']]
is_memo = key == account['options']['memo_key']
t.append([account['name'], key, 'x' if is_owner else '', 'x' if
is_active else '', 'x' if is_memo else ''])
print_table(t)
|
listaccounts
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ctx):\n t = [['Name', 'Key', 'Owner', 'Active', 'Memo']]\n for key in tqdm(ctx.bitshares.wallet.getPublicKeys(True)):\n for account in ctx.bitshares.wallet.getAccountsFromPublicKey(key):\n account = Account(account)\n is_owner = key in [x[0] for x in account['owner']['key_auths']]\n is_active = key in [x[0] for x in account['active']['key_auths']]\n is_memo = key == account['options']['memo_key']\n t.append([account['name'], key, 'x' if is_owner else '', 'x' if\n is_active else '', 'x' if is_memo else ''])\n print_table(t)\n",
"role": "user"
},
{
"content": "listaccounts",
"role": "assistant"
}
] |
def x(ctx, account, role):
from bitsharesbase.account import PasswordKey
password = click.prompt('Account Passphrase', hide_input=True)
account = Account(account, bitshares_instance=ctx.bitshares)
imported = False
if role == 'owner':
owner_key = PasswordKey(account['name'], password, role='owner')
owner_pubkey = format(owner_key.get_public_key(), ctx.bitshares.rpc
.chain_params['prefix'])
if owner_pubkey in [x[0] for x in account['owner']['key_auths']]:
print_message('Importing owner key!')
owner_privkey = owner_key.get_private_key()
ctx.bitshares.wallet.addPrivateKey(owner_privkey)
imported = True
if role == 'active':
active_key = PasswordKey(account['name'], password, role='active')
active_pubkey = format(active_key.get_public_key(), ctx.bitshares.
rpc.chain_params['prefix'])
if active_pubkey in [x[0] for x in account['active']['key_auths']]:
print_message('Importing active key!')
active_privkey = active_key.get_private_key()
ctx.bitshares.wallet.addPrivateKey(active_privkey)
imported = True
if role == 'memo':
memo_key = PasswordKey(account['name'], password, role=role)
memo_pubkey = format(memo_key.get_public_key(), ctx.bitshares.rpc.
chain_params['prefix'])
if memo_pubkey == account['memo_key']:
print_message('Importing memo key!')
memo_privkey = memo_key.get_private_key()
ctx.bitshares.wallet.addPrivateKey(memo_privkey)
imported = True
if not imported:
print_message('No matching key(s) found. Password correct?', 'error')
|
importaccount
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ctx, account, role):\n from bitsharesbase.account import PasswordKey\n password = click.prompt('Account Passphrase', hide_input=True)\n account = Account(account, bitshares_instance=ctx.bitshares)\n imported = False\n if role == 'owner':\n owner_key = PasswordKey(account['name'], password, role='owner')\n owner_pubkey = format(owner_key.get_public_key(), ctx.bitshares.rpc\n .chain_params['prefix'])\n if owner_pubkey in [x[0] for x in account['owner']['key_auths']]:\n print_message('Importing owner key!')\n owner_privkey = owner_key.get_private_key()\n ctx.bitshares.wallet.addPrivateKey(owner_privkey)\n imported = True\n if role == 'active':\n active_key = PasswordKey(account['name'], password, role='active')\n active_pubkey = format(active_key.get_public_key(), ctx.bitshares.\n rpc.chain_params['prefix'])\n if active_pubkey in [x[0] for x in account['active']['key_auths']]:\n print_message('Importing active key!')\n active_privkey = active_key.get_private_key()\n ctx.bitshares.wallet.addPrivateKey(active_privkey)\n imported = True\n if role == 'memo':\n memo_key = PasswordKey(account['name'], password, role=role)\n memo_pubkey = format(memo_key.get_public_key(), ctx.bitshares.rpc.\n chain_params['prefix'])\n if memo_pubkey == account['memo_key']:\n print_message('Importing memo key!')\n memo_privkey = memo_key.get_private_key()\n ctx.bitshares.wallet.addPrivateKey(memo_privkey)\n imported = True\n if not imported:\n print_message('No matching key(s) found. Password correct?', 'error')\n",
"role": "user"
},
{
"content": "importaccount",
"role": "assistant"
}
] |
def x(ctx):
import shutil
this_dir, this_filename = os.path.split(__file__)
default_config_file = os.path.join(this_dir, 'apis/example-config.yaml')
config_file = ctx.obj['configfile']
shutil.copyfile(default_config_file, config_file)
print_message('Config file created: {}'.format(config_file))
|
create
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ctx):\n import shutil\n this_dir, this_filename = os.path.split(__file__)\n default_config_file = os.path.join(this_dir, 'apis/example-config.yaml')\n config_file = ctx.obj['configfile']\n shutil.copyfile(default_config_file, config_file)\n print_message('Config file created: {}'.format(config_file))\n",
"role": "user"
},
{
"content": "create",
"role": "assistant"
}
] |
def x(ctx):
module = ctx.config.get('api', 'poloniex')
if module == 'poloniex':
from .apis import poloniex
poloniex.run(ctx, port=5000)
else:
print_message("Unkown 'api'!", 'error')
|
start
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ctx):\n module = ctx.config.get('api', 'poloniex')\n if module == 'poloniex':\n from .apis import poloniex\n poloniex.run(ctx, port=5000)\n else:\n print_message(\"Unkown 'api'!\", 'error')\n",
"role": "user"
},
{
"content": "start",
"role": "assistant"
}
] |
def x(url, **kwargs):
timeout = kwargs.pop('timeout', DEFAULT_TIMEOUT)
kwargs['return_crawler'] = True
crawler = wait_for(timeout, _fetch_in_reactor, url, **kwargs)
if hasattr(crawler.spider, 'response'):
return crawler.spider.response
|
fetch
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(url, **kwargs):\n timeout = kwargs.pop('timeout', DEFAULT_TIMEOUT)\n kwargs['return_crawler'] = True\n crawler = wait_for(timeout, _fetch_in_reactor, url, **kwargs)\n if hasattr(crawler.spider, 'response'):\n return crawler.spider.response\n",
"role": "user"
},
{
"content": "fetch",
"role": "assistant"
}
] |
def x(url, callback, **kwargs):
timeout = kwargs.pop('timeout', DEFAULT_TIMEOUT)
return wait_for(timeout, _crawl_in_reactor, url, callback, **kwargs)
|
crawl
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(url, callback, **kwargs):\n timeout = kwargs.pop('timeout', DEFAULT_TIMEOUT)\n return wait_for(timeout, _crawl_in_reactor, url, callback, **kwargs)\n",
"role": "user"
},
{
"content": "crawl",
"role": "assistant"
}
] |
def x(spider_cls, **kwargs):
timeout = kwargs.pop('timeout', DEFAULT_TIMEOUT)
return wait_for(timeout, _run_spider_in_reactor, spider_cls, **kwargs)
|
run_spider
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(spider_cls, **kwargs):\n timeout = kwargs.pop('timeout', DEFAULT_TIMEOUT)\n return wait_for(timeout, _run_spider_in_reactor, spider_cls, **kwargs)\n",
"role": "user"
},
{
"content": "run_spider",
"role": "assistant"
}
] |
def x(url, spider_cls=DefaultSpider, **kwargs):
def x(self, response):
self.response = response
req = Request(url) if isinstance(url, six.string_types) else url
req.dont_filter = True
req.meta['handle_httpstatus_all'] = True
spider_cls = override_start_requests(spider_cls, [req], parse=parse)
return _run_spider_in_reactor(spider_cls, **kwargs)
|
fetch_in_reactor
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(url, spider_cls=DefaultSpider, **kwargs):\n\n def x(self, response):\n self.response = response\n req = Request(url) if isinstance(url, six.string_types) else url\n req.dont_filter = True\n req.meta['handle_httpstatus_all'] = True\n spider_cls = override_start_requests(spider_cls, [req], parse=parse)\n return _run_spider_in_reactor(spider_cls, **kwargs)\n",
"role": "user"
},
{
"content": "fetch_in_reactor",
"role": "assistant"
}
] |
def x(url, callback, spider_cls=DefaultSpider, **kwargs):
spider_cls = override_start_requests(spider_cls, [url], callback)
return _run_spider_in_reactor(spider_cls, **kwargs)
|
crawl_in_reactor
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(url, callback, spider_cls=DefaultSpider, **kwargs):\n spider_cls = override_start_requests(spider_cls, [url], callback)\n return _run_spider_in_reactor(spider_cls, **kwargs)\n",
"role": "user"
},
{
"content": "crawl_in_reactor",
"role": "assistant"
}
] |
def x(spider_cls, capture_items=True, return_crawler=False, settings=None,
**kwargs):
settings = settings or {}
crawler_settings = get_project_settings().copy()
crawler_settings.setdict(default_settings)
crawler_settings.setdict(settings)
log_scrapy_info(crawler_settings)
crawler = Crawler(spider_cls, crawler_settings)
d = crawler.crawl(**kwargs)
if capture_items:
crawler.items = _OutputItems()
crawler.signals.connect(crawler.items.append, signal=signals.
item_scraped)
d.addCallback(lambda _: crawler.items)
if return_crawler:
d.addCallback(lambda _: crawler)
return d
|
run_spider_in_reactor
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(spider_cls, capture_items=True, return_crawler=False, settings=None,\n **kwargs):\n settings = settings or {}\n crawler_settings = get_project_settings().copy()\n crawler_settings.setdict(default_settings)\n crawler_settings.setdict(settings)\n log_scrapy_info(crawler_settings)\n crawler = Crawler(spider_cls, crawler_settings)\n d = crawler.crawl(**kwargs)\n if capture_items:\n crawler.items = _OutputItems()\n crawler.signals.connect(crawler.items.append, signal=signals.\n item_scraped)\n d.addCallback(lambda _: crawler.items)\n if return_crawler:\n d.addCallback(lambda _: crawler)\n return d\n",
"role": "user"
},
{
"content": "run_spider_in_reactor",
"role": "assistant"
}
] |
def x(spider_cls, start_urls, callback=None, **attrs):
def x():
for url in start_urls:
req = Request(url, dont_filter=True) if isinstance(url, six.
string_types) else url
if callback is not None:
req.callback = callback
yield req
attrs['start_requests'] = staticmethod(start_requests)
return type(spider_cls.__name__, (spider_cls,), attrs)
|
override_start_requests
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(spider_cls, start_urls, callback=None, **attrs):\n\n def x():\n for url in start_urls:\n req = Request(url, dont_filter=True) if isinstance(url, six.\n string_types) else url\n if callback is not None:\n req.callback = callback\n yield req\n attrs['start_requests'] = staticmethod(start_requests)\n return type(spider_cls.__name__, (spider_cls,), attrs)\n",
"role": "user"
},
{
"content": "override_start_requests",
"role": "assistant"
}
] |
def x(timeout, func, *args, **kwargs):
result = func(*args, **kwargs)
try:
return result.wait(timeout)
except crochet.TimeoutError:
result.cancel()
raise
|
wait_for
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(timeout, func, *args, **kwargs):\n result = func(*args, **kwargs)\n try:\n return result.wait(timeout)\n except crochet.TimeoutError:\n result.cancel()\n raise\n",
"role": "user"
},
{
"content": "wait_for",
"role": "assistant"
}
] |
def x(code, lexer='html', formatter='html', output_wrapper=None):
if not pygments:
raise TypeError('pygments module required')
if not isinstance(code, six.string_types):
code = pprint.pformat(code)
if isinstance(lexer, six.string_types):
lexer = pygments.lexers.get_lexer_by_name(lexer)
if isinstance(formatter, six.string_types):
formatter = pygments.formatters.get_formatter_by_name(formatter)
if formatter.name.lower() == 'html':
formatter.full = True
formatter.cssclass = 'pygments-%s' % uuid.uuid4()
if output_wrapper is None:
output_wrapper = HTML
return output_wrapper(pygments.highlight(code, lexer, formatter))
|
highlight
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(code, lexer='html', formatter='html', output_wrapper=None):\n if not pygments:\n raise TypeError('pygments module required')\n if not isinstance(code, six.string_types):\n code = pprint.pformat(code)\n if isinstance(lexer, six.string_types):\n lexer = pygments.lexers.get_lexer_by_name(lexer)\n if isinstance(formatter, six.string_types):\n formatter = pygments.formatters.get_formatter_by_name(formatter)\n if formatter.name.lower() == 'html':\n formatter.full = True\n formatter.cssclass = 'pygments-%s' % uuid.uuid4()\n if output_wrapper is None:\n output_wrapper = HTML\n return output_wrapper(pygments.highlight(code, lexer, formatter))\n",
"role": "user"
},
{
"content": "highlight",
"role": "assistant"
}
] |
def x(self, tag):
slot = self._n.suplast(tag)
if slot is None or slot == idaapi.BADNODE:
return 0
else:
return slot + 1
|
get_next_slot
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, tag):\n slot = self._n.suplast(tag)\n if slot is None or slot == idaapi.BADNODE:\n return 0\n else:\n return slot + 1\n",
"role": "user"
},
{
"content": "get_next_slot",
"role": "assistant"
}
] |
def x(self, args, git_env=None):
popen_kwargs = {'stdout': subprocess.PIPE, 'stderr': subprocess.PIPE}
if git_env:
popen_kwargs['env'] = git_env
if self._git_toplevel:
popen_kwargs['cwd'] = self._git_toplevel
git_process = subprocess.Popen([GitRunner._git_executable] + args, **
popen_kwargs)
try:
out, err = git_process.communicate()
git_process.wait()
except Exception as e:
raise GitError("Couldn't run 'git {args}':{newline}{ex}".format(
args=' '.join(args), newline=os.linesep, ex=str(e)))
if 0 != git_process.returncode or err:
if err:
err = err.decode('utf_8')
raise GitError("'git {args}' failed with:{newline}{err}".format(
args=' '.join(args), newline=os.linesep, err=err))
if not out:
raise ValueError('No output')
return out.decode('utf_8').splitlines()
|
run_git
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, args, git_env=None):\n popen_kwargs = {'stdout': subprocess.PIPE, 'stderr': subprocess.PIPE}\n if git_env:\n popen_kwargs['env'] = git_env\n if self._git_toplevel:\n popen_kwargs['cwd'] = self._git_toplevel\n git_process = subprocess.Popen([GitRunner._git_executable] + args, **\n popen_kwargs)\n try:\n out, err = git_process.communicate()\n git_process.wait()\n except Exception as e:\n raise GitError(\"Couldn't run 'git {args}':{newline}{ex}\".format(\n args=' '.join(args), newline=os.linesep, ex=str(e)))\n if 0 != git_process.returncode or err:\n if err:\n err = err.decode('utf_8')\n raise GitError(\"'git {args}' failed with:{newline}{err}\".format(\n args=' '.join(args), newline=os.linesep, err=err))\n if not out:\n raise ValueError('No output')\n return out.decode('utf_8').splitlines()\n",
"role": "user"
},
{
"content": "run_git",
"role": "assistant"
}
] |
def x(src_fileobj, dest_fileobj, signing_algorithm, signature=None):
algo_id = {'sha1': 1, 'sha384': 2}[signing_algorithm]
if not signature:
signature = make_dummy_signature(algo_id)
src_fileobj.seek(0)
mardata = mar.parse_stream(src_fileobj)
header = mardata.header
dest_fileobj.write(mar_header.build(header))
sig = dict(algorithm_id=algo_id, size=len(signature), signature=signature)
filesize = 0
sigs_offset = dest_fileobj.tell()
sigs = sigs_header.build(dict(filesize=filesize, count=1, sigs=[sig]))
dest_fileobj.write(sigs)
dest_fileobj.write(extras_header.build(mardata.additional))
data_offset = dest_fileobj.tell()
src_fileobj.seek(mardata.data_offset)
write_to_file(takeexactly(src_fileobj, mardata.data_length), dest_fileobj)
index_offset = dest_fileobj.tell()
index = mardata.index
data_offset_delta = data_offset - mardata.data_offset
for e in index.entries:
e.offset += data_offset_delta
dest_fileobj.write(index_header.build(index))
filesize = dest_fileobj.tell()
dest_fileobj.seek(0)
header.index_offset = index_offset
dest_fileobj.write(mar_header.build(header))
dest_fileobj.seek(sigs_offset)
sigs = sigs_header.build(dict(filesize=filesize, count=1, sigs=[sig]))
dest_fileobj.write(sigs)
|
add_signature_block
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(src_fileobj, dest_fileobj, signing_algorithm, signature=None):\n algo_id = {'sha1': 1, 'sha384': 2}[signing_algorithm]\n if not signature:\n signature = make_dummy_signature(algo_id)\n src_fileobj.seek(0)\n mardata = mar.parse_stream(src_fileobj)\n header = mardata.header\n dest_fileobj.write(mar_header.build(header))\n sig = dict(algorithm_id=algo_id, size=len(signature), signature=signature)\n filesize = 0\n sigs_offset = dest_fileobj.tell()\n sigs = sigs_header.build(dict(filesize=filesize, count=1, sigs=[sig]))\n dest_fileobj.write(sigs)\n dest_fileobj.write(extras_header.build(mardata.additional))\n data_offset = dest_fileobj.tell()\n src_fileobj.seek(mardata.data_offset)\n write_to_file(takeexactly(src_fileobj, mardata.data_length), dest_fileobj)\n index_offset = dest_fileobj.tell()\n index = mardata.index\n data_offset_delta = data_offset - mardata.data_offset\n for e in index.entries:\n e.offset += data_offset_delta\n dest_fileobj.write(index_header.build(index))\n filesize = dest_fileobj.tell()\n dest_fileobj.seek(0)\n header.index_offset = index_offset\n dest_fileobj.write(mar_header.build(header))\n dest_fileobj.seek(sigs_offset)\n sigs = sigs_header.build(dict(filesize=filesize, count=1, sigs=[sig]))\n dest_fileobj.write(sigs)\n",
"role": "user"
},
{
"content": "add_signature_block",
"role": "assistant"
}
] |
def x(self, path, compress=None):
if os.path.isdir(path):
self.add_dir(path, compress)
else:
self.add_file(path, compress)
|
add
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, path, compress=None):\n if os.path.isdir(path):\n self.add_dir(path, compress)\n else:\n self.add_file(path, compress)\n",
"role": "user"
},
{
"content": "add",
"role": "assistant"
}
] |
def x(self, path, compress):
if not os.path.isdir(path):
raise ValueError('{} is not a directory'.format(path))
for root, dirs, files in os.walk(path):
for f in files:
self.add_file(os.path.join(root, f), compress)
|
add_dir
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, path, compress):\n if not os.path.isdir(path):\n raise ValueError('{} is not a directory'.format(path))\n for root, dirs, files in os.walk(path):\n for f in files:\n self.add_file(os.path.join(root, f), compress)\n",
"role": "user"
},
{
"content": "add_dir",
"role": "assistant"
}
] |
def x(self, fileobj, path, compress, flags=None):
f = file_iter(fileobj)
flags = flags or os.stat(path) & 511
return self.add_stream(f, path, compress, flags)
|
add_fileobj
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, fileobj, path, compress, flags=None):\n f = file_iter(fileobj)\n flags = flags or os.stat(path) & 511\n return self.add_stream(f, path, compress, flags)\n",
"role": "user"
},
{
"content": "add_fileobj",
"role": "assistant"
}
] |
def x(self, stream, path, compress, flags):
self.data_fileobj.seek(self.last_offset)
if compress == 'bz2':
stream = bz2_compress_stream(stream)
elif compress == 'xz':
stream = xz_compress_stream(stream)
elif compress is None:
pass
else:
raise ValueError('Unsupported compression type: {}'.format(compress))
size = write_to_file(stream, self.data_fileobj)
if os.sep == '\\':
path = path.replace('\\', '/')
e = dict(name=six.u(path), offset=self.last_offset, size=size, flags=flags)
self.entries.append(e)
self.last_offset += e['size']
|
add_stream
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, stream, path, compress, flags):\n self.data_fileobj.seek(self.last_offset)\n if compress == 'bz2':\n stream = bz2_compress_stream(stream)\n elif compress == 'xz':\n stream = xz_compress_stream(stream)\n elif compress is None:\n pass\n else:\n raise ValueError('Unsupported compression type: {}'.format(compress))\n size = write_to_file(stream, self.data_fileobj)\n if os.sep == '\\\\':\n path = path.replace('\\\\', '/')\n e = dict(name=six.u(path), offset=self.last_offset, size=size, flags=flags)\n self.entries.append(e)\n self.last_offset += e['size']\n",
"role": "user"
},
{
"content": "add_stream",
"role": "assistant"
}
] |
def x(self, path, compress):
if not os.path.isfile(path):
raise ValueError('{} is not a file'.format(path))
self.fileobj.seek(self.last_offset)
with open(path, 'rb') as f:
flags = os.stat(path).st_mode & 511
self.add_fileobj(f, path, compress, flags)
|
add_file
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, path, compress):\n if not os.path.isfile(path):\n raise ValueError('{} is not a file'.format(path))\n self.fileobj.seek(self.last_offset)\n with open(path, 'rb') as f:\n flags = os.stat(path).st_mode & 511\n self.add_fileobj(f, path, compress, flags)\n",
"role": "user"
},
{
"content": "add_file",
"role": "assistant"
}
] |
def x(self):
self.fileobj.seek(0)
header = mar_header.build(dict(index_offset=self.last_offset))
self.fileobj.write(header)
|
write_header
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.fileobj.seek(0)\n header = mar_header.build(dict(index_offset=self.last_offset))\n self.fileobj.write(header)\n",
"role": "user"
},
{
"content": "write_header",
"role": "assistant"
}
] |
def x(self):
if not self.signing_algorithm:
return []
algo_id = {'sha1': 1, 'sha384': 2}[self.signing_algorithm]
signature = make_dummy_signature(algo_id)
return [(algo_id, signature)]
|
dummy_signatures
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if not self.signing_algorithm:\n return []\n algo_id = {'sha1': 1, 'sha384': 2}[self.signing_algorithm]\n signature = make_dummy_signature(algo_id)\n return [(algo_id, signature)]\n",
"role": "user"
},
{
"content": "dummy_signatures",
"role": "assistant"
}
] |
def x(self):
if not self.signing_algorithm:
return []
algo_id = {'sha1': 1, 'sha384': 2}[self.signing_algorithm]
hashers = [(algo_id, make_hasher(algo_id))]
for block in get_signature_data(self.fileobj, self.filesize):
[h.update(block) for _, h in hashers]
signatures = [(algo_id, sign_hash(self.signing_key, h.finalize(), h.
algorithm.name)) for algo_id, h in hashers]
return signatures
|
calculate_signatures
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if not self.signing_algorithm:\n return []\n algo_id = {'sha1': 1, 'sha384': 2}[self.signing_algorithm]\n hashers = [(algo_id, make_hasher(algo_id))]\n for block in get_signature_data(self.fileobj, self.filesize):\n [h.update(block) for _, h in hashers]\n signatures = [(algo_id, sign_hash(self.signing_key, h.finalize(), h.\n algorithm.name)) for algo_id, h in hashers]\n return signatures\n",
"role": "user"
},
{
"content": "calculate_signatures",
"role": "assistant"
}
] |
def x(self, signatures):
self.fileobj.seek(self.signature_offset)
sig_entries = [dict(algorithm_id=id_, size=len(sig), signature=sig) for
id_, sig in signatures]
sigs = sigs_header.build(dict(filesize=self.filesize, count=len(
signatures), sigs=sig_entries))
self.fileobj.write(sigs)
signatures_len = len(sigs)
self.additional_offset = self.signature_offset + signatures_len
if not self.additional_offset == self.fileobj.tell():
raise IOError('ended up at unexpected offset')
|
write_signatures
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, signatures):\n self.fileobj.seek(self.signature_offset)\n sig_entries = [dict(algorithm_id=id_, size=len(sig), signature=sig) for\n id_, sig in signatures]\n sigs = sigs_header.build(dict(filesize=self.filesize, count=len(\n signatures), sigs=sig_entries))\n self.fileobj.write(sigs)\n signatures_len = len(sigs)\n self.additional_offset = self.signature_offset + signatures_len\n if not self.additional_offset == self.fileobj.tell():\n raise IOError('ended up at unexpected offset')\n",
"role": "user"
},
{
"content": "write_signatures",
"role": "assistant"
}
] |
def x(self, productversion, channel):
self.fileobj.seek(self.additional_offset)
extras = extras_header.build(dict(count=1, sections=[dict(channel=six.u
(channel), productversion=six.u(productversion), size=len(channel) +
len(productversion) + 2 + 8, padding=b'')]))
self.fileobj.write(extras)
self.last_offset = self.fileobj.tell()
|
write_additional
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, productversion, channel):\n self.fileobj.seek(self.additional_offset)\n extras = extras_header.build(dict(count=1, sections=[dict(channel=six.u\n (channel), productversion=six.u(productversion), size=len(channel) +\n len(productversion) + 2 + 8, padding=b'')]))\n self.fileobj.write(extras)\n self.last_offset = self.fileobj.tell()\n",
"role": "user"
},
{
"content": "write_additional",
"role": "assistant"
}
] |
def x(self):
self.fileobj.seek(self.last_offset)
index = index_header.build(dict(entries=self.entries))
self.fileobj.write(index)
self.filesize = self.fileobj.tell()
|
write_index
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.fileobj.seek(self.last_offset)\n index = index_header.build(dict(entries=self.entries))\n self.fileobj.write(index)\n self.filesize = self.fileobj.tell()\n",
"role": "user"
},
{
"content": "write_index",
"role": "assistant"
}
] |
def x(self):
self.write_header()
self.write_index()
if not self.use_old_format:
sigs = self.calculate_signatures()
self.write_signatures(sigs)
|
finish
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.write_header()\n self.write_index()\n if not self.use_old_format:\n sigs = self.calculate_signatures()\n self.write_signatures(sigs)\n",
"role": "user"
},
{
"content": "finish",
"role": "assistant"
}
] |
def x():
parser = ArgumentParser('Utility for managing MAR files')
create_group = parser.add_argument_group('Create a MAR file')
create_group.add_argument('-c', '--create', metavar='MARFILE', help=
'create MAR')
create_group.add_argument('-V', '--productversion', dest=
'productversion', help='product/version string')
create_group.add_argument('-H', '--channel', dest='channel', help=
'channel this MAR file is applicable to')
create_group.add_argument('files', nargs=REMAINDER, help=
'files to add to the MAR file')
extract_group = parser.add_argument_group('Extract a MAR file')
extract_group.add_argument('-x', '--extract', help='extract MAR',
metavar='MARFILE')
list_group = parser.add_argument_group('Print information on a MAR file')
list_group.add_argument('-t', '--list', help='print out MAR contents',
metavar='MARFILE')
list_group.add_argument('-T', '--list-detailed', metavar='MARFILE',
help='print out MAR contents including signatures')
verify_group = parser.add_argument_group('Verify a MAR file')
verify_group.add_argument('-v', '--verify', metavar='MARFILE', help=
'verify the marfile')
parser.add_argument('-j', '--bzip2', action='store_const', dest=
'compression', const='bz2', help='compress/decompress members with BZ2'
)
parser.add_argument('-J', '--xz', action='store_const', dest=
'compression', const='xz', help='compress/decompress archive with XZ')
parser.add_argument('--auto', action='store_const', dest='compression',
const='auto', help='automatically decompress contents')
parser.add_argument('-k', '--keyfiles', dest='keyfiles', action=
'append', help='sign/verify with given key(s)')
parser.add_argument('-C', '--chdir', dest='chdir', help=
"chdir to this directory before creating or extracing; location of marfile isn't affected by this option."
)
parser.add_argument('--verbose', dest='loglevel', action='store_const',
const=logging.DEBUG, default=logging.WARN, help=
'increase logging verbosity')
parser.add_argument('--version', action='version', version=
'mar version {}'.format(mardor.version_str))
signing_group = parser.add_argument_group('Sign a MAR file')
signing_group.add_argument('--hash', help='output hash for signing',
choices=('sha1', 'sha384'))
signing_group.add_argument('--asn1', help=
'format hash as an ASN1 DigestInfo block', default=False, action=
'store_true')
signing_group.add_argument('--add-signature', help='inject signature',
nargs=3, metavar=('input', 'output', 'signature'))
return parser
|
build_argparser
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n parser = ArgumentParser('Utility for managing MAR files')\n create_group = parser.add_argument_group('Create a MAR file')\n create_group.add_argument('-c', '--create', metavar='MARFILE', help=\n 'create MAR')\n create_group.add_argument('-V', '--productversion', dest=\n 'productversion', help='product/version string')\n create_group.add_argument('-H', '--channel', dest='channel', help=\n 'channel this MAR file is applicable to')\n create_group.add_argument('files', nargs=REMAINDER, help=\n 'files to add to the MAR file')\n extract_group = parser.add_argument_group('Extract a MAR file')\n extract_group.add_argument('-x', '--extract', help='extract MAR',\n metavar='MARFILE')\n list_group = parser.add_argument_group('Print information on a MAR file')\n list_group.add_argument('-t', '--list', help='print out MAR contents',\n metavar='MARFILE')\n list_group.add_argument('-T', '--list-detailed', metavar='MARFILE',\n help='print out MAR contents including signatures')\n verify_group = parser.add_argument_group('Verify a MAR file')\n verify_group.add_argument('-v', '--verify', metavar='MARFILE', help=\n 'verify the marfile')\n parser.add_argument('-j', '--bzip2', action='store_const', dest=\n 'compression', const='bz2', help='compress/decompress members with BZ2'\n )\n parser.add_argument('-J', '--xz', action='store_const', dest=\n 'compression', const='xz', help='compress/decompress archive with XZ')\n parser.add_argument('--auto', action='store_const', dest='compression',\n const='auto', help='automatically decompress contents')\n parser.add_argument('-k', '--keyfiles', dest='keyfiles', action=\n 'append', help='sign/verify with given key(s)')\n parser.add_argument('-C', '--chdir', dest='chdir', help=\n \"chdir to this directory before creating or extracing; location of marfile isn't affected by this option.\"\n )\n parser.add_argument('--verbose', dest='loglevel', action='store_const',\n const=logging.DEBUG, default=logging.WARN, help=\n 'increase logging verbosity')\n parser.add_argument('--version', action='version', version=\n 'mar version {}'.format(mardor.version_str))\n signing_group = parser.add_argument_group('Sign a MAR file')\n signing_group.add_argument('--hash', help='output hash for signing',\n choices=('sha1', 'sha384'))\n signing_group.add_argument('--asn1', help=\n 'format hash as an ASN1 DigestInfo block', default=False, action=\n 'store_true')\n signing_group.add_argument('--add-signature', help='inject signature',\n nargs=3, metavar=('input', 'output', 'signature'))\n return parser\n",
"role": "user"
},
{
"content": "build_argparser",
"role": "assistant"
}
] |
def x(marfile, destdir, decompress):
with open(marfile, 'rb') as f:
with MarReader(f) as m:
m.extract(str(destdir), decompress=decompress)
|
do_extract
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(marfile, destdir, decompress):\n with open(marfile, 'rb') as f:\n with MarReader(f) as m:\n m.extract(str(destdir), decompress=decompress)\n",
"role": "user"
},
{
"content": "do_extract",
"role": "assistant"
}
] |
def x(keyfiles, signature_type):
builtin_keys = {('release', 'sha1'): [mardor.mozilla.release1_sha1,
mardor.mozilla.release2_sha1], ('release', 'sha384'): [mardor.
mozilla.release1_sha384, mardor.mozilla.release2_sha384], (
'nightly', 'sha1'): [mardor.mozilla.nightly1_sha1, mardor.mozilla.
nightly2_sha1], ('nightly', 'sha384'): [mardor.mozilla.
nightly1_sha384, mardor.mozilla.nightly2_sha384], ('dep', 'sha1'):
[mardor.mozilla.dep1_sha1, mardor.mozilla.dep2_sha1], ('dep',
'sha384'): [mardor.mozilla.dep1_sha384, mardor.mozilla.dep2_sha384],
('autograph-stage', 'sha384'): [mardor.mozilla.autograph_stage_sha384]}
keys = []
for keyfile in keyfiles:
if keyfile.startswith(':mozilla-'):
name = keyfile.split(':mozilla-')[1]
try:
keys.extend(builtin_keys[name, signature_type])
except KeyError:
raise ValueError('Invalid internal key name: {}'.format(
keyfile))
else:
key = open(keyfile, 'rb').read()
keys.append(key)
return keys
|
get_keys
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(keyfiles, signature_type):\n builtin_keys = {('release', 'sha1'): [mardor.mozilla.release1_sha1,\n mardor.mozilla.release2_sha1], ('release', 'sha384'): [mardor.\n mozilla.release1_sha384, mardor.mozilla.release2_sha384], (\n 'nightly', 'sha1'): [mardor.mozilla.nightly1_sha1, mardor.mozilla.\n nightly2_sha1], ('nightly', 'sha384'): [mardor.mozilla.\n nightly1_sha384, mardor.mozilla.nightly2_sha384], ('dep', 'sha1'):\n [mardor.mozilla.dep1_sha1, mardor.mozilla.dep2_sha1], ('dep',\n 'sha384'): [mardor.mozilla.dep1_sha384, mardor.mozilla.dep2_sha384],\n ('autograph-stage', 'sha384'): [mardor.mozilla.autograph_stage_sha384]}\n keys = []\n for keyfile in keyfiles:\n if keyfile.startswith(':mozilla-'):\n name = keyfile.split(':mozilla-')[1]\n try:\n keys.extend(builtin_keys[name, signature_type])\n except KeyError:\n raise ValueError('Invalid internal key name: {}'.format(\n keyfile))\n else:\n key = open(keyfile, 'rb').read()\n keys.append(key)\n return keys\n",
"role": "user"
},
{
"content": "get_keys",
"role": "assistant"
}
] |
def x(marfile, keyfiles=None):
try:
with open(marfile, 'rb') as f:
with MarReader(f) as m:
errors = m.get_errors()
if errors:
print('File is not well formed: {}'.format(errors))
sys.exit(1)
if keyfiles:
try:
keys = get_keys(keyfiles, m.signature_type)
except ValueError as e:
print(e)
sys.exit(1)
if any(m.verify(key) for key in keys):
print('Verification OK')
return True
else:
print('Verification failed')
sys.exit(1)
else:
print('Verification OK')
return True
except Exception as e:
print('Error opening or parsing file: {}'.format(e))
sys.exit(1)
|
do_verify
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(marfile, keyfiles=None):\n try:\n with open(marfile, 'rb') as f:\n with MarReader(f) as m:\n errors = m.get_errors()\n if errors:\n print('File is not well formed: {}'.format(errors))\n sys.exit(1)\n if keyfiles:\n try:\n keys = get_keys(keyfiles, m.signature_type)\n except ValueError as e:\n print(e)\n sys.exit(1)\n if any(m.verify(key) for key in keys):\n print('Verification OK')\n return True\n else:\n print('Verification failed')\n sys.exit(1)\n else:\n print('Verification OK')\n return True\n except Exception as e:\n print('Error opening or parsing file: {}'.format(e))\n sys.exit(1)\n",
"role": "user"
},
{
"content": "do_verify",
"role": "assistant"
}
] |
def x(marfile, detailed=False):
with open(marfile, 'rb') as f:
with MarReader(f) as m:
if detailed:
if m.compression_type:
yield 'Compression type: {}'.format(m.compression_type)
if m.signature_type:
yield 'Signature type: {}'.format(m.signature_type)
if m.mardata.signatures:
plural = ('s' if m.mardata.signatures.count == 0 or m.
mardata.signatures.count > 1 else '')
yield 'Signature block found with {} signature{}'.format(m
.mardata.signatures.count, plural)
for s in m.mardata.signatures.sigs:
yield '- Signature {} size {}'.format(s.
algorithm_id, s.size)
yield ''
if m.mardata.additional:
yield '{} additional block found:'.format(len(m.mardata
.additional.sections))
for s in m.mardata.additional.sections:
if s.id == 1:
yield ' - Product Information Block:'
yield ' - MAR channel name: {}'.format(s.channel
)
yield ' - Product version: {}'.format(s.
productversion)
yield ''
else:
yield 'Unknown additional data'
yield '{:7s} {:7s} {:7s}'.format('SIZE', 'MODE', 'NAME')
for e in m.mardata.index.entries:
yield '{:<7d} {:04o} {}'.format(e.size, e.flags, e.name)
|
do_list
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(marfile, detailed=False):\n with open(marfile, 'rb') as f:\n with MarReader(f) as m:\n if detailed:\n if m.compression_type:\n yield 'Compression type: {}'.format(m.compression_type)\n if m.signature_type:\n yield 'Signature type: {}'.format(m.signature_type)\n if m.mardata.signatures:\n plural = ('s' if m.mardata.signatures.count == 0 or m.\n mardata.signatures.count > 1 else '')\n yield 'Signature block found with {} signature{}'.format(m\n .mardata.signatures.count, plural)\n for s in m.mardata.signatures.sigs:\n yield '- Signature {} size {}'.format(s.\n algorithm_id, s.size)\n yield ''\n if m.mardata.additional:\n yield '{} additional block found:'.format(len(m.mardata\n .additional.sections))\n for s in m.mardata.additional.sections:\n if s.id == 1:\n yield ' - Product Information Block:'\n yield ' - MAR channel name: {}'.format(s.channel\n )\n yield ' - Product version: {}'.format(s.\n productversion)\n yield ''\n else:\n yield 'Unknown additional data'\n yield '{:7s} {:7s} {:7s}'.format('SIZE', 'MODE', 'NAME')\n for e in m.mardata.index.entries:\n yield '{:<7d} {:04o} {}'.format(e.size, e.flags, e.name)\n",
"role": "user"
},
{
"content": "do_list",
"role": "assistant"
}
] |
def x(marfile, files, compress, productversion=None, channel=None,
signing_key=None, signing_algorithm=None):
with open(marfile, 'w+b') as f:
with MarWriter(f, productversion=productversion, channel=channel,
signing_key=signing_key, signing_algorithm=signing_algorithm) as m:
for f in files:
m.add(f, compress=compress)
|
do_create
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(marfile, files, compress, productversion=None, channel=None,\n signing_key=None, signing_algorithm=None):\n with open(marfile, 'w+b') as f:\n with MarWriter(f, productversion=productversion, channel=channel,\n signing_key=signing_key, signing_algorithm=signing_algorithm) as m:\n for f in files:\n m.add(f, compress=compress)\n",
"role": "user"
},
{
"content": "do_create",
"role": "assistant"
}
] |
def x(hash_algo, marfile, asn1=False):
dst = tempfile.TemporaryFile()
with open(marfile, 'rb') as f:
add_signature_block(f, dst, hash_algo)
dst.seek(0)
with MarReader(dst) as m:
hashes = m.calculate_hashes()
h = hashes[0][1]
if asn1:
h = format_hash(h, hash_algo)
print(base64.b64encode(h).decode('ascii'))
|
do_hash
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(hash_algo, marfile, asn1=False):\n dst = tempfile.TemporaryFile()\n with open(marfile, 'rb') as f:\n add_signature_block(f, dst, hash_algo)\n dst.seek(0)\n with MarReader(dst) as m:\n hashes = m.calculate_hashes()\n h = hashes[0][1]\n if asn1:\n h = format_hash(h, hash_algo)\n print(base64.b64encode(h).decode('ascii'))\n",
"role": "user"
},
{
"content": "do_hash",
"role": "assistant"
}
] |
def x(input_file, output_file, signature_file):
signature = open(signature_file, 'rb').read()
if len(signature) == 256:
hash_algo = 'sha1'
elif len(signature) == 512:
hash_algo = 'sha384'
else:
raise ValueError()
with open(output_file, 'w+b') as dst:
with open(input_file, 'rb') as src:
add_signature_block(src, dst, hash_algo, signature)
|
do_add_signature
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(input_file, output_file, signature_file):\n signature = open(signature_file, 'rb').read()\n if len(signature) == 256:\n hash_algo = 'sha1'\n elif len(signature) == 512:\n hash_algo = 'sha384'\n else:\n raise ValueError()\n with open(output_file, 'w+b') as dst:\n with open(input_file, 'rb') as src:\n add_signature_block(src, dst, hash_algo, signature)\n",
"role": "user"
},
{
"content": "do_add_signature",
"role": "assistant"
}
] |
def x(parser, args):
if len([a for a in [args.create, args.extract, args.verify, args.list,
args.list_detailed, args.hash, args.add_signature] if a is not None]
) != 1:
parser.error(
'Must specify something to do (one of -c, -x, -t, -T, -v, --hash, --add-signature)'
)
if args.create and not args.files:
parser.error('Must specify at least one file to add to marfile')
if args.extract and args.compression not in (None, 'bz2', 'xz', 'auto'):
parser.error('Unsupported compression type')
if args.create and args.compression not in (None, 'bz2', 'xz'):
parser.error('Unsupported compression type')
if args.hash and len(args.files) != 1:
parser.error('Must specify a file to output the hash for')
|
check_args
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(parser, args):\n if len([a for a in [args.create, args.extract, args.verify, args.list,\n args.list_detailed, args.hash, args.add_signature] if a is not None]\n ) != 1:\n parser.error(\n 'Must specify something to do (one of -c, -x, -t, -T, -v, --hash, --add-signature)'\n )\n if args.create and not args.files:\n parser.error('Must specify at least one file to add to marfile')\n if args.extract and args.compression not in (None, 'bz2', 'xz', 'auto'):\n parser.error('Unsupported compression type')\n if args.create and args.compression not in (None, 'bz2', 'xz'):\n parser.error('Unsupported compression type')\n if args.hash and len(args.files) != 1:\n parser.error('Must specify a file to output the hash for')\n",
"role": "user"
},
{
"content": "check_args",
"role": "assistant"
}
] |
def x(parser, args):
if args.keyfiles:
signing_key = open(args.keyfiles[0], 'rb').read()
bits = get_keysize(signing_key)
if bits == 2048:
signing_algorithm = 'sha1'
elif bits == 4096:
signing_algorithm = 'sha384'
else:
parser.error('Unsupported key size {} from key {}'.format(bits,
args.keyfiles[0]))
print('Using {} to sign using algorithm {!s}'.format(args.keyfiles[
0], signing_algorithm))
else:
signing_key = None
signing_algorithm = None
return signing_key, signing_algorithm
|
get_key_from_cmdline
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(parser, args):\n if args.keyfiles:\n signing_key = open(args.keyfiles[0], 'rb').read()\n bits = get_keysize(signing_key)\n if bits == 2048:\n signing_algorithm = 'sha1'\n elif bits == 4096:\n signing_algorithm = 'sha384'\n else:\n parser.error('Unsupported key size {} from key {}'.format(bits,\n args.keyfiles[0]))\n print('Using {} to sign using algorithm {!s}'.format(args.keyfiles[\n 0], signing_algorithm))\n else:\n signing_key = None\n signing_algorithm = None\n return signing_key, signing_algorithm\n",
"role": "user"
},
{
"content": "get_key_from_cmdline",
"role": "assistant"
}
] |
def x(argv=None):
parser = build_argparser()
args = parser.parse_args(argv)
logging.basicConfig(level=args.loglevel, format='%(message)s')
check_args(parser, args)
if args.extract:
marfile = os.path.abspath(args.extract)
if args.chdir:
os.chdir(args.chdir)
do_extract(marfile, os.getcwd(), args.compression)
elif args.verify:
do_verify(args.verify, args.keyfiles)
elif args.list:
print('\n'.join(do_list(args.list)))
elif args.list_detailed:
print('\n'.join(do_list(args.list_detailed, detailed=True)))
elif args.create:
marfile = os.path.abspath(args.create)
signing_key, signing_algorithm = get_key_from_cmdline(parser, args)
if args.chdir:
os.chdir(args.chdir)
do_create(marfile, args.files, args.compression, productversion=
args.productversion, channel=args.channel, signing_key=
signing_key, signing_algorithm=signing_algorithm)
elif args.hash:
do_hash(args.hash, args.files[0], args.asn1)
elif args.add_signature:
do_add_signature(args.add_signature[0], args.add_signature[1], args
.add_signature[2])
else:
parser.error('Unsupported action')
|
main
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(argv=None):\n parser = build_argparser()\n args = parser.parse_args(argv)\n logging.basicConfig(level=args.loglevel, format='%(message)s')\n check_args(parser, args)\n if args.extract:\n marfile = os.path.abspath(args.extract)\n if args.chdir:\n os.chdir(args.chdir)\n do_extract(marfile, os.getcwd(), args.compression)\n elif args.verify:\n do_verify(args.verify, args.keyfiles)\n elif args.list:\n print('\\n'.join(do_list(args.list)))\n elif args.list_detailed:\n print('\\n'.join(do_list(args.list_detailed, detailed=True)))\n elif args.create:\n marfile = os.path.abspath(args.create)\n signing_key, signing_algorithm = get_key_from_cmdline(parser, args)\n if args.chdir:\n os.chdir(args.chdir)\n do_create(marfile, args.files, args.compression, productversion=\n args.productversion, channel=args.channel, signing_key=\n signing_key, signing_algorithm=signing_algorithm)\n elif args.hash:\n do_hash(args.hash, args.files[0], args.asn1)\n elif args.add_signature:\n do_add_signature(args.add_signature[0], args.add_signature[1], args\n .add_signature[2])\n else:\n parser.error('Unsupported action')\n",
"role": "user"
},
{
"content": "main",
"role": "assistant"
}
] |
def x(self):
best_compression = None
for e in self.mardata.index.entries:
self.fileobj.seek(e.offset)
magic = self.fileobj.read(10)
compression = guess_compression(magic)
if compression == 'xz':
best_compression = 'xz'
break
elif compression == 'bz2' and best_compression is None:
best_compression = 'bz2'
return best_compression
|
compression_type
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n best_compression = None\n for e in self.mardata.index.entries:\n self.fileobj.seek(e.offset)\n magic = self.fileobj.read(10)\n compression = guess_compression(magic)\n if compression == 'xz':\n best_compression = 'xz'\n break\n elif compression == 'bz2' and best_compression is None:\n best_compression = 'bz2'\n return best_compression\n",
"role": "user"
},
{
"content": "compression_type",
"role": "assistant"
}
] |
def x(self):
if not self.mardata.signatures:
return None
for sig in self.mardata.signatures.sigs:
if sig.algorithm_id == 1:
return 'sha1'
elif sig.algorithm_id == 2:
return 'sha384'
else:
return 'unknown'
|
signature_type
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if not self.mardata.signatures:\n return None\n for sig in self.mardata.signatures.sigs:\n if sig.algorithm_id == 1:\n return 'sha1'\n elif sig.algorithm_id == 2:\n return 'sha384'\n else:\n return 'unknown'\n",
"role": "user"
},
{
"content": "signature_type",
"role": "assistant"
}
] |
def x(self, e, decompress='auto'):
self.fileobj.seek(e.offset)
stream = file_iter(self.fileobj)
stream = takeexactly(stream, e.size)
if decompress == 'auto':
stream = auto_decompress_stream(stream)
elif decompress == 'bz2':
stream = bz2_decompress_stream(stream)
elif decompress == 'xz':
stream = xz_decompress_stream(stream)
elif decompress is None:
pass
else:
raise ValueError('Unsupported decompression type: {}'.format(
decompress))
for block in stream:
yield block
|
extract_entry
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, e, decompress='auto'):\n self.fileobj.seek(e.offset)\n stream = file_iter(self.fileobj)\n stream = takeexactly(stream, e.size)\n if decompress == 'auto':\n stream = auto_decompress_stream(stream)\n elif decompress == 'bz2':\n stream = bz2_decompress_stream(stream)\n elif decompress == 'xz':\n stream = xz_decompress_stream(stream)\n elif decompress is None:\n pass\n else:\n raise ValueError('Unsupported decompression type: {}'.format(\n decompress))\n for block in stream:\n yield block\n",
"role": "user"
},
{
"content": "extract_entry",
"role": "assistant"
}
] |
def x(self, destdir, decompress='auto'):
for e in self.mardata.index.entries:
name = e.name
entry_path = safejoin(destdir, name)
entry_dir = os.path.dirname(entry_path)
mkdir(entry_dir)
with open(entry_path, 'wb') as f:
write_to_file(self.extract_entry(e, decompress), f)
os.chmod(entry_path, e.flags)
|
extract
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, destdir, decompress='auto'):\n for e in self.mardata.index.entries:\n name = e.name\n entry_path = safejoin(destdir, name)\n entry_dir = os.path.dirname(entry_path)\n mkdir(entry_dir)\n with open(entry_path, 'wb') as f:\n write_to_file(self.extract_entry(e, decompress), f)\n os.chmod(entry_path, e.flags)\n",
"role": "user"
},
{
"content": "extract",
"role": "assistant"
}
] |
def x(self):
errors = []
errors.extend(self._get_signature_errors())
errors.extend(self._get_additional_errors())
errors.extend(self._get_entry_errors())
return errors if errors else None
|
get_errors
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n errors = []\n errors.extend(self._get_signature_errors())\n errors.extend(self._get_additional_errors())\n errors.extend(self._get_entry_errors())\n return errors if errors else None\n",
"role": "user"
},
{
"content": "get_errors",
"role": "assistant"
}
] |
def x(self, verify_key):
if not self.mardata.signatures or not self.mardata.signatures.sigs:
return False
hashers = []
for sig in self.mardata.signatures.sigs:
hashers.append((sig.algorithm_id, sig.signature, make_hasher(sig.
algorithm_id)))
assert len(hashers) == len(self.mardata.signatures.sigs)
for block in get_signature_data(self.fileobj, self.mardata.signatures.
filesize):
[h.update(block) for _, _, h in hashers]
for algo_id, sig, h in hashers:
if not verify_signature(verify_key, sig, h.finalize(), h.algorithm.name
):
return False
else:
return True
|
verify
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, verify_key):\n if not self.mardata.signatures or not self.mardata.signatures.sigs:\n return False\n hashers = []\n for sig in self.mardata.signatures.sigs:\n hashers.append((sig.algorithm_id, sig.signature, make_hasher(sig.\n algorithm_id)))\n assert len(hashers) == len(self.mardata.signatures.sigs)\n for block in get_signature_data(self.fileobj, self.mardata.signatures.\n filesize):\n [h.update(block) for _, _, h in hashers]\n for algo_id, sig, h in hashers:\n if not verify_signature(verify_key, sig, h.finalize(), h.algorithm.name\n ):\n return False\n else:\n return True\n",
"role": "user"
},
{
"content": "verify",
"role": "assistant"
}
] |
def x(self):
if not self.mardata.additional:
return None
for s in self.mardata.additional.sections:
if s.id == 1:
return str(s.productversion), str(s.channel)
return None
|
productinfo
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if not self.mardata.additional:\n return None\n for s in self.mardata.additional.sections:\n if s.id == 1:\n return str(s.productversion), str(s.channel)\n return None\n",
"role": "user"
},
{
"content": "productinfo",
"role": "assistant"
}
] |
def x(self):
hashers = []
if not self.mardata.signatures:
return []
for s in self.mardata.signatures.sigs:
h = make_hasher(s.algorithm_id)
hashers.append((s.algorithm_id, h))
for block in get_signature_data(self.fileobj, self.mardata.signatures.
filesize):
[h.update(block) for _, h in hashers]
return [(algo_id, h.finalize()) for algo_id, h in hashers]
|
calculate_hashes
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n hashers = []\n if not self.mardata.signatures:\n return []\n for s in self.mardata.signatures.sigs:\n h = make_hasher(s.algorithm_id)\n hashers.append((s.algorithm_id, h))\n for block in get_signature_data(self.fileobj, self.mardata.signatures.\n filesize):\n [h.update(block) for _, h in hashers]\n return [(algo_id, h.finalize()) for algo_id, h in hashers]\n",
"role": "user"
},
{
"content": "calculate_hashes",
"role": "assistant"
}
] |
def x(ctx):
if not ctx.index.entries:
return False
return (ctx.data_offset > 8 and ctx.data_offset > ctx.signatures.
offset_end + 8)
|
has_extras
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ctx):\n if not ctx.index.entries:\n return False\n return (ctx.data_offset > 8 and ctx.data_offset > ctx.signatures.\n offset_end + 8)\n",
"role": "user"
},
{
"content": "has_extras",
"role": "assistant"
}
] |
def x(keydata):
try:
key = serialization.load_pem_public_key(keydata, backend=
default_backend())
return key
except ValueError:
key = serialization.load_pem_private_key(keydata, password=None,
backend=default_backend())
key = key.public_key()
return key
|
get_publickey
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(keydata):\n try:\n key = serialization.load_pem_public_key(keydata, backend=\n default_backend())\n return key\n except ValueError:\n key = serialization.load_pem_private_key(keydata, password=None,\n backend=default_backend())\n key = key.public_key()\n return key\n",
"role": "user"
},
{
"content": "get_publickey",
"role": "assistant"
}
] |
def x(keydata):
key = serialization.load_pem_private_key(keydata, password=None,
backend=default_backend())
return key
|
get_privatekey
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(keydata):\n key = serialization.load_pem_private_key(keydata, password=None,\n backend=default_backend())\n return key\n",
"role": "user"
},
{
"content": "get_privatekey",
"role": "assistant"
}
] |
def x(fileobj, filesize):
fileobj.seek(0)
marfile = mar.parse_stream(fileobj)
if not marfile.signatures:
raise IOError(
"Can't generate signature data for file without signature blocks")
fileobj.seek(0)
block = fileobj.read(8)
yield block
sigs = sigs_header.parse_stream(fileobj)
sig_types = [(sig.algorithm_id, sig.size) for sig in sigs.sigs]
block = Int64ub.build(filesize) + Int32ub.build(sigs.count)
yield block
for algorithm_id, size in sig_types:
block = Int32ub.build(algorithm_id) + Int32ub.build(size)
yield block
for block in file_iter(fileobj):
yield block
|
get_signature_data
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(fileobj, filesize):\n fileobj.seek(0)\n marfile = mar.parse_stream(fileobj)\n if not marfile.signatures:\n raise IOError(\n \"Can't generate signature data for file without signature blocks\")\n fileobj.seek(0)\n block = fileobj.read(8)\n yield block\n sigs = sigs_header.parse_stream(fileobj)\n sig_types = [(sig.algorithm_id, sig.size) for sig in sigs.sigs]\n block = Int64ub.build(filesize) + Int32ub.build(sigs.count)\n yield block\n for algorithm_id, size in sig_types:\n block = Int32ub.build(algorithm_id) + Int32ub.build(size)\n yield block\n for block in file_iter(fileobj):\n yield block\n",
"role": "user"
},
{
"content": "get_signature_data",
"role": "assistant"
}
] |
def x(algorithm_id):
if algorithm_id == 1:
return hashes.Hash(hashes.SHA1(), default_backend())
elif algorithm_id == 2:
return hashes.Hash(hashes.SHA384(), default_backend())
else:
raise ValueError('Unsupported signing algorithm: %s' % algorithm_id)
|
make_hasher
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(algorithm_id):\n if algorithm_id == 1:\n return hashes.Hash(hashes.SHA1(), default_backend())\n elif algorithm_id == 2:\n return hashes.Hash(hashes.SHA384(), default_backend())\n else:\n raise ValueError('Unsupported signing algorithm: %s' % algorithm_id)\n",
"role": "user"
},
{
"content": "make_hasher",
"role": "assistant"
}
] |
def x(private_key, hash, hash_algo):
hash_algo = _hash_algorithms[hash_algo]
return get_privatekey(private_key).sign(hash, padding.PKCS1v15(), utils
.Prehashed(hash_algo))
|
sign_hash
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(private_key, hash, hash_algo):\n hash_algo = _hash_algorithms[hash_algo]\n return get_privatekey(private_key).sign(hash, padding.PKCS1v15(), utils\n .Prehashed(hash_algo))\n",
"role": "user"
},
{
"content": "sign_hash",
"role": "assistant"
}
] |
def x(public_key, signature, hash, hash_algo):
hash_algo = _hash_algorithms[hash_algo]
try:
return get_publickey(public_key).verify(signature, hash, padding.
PKCS1v15(), utils.Prehashed(hash_algo)) is None
except InvalidSignature:
return False
|
verify_signature
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(public_key, signature, hash, hash_algo):\n hash_algo = _hash_algorithms[hash_algo]\n try:\n return get_publickey(public_key).verify(signature, hash, padding.\n PKCS1v15(), utils.Prehashed(hash_algo)) is None\n except InvalidSignature:\n return False\n",
"role": "user"
},
{
"content": "verify_signature",
"role": "assistant"
}
] |
def x(bits):
private_key = rsa.generate_private_key(public_exponent=65537, key_size=
bits, backend=default_backend())
private_pem = private_key.private_bytes(encoding=serialization.Encoding
.PEM, format=serialization.PrivateFormat.TraditionalOpenSSL,
encryption_algorithm=serialization.NoEncryption())
public_pem = private_key.public_key().public_bytes(encoding=
serialization.Encoding.PEM, format=serialization.PublicFormat.
SubjectPublicKeyInfo)
return private_pem, public_pem
|
make_rsa_keypair
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(bits):\n private_key = rsa.generate_private_key(public_exponent=65537, key_size=\n bits, backend=default_backend())\n private_pem = private_key.private_bytes(encoding=serialization.Encoding\n .PEM, format=serialization.PrivateFormat.TraditionalOpenSSL,\n encryption_algorithm=serialization.NoEncryption())\n public_pem = private_key.public_key().public_bytes(encoding=\n serialization.Encoding.PEM, format=serialization.PublicFormat.\n SubjectPublicKeyInfo)\n return private_pem, public_pem\n",
"role": "user"
},
{
"content": "make_rsa_keypair",
"role": "assistant"
}
] |
def x(path):
try:
os.makedirs(path)
if not os.path.isdir(path):
raise IOError('path is not a directory')
except OSError as e:
if e.errno == 17 and os.path.isdir(path):
return
raise
|
mkdir
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path):\n try:\n os.makedirs(path)\n if not os.path.isdir(path):\n raise IOError('path is not a directory')\n except OSError as e:\n if e.errno == 17 and os.path.isdir(path):\n return\n raise\n",
"role": "user"
},
{
"content": "mkdir",
"role": "assistant"
}
] |
def x(iterable, size):
total = 0
for block in iterable:
n = min(len(block), size - total)
block = block[:n]
if block:
yield block
total += len(block)
if total >= size:
break
if total < size:
raise ValueError('not enough data (yielded {} of {})')
if total != size:
raise ValueError('yielded too much data')
|
takeexactly
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(iterable, size):\n total = 0\n for block in iterable:\n n = min(len(block), size - total)\n block = block[:n]\n if block:\n yield block\n total += len(block)\n if total >= size:\n break\n if total < size:\n raise ValueError('not enough data (yielded {} of {})')\n if total != size:\n raise ValueError('yielded too much data')\n",
"role": "user"
},
{
"content": "takeexactly",
"role": "assistant"
}
] |
def x(src, dst):
n = 0
for block in src:
dst.write(block)
n += len(block)
return n
|
write_to_file
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(src, dst):\n n = 0\n for block in src:\n dst.write(block)\n n += len(block)\n return n\n",
"role": "user"
},
{
"content": "write_to_file",
"role": "assistant"
}
] |
def x(src, level=9):
compressor = bz2.BZ2Compressor(level)
for block in src:
encoded = compressor.compress(block)
if encoded:
yield encoded
yield compressor.flush()
|
bz2_compress_stream
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(src, level=9):\n compressor = bz2.BZ2Compressor(level)\n for block in src:\n encoded = compressor.compress(block)\n if encoded:\n yield encoded\n yield compressor.flush()\n",
"role": "user"
},
{
"content": "bz2_compress_stream",
"role": "assistant"
}
] |
def x(src):
dec = bz2.BZ2Decompressor()
for block in src:
decoded = dec.decompress(block)
if decoded:
yield decoded
|
bz2_decompress_stream
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(src):\n dec = bz2.BZ2Decompressor()\n for block in src:\n decoded = dec.decompress(block)\n if decoded:\n yield decoded\n",
"role": "user"
},
{
"content": "bz2_decompress_stream",
"role": "assistant"
}
] |
def x(src):
compressor = lzma.LZMACompressor(check=lzma.CHECK_CRC64, filters=[{'id':
lzma.FILTER_X86}, {'id': lzma.FILTER_LZMA2, 'preset': lzma.
PRESET_DEFAULT}])
for block in src:
encoded = compressor.compress(block)
if encoded:
yield encoded
yield compressor.flush()
|
xz_compress_stream
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(src):\n compressor = lzma.LZMACompressor(check=lzma.CHECK_CRC64, filters=[{'id':\n lzma.FILTER_X86}, {'id': lzma.FILTER_LZMA2, 'preset': lzma.\n PRESET_DEFAULT}])\n for block in src:\n encoded = compressor.compress(block)\n if encoded:\n yield encoded\n yield compressor.flush()\n",
"role": "user"
},
{
"content": "xz_compress_stream",
"role": "assistant"
}
] |
def x(src):
dec = lzma.LZMADecompressor()
for block in src:
decoded = dec.decompress(block)
if decoded:
yield decoded
if dec.unused_data:
raise IOError('Read unused data at end of compressed stream')
|
xz_decompress_stream
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(src):\n dec = lzma.LZMADecompressor()\n for block in src:\n decoded = dec.decompress(block)\n if decoded:\n yield decoded\n if dec.unused_data:\n raise IOError('Read unused data at end of compressed stream')\n",
"role": "user"
},
{
"content": "xz_decompress_stream",
"role": "assistant"
}
] |
def x(src):
block = next(src)
compression = guess_compression(block)
if compression == 'bz2':
src = bz2_decompress_stream(chain([block], src))
elif compression == 'xz':
src = xz_decompress_stream(chain([block], src))
else:
src = chain([block], src)
for block in src:
yield block
|
auto_decompress_stream
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(src):\n block = next(src)\n compression = guess_compression(block)\n if compression == 'bz2':\n src = bz2_decompress_stream(chain([block], src))\n elif compression == 'xz':\n src = xz_decompress_stream(chain([block], src))\n else:\n src = chain([block], src)\n for block in src:\n yield block\n",
"role": "user"
},
{
"content": "auto_decompress_stream",
"role": "assistant"
}
] |
def x(path, dirname):
path = os.path.abspath(path)
dirname = os.path.abspath(dirname)
while len(path) >= len(dirname):
if path == dirname:
return True
newpath = os.path.dirname(path)
if newpath == path:
return False
path = newpath
return False
|
path_is_inside
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path, dirname):\n path = os.path.abspath(path)\n dirname = os.path.abspath(dirname)\n while len(path) >= len(dirname):\n if path == dirname:\n return True\n newpath = os.path.dirname(path)\n if newpath == path:\n return False\n path = newpath\n return False\n",
"role": "user"
},
{
"content": "path_is_inside",
"role": "assistant"
}
] |
def x(base, *elements):
base = os.path.abspath(base)
path = os.path.join(base, *elements)
path = os.path.normpath(path)
if not path_is_inside(path, base):
raise ValueError('target path is outside of the base path')
return path
|
safejoin
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(base, *elements):\n base = os.path.abspath(base)\n path = os.path.join(base, *elements)\n path = os.path.normpath(path)\n if not path_is_inside(path, base):\n raise ValueError('target path is outside of the base path')\n return path\n",
"role": "user"
},
{
"content": "safejoin",
"role": "assistant"
}
] |
def x(fileobj):
current = fileobj.tell()
fileobj.seek(0, 2)
end = fileobj.tell()
fileobj.seek(current)
return end
|
filesize
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(fileobj):\n current = fileobj.tell()\n fileobj.seek(0, 2)\n end = fileobj.tell()\n fileobj.seek(current)\n return end\n",
"role": "user"
},
{
"content": "filesize",
"role": "assistant"
}
] |
def x(timeout=None):
evt = WeakEvent(auto_reset=False)
Callback(evt.Signal)
evt.Wait(timeout=timeout)
evt.Reset()
wait4 = set(_handlers)
_handlers.clear()
_handlers.add(evt)
try:
WaitForAll(wait4, timeout=timeout)
except Exception as e:
evt.SignalException(e)
else:
evt.Signal()
|
sync
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(timeout=None):\n evt = WeakEvent(auto_reset=False)\n Callback(evt.Signal)\n evt.Wait(timeout=timeout)\n evt.Reset()\n wait4 = set(_handlers)\n _handlers.clear()\n _handlers.add(evt)\n try:\n WaitForAll(wait4, timeout=timeout)\n except Exception as e:\n evt.SignalException(e)\n else:\n evt.Signal()\n",
"role": "user"
},
{
"content": "sync",
"role": "assistant"
}
] |
def x(self, destroy=False, sync=False, timeout=None):
_SharedPV.close(self, destroy)
if sync:
_sync()
self._disconnected.Wait(timeout=timeout)
|
close
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, destroy=False, sync=False, timeout=None):\n _SharedPV.close(self, destroy)\n if sync:\n _sync()\n self._disconnected.Wait(timeout=timeout)\n",
"role": "user"
},
{
"content": "close",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.