source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(pattern, string, *args, **kwargs):
flags = args[2] if len(args) > 2 else kwargs.get('flags', 0)
return _re.findall(_apply_search_backrefs(pattern, flags), string, *
args, **kwargs)
| findall | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pattern, string, *args, **kwargs):\n flags = args[2] if len(args) > 2 else kwargs.get('flags', 0)\n return _re.findall(_apply_search_backrefs(pattern, fl... |
def x(pattern, repl, string, *args, **kwargs):
flags = args[4] if len(args) > 4 else kwargs.get('flags', 0)
is_replace = _is_replace(repl)
is_string = isinstance(repl, (str, bytes))
if is_replace and repl.use_format:
raise ValueError('Compiled replace cannot be a format object!')
pattern = compile_search(pattern, flags)
return _re.sub(pattern, compile_replace(pattern, repl) if is_replace or
is_string else repl, string, *args, **kwargs)
| sub | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pattern, repl, string, *args, **kwargs):\n flags = args[4] if len(args) > 4 else kwargs.get('flags', 0)\n is_replace = _is_replace(repl)\n is_string =... |
def x(request, kind, method, *args):
request.session.setdefault(_key_name(kind), []).append({'method':
method, 'args': args})
| add | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(request, kind, method, *args):\n request.session.setdefault(_key_name(kind), []).append({'method':\n method, 'args': args})\n",
"role": "user"
... |
def x():
here = os.path.abspath(os.path.dirname(__file__))
jbxapi_file = os.path.join(here, 'jbxapi.py')
with open(jbxapi_file) as f:
content = f.read()
match = re.search('^__version__ = [\'\\"]([^\'\\"]*)[\'\\"]',
content, re.M)
if not match:
raise RuntimeError('Unable to find version string.')
return match.group(1)
| get_version | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n here = os.path.abspath(os.path.dirname(__file__))\n jbxapi_file = os.path.join(here, 'jbxapi.py')\n with open(jbxapi_file) as f:\n content... |
def x(self):
response = self._post(self.apiurl + '/v2/analysis/list', data={'apikey':
self.apikey})
return self._raise_or_extract(response)
| analysis_list | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n response = self._post(self.apiurl + '/v2/analysis/list', data={'apikey':\n self.apikey})\n return self._raise_or_extract(response)\n",
... |
def x(self, sample, cookbook=None, params={}, _extra_params={}):
self._check_user_parameters(params)
files = {'sample': sample}
if cookbook:
files['cookbook'] = cookbook
return self._submit(params, files, _extra_params=_extra_params)
| submit_sample | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sample, cookbook=None, params={}, _extra_params={}):\n self._check_user_parameters(params)\n files = {'sample': sample}\n if cookbook:\n ... |
def x(self, url, params={}, _extra_params={}):
self._check_user_parameters(params)
params = copy.copy(params)
params['sample-url'] = url
return self._submit(params, _extra_params=_extra_params)
| submit_sample_url | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, url, params={}, _extra_params={}):\n self._check_user_parameters(params)\n params = copy.copy(params)\n params['sample-url'] = url\n return s... |
def x(self, url, params={}, _extra_params={}):
self._check_user_parameters(params)
params = copy.copy(params)
params['url'] = url
return self._submit(params, _extra_params=_extra_params)
| submit_url | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, url, params={}, _extra_params={}):\n self._check_user_parameters(params)\n params = copy.copy(params)\n params['url'] = url\n return self._su... |
def x(self, cookbook, params={}, _extra_params={}):
self._check_user_parameters(params)
files = {'cookbook': cookbook}
return self._submit(params, files, _extra_params=_extra_params)
| submit_cookbook | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, cookbook, params={}, _extra_params={}):\n self._check_user_parameters(params)\n files = {'cookbook': cookbook}\n return self._submit(params, fil... |
def x(self, submission_id):
response = self._post(self.apiurl + '/v2/submission/delete', data={
'apikey': self.apikey, 'submission_id': submission_id})
return self._raise_or_extract(response)
| submission_delete | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, submission_id):\n response = self._post(self.apiurl + '/v2/submission/delete', data={\n 'apikey': self.apikey, 'submission_id': submission_id})... |
def x(self):
response = self._post(self.apiurl + '/v2/server/online', data={'apikey':
self.apikey})
return self._raise_or_extract(response)
| server_online | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n response = self._post(self.apiurl + '/v2/server/online', data={'apikey':\n self.apikey})\n return self._raise_or_extract(response)\n",
... |
def x(self, webid):
response = self._post(self.apiurl + '/v2/analysis/info', data={'apikey':
self.apikey, 'webid': webid})
return self._raise_or_extract(response)
| analysis_info | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, webid):\n response = self._post(self.apiurl + '/v2/analysis/info', data={'apikey':\n self.apikey, 'webid': webid})\n return self._raise_or_e... |
def x(self, webid, type, run=None, file=None):
if file is None:
_file = io.BytesIO()
else:
_file = file
data = {'apikey': self.apikey, 'webid': webid, 'type': type, 'run': run}
response = self._post(self.apiurl + '/v2/analysis/download', data=data,
stream=True)
try:
filename = response.headers['Content-Disposition'].split('filename=')[1
][1:-2]
except Exception as e:
filename = type
if not response.ok:
self._raise_or_extract(response)
raise RuntimeError('Unreachable because statement above should raise.')
try:
for chunk in response.iter_content(1024):
_file.write(chunk)
except requests.exceptions.RequestException as e:
raise ConnectionError(e)
if file is None:
return filename, _file.getvalue()
else:
return filename
| analysis_download | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, webid, type, run=None, file=None):\n if file is None:\n _file = io.BytesIO()\n else:\n _file = file\n data = {'apikey': self.apike... |
def x(self, query):
response = self._post(self.apiurl + '/v2/analysis/search', data={
'apikey': self.apikey, 'q': query})
return self._raise_or_extract(response)
| analysis_search | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, query):\n response = self._post(self.apiurl + '/v2/analysis/search', data={\n 'apikey': self.apikey, 'q': query})\n return self._raise_or_ex... |
def x(self):
response = self._post(self.apiurl + '/v2/server/systems', data={
'apikey': self.apikey})
return self._raise_or_extract(response)
| server_systems | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n response = self._post(self.apiurl + '/v2/server/systems', data={\n 'apikey': self.apikey})\n return self._raise_or_extract(response)\n",
... |
def x(self):
response = self._post(self.apiurl + '/v2/account/info', data={'apikey':
self.apikey})
return self._raise_or_extract(response)
| account_info | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n response = self._post(self.apiurl + '/v2/account/info', data={'apikey':\n self.apikey})\n return self._raise_or_extract(response)\n",
... |
def x(self):
response = self._post(self.apiurl + '/v2/server/info', data={'apikey':
self.apikey})
return self._raise_or_extract(response)
| server_info | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n response = self._post(self.apiurl + '/v2/server/info', data={'apikey':\n self.apikey})\n return self._raise_or_extract(response)\n",
... |
def x(self):
response = self._post(self.apiurl + '/v2/server/lia_countries', data={
'apikey': self.apikey})
return self._raise_or_extract(response)
| server_lia_countries | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n response = self._post(self.apiurl + '/v2/server/lia_countries', data={\n 'apikey': self.apikey})\n return self._raise_or_extract(response... |
def x(self):
response = self._post(self.apiurl + '/v2/server/languages_and_locales',
data={'apikey': self.apikey})
return self._raise_or_extract(response)
| server_languages_and_locales | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n response = self._post(self.apiurl + '/v2/server/languages_and_locales',\n data={'apikey': self.apikey})\n return self._raise_or_extract(r... |
def x(self, url, data=None, **kwargs):
if 'files' in kwargs and kwargs['files'] is not None:
acceptable_chars = ('0123456789' + 'abcdefghijklmnopqrstuvwxyz' +
'ABCDEFGHIJKLMNOPQRSTUVWXYZ' + ' _-.,()[]{}')
for param_name, fp in kwargs['files'].items():
if isinstance(fp, (tuple, list)):
filename, fp = fp
else:
filename = requests.utils.guess_filename(fp) or param_name
def x(char):
try:
if char in acceptable_chars:
return char
except UnicodeDecodeError:
pass
return 'x{:02x}'.format(ord(char))
filename = ''.join(encode(x) for x in filename)
kwargs['files'][param_name] = filename, fp
for i in itertools.count(1):
try:
return self.session.post(url, data=data, timeout=self.timeout,
**kwargs)
except requests.exceptions.Timeout as e:
if i >= self.retries:
raise ConnectionError(e)
except requests.exceptions.RequestException as e:
raise ConnectionError(e)
max_backoff = 4 ** i / 10
time.sleep(random.uniform(0, max_backoff))
| post | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, url, data=None, **kwargs):\n if 'files' in kwargs and kwargs['files'] is not None:\n acceptable_chars = ('0123456789' + 'abcdefghijklmnopqrstuv... |
def x(self, user_parameters):
if not user_parameters:
return
for key in user_parameters:
if key not in submission_defaults:
raise ValueError('Unknown parameter {0}'.format(key))
| check_user_parameters | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, user_parameters):\n if not user_parameters:\n return\n for key in user_parameters:\n if key not in submission_defaults:\n ... |
def x(self, response):
try:
data = response.json()
except ValueError:
raise JoeException(
'The server responded with an unexpected format ({}). Is the API url correct?'
.format(response.status_code))
try:
if response.ok:
return data['data']
else:
error = data['errors'][0]
raise ApiError(error)
except (KeyError, TypeError):
raise JoeException('Unexpected data ({}). Is the API url correct?'.
format(response.status_code))
| raise_or_extract | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, response):\n try:\n data = response.json()\n except ValueError:\n raise JoeException(\n 'The server responded with an unex... |
def x(lines):
props = {}
lexer = shlex.shlex(lines, posix=True)
lexer.whitespace_split = True
if sys.version_info[0] == 2 and isinstance(lexer.wordchars, bytes):
lexer.wordchars = lexer.wordchars.decode('iso-8859-1')
tokens = list(lexer)
for token in tokens:
if '=' in token:
k, v = token.split('=', 1)
if isinstance(v, bytes):
v = v.decode('utf-8')
props[k.lower()] = v
else:
pass
if 'version_codename' in props:
props['codename'] = props['version_codename']
elif 'ubuntu_codename' in props:
props['codename'] = props['ubuntu_codename']
elif 'version' in props:
codename = re.search('(\\(\\D+\\))|,(\\s+)?\\D+', props['version'])
if codename:
codename = codename.group()
codename = codename.strip('()')
codename = codename.strip(',')
codename = codename.strip()
props['codename'] = codename
return props
| parse_os_release_content | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(lines):\n props = {}\n lexer = shlex.shlex(lines, posix=True)\n lexer.whitespace_split = True\n if sys.version_info[0] == 2 and isinstance(lexer.wo... |
def x(D, dest, title):
number_of_cycles = 0
for pair in ['1', '2']:
if pair not in D:
continue
for tile in D[pair]:
if len(D[pair][tile]['mean']) > number_of_cycles:
number_of_cycles = len(D[pair][tile]['mean'])
fig = plt.figure(figsize=(12, 8))
plt.rcParams.update({'axes.linewidth': 0.9})
plt.rc('grid', color='0.50', linestyle='-', linewidth=0.1)
all_tiles = {'1': {'mean': [0] * number_of_cycles, 'count': [0] *
number_of_cycles}, '2': {'mean': [0] * number_of_cycles, 'count': [
0] * number_of_cycles}}
for i in range(0, number_of_cycles):
means_p1 = []
counts_p1 = []
means_p2 = []
counts_p2 = []
for tile_id in D['1']:
tile = D['1'][tile_id]
means_p1.append(tile['mean'][i])
counts_p1.append(tile['count'][i])
if '2' in D and D['2']:
tile = D['2'][tile_id]
means_p2.append(tile['mean'][i])
counts_p2.append(tile['count'][i])
all_tiles['1']['mean'][i] = numpy.mean(means_p1)
all_tiles['1']['count'][i] = sum(counts_p1)
if '2' in D and D['2']:
all_tiles['2']['mean'][i] = numpy.mean(means_p2)
all_tiles['2']['count'][i] = sum(counts_p2)
colors = cm.get_cmap('RdYlGn', lut=256)
plt.grid(True)
plt.subplots_adjust(left=0.02, bottom=0.03, top=0.95, right=0.98)
plt.xticks(list(range(number_of_cycles / 10, number_of_cycles,
number_of_cycles / 10)), rotation=90, size='xx-small')
plt.ylim(ymin=0, ymax=42)
plt.xlim(xmin=0, xmax=number_of_cycles - 1)
plt.yticks(list(range(5, 41, 5)), size='xx-small')
plt.fill_between(list(range(0, number_of_cycles)), [(42) for _ in range
(0, number_of_cycles)], y2=0, color=colors(0), alpha=0.2)
plt.plot(all_tiles['1']['mean'], color='orange', lw=6)
read_number_percent_dropdown = [(42 * (x / all_tiles['1']['count'][0])) for
x in all_tiles['1']['count']]
if not len(set(read_number_percent_dropdown)) <= 1:
plt.fill_between(list(range(0, number_of_cycles)),
read_number_percent_dropdown, y2=0, color='black', alpha=0.08)
plt.text(5, 2.5, '%s' % big_number_pretty_print(all_tiles['1'][
'count'][0]), alpha=0.5)
else:
plt.text(5, 2.5, '%s' % big_number_pretty_print(all_tiles['1'][
'count'][0]), alpha=0.5)
if '2' in all_tiles and all_tiles['2']:
plt.plot(all_tiles['2']['mean'], color='purple', lw=6)
plt.figtext(0.5, 0.97, '%s' % title, weight='black', size='xx-large',
ha='center')
try:
plt.savefig(dest + '.tiff')
except:
plt.savefig(dest + '.png')
return all_tiles['1']['mean'], all_tiles['2']['mean']
| visualize_qual_stats_dict_single | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(D, dest, title):\n number_of_cycles = 0\n for pair in ['1', '2']:\n if pair not in D:\n continue\n for tile in D[pair]:\n ... |
def x(n):
if type(n) != int:
return n
ret = []
n = str(n)
for i in range(len(n) - 1, -1, -1):
ret.append(n[i])
if (len(n) - i) % 3 == 0:
ret.append(',')
ret.reverse()
return ''.join(ret[1:]) if ret[0] == ',' else ''.join(ret)
| pretty_print | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(n):\n if type(n) != int:\n return n\n ret = []\n n = str(n)\n for i in range(len(n) - 1, -1, -1):\n ret.append(n[i])\n if (len... |
def x(cls):
my_plurals = resource_helper.build_plural_mappings({},
RESOURCE_ATTRIBUTE_MAP)
attributes.PLURALS.update(my_plurals)
attr_map = RESOURCE_ATTRIBUTE_MAP
ext_resources = resource_helper.build_resource_info(my_plurals,
attr_map, constants.A10_CERTIFICATE)
return ext_resources
| get_resources | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls):\n my_plurals = resource_helper.build_plural_mappings({},\n RESOURCE_ATTRIBUTE_MAP)\n attributes.PLURALS.update(my_plurals)\n attr_map = R... |
def x(self, context, a10_device_instance):
LOG.debug('A10DeviceInstancePlugin.create(): a10_device_instance=%s',
a10_device_instance)
config = a10_config.A10Config()
vthunder_defaults = config.get_vthunder_config()
imgr = instance_manager.InstanceManager.from_config(config, context)
dev_instance = common_resources.remove_attributes_not_specified(
a10_device_instance.get(resources.RESOURCE))
vthunder_config = vthunder_defaults.copy()
vthunder_config.update(_convert(dev_instance, _API, _VTHUNDER_CONFIG))
instance = imgr.create_device_instance(vthunder_config, dev_instance.
get('name'))
db_record = {}
db_record.update(_convert(vthunder_config, _VTHUNDER_CONFIG, _DB))
db_record.update(_convert(dev_instance, _API, _DB))
db_record.update(_convert(instance, _INSTANCE, _DB))
db_instance = super(A10DeviceInstancePlugin, self
).create_a10_device_instance(context, {resources.RESOURCE: db_record})
return _make_api_dict(db_instance)
| create_a10_device_instance | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, context, a10_device_instance):\n LOG.debug('A10DeviceInstancePlugin.create(): a10_device_instance=%s',\n a10_device_instance)\n config = a10... |
def x(self, vip):
vport_meta = self.meta(vip, 'vport', None)
if vport_meta is None:
vport_meta = self.meta(vip, 'port', {})
return vport_meta
| vport_meta | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, vip):\n vport_meta = self.meta(vip, 'vport', None)\n if vport_meta is None:\n vport_meta = self.meta(vip, 'port', {})\n return vport_meta... |
def x(template, *args, **kw):
if six.callable(template):
return template(*args, **kw)
if isinstance(template, six.string_types):
return template
if isinstance(template, collections.Mapping):
return template.__class__((k, apply_template(v, *args, **kw)) for k,
v in template.items())
if isinstance(template, collections.Iterable):
return template.__class__(apply_template(v, *args, **kw) for v in
template)
return template
| apply_template | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(template, *args, **kw):\n if six.callable(template):\n return template(*args, **kw)\n if isinstance(template, six.string_types):\n return t... |
def x(cls):
my_plurals = resource_helper.build_plural_mappings({},
RESOURCE_ATTRIBUTE_MAP)
attributes.PLURALS.update(my_plurals)
attr_map = RESOURCE_ATTRIBUTE_MAP
resources = resource_helper.build_resource_info(my_plurals, attr_map,
constants.A10_DEVICE_INSTANCE)
return resources
| get_resources | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls):\n my_plurals = resource_helper.build_plural_mappings({},\n RESOURCE_ATTRIBUTE_MAP)\n attributes.PLURALS.update(my_plurals)\n attr_map = R... |
def x(a10_cfg, device_cfg, client):
vth = a10_cfg.get_vthunder_config()
initialize_interfaces(vth, device_cfg, client)
initialize_dns(vth, device_cfg, client)
initialize_licensing(vth, device_cfg, client)
initialize_sflow(vth, device_cfg, client)
| initialize_vthunder | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(a10_cfg, device_cfg, client):\n vth = a10_cfg.get_vthunder_config()\n initialize_interfaces(vth, device_cfg, client)\n initialize_dns(vth, device_cfg,... |
def x(db_session=None, url=None):
if db_session is not None:
yield db_session
else:
session = get_session(url, expire_on_commit=False)
try:
try:
yield session
finally:
session.commit()
finally:
session.close()
| magic_session | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(db_session=None, url=None):\n if db_session is not None:\n yield db_session\n else:\n session = get_session(url, expire_on_commit=False)\n ... |
def x(self, server, network_id, wrong_ips):
for attached_interface in server.interface_list():
if attached_interface.net_id == network_id:
if any(map(lambda x: x['ip_address'] in wrong_ips,
attached_interface.fixed_ips)):
continue
return attached_interface
return server.interface_attach(None, network_id, None)
| plumb_port | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, server, network_id, wrong_ips):\n for attached_interface in server.interface_list():\n if attached_interface.net_id == network_id:\n ... |
def x(self, subnet_id, mac, port_id):
subnet = self.get_subnet(subnet_id)
ip, mask, port_id = self.a10_allocate_ip_from_dhcp_range(subnet, 'vlan',
mac, port_id)
return ip, mask, port_id
| allocate_ip_for_subnet | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, subnet_id, mac, port_id):\n subnet = self.get_subnet(subnet_id)\n ip, mask, port_id = self.a10_allocate_ip_from_dhcp_range(subnet, 'vlan',\n ... |
def x(self, subnet, interface_id, mac, port_id):
subnet_id = subnet['id']
network_id = subnet['network_id']
iprange_result = self.get_ipallocationpool_by_subnet_id(subnet_id)
ip_in_use_list = [x.ip_address for x in self.
get_ipallocations_by_subnet_id(subnet_id)]
range_begin, range_end = iprange_result.first_ip, iprange_result.last_ip
ip_address = IPHelpers.find_unused_ip(range_begin, range_end,
ip_in_use_list)
if not ip_address:
msg = 'Cannot allocate from subnet {0}'.format(subnet)
LOG.error(msg)
raise Exception
mark_in_use = {'ip_address': ip_address, 'network_id': network_id,
'port_id': port_id, 'subnet_id': subnet['id']}
self.create_ipallocation(mark_in_use)
return ip_address, subnet['cidr'], mark_in_use['port_id']
| a10_allocate_ip_from_dhcp_range | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, subnet, interface_id, mac, port_id):\n subnet_id = subnet['id']\n network_id = subnet['network_id']\n iprange_result = self.get_ipallocationpool... |
def x(self, c, context, hm, pool_id):
pool_name = self._pool_name(context, pool_id)
c.client.slb.service_group.update(pool_name, health_monitor='',
health_check_disable=True)
| dissociate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, c, context, hm, pool_id):\n pool_name = self._pool_name(context, pool_id)\n c.client.slb.service_group.update(pool_name, health_monitor='',\n ... |
def x(self, c, context, hm, pool_id):
self._dissociate(c, context, hm, pool_id)
pools = hm.get('pools', [])
if not any(p for p in pools if p.get('pool_id') != pool_id):
self._delete_unused(c, context, hm)
| dissociate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, c, context, hm, pool_id):\n self._dissociate(c, context, hm, pool_id)\n pools = hm.get('pools', [])\n if not any(p for p in pools if p.get('pool... |
def x(self, c, context, hm):
pools = hm.get('pools', [])
for pool in pools:
pool_id = pool.get('pool_id')
self._dissociate(c, context, hm, pool_id)
self._delete_unused(c, context, hm)
| delete | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, c, context, hm):\n pools = hm.get('pools', [])\n for pool in pools:\n pool_id = pool.get('pool_id')\n self._dissociate(c, context, hm... |
def x(self):
if self.fitness is not None:
raise Exception('You are calculating the fitness of agent {}, '.
format(self.id) + 'but they already have a fitness')
said_blue = self.infos(type=Meme)[0].contents == 'blue'
proportion = float(max(self.network.nodes(type=RogersEnvironment)[0].
infos(), key=attrgetter('id')).contents)
self.proportion = proportion
is_blue = proportion > 0.5
if said_blue is is_blue:
self.score = 1
else:
self.score = 0
is_asocial = self.infos(type=LearningGene)[0].contents == 'asocial'
e = 2
b = 1
c = 0.3 * b
baseline = c + 0.0001
self.fitness = (baseline + self.score * b - is_asocial * c) ** e
| calculate_fitness | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self.fitness is not None:\n raise Exception('You are calculating the fitness of agent {}, '.\n format(self.id) + 'but they alr... |
def x(self, infos):
genes = [i for i in infos if isinstance(i, LearningGene)]
for gene in genes:
if (self.network.role == 'experiment' and self.generation > 0 and
random.random() < 0.1):
self.mutate(gene)
else:
self.replicate(gene)
| update | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, infos):\n genes = [i for i in infos if isinstance(i, LearningGene)]\n for gene in genes:\n if (self.network.role == 'experiment' and self.ge... |
def x(self):
if not self.networks():
super(Bartlett1932, self).setup()
for net in self.networks():
self.models.WarOfTheGhostsSource(network=net)
| setup | [
{
"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.networks():\n super(Bartlett1932, self).setup()\n for net in self.networks():\n self.models.WarOfTheGhostsSour... |
def x(self, node, network):
network.add_node(node)
parents = node.neighbors(direction='from')
if len(parents):
parent = parents[0]
parent.transmit()
node.receive()
| add_node_to_network | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, node, network):\n network.add_node(node)\n parents = node.neighbors(direction='from')\n if len(parents):\n parent = parents[0]\n p... |
def x(self):
if self.networks(full=False):
self.recruiter.recruit(n=1)
else:
self.recruiter.close_recruitment()
| recruit | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self.networks(full=False):\n self.recruiter.recruit(n=1)\n else:\n self.recruiter.close_recruitment()\n",
"role": "user"
... |
def x(self):
try:
logger.info('Entering participate method')
ready = WebDriverWait(self.driver, 10).until(EC.
element_to_be_clickable((By.ID, 'finish-reading')))
stimulus = self.driver.find_element_by_id('stimulus')
story = stimulus.find_element_by_id('story')
story_text = story.text
logger.info('Stimulus text:')
logger.info(story_text)
ready.click()
submit = WebDriverWait(self.driver, 10).until(EC.
element_to_be_clickable((By.ID, 'submit-response')))
textarea = WebDriverWait(self.driver, 10).until(EC.
element_to_be_clickable((By.ID, 'reproduction')))
textarea.clear()
text = self.transform_text(story_text)
logger.info('Transformed text:')
logger.info(text)
textarea.send_keys(text)
submit.click()
return True
except TimeoutException:
return False
| participate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n try:\n logger.info('Entering participate method')\n ready = WebDriverWait(self.driver, 10).until(EC.\n element_to_be_click... |
def x(self):
info = self._info_type()(origin=self, contents=self._contents())
return info
| create_information | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n info = self._info_type()(origin=self, contents=self._contents())\n return info\n",
"role": "user"
},
{
"content": "create_informatio... |
def x(self):
if not self.networks():
super(IteratedDrawing, self).setup()
for net in self.networks():
self.models.DrawingSource(network=net)
| setup | [
{
"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.networks():\n super(IteratedDrawing, self).setup()\n for net in self.networks():\n self.models.DrawingSource(n... |
def x(self):
super(RogersExperiment, self).setup()
for net in random.sample(self.networks(role='experiment'), self.
catch_repeats):
net.role = 'catch'
for net in self.networks():
source = self.models.RogersSource(network=net)
source.create_information()
net.max_size = net.max_size + 1
env = self.models.RogersEnvironment(network=net)
env.proportion = self.color_proportion_for_network(net)
env.create_information()
| setup | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n super(RogersExperiment, self).setup()\n for net in random.sample(self.networks(role='experiment'), self.\n catch_repeats):\n net.r... |
def x(self):
return DiscreteGenerational(generations=self.generations,
generation_size=self.generation_size, initial_source=True)
| create_network | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return DiscreteGenerational(generations=self.generations,\n generation_size=self.generation_size, initial_source=True)\n",
"role": "user... |
def x(self, network, participant):
return self.models.RogersAgent(network=network, participant=participant)
| create_node | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, network, participant):\n return self.models.RogersAgent(network=network, participant=participant)\n",
"role": "user"
},
{
"content": "crea... |
def x(self, participant):
num_approved = len(Participant.query.filter_by(status='approved').all())
current_generation = participant.nodes()[0].generation
if (num_approved % self.generation_size == 0 and current_generation %
10 + 1 == 0):
for e in self.models.RogersEnvironment.query.all():
e.step()
| submission_successful | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, participant):\n num_approved = len(Participant.query.filter_by(status='approved').all())\n current_generation = participant.nodes()[0].generation\n... |
def x(self):
num_approved = len(Participant.query.filter_by(status='approved').all())
end_of_generation = num_approved % self.generation_size == 0
complete = num_approved >= self.generations * self.generation_size
if complete:
self.log('All networks full: closing recruitment', '-----')
self.recruiter.close_recruitment()
elif end_of_generation:
self.log('generation finished, recruiting another')
self.recruiter.recruit(n=self.generation_size)
| recruit | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n num_approved = len(Participant.query.filter_by(status='approved').all())\n end_of_generation = num_approved % self.generation_size == 0\n com... |
def x(self, participant):
scores = [n.score for n in participant.nodes() if n.network.role ==
'experiment']
average = float(sum(scores)) / float(len(scores))
bonus = round(max(0.0, (average - 0.5) * 2) * self.bonus_payment, 2)
return bonus
| bonus | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, participant):\n scores = [n.score for n in participant.nodes() if n.network.role ==\n 'experiment']\n average = float(sum(scores)) / float(l... |
def x(self, participant=None):
if self.catch_repeats == 0:
return True
scores = [n.score for n in participant.nodes() if n.network.role == 'catch'
]
avg = float(sum(scores)) / float(len(scores))
return avg >= self.min_acceptable_performance
| attention_check | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, participant=None):\n if self.catch_repeats == 0:\n return True\n scores = [n.score for n in participant.nodes() if n.network.role == 'catch'... |
def x(root='.'):
total_size = 0
exclusions = exclusion_policy()
for dirpath, dirnames, filenames in os.walk(root, topdown=True):
current_exclusions = exclusions(dirpath, os.listdir(dirpath))
dirnames[:] = [d for d in dirnames if d not in current_exclusions]
legit_files = [f for f in filenames if f not in current_exclusions]
for f in legit_files:
fp = os.path.join(dirpath, f)
total_size += os.path.getsize(fp)
return total_size
| size_on_copy | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(root='.'):\n total_size = 0\n exclusions = exclusion_policy()\n for dirpath, dirnames, filenames in os.walk(root, topdown=True):\n current_excl... |
def x(config):
app_id = config.get('id')
dst = os.path.join(tempfile.mkdtemp(), app_id)
shutil.copytree(os.getcwd(), dst, ignore=exclusion_policy())
config.write(filter_sensitive=True, directory=dst)
with open(os.path.join(dst, 'experiment_id.txt'), 'w') as file:
file.write(app_id)
dallinger_root = dallinger_package_path()
ensure_directory(os.path.join(dst, 'static', 'scripts'))
ensure_directory(os.path.join(dst, 'static', 'css'))
frontend_files = [os.path.join('static', 'css', 'dallinger.css'), os.
path.join('static', 'scripts', 'dallinger2.js'), os.path.join(
'static', 'scripts', 'reqwest.min.js'), os.path.join('static',
'scripts', 'require.js'), os.path.join('static', 'scripts',
'reconnecting-websocket.js'), os.path.join('static', 'scripts',
'spin.min.js'), os.path.join('static', 'scripts', 'tracker.js'), os
.path.join('static', 'scripts', 'store+json2.min.js'), os.path.join
('templates', 'error.html'), os.path.join('templates',
'error-complete.html'), os.path.join('templates', 'launch.html'),
os.path.join('templates', 'complete.html'), os.path.join(
'templates', 'questionnaire.html'), os.path.join('templates',
'thanks.html'), os.path.join('templates', 'waiting.html'), os.path.
join('static', 'robots.txt')]
frontend_dirs = [os.path.join('templates', 'base')]
for filename in frontend_files:
src = os.path.join(dallinger_root, 'frontend', filename)
dst_filepath = os.path.join(dst, filename)
if not os.path.exists(dst_filepath):
shutil.copy(src, dst_filepath)
for filename in frontend_dirs:
src = os.path.join(dallinger_root, 'frontend', filename)
dst_filepath = os.path.join(dst, filename)
if not os.path.exists(dst_filepath):
shutil.copytree(src, dst_filepath)
heroku_files = ['Procfile', 'runtime.txt']
for filename in heroku_files:
src = os.path.join(dallinger_root, 'heroku', filename)
shutil.copy(src, os.path.join(dst, filename))
if not config.get('clock_on'):
src = os.path.join(dallinger_root, 'heroku', 'Procfile_no_clock')
shutil.copy(src, os.path.join(dst, 'Procfile'))
return dst
| assemble_experiment_temp_dir | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(config):\n app_id = config.get('id')\n dst = os.path.join(tempfile.mkdtemp(), app_id)\n shutil.copytree(os.getcwd(), dst, ignore=exclusion_policy())\n... |
def x(log, debug=True, verbose=False, app=None, exp_config=None):
try:
db.check_connection()
except Exception:
log('There was a problem connecting to the Postgres database!')
raise
try:
with open('requirements.txt', 'r') as f:
dependencies = [r for r in f.readlines() if r[:3] != '-e ']
except (OSError, IOError):
dependencies = []
pkg_resources.require(dependencies)
from dallinger.experiment import Experiment
generated_uid = public_id = Experiment.make_uuid(app)
if app:
public_id = str(app)
log('Experiment id is ' + public_id + '')
config = get_config()
if not config.ready:
config.load()
if exp_config:
config.extend(exp_config)
config.extend({'id': six.text_type(generated_uid)})
temp_dir = assemble_experiment_temp_dir(config)
log('Deployment temp directory: {}'.format(temp_dir), chevrons=False)
if not debug:
log('Freezing the experiment package...')
shutil.make_archive(os.path.join(os.getcwd(), 'snapshots',
public_id + '-code'), 'zip', temp_dir)
return public_id, temp_dir
| setup_experiment | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(log, debug=True, verbose=False, app=None, exp_config=None):\n try:\n db.check_connection()\n except Exception:\n log('There was a problem c... |
def x(log, verbose=True, app=None, exp_config=None):
if verbose:
out = None
else:
out = open(os.devnull, 'w')
config = get_config()
if not config.ready:
config.load()
heroku.sanity_check(config)
id, tmp = setup_experiment(log, debug=False, app=app, exp_config=exp_config
)
if config.get('mode') == 'live':
log('Registering the experiment on configured services...')
registration.register(id, snapshot=None)
log('Making sure that you are logged in to Heroku.')
heroku.log_in()
config.set('heroku_auth_token', heroku.auth_token())
log('', chevrons=False)
cwd = os.getcwd()
os.chdir(tmp)
git = GitClient(output=out)
git.init()
git.add('--all')
git.commit('"Experiment {}"'.format(id))
log('Initializing app on Heroku...')
team = config.get('heroku_team', None)
heroku_app = HerokuApp(dallinger_uid=id, output=out, team=team)
heroku_app.bootstrap()
heroku_app.buildpack(
'https://github.com/stomita/heroku-buildpack-phantomjs')
database_size = config.get('database_size')
redis_size = config.get('redis_size')
addons = ['heroku-postgresql:{}'.format(quote(database_size)),
'heroku-redis:{}'.format(quote(redis_size)), 'papertrail']
if config.get('sentry'):
addons.append('sentry')
for name in addons:
heroku_app.addon(name)
heroku_config = {'aws_access_key_id': config['aws_access_key_id'],
'aws_secret_access_key': config['aws_secret_access_key'],
'aws_region': config['aws_region'], 'auto_recruit': config[
'auto_recruit'], 'smtp_username': config['smtp_username'],
'smtp_password': config['smtp_password'], 'whimsical': config[
'whimsical']}
heroku_app.set_multiple(**heroku_config)
log('Waiting for Redis...')
ready = False
while not ready:
try:
r = redis.from_url(heroku_app.redis_url)
r.set('foo', 'bar')
ready = True
except (ValueError, redis.exceptions.ConnectionError):
time.sleep(2)
log('Saving the URL of the postgres database...')
config.extend({'notification_url': heroku_app.url + '/notifications',
'database_url': heroku_app.db_url})
config.write()
git.add('config.txt')
time.sleep(0.25)
git.commit('Save URLs for database and notifications')
time.sleep(0.25)
log('Pushing code to Heroku...')
git.push(remote='heroku', branch='HEAD:master')
log('Scaling up the dynos...')
size = config.get('dyno_type')
for process in ['web', 'worker']:
qty = config.get('num_dynos_' + process)
heroku_app.scale_up_dyno(process, qty, size)
if config.get('clock_on'):
heroku_app.scale_up_dyno('clock', 1, size)
time.sleep(8)
log('Launching the experiment on the remote server and starting recruitment...'
)
launch_data = _handle_launch_data('{}/launch'.format(heroku_app.url),
error=log)
result = {'app_name': heroku_app.name, 'app_home': heroku_app.url,
'recruitment_msg': launch_data.get('recruitment_msg', None)}
log('Experiment details:')
log('App home: {}'.format(result['app_home']), chevrons=False)
log('Recruiter info:')
log(result['recruitment_msg'], chevrons=False)
os.chdir(cwd)
log('Completed deployment of experiment ' + id + '.')
return result
| deploy_sandbox_shared_setup | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(log, verbose=True, app=None, exp_config=None):\n if verbose:\n out = None\n else:\n out = open(os.devnull, 'w')\n config = get_config()\... |
def x(self):
self.configure()
self.setup()
self.update_dir()
db.init_db(drop_all=True)
self.out.log('Starting up the server...')
config = get_config()
with HerokuLocalWrapper(config, self.out, verbose=self.verbose) as wrapper:
try:
self.execute(wrapper)
except KeyboardInterrupt:
pass
finally:
os.chdir(self.original_dir)
self.cleanup()
| run | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.configure()\n self.setup()\n self.update_dir()\n db.init_db(drop_all=True)\n self.out.log('Starting up the server...')\n config... |
def x(self, message):
for regex, handler in self.dispatch.items():
match = re.search(regex, message)
if match:
handler = getattr(self, handler)
return handler(match)
| notify | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, message):\n for regex, handler in self.dispatch.items():\n match = re.search(regex, message)\n if match:\n handler = getattr(... |
def x(self, match):
self.out.log('new recruitment request!')
url = match.group(1)
if self.proxy_port is not None:
self.out.log('Using proxy port {}'.format(self.proxy_port))
url = url.replace(str(get_config().get('base_port')), self.proxy_port)
new_webbrowser_profile().open(url, new=1, autoraise=True)
| new_recruit | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, match):\n self.out.log('new recruitment request!')\n url = match.group(1)\n if self.proxy_port is not None:\n self.out.log('Using proxy p... |
def x(self, match):
if self.status_thread is None:
self.status_thread = threading.Thread(target=self.check_status)
self.status_thread.start()
| recruitment_closed | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, match):\n if self.status_thread is None:\n self.status_thread = threading.Thread(target=self.check_status)\n self.status_thread.start()\... |
def x(self):
self.out.log(
'Recruitment is complete. Waiting for experiment completion...')
base_url = get_base_url()
status_url = base_url + '/summary'
while not self.complete:
time.sleep(10)
try:
resp = requests.get(status_url)
exp_data = resp.json()
except (ValueError, requests.exceptions.RequestException):
self.out.error('Error fetching experiment status.')
else:
self.out.log('Experiment summary: {}'.format(exp_data))
if exp_data.get('completed', False):
self.out.log('Experiment completed, all nodes filled.')
self.complete = True
self.heroku.stop()
| check_status | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.out.log(\n 'Recruitment is complete. Waiting for experiment completion...')\n base_url = get_base_url()\n status_url = base_url +... |
def x(self, message):
if self.complete:
return HerokuLocalWrapper.MONITOR_STOP
return super(DebugDeployment, self).notify(message)
| notify | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, message):\n if self.complete:\n return HerokuLocalWrapper.MONITOR_STOP\n return super(DebugDeployment, self).notify(message)\n",
"role":... |
def x(self, heroku):
db.init_db(drop_all=True)
self.out.log('Ingesting dataset from {}...'.format(os.path.basename(
self.zip_path)))
data.ingest_zip(self.zip_path)
base_url = get_base_url()
self.out.log('Server is running on {}. Press Ctrl+C to exit.'.format(
base_url))
if self.exp_config.get('replay'):
self.out.log('Launching the experiment...')
time.sleep(4)
_handle_launch_data('{}/launch'.format(base_url), error=self.out.error)
heroku.monitor(listener=self.notify)
while self.keep_running():
time.sleep(1)
| execute | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, heroku):\n db.init_db(drop_all=True)\n self.out.log('Ingesting dataset from {}...'.format(os.path.basename(\n self.zip_path)))\n data.ing... |
def x(self, match):
self.out.log('replay ready!')
url = match.group(1)
new_webbrowser_profile().open(url, new=1, autoraise=True)
| start_replay | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, match):\n self.out.log('replay ready!')\n url = match.group(1)\n new_webbrowser_profile().open(url, new=1, autoraise=True)\n",
"role": "user... |
def x(self):
app = util.import_app('dallinger.experiment_server.sockets:app')
if self.options.get('mode') == 'debug':
app.debug = True
return app
| load | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n app = util.import_app('dallinger.experiment_server.sockets:app')\n if self.options.get('mode') == 'debug':\n app.debug = True\n return... |
def x(self):
animal = json.loads(self.contents)
for prop, prop_range in self.properties.items():
range = prop_range[1] - prop_range[0]
jittered = animal[prop] + random.gauss(0, 0.1 * range)
animal[prop] = max(min(jittered, prop_range[1]), prop_range[0])
return json.dumps(animal)
| perturbed_contents | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n animal = json.loads(self.contents)\n for prop, prop_range in self.properties.items():\n range = prop_range[1] - prop_range[0]\n ji... |
def x(self, node):
other_nodes = [n for n in self.nodes() if n.id != node.id]
if len(self.nodes()) > 11:
parents = [max(other_nodes, key=attrgetter('creation_time'))]
else:
parents = [n for n in other_nodes if isinstance(n, Source)]
for parent in parents:
parent.connect(whom=node)
| add_node | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, node):\n other_nodes = [n for n in self.nodes() if n.id != node.id]\n if len(self.nodes()) > 11:\n parents = [max(other_nodes, key=attrgette... |
def x(self, node):
other_nodes = [n for n in self.nodes() if n.id != node.id]
for n in other_nodes:
if isinstance(n, Source):
node.connect(direction='from', whom=n)
else:
node.connect(direction='both', whom=n)
| add_node | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, node):\n other_nodes = [n for n in self.nodes() if n.id != node.id]\n for n in other_nodes:\n if isinstance(n, Source):\n node.co... |
def x(self, source):
nodes = [n for n in self.nodes() if not isinstance(n, Source)]
source.connect(whom=nodes)
| add_source | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, source):\n nodes = [n for n in self.nodes() if not isinstance(n, Source)]\n source.connect(whom=nodes)\n",
"role": "user"
},
{
"content... |
def x(self, node):
nodes = self.nodes()
if len(nodes) > 1:
first_node = min(nodes, key=attrgetter('creation_time'))
first_node.connect(direction='both', whom=node)
| add_node | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, node):\n nodes = self.nodes()\n if len(nodes) > 1:\n first_node = min(nodes, key=attrgetter('creation_time'))\n first_node.connect(di... |
def x(self, node):
num_agents = len(self.nodes(type=Agent))
curr_generation = int((num_agents - 1) / float(self.generation_size))
node.generation = curr_generation
if curr_generation == 0 and self.initial_source:
parent = self._select_oldest_source()
else:
parent = self._select_fit_node_from_generation(node_type=type(node),
generation=curr_generation - 1)
if parent is not None:
parent.connect(whom=node)
parent.transmit(to_whom=node)
| add_node | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, node):\n num_agents = len(self.nodes(type=Agent))\n curr_generation = int((num_agents - 1) / float(self.generation_size))\n node.generation = cu... |
def x(self, node):
for predecessor in self._most_recent_predecessors_to(node):
predecessor.connect(whom=node)
| add_node | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, node):\n for predecessor in self._most_recent_predecessors_to(node):\n predecessor.connect(whom=node)\n",
"role": "user"
},
{
"cont... |
def x(self):
class_ = getattr(networks, self.network_class)
return class_(max_size=self.quorum)
| create_network | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n class_ = getattr(networks, self.network_class)\n return class_(max_size=self.quorum)\n",
"role": "user"
},
{
"content": "create_netw... |
def x(self, node, info):
for agent in node.neighbors():
node.transmit(what=info, to_whom=agent)
| info_post_request | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, node, info):\n for agent in node.neighbors():\n node.transmit(what=info, to_whom=agent)\n",
"role": "user"
},
{
"content": "info_po... |
def x(func):
def x(*args, **kwargs):
resp = make_response(func(*args, **kwargs))
resp.cache_control.no_cache = True
return resp
return update_wrapper(new_func, func)
| nocache | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(func):\n\n def x(*args, **kwargs):\n resp = make_response(func(*args, **kwargs))\n resp.cache_control.no_cache = True\n return resp\n ... |
def x(self):
exclusion_rules = [r.strip() for r in self.config.get(
'browser_exclude_rule', '').split(',') if r.strip()]
return exclusion_rules
| exclusions | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n exclusion_rules = [r.strip() for r in self.config.get(\n 'browser_exclude_rule', '').split(',') if r.strip()]\n return exclusion_rules\n"... |
def x(self, user_agent_string):
user_agent_obj = user_agents.parse(user_agent_string)
browser_ok = True
for rule in self.exclusions:
if rule in ['mobile', 'tablet', 'touchcapable', 'pc', 'bot']:
if (rule == 'mobile' and user_agent_obj.is_mobile or rule ==
'tablet' and user_agent_obj.is_tablet or rule ==
'touchcapable' and user_agent_obj.is_touch_capable or rule ==
'pc' and user_agent_obj.is_pc or rule == 'bot' and
user_agent_obj.is_bot):
browser_ok = False
elif rule in user_agent_string:
browser_ok = False
return browser_ok
| is_supported | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, user_agent_string):\n user_agent_obj = user_agents.parse(user_agent_string)\n browser_ok = True\n for rule in self.exclusions:\n if rule ... |
def x(self):
if not self.networks():
super(FunctionLearning, self).setup()
for net in self.networks():
self.models.SinusoidalFunctionSource(network=net)
| setup | [
{
"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.networks():\n super(FunctionLearning, self).setup()\n for net in self.networks():\n self.models.SinusoidalFunc... |
def x(self, network, participant):
return self.models.MCMCPAgent(network=network, participant=participant)
| create_node | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, network, participant):\n return self.models.MCMCPAgent(network=network, participant=participant)\n",
"role": "user"
},
{
"content": "creat... |
def x(self, participant):
infos = participant.infos()
return len([info for info in infos if info.chosen]) * 2 == len(infos)
| data_check | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, participant):\n infos = participant.infos()\n return len([info for info in infos if info.chosen]) * 2 == len(infos)\n",
"role": "user"
},
{... |
def x(self):
try:
while True:
left = WebDriverWait(self.driver, 10).until(EC.
element_to_be_clickable((By.ID, 'left_button')))
right = WebDriverWait(self.driver, 10).until(EC.
element_to_be_clickable((By.ID, 'right_button')))
random.choice((left, right)).click()
time.sleep(1.0)
except TimeoutException:
return False
| participate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n try:\n while True:\n left = WebDriverWait(self.driver, 10).until(EC.\n element_to_be_clickable((By.ID, 'left_butto... |
def x(app_id):
cwd = os.getcwd()
data_filename = '{}-data.zip'.format(app_id)
path_to_data = os.path.join(cwd, 'data', data_filename)
if os.path.exists(path_to_data):
try:
Data(path_to_data)
except IOError:
from dallinger import logger
logger.exception(
'Error reading local data file {}, checking remote.'.format
(path_to_data))
else:
return path_to_data
path_to_data = os.path.join(tempfile.mkdtemp(), data_filename)
buckets = [user_s3_bucket(), dallinger_s3_bucket()]
for bucket in buckets:
try:
bucket.download_file(data_filename, path_to_data)
except botocore.exceptions.ClientError:
pass
else:
return path_to_data
| find_experiment_export | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(app_id):\n cwd = os.getcwd()\n data_filename = '{}-data.zip'.format(app_id)\n path_to_data = os.path.join(cwd, 'data', data_filename)\n if os.path.... |
def x(app_id):
path_to_data = find_experiment_export(app_id)
if path_to_data is None:
raise IOError('Dataset {} could not be found.'.format(app_id))
return Data(path_to_data)
| load | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(app_id):\n path_to_data = find_experiment_export(app_id)\n if path_to_data is None:\n raise IOError('Dataset {} could not be found.'.format(app_id... |
def x(id):
tmp_dir = tempfile.mkdtemp()
current_dir = os.getcwd()
os.chdir(tmp_dir)
FNULL = open(os.devnull, 'w')
heroku_app = HerokuApp(dallinger_uid=id, output=FNULL)
heroku_app.backup_capture()
heroku_app.backup_download()
for filename in os.listdir(tmp_dir):
if filename.startswith('latest.dump'):
os.rename(filename, 'database.dump')
os.chdir(current_dir)
return os.path.join(tmp_dir, 'database.dump')
| dump_database | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(id):\n tmp_dir = tempfile.mkdtemp()\n current_dir = os.getcwd()\n os.chdir(tmp_dir)\n FNULL = open(os.devnull, 'w')\n heroku_app = HerokuApp(dal... |
def x(id):
filename = dump_database(id)
key = '{}.dump'.format(id)
bucket = user_s3_bucket()
bucket.upload_file(filename, key)
return _generate_s3_url(bucket, key)
| backup | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(id):\n filename = dump_database(id)\n key = '{}.dump'.format(id)\n bucket = user_s3_bucket()\n bucket.upload_file(filename, key)\n return _gener... |
def x(id, url=None):
bucket = registration_s3_bucket()
key = registration_key(id)
obj = bucket.Object(key)
obj.put(Body=url or 'missing')
return _generate_s3_url(bucket, key)
| register | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(id, url=None):\n bucket = registration_s3_bucket()\n key = registration_key(id)\n obj = bucket.Object(key)\n obj.put(Body=url or 'missing')\n re... |
def x(id):
bucket = registration_s3_bucket()
key = registration_key(id)
found_keys = set(obj.key for obj in bucket.objects.filter(Prefix=key))
return key in found_keys
| is_registered | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(id):\n bucket = registration_s3_bucket()\n key = registration_key(id)\n found_keys = set(obj.key for obj in bucket.objects.filter(Prefix=key))\n re... |
def x(id):
heroku_app = HerokuApp(dallinger_uid=id)
try:
subprocess.call(['dropdb', heroku_app.name])
except Exception:
pass
heroku_app.pg_pull()
| copy_heroku_to_local | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(id):\n heroku_app = HerokuApp(dallinger_uid=id)\n try:\n subprocess.call(['dropdb', heroku_app.name])\n except Exception:\n pass\n he... |
def x(dsn, path, scrub_pii=False):
if 'postgresql://' in dsn or 'postgres://' in dsn:
conn = psycopg2.connect(dsn=dsn)
else:
conn = psycopg2.connect(database=dsn, user='dallinger')
cur = conn.cursor()
for table in table_names:
csv_path = os.path.join(path, '{}.csv'.format(table))
with open(csv_path, 'w') as f:
sql = 'COPY {} TO STDOUT WITH CSV HEADER'.format(table)
cur.copy_expert(sql, f)
conn.close()
if scrub_pii:
_scrub_participant_table(path)
| copy_db_to_csv | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dsn, path, scrub_pii=False):\n if 'postgresql://' in dsn or 'postgres://' in dsn:\n conn = psycopg2.connect(dsn=dsn)\n else:\n conn = psyco... |
def x(path_to_data):
path = os.path.join(path_to_data, 'participant.csv')
with open_for_csv(path, 'r') as input, open('{}.0'.format(path), 'w'
) as output:
reader = csv.reader(input)
writer = csv.writer(output)
headers = next(reader)
writer.writerow(headers)
for i, row in enumerate(reader):
row[headers.index('worker_id')] = row[headers.index('id')]
row[headers.index('unique_id')] = '{}:{}'.format(row[headers.
index('id')], row[headers.index('assignment_id')])
writer.writerow(row)
os.rename('{}.0'.format(path), path)
| scrub_participant_table | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path_to_data):\n path = os.path.join(path_to_data, 'participant.csv')\n with open_for_csv(path, 'r') as input, open('{}.0'.format(path), 'w'\n ) a... |
def x(id, local=False, scrub_pii=False):
print('Preparing to export the data...')
if local:
db_uri = db.db_url
else:
db_uri = HerokuApp(id).db_uri
subdata_path = os.path.join('data', id, 'data')
try:
os.makedirs(subdata_path)
except OSError as e:
if e.errno != errno.EEXIST or not os.path.isdir(subdata_path):
raise
copy_db_to_csv(db_uri, subdata_path, scrub_pii=scrub_pii)
try:
shutil.copyfile(os.path.join('snapshots', id + '-code.zip'), os.
path.join('data', id, id + '-code.zip'))
except Exception:
pass
with open(os.path.join('data', id, 'experiment_id.md'), 'a+') as file:
file.write(id)
src = os.path.join('data', id)
dst = os.path.join('data', id + '-data.zip')
archive_data(id, src, dst)
cwd = os.getcwd()
data_filename = '{}-data.zip'.format(id)
path_to_data = os.path.join(cwd, 'data', data_filename)
if not local:
bucket = user_s3_bucket()
bucket.upload_file(path_to_data, data_filename)
url = _generate_s3_url(bucket, data_filename)
register(id, url)
return path_to_data
| export | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(id, local=False, scrub_pii=False):\n print('Preparing to export the data...')\n if local:\n db_uri = db.db_url\n else:\n db_uri = Heroku... |
def x(path, engine=None):
import_order = ['network', 'participant', 'node', 'info',
'notification', 'question', 'transformation', 'vector', 'transmission']
with ZipFile(path, 'r') as archive:
filenames = archive.namelist()
for name in import_order:
filename = [f for f in filenames if name in f][0]
model_name = name.capitalize()
model = getattr(models, model_name)
file = archive.open(filename)
if six.PY3:
file = io.TextIOWrapper(file, encoding='utf8', newline='')
ingest_to_model(file, model, engine)
| ingest_zip | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path, engine=None):\n import_order = ['network', 'participant', 'node', 'info',\n 'notification', 'question', 'transformation', 'vector', 'transmissi... |
def x(file, model, engine=None):
if engine is None:
engine = db.engine
reader = csv.reader(file)
columns = tuple('"{}"'.format(n) for n in next(reader))
postgres_copy.copy_from(file, model, engine, columns=columns, format=
'csv', HEADER=False)
fix_autoincrement(model.__table__.name)
| ingest_to_model | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(file, model, engine=None):\n if engine is None:\n engine = db.engine\n reader = csv.reader(file)\n columns = tuple('\"{}\"'.format(n) for n in ... |
def x(s3, name):
exists = True
try:
s3.meta.client.head_bucket(Bucket=name)
except botocore.exceptions.ClientError as e:
error_code = int(e.response['Error']['Code'])
if error_code == 404:
exists = False
else:
raise
if not exists:
s3.create_bucket(Bucket=name)
return s3.Bucket(name)
| get_or_create_s3_bucket | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(s3, name):\n exists = True\n try:\n s3.meta.client.head_bucket(Bucket=name)\n except botocore.exceptions.ClientError as e:\n error_code ... |
def x(canonical_user_id=None):
s3 = _s3_resource()
if not canonical_user_id:
canonical_user_id = _get_canonical_aws_user_id(s3)
s3_bucket_name = 'dallinger-{}'.format(hashlib.sha256(canonical_user_id
.encode('utf8')).hexdigest()[0:8])
return _get_or_create_s3_bucket(s3, s3_bucket_name)
| user_s3_bucket | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(canonical_user_id=None):\n s3 = _s3_resource()\n if not canonical_user_id:\n canonical_user_id = _get_canonical_aws_user_id(s3)\n s3_bucket_nam... |
def x(dallinger_region=False):
config = get_config()
if not config.ready:
config.load()
region = 'us-east-1' if dallinger_region else config.get('aws_region')
return boto3.resource('s3', region_name=region, aws_access_key_id=
config.get('aws_access_key_id'), aws_secret_access_key=config.get(
'aws_secret_access_key'))
| s3_resource | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dallinger_region=False):\n config = get_config()\n if not config.ready:\n config.load()\n region = 'us-east-1' if dallinger_region else config.... |
def x(self):
images = ['owl.png']
image = random.choice(images)
image_path = os.path.join('static', 'stimuli', image)
uri_encoded_image = 'data:image/png;base64,' + base64.b64encode(open(
image_path, 'rb').read())
return json.dumps({'image': uri_encoded_image, 'sketch': ''})
| contents | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n images = ['owl.png']\n image = random.choice(images)\n image_path = os.path.join('static', 'stimuli', image)\n uri_encoded_image = 'data:i... |
def x(from_whom, to_whom=None, what=None):
parents = from_whom
parent_fs = [p.fitness for p in parents]
parent_probs = [(f / (1.0 * sum(parent_fs))) for f in parent_fs]
rnd = random.random()
temp = 0.0
for i, probability in enumerate(parent_probs):
temp += probability
if temp > rnd:
parent = parents[i]
break
parent.transmit(what=what, to_whom=to_whom)
| transmit_by_fitness | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(from_whom, to_whom=None, what=None):\n parents = from_whom\n parent_fs = [p.fitness for p in parents]\n parent_probs = [(f / (1.0 * sum(parent_fs))) f... |
def x(config):
email_settings = EmailConfig(config)
if config.get('mode') == 'debug':
return DebugMessenger(email_settings)
problems = email_settings.validate()
if problems:
logger.info(problems + ' Will log errors instead of emailing them.')
return DebugMessenger(email_settings)
return EmailingMessenger(email_settings)
| get_messenger | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(config):\n email_settings = EmailConfig(config)\n if config.get('mode') == 'debug':\n return DebugMessenger(email_settings)\n problems = email_... |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.