source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(self):
randint = lambda max: ','.join([str(x) for x in random.sample(range(1,
10), max)])
lst = [randint(3), randint(5), randint(7), randint(9)]
return self.randomize(lst)
| randomCommaSeparatedIntegerField | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n randint = lambda max: ','.join([str(x) for x in random.sample(range(1, \n 10), max)])\n lst = [randint(3), randint(5), randint(7), randint(9)]\n return self.randomize(lst)\n",
"role": "user"
},
{
"content": "randomCommaSeparatedIntegerField",
"role": "assistant"
}
] |
def x(self, model_class, field_name):
decimal_field = model_class._meta.get_field(field_name)
max_digits = None
decimal_places = None
if decimal_field.max_digits is not None:
max_digits = decimal_field.max_digits
if decimal_field.decimal_places is not None:
decimal_places = decimal_field.decimal_places
digits = random.choice(range(100))
if max_digits is not None:
start = 0
if max_digits < start:
start = max_digits - max_digits
digits = int(''.join([str(x) for x in random.sample(range(start,
max_digits), max_digits - 1)]))
places = random.choice(range(10, 99))
if decimal_places is not None:
places = str(random.choice(range(9999 * 99999)))[:decimal_places]
return float(str(digits)[:decimal_places] + '.' + str(places))
| randomDecimalField | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, model_class, field_name):\n decimal_field = model_class._meta.get_field(field_name)\n max_digits = None\n decimal_places = None\n if decimal_field.max_digits is not None:\n max_digits = decimal_field.max_digits\n if decimal_field.decimal_places is not None:\n decimal_places = decimal_field.decimal_places\n digits = random.choice(range(100))\n if max_digits is not None:\n start = 0\n if max_digits < start:\n start = max_digits - max_digits\n digits = int(''.join([str(x) for x in random.sample(range(start,\n max_digits), max_digits - 1)]))\n places = random.choice(range(10, 99))\n if decimal_places is not None:\n places = str(random.choice(range(9999 * 99999)))[:decimal_places]\n return float(str(digits)[:decimal_places] + '.' + str(places))\n",
"role": "user"
},
{
"content": "randomDecimalField",
"role": "assistant"
}
] |
def x(self):
lst = ['sample-slug-{}'.format(uuid.uuid4().hex), 'awesome-djipsum-{}'.
format(uuid.uuid4().hex), 'unique-slug-{}'.format(uuid.uuid4().hex)]
return self.randomize(lst)
| randomSlugField | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n lst = ['sample-slug-{}'.format(uuid.uuid4().hex), 'awesome-djipsum-{}'.\n format(uuid.uuid4().hex), 'unique-slug-{}'.format(uuid.uuid4().hex)]\n return self.randomize(lst)\n",
"role": "user"
},
{
"content": "randomSlugField",
"role": "assistant"
}
] |
def x(self):
uuid1 = uuid.uuid1().hex
uuid3 = uuid.uuid3(uuid.NAMESPACE_URL, self.randomize(['python',
'django', 'awesome'])).hex
uuid4 = uuid.uuid4().hex
uuid5 = uuid.uuid5(uuid.NAMESPACE_DNS, self.randomize(['python',
'django', 'awesome'])).hex
return self.randomize([uuid1, uuid3, uuid4, uuid5])
| randomUUIDField | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n uuid1 = uuid.uuid1().hex\n uuid3 = uuid.uuid3(uuid.NAMESPACE_URL, self.randomize(['python',\n 'django', 'awesome'])).hex\n uuid4 = uuid.uuid4().hex\n uuid5 = uuid.uuid5(uuid.NAMESPACE_DNS, self.randomize(['python',\n 'django', 'awesome'])).hex\n return self.randomize([uuid1, uuid3, uuid4, uuid5])\n",
"role": "user"
},
{
"content": "randomUUIDField",
"role": "assistant"
}
] |
def x(self, model_class, field_name):
instance = getattr(model_class, field_name).field
related_model = instance.related_model().__class__
objects = related_model.objects.all()
if objects.exists():
return self.randomize(objects)
return related_model.objects.get_or_create(pk=1)[0]
| getOrCreateForeignKey | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, model_class, field_name):\n instance = getattr(model_class, field_name).field\n related_model = instance.related_model().__class__\n objects = related_model.objects.all()\n if objects.exists():\n return self.randomize(objects)\n return related_model.objects.get_or_create(pk=1)[0]\n",
"role": "user"
},
{
"content": "getOrCreateForeignKey",
"role": "assistant"
}
] |
def x(self):
model_class = self.model_class
fields = self.fields
maximum = self.maximum
objects = []
for n in range(maximum):
data_dict = {}
for field in fields:
def x(func):
data_dict[field['field_name']] = func
def x(func):
data_dict[field['field_name']] = str(func)
if field['field_type'] == 'BigIntegerField':
default_assign(random.randint(-9223372036854775808,
9223372036854775807))
elif field['field_type'] == 'BinaryField':
default_assign(self.randomBinaryField())
elif field['field_type'] == 'BooleanField':
default_assign(self.randomize([True, False]))
elif field['field_type'] == 'CharField':
string_assign(self.randomCharField(model_class, field[
'field_name']))
elif field['field_type'] == 'CommaSeparatedIntegerField':
string_assign(self.randomCommaSeparatedIntegerField())
elif field['field_type'] == 'DateField':
string_assign(str(datetime.datetime.now().date()))
elif field['field_type'] == 'DateTimeField':
string_assign(str(datetime.datetime.now()))
elif field['field_type'] == 'DecimalField':
default_assign(self.randomDecimalField(model_class, field[
'field_name']))
elif field['field_type'] == 'DurationField':
default_assign(datetime.timedelta(days=random.randint(1, 10)))
elif field['field_type'] == 'EmailField':
string_assign(self.randomEmailField())
elif field['field_type'] == 'FileField':
string_assign(self.randomFileField())
elif field['field_type'] == 'FloatField':
default_assign(float('%.2f' % float(random.randint(0, 100) /
13)))
elif field['field_type'] == 'ImageField':
string_assign(self.randomImageField())
elif field['field_type'] == 'IntegerField':
default_assign(random.randint(-2147483648, 2147483647))
elif field['field_type'] == 'GenericIPAddressField':
string_assign(self.randomGenericIPAddressField())
elif field['field_type'] == 'NullBooleanField':
default_assign(self.randomize([None, True, False]))
elif field['field_type'] == 'PositiveIntegerField':
default_assign(random.randint(0, 2147483647))
elif field['field_type'] == 'PositiveSmallIntegerField':
default_assign(random.randint(0, 32767))
elif field['field_type'] == 'SlugField':
string_assign(self.randomSlugField())
elif field['field_type'] == 'SmallIntegerField':
default_assign(random.randint(-32768, 32767))
elif field['field_type'] == 'TextField':
string_assign(self.randomTextField())
elif field['field_type'] == 'TimeField':
string_assign(str(datetime.datetime.now().date()))
elif field['field_type'] == 'URLField':
string_assign(self.randomURLField())
elif field['field_type'] == 'UUIDField':
string_assign(self.randomUUIDField())
elif field['field_type'] == 'ForeignKey':
default_assign(self.getOrCreateForeignKey(model_class,
field['field_name']))
obj = model_class.objects.create(**data_dict)
for field in fields:
if field['field_type'] == 'ManyToManyField':
instance_m2m = getattr(obj, field['field_name'])
objects_m2m = instance_m2m.model.objects.all()
if objects_m2m.exists():
ids_m2m = [i.pk for i in objects_m2m]
random_decission = random.sample(range(min(ids_m2m),
max(ids_m2m)), max(ids_m2m) - 1)
if len(random_decission) <= 2:
random_decission = [self.randomize(ids_m2m)]
related_objects = [rel_obj for rel_obj in objects_m2m if
rel_obj.pk in random_decission]
instance_m2m.add(*related_objects)
try:
obj.save_m2m()
except:
obj.save()
objects.append(obj)
return objects
| create_validated_fields | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n model_class = self.model_class\n fields = self.fields\n maximum = self.maximum\n objects = []\n for n in range(maximum):\n data_dict = {}\n for field in fields:\n\n def x(func):\n data_dict[field['field_name']] = func\n\n def x(func):\n data_dict[field['field_name']] = str(func)\n if field['field_type'] == 'BigIntegerField':\n default_assign(random.randint(-9223372036854775808, \n 9223372036854775807))\n elif field['field_type'] == 'BinaryField':\n default_assign(self.randomBinaryField())\n elif field['field_type'] == 'BooleanField':\n default_assign(self.randomize([True, False]))\n elif field['field_type'] == 'CharField':\n string_assign(self.randomCharField(model_class, field[\n 'field_name']))\n elif field['field_type'] == 'CommaSeparatedIntegerField':\n string_assign(self.randomCommaSeparatedIntegerField())\n elif field['field_type'] == 'DateField':\n string_assign(str(datetime.datetime.now().date()))\n elif field['field_type'] == 'DateTimeField':\n string_assign(str(datetime.datetime.now()))\n elif field['field_type'] == 'DecimalField':\n default_assign(self.randomDecimalField(model_class, field[\n 'field_name']))\n elif field['field_type'] == 'DurationField':\n default_assign(datetime.timedelta(days=random.randint(1, 10)))\n elif field['field_type'] == 'EmailField':\n string_assign(self.randomEmailField())\n elif field['field_type'] == 'FileField':\n string_assign(self.randomFileField())\n elif field['field_type'] == 'FloatField':\n default_assign(float('%.2f' % float(random.randint(0, 100) /\n 13)))\n elif field['field_type'] == 'ImageField':\n string_assign(self.randomImageField())\n elif field['field_type'] == 'IntegerField':\n default_assign(random.randint(-2147483648, 2147483647))\n elif field['field_type'] == 'GenericIPAddressField':\n string_assign(self.randomGenericIPAddressField())\n elif field['field_type'] == 'NullBooleanField':\n default_assign(self.randomize([None, True, False]))\n elif field['field_type'] == 'PositiveIntegerField':\n default_assign(random.randint(0, 2147483647))\n elif field['field_type'] == 'PositiveSmallIntegerField':\n default_assign(random.randint(0, 32767))\n elif field['field_type'] == 'SlugField':\n string_assign(self.randomSlugField())\n elif field['field_type'] == 'SmallIntegerField':\n default_assign(random.randint(-32768, 32767))\n elif field['field_type'] == 'TextField':\n string_assign(self.randomTextField())\n elif field['field_type'] == 'TimeField':\n string_assign(str(datetime.datetime.now().date()))\n elif field['field_type'] == 'URLField':\n string_assign(self.randomURLField())\n elif field['field_type'] == 'UUIDField':\n string_assign(self.randomUUIDField())\n elif field['field_type'] == 'ForeignKey':\n default_assign(self.getOrCreateForeignKey(model_class,\n field['field_name']))\n obj = model_class.objects.create(**data_dict)\n for field in fields:\n if field['field_type'] == 'ManyToManyField':\n instance_m2m = getattr(obj, field['field_name'])\n objects_m2m = instance_m2m.model.objects.all()\n if objects_m2m.exists():\n ids_m2m = [i.pk for i in objects_m2m]\n random_decission = random.sample(range(min(ids_m2m),\n max(ids_m2m)), max(ids_m2m) - 1)\n if len(random_decission) <= 2:\n random_decission = [self.randomize(ids_m2m)]\n related_objects = [rel_obj for rel_obj in objects_m2m if\n rel_obj.pk in random_decission]\n instance_m2m.add(*related_objects)\n try:\n obj.save_m2m()\n except:\n obj.save()\n objects.append(obj)\n return objects\n",
"role": "user"
},
{
"content": "create_validated_fields",
"role": "assistant"
}
] |
def x(self, offset, length):
return self._get(GetBytesFlashRequest(offset=offset, length=length))
| get_flash_region | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, offset, length):\n return self._get(GetBytesFlashRequest(offset=offset, length=length))\n",
"role": "user"
},
{
"content": "get_flash_region",
"role": "assistant"
}
] |
def x(self):
queue = self._pebble.get_endpoint_queue(ScreenshotResponse)
self._pebble.send_packet(ScreenshotRequest())
return self._read_screenshot(queue)
| grab_image | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n queue = self._pebble.get_endpoint_queue(ScreenshotResponse)\n self._pebble.send_packet(ScreenshotRequest())\n return self._read_screenshot(queue)\n",
"role": "user"
},
{
"content": "grab_image",
"role": "assistant"
}
] |
def x(dt, cal='US'):
from xone import calendar
dt = pd.Timestamp(dt).date()
return calendar.trading_dates(start=dt - pd.Timedelta('10D'), end=dt,
calendar=cal)[-1]
| trade_day | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dt, cal='US'):\n from xone import calendar\n dt = pd.Timestamp(dt).date()\n return calendar.trading_dates(start=dt - pd.Timedelta('10D'), end=dt,\n calendar=cal)[-1]\n",
"role": "user"
},
{
"content": "trade_day",
"role": "assistant"
}
] |
def x(typ='date', tz=DEFAULT_TZ, trading=True, cal='US'):
dt = pd.Timestamp('now', tz=tz)
if typ == 'date':
if trading:
return trade_day(dt=dt, cal=cal).strftime('%Y-%m-%d')
else:
return dt.strftime('%Y-%m-%d')
if typ == 'time':
return dt.strftime('%Y-%m-%d %H:%M:%S')
if typ == 'time_path':
return dt.strftime('%Y-%m-%d/%H-%M-%S')
if typ == 'raw':
return dt
return trade_day(dt).date() if trading else dt.date()
| cur_time | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(typ='date', tz=DEFAULT_TZ, trading=True, cal='US'):\n dt = pd.Timestamp('now', tz=tz)\n if typ == 'date':\n if trading:\n return trade_day(dt=dt, cal=cal).strftime('%Y-%m-%d')\n else:\n return dt.strftime('%Y-%m-%d')\n if typ == 'time':\n return dt.strftime('%Y-%m-%d %H:%M:%S')\n if typ == 'time_path':\n return dt.strftime('%Y-%m-%d/%H-%M-%S')\n if typ == 'raw':\n return dt\n return trade_day(dt).date() if trading else dt.date()\n",
"role": "user"
},
{
"content": "cur_time",
"role": "assistant"
}
] |
def x(*args):
res = pd.DataFrame(pd.concat([d.loc[~d.index.duplicated(keep='first')].
rename(columns=lambda vv: '%s_%d' % (vv, i + 1)) for i, d in
enumerate(args)], axis=1))
data_cols = [col for col in res.columns if col[-2:] == '_1']
other_cols = [col for col in res.columns if col[-2:] != '_1']
res.loc[:, other_cols] = res.loc[:, other_cols].fillna(method='pad')
return res.dropna(subset=data_cols)
| align_data | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*args):\n res = pd.DataFrame(pd.concat([d.loc[~d.index.duplicated(keep='first')].\n rename(columns=lambda vv: '%s_%d' % (vv, i + 1)) for i, d in\n enumerate(args)], axis=1))\n data_cols = [col for col in res.columns if col[-2:] == '_1']\n other_cols = [col for col in res.columns if col[-2:] != '_1']\n res.loc[:, other_cols] = res.loc[:, other_cols].fillna(method='pad')\n return res.dropna(subset=data_cols)\n",
"role": "user"
},
{
"content": "align_data",
"role": "assistant"
}
] |
def x(data_kw):
if len(data_kw) == 0:
return pd.DataFrame()
return pd.DataFrame(pd.concat([data.assign(ticker=ticker).set_index(
'ticker', append=True).unstack('ticker').swaplevel(0, 1, axis=1) for
ticker, data in data_kw.items()], axis=1))
| cat_data | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data_kw):\n if len(data_kw) == 0:\n return pd.DataFrame()\n return pd.DataFrame(pd.concat([data.assign(ticker=ticker).set_index(\n 'ticker', append=True).unstack('ticker').swaplevel(0, 1, axis=1) for\n ticker, data in data_kw.items()], axis=1))\n",
"role": "user"
},
{
"content": "cat_data",
"role": "assistant"
}
] |
def x(data_list, exc_cols=None, **kwargs):
from collections import OrderedDict
return pd.DataFrame(pd.Series(data_list).apply(OrderedDict).tolist(),
**kwargs).drop(columns=[] if exc_cols is None else exc_cols)
| to_frame | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data_list, exc_cols=None, **kwargs):\n from collections import OrderedDict\n return pd.DataFrame(pd.Series(data_list).apply(OrderedDict).tolist(),\n **kwargs).drop(columns=[] if exc_cols is None else exc_cols)\n",
"role": "user"
},
{
"content": "to_frame",
"role": "assistant"
}
] |
def x(x, y, step, val_min=0, val_max=None, kind='quadratic', **kwargs):
from scipy.interpolate import interp1d
from collections import OrderedDict
if isinstance(y, pd.DataFrame):
return pd.DataFrame(OrderedDict([(col, spline_curve(x, y.loc[:, col
], step=step, val_min=val_min, val_max=val_max, kind=kind)) for
col in y.columns]))
fitted_curve = interp1d(x, y, kind=kind, **kwargs)
new_x = np.arange(x.min(), x.max() + step / 2.0, step=step)
return pd.Series(new_x, index=new_x, name=y.name if hasattr(y, 'name') else
None).apply(fitted_curve).clip(val_min, val_max)
| spline_curve | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(x, y, step, val_min=0, val_max=None, kind='quadratic', **kwargs):\n from scipy.interpolate import interp1d\n from collections import OrderedDict\n if isinstance(y, pd.DataFrame):\n return pd.DataFrame(OrderedDict([(col, spline_curve(x, y.loc[:, col\n ], step=step, val_min=val_min, val_max=val_max, kind=kind)) for\n col in y.columns]))\n fitted_curve = interp1d(x, y, kind=kind, **kwargs)\n new_x = np.arange(x.min(), x.max() + step / 2.0, step=step)\n return pd.Series(new_x, index=new_x, name=y.name if hasattr(y, 'name') else\n None).apply(fitted_curve).clip(val_min, val_max)\n",
"role": "user"
},
{
"content": "spline_curve",
"role": "assistant"
}
] |
def x(digit=0, is_pct=False):
if is_pct:
space = ' ' if digit < 0 else ''
fmt = f'{{:{space}.{abs(int(digit))}%}}'
return lambda vv: 'NaN' if np.isnan(vv) else fmt.format(vv)
else:
return lambda vv: 'NaN' if np.isnan(vv) else f'{{:,.{digit}f}}'.format(
vv) if vv else '-' + ' ' * abs(digit)
| format_float | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(digit=0, is_pct=False):\n if is_pct:\n space = ' ' if digit < 0 else ''\n fmt = f'{{:{space}.{abs(int(digit))}%}}'\n return lambda vv: 'NaN' if np.isnan(vv) else fmt.format(vv)\n else:\n return lambda vv: 'NaN' if np.isnan(vv) else f'{{:,.{digit}f}}'.format(\n vv) if vv else '-' + ' ' * abs(digit)\n",
"role": "user"
},
{
"content": "format_float",
"role": "assistant"
}
] |
def x(instance, fmt='str', public_only=True):
if not hasattr(instance, '__dict__'):
return ''
if public_only:
inst_dict = {k: v for k, v in instance.__dict__.items() if k[0] != '_'}
else:
inst_dict = instance.__dict__
if fmt == 'json':
return json.dumps(inst_dict, indent=2)
elif fmt == 'str':
return to_str(inst_dict, public_only=public_only)
return ''
| inst_repr | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(instance, fmt='str', public_only=True):\n if not hasattr(instance, '__dict__'):\n return ''\n if public_only:\n inst_dict = {k: v for k, v in instance.__dict__.items() if k[0] != '_'}\n else:\n inst_dict = instance.__dict__\n if fmt == 'json':\n return json.dumps(inst_dict, indent=2)\n elif fmt == 'str':\n return to_str(inst_dict, public_only=public_only)\n return ''\n",
"role": "user"
},
{
"content": "inst_repr",
"role": "assistant"
}
] |
def x(operator, conditions):
expr = ' {0} '.format(operator).join(conditions)
return ['({0})'.format(expr)] if expr else []
| concat_expr | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(operator, conditions):\n expr = ' {0} '.format(operator).join(conditions)\n return ['({0})'.format(expr)] if expr else []\n",
"role": "user"
},
{
"content": "concat_expr",
"role": "assistant"
}
] |
def x(self, source, op='LEFT JOIN', on=''):
if isinstance(source, SQLConstructor):
sql, params, _ = source.compile()
self.join_params.extend(params)
jsrc = '( {0} )'.format(sql)
if source.table_alias:
jsrc += ' AS ' + source.table_alias
on = on.format(r=source.table_alias)
else:
jsrc = source
on = on.format(r=source)
constraint = 'ON {0}'.format(on) if on else ''
self.join_source = ' '.join([self.join_source, op, jsrc, constraint])
| join | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, source, op='LEFT JOIN', on=''):\n if isinstance(source, SQLConstructor):\n sql, params, _ = source.compile()\n self.join_params.extend(params)\n jsrc = '( {0} )'.format(sql)\n if source.table_alias:\n jsrc += ' AS ' + source.table_alias\n on = on.format(r=source.table_alias)\n else:\n jsrc = source\n on = on.format(r=source)\n constraint = 'ON {0}'.format(on) if on else ''\n self.join_source = ' '.join([self.join_source, op, jsrc, constraint])\n",
"role": "user"
},
{
"content": "join",
"role": "assistant"
}
] |
def x(self):
params = self.column_params + self.join_params + self.params
if self.limit and self.limit >= 0:
self.sql_limit = 'LIMIT ?'
params += [self.limit]
return self.sql, params, self.keys
| compile | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n params = self.column_params + self.join_params + self.params\n if self.limit and self.limit >= 0:\n self.sql_limit = 'LIMIT ?'\n params += [self.limit]\n return self.sql, params, self.keys\n",
"role": "user"
},
{
"content": "compile",
"role": "assistant"
}
] |
def x(self, matcher, lhs, params, numq=1, flatten=None):
params = self._adapt_params(params)
qs = ['?'] * numq
flatten = flatten or self._default_flatten(numq)
expr = repeat(adapt_matcher(matcher)(lhs, *qs), len(params))
self.conditions.extend(expr)
self.params.extend(flatten(params))
| add_and_matches | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, matcher, lhs, params, numq=1, flatten=None):\n params = self._adapt_params(params)\n qs = ['?'] * numq\n flatten = flatten or self._default_flatten(numq)\n expr = repeat(adapt_matcher(matcher)(lhs, *qs), len(params))\n self.conditions.extend(expr)\n self.params.extend(flatten(params))\n",
"role": "user"
},
{
"content": "add_and_matches",
"role": "assistant"
}
] |
def x(self, matcher, lhs, match_params=[], include_params=[],
exclude_params=[], numq=1, flatten=None):
matcher = adapt_matcher(matcher)
notmatcher = negate(matcher)
self.add_and_matches(matcher, lhs, match_params, numq, flatten)
self.add_or_matches(matcher, lhs, include_params, numq, flatten)
self.add_and_matches(notmatcher, lhs, exclude_params, numq, flatten)
| add_matches | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, matcher, lhs, match_params=[], include_params=[],\n exclude_params=[], numq=1, flatten=None):\n matcher = adapt_matcher(matcher)\n notmatcher = negate(matcher)\n self.add_and_matches(matcher, lhs, match_params, numq, flatten)\n self.add_or_matches(matcher, lhs, include_params, numq, flatten)\n self.add_and_matches(notmatcher, lhs, exclude_params, numq, flatten)\n",
"role": "user"
},
{
"content": "add_matches",
"role": "assistant"
}
] |
def x(self, column, chooser=None, aggregate='MAX'):
self.group_by.append(column)
if chooser:
i = self.columns.index(chooser)
self.columns[i] = '{0}({1})'.format(aggregate, self.columns[i])
| uniquify_by | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, column, chooser=None, aggregate='MAX'):\n self.group_by.append(column)\n if chooser:\n i = self.columns.index(chooser)\n self.columns[i] = '{0}({1})'.format(aggregate, self.columns[i])\n",
"role": "user"
},
{
"content": "uniquify_by",
"role": "assistant"
}
] |
def x(self, column='condition', key=None):
if self.conditions:
expr = ' AND '.join(self.conditions)
params = self.params
self.params = []
self.conditions = []
else:
expr = '1'
params = []
self.add_column('({0}) AS {1}'.format(expr, column), key or column, params)
| move_where_clause_to_column | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, column='condition', key=None):\n if self.conditions:\n expr = ' AND '.join(self.conditions)\n params = self.params\n self.params = []\n self.conditions = []\n else:\n expr = '1'\n params = []\n self.add_column('({0}) AS {1}'.format(expr, column), key or column, params)\n",
"role": "user"
},
{
"content": "move_where_clause_to_column",
"role": "assistant"
}
] |
def x(ax, which=['right', 'top']):
for loc, spine in ax.spines.items():
if loc in which:
spine.set_color('none')
ax.xaxis.set_ticks_position('bottom')
ax.yaxis.set_ticks_position('left')
| remove_axis_junk | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ax, which=['right', 'top']):\n for loc, spine in ax.spines.items():\n if loc in which:\n spine.set_color('none')\n ax.xaxis.set_ticks_position('bottom')\n ax.yaxis.set_ticks_position('left')\n",
"role": "user"
},
{
"content": "remove_axis_junk",
"role": "assistant"
}
] |
def x(ax, z, fname='LFPsum.h5', unit='mV', ylabels=True, scalebar=True,
vlimround=None, T=[0, 1000], color='k', label=''):
f = h5py.File(fname)
data = f['data'].value
dataT = data.T - data.mean(axis=1)
data = dataT.T
srate = f['srate'].value
f.close()
tvec = np.arange(data.shape[1]) * 1000.0 / srate
slica = (tvec <= T[1]) & (tvec >= T[0])
zvec = np.r_[z]
zvec = np.r_[zvec, zvec[-1] + np.diff(zvec)[-1]]
vlim = abs(data[:, slica]).max()
if vlimround is None:
vlimround = 2.0 ** np.round(np.log2(vlim))
yticklabels = []
yticks = []
colors = [color] * data.shape[0]
for i, z in enumerate(z):
if i == 0:
ax.plot(tvec[slica], data[i, slica] * 100 / vlimround + z,
color=colors[i], rasterized=False, label=label, clip_on=False)
else:
ax.plot(tvec[slica], data[i, slica] * 100 / vlimround + z,
color=colors[i], rasterized=False, clip_on=False)
yticklabels.append('ch. %i' % (i + 1))
yticks.append(z)
if scalebar:
ax.plot([tvec[slica][-1], tvec[slica][-1]], [-0, -100], lw=2, color
='k', clip_on=False)
ax.text(tvec[slica][-1] + np.diff(T) * 0.02, -50, '%g %s' % (
vlimround, unit), color='k', rotation='vertical')
ax.axis(ax.axis('tight'))
ax.yaxis.set_ticks(yticks)
if ylabels:
ax.yaxis.set_ticklabels(yticklabels)
else:
ax.yaxis.set_ticklabels([])
for loc, spine in ax.spines.items():
if loc in ['right', 'top']:
spine.set_color('none')
ax.xaxis.set_ticks_position('bottom')
ax.yaxis.set_ticks_position('left')
ax.set_xlabel('time (ms)', labelpad=0)
| plot_signal_sum | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ax, z, fname='LFPsum.h5', unit='mV', ylabels=True, scalebar=True,\n vlimround=None, T=[0, 1000], color='k', label=''):\n f = h5py.File(fname)\n data = f['data'].value\n dataT = data.T - data.mean(axis=1)\n data = dataT.T\n srate = f['srate'].value\n f.close()\n tvec = np.arange(data.shape[1]) * 1000.0 / srate\n slica = (tvec <= T[1]) & (tvec >= T[0])\n zvec = np.r_[z]\n zvec = np.r_[zvec, zvec[-1] + np.diff(zvec)[-1]]\n vlim = abs(data[:, slica]).max()\n if vlimround is None:\n vlimround = 2.0 ** np.round(np.log2(vlim))\n yticklabels = []\n yticks = []\n colors = [color] * data.shape[0]\n for i, z in enumerate(z):\n if i == 0:\n ax.plot(tvec[slica], data[i, slica] * 100 / vlimround + z,\n color=colors[i], rasterized=False, label=label, clip_on=False)\n else:\n ax.plot(tvec[slica], data[i, slica] * 100 / vlimround + z,\n color=colors[i], rasterized=False, clip_on=False)\n yticklabels.append('ch. %i' % (i + 1))\n yticks.append(z)\n if scalebar:\n ax.plot([tvec[slica][-1], tvec[slica][-1]], [-0, -100], lw=2, color\n ='k', clip_on=False)\n ax.text(tvec[slica][-1] + np.diff(T) * 0.02, -50, '%g %s' % (\n vlimround, unit), color='k', rotation='vertical')\n ax.axis(ax.axis('tight'))\n ax.yaxis.set_ticks(yticks)\n if ylabels:\n ax.yaxis.set_ticklabels(yticklabels)\n else:\n ax.yaxis.set_ticklabels([])\n for loc, spine in ax.spines.items():\n if loc in ['right', 'top']:\n spine.set_color('none')\n ax.xaxis.set_ticks_position('bottom')\n ax.yaxis.set_ticks_position('left')\n ax.set_xlabel('time (ms)', labelpad=0)\n",
"role": "user"
},
{
"content": "plot_signal_sum",
"role": "assistant"
}
] |
def x(ax, populationParams, electrodeParams, layerBoundaries, aspect=
'equal', isometricangle=np.pi / 12, X=['EX', 'IN'], markers=['^', 'o'],
colors=['r', 'b'], layers=['upper', 'lower'], title='positions'):
remove_axis_junk(ax, ['right', 'bottom', 'left', 'top'])
ax.xaxis.set_ticks([])
ax.yaxis.set_ticks([])
ax.plot(electrodeParams['x'], electrodeParams['z'], '.', marker='o',
markersize=5, color='k', zorder=0)
x_0 = np.array(electrodeParams['r_z'])[1, 1:-1]
z_0 = np.array(electrodeParams['r_z'])[0, 1:-1]
x = np.r_[x_0[-1], x_0[::-1], -x_0[1:], -x_0[-1]]
z = np.r_[100, z_0[::-1], z_0[1:], 100]
ax.fill(x, z, color=(0.5, 0.5, 0.5), lw=None, zorder=-0.1)
r = populationParams[populationParams.keys()[0]]['radius']
theta0 = np.linspace(0, np.pi, 20)
theta1 = np.linspace(np.pi, 2 * np.pi, 20)
zpos = np.r_[np.array(layerBoundaries)[:, 0], np.array(layerBoundaries)
[-1, 1]]
for i, z in enumerate(np.mean(layerBoundaries, axis=1)):
ax.text(r, z, ' %s' % layers[i], va='center', ha='left', rotation=
'vertical')
for i, zval in enumerate(zpos):
if i == 0:
ax.plot(r * np.cos(theta0), r * np.sin(theta0) * np.sin(
isometricangle) + zval, color='k', zorder=-r, clip_on=False)
ax.plot(r * np.cos(theta1), r * np.sin(theta1) * np.sin(
isometricangle) + zval, color='k', zorder=r, clip_on=False)
else:
ax.plot(r * np.cos(theta0), r * np.sin(theta0) * np.sin(
isometricangle) + zval, color='gray', zorder=-r, clip_on=False)
ax.plot(r * np.cos(theta1), r * np.sin(theta1) * np.sin(
isometricangle) + zval, color='k', zorder=r, clip_on=False)
ax.plot([-r, -r], [zpos[0], zpos[-1]], 'k', zorder=0, clip_on=False)
ax.plot([r, r], [zpos[0], zpos[-1]], 'k', zorder=0, clip_on=False)
ax.plot([0, r], [z_0.min()] * 2, 'k', lw=2, zorder=0, clip_on=False)
ax.text(r / 2.0, z_0.min() - 100, 'r = %i $\\mu$m' % int(r), ha='center')
ax.plot([-r] * 2, [z_0.min() + 50, z_0.min() - 50], 'k', lw=2, zorder=0,
clip_on=False)
ax.text(-r, z_0.min(), '100 $\\mu$m', va='center', ha='right')
ax.set_yticks([])
ax.set_yticklabels([])
for pos in zpos:
ax.text(-r, pos, 'z=%i-' % int(pos), ha='right', va='center')
ax.set_title(title)
axis = ax.axis(ax.axis(aspect))
| plot_population | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ax, populationParams, electrodeParams, layerBoundaries, aspect=\n 'equal', isometricangle=np.pi / 12, X=['EX', 'IN'], markers=['^', 'o'],\n colors=['r', 'b'], layers=['upper', 'lower'], title='positions'):\n remove_axis_junk(ax, ['right', 'bottom', 'left', 'top'])\n ax.xaxis.set_ticks([])\n ax.yaxis.set_ticks([])\n ax.plot(electrodeParams['x'], electrodeParams['z'], '.', marker='o',\n markersize=5, color='k', zorder=0)\n x_0 = np.array(electrodeParams['r_z'])[1, 1:-1]\n z_0 = np.array(electrodeParams['r_z'])[0, 1:-1]\n x = np.r_[x_0[-1], x_0[::-1], -x_0[1:], -x_0[-1]]\n z = np.r_[100, z_0[::-1], z_0[1:], 100]\n ax.fill(x, z, color=(0.5, 0.5, 0.5), lw=None, zorder=-0.1)\n r = populationParams[populationParams.keys()[0]]['radius']\n theta0 = np.linspace(0, np.pi, 20)\n theta1 = np.linspace(np.pi, 2 * np.pi, 20)\n zpos = np.r_[np.array(layerBoundaries)[:, 0], np.array(layerBoundaries)\n [-1, 1]]\n for i, z in enumerate(np.mean(layerBoundaries, axis=1)):\n ax.text(r, z, ' %s' % layers[i], va='center', ha='left', rotation=\n 'vertical')\n for i, zval in enumerate(zpos):\n if i == 0:\n ax.plot(r * np.cos(theta0), r * np.sin(theta0) * np.sin(\n isometricangle) + zval, color='k', zorder=-r, clip_on=False)\n ax.plot(r * np.cos(theta1), r * np.sin(theta1) * np.sin(\n isometricangle) + zval, color='k', zorder=r, clip_on=False)\n else:\n ax.plot(r * np.cos(theta0), r * np.sin(theta0) * np.sin(\n isometricangle) + zval, color='gray', zorder=-r, clip_on=False)\n ax.plot(r * np.cos(theta1), r * np.sin(theta1) * np.sin(\n isometricangle) + zval, color='k', zorder=r, clip_on=False)\n ax.plot([-r, -r], [zpos[0], zpos[-1]], 'k', zorder=0, clip_on=False)\n ax.plot([r, r], [zpos[0], zpos[-1]], 'k', zorder=0, clip_on=False)\n ax.plot([0, r], [z_0.min()] * 2, 'k', lw=2, zorder=0, clip_on=False)\n ax.text(r / 2.0, z_0.min() - 100, 'r = %i $\\\\mu$m' % int(r), ha='center')\n ax.plot([-r] * 2, [z_0.min() + 50, z_0.min() - 50], 'k', lw=2, zorder=0,\n clip_on=False)\n ax.text(-r, z_0.min(), '100 $\\\\mu$m', va='center', ha='right')\n ax.set_yticks([])\n ax.set_yticklabels([])\n for pos in zpos:\n ax.text(-r, pos, 'z=%i-' % int(pos), ha='right', va='center')\n ax.set_title(title)\n axis = ax.axis(ax.axis(aspect))\n",
"role": "user"
},
{
"content": "plot_population",
"role": "assistant"
}
] |
def x(x):
x = x.astype(float)
x -= x.mean()
return x / float(x.std())
| normalize | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(x):\n x = x.astype(float)\n x -= x.mean()\n return x / float(x.std())\n",
"role": "user"
},
{
"content": "normalize",
"role": "assistant"
}
] |
def x(z_vec, x0, x1, ax, lag=20.0, title='firing_rate vs LFP'):
zvec = np.r_[z_vec]
zvec = np.r_[zvec, zvec[-1] + np.diff(zvec)[-1]]
xcorr_all = np.zeros((np.size(z_vec), x0.shape[0]))
for i, z in enumerate(z_vec):
x2 = x1[i,]
xcorr1 = np.correlate(normalize(x0), normalize(x2), 'same') / x0.size
xcorr_all[i, :] = xcorr1
vlim = abs(xcorr_all).max()
vlimround = 2.0 ** np.round(np.log2(vlim))
yticklabels = []
yticks = []
ylimfound = np.zeros((1, 2))
for i, z in enumerate(z_vec):
ind = np.arange(x0.size) - x0.size / 2
ax.plot(ind, xcorr_all[i, ::-1] * 100.0 / vlimround + z, 'k',
clip_on=True, rasterized=False)
yticklabels.append('ch. %i' % (i + 1))
yticks.append(z)
remove_axis_junk(ax)
ax.set_title(title)
ax.set_xlabel('lag $\\tau$ (ms)')
ax.set_xlim(-lag, lag)
ax.set_ylim(z - 100, 100)
axis = ax.axis()
ax.vlines(0, axis[2], axis[3], 'r', 'dotted')
ax.yaxis.set_ticks(yticks)
ax.yaxis.set_ticklabels(yticklabels)
ax.xaxis.set_ticks_position('bottom')
ax.yaxis.set_ticks_position('left')
ax.plot([lag, lag], [0, 100], lw=2, color='k', clip_on=False)
ax.text(lag, 50, 'CC=%.2f' % vlimround, rotation='vertical', va='center')
| plot_correlation | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(z_vec, x0, x1, ax, lag=20.0, title='firing_rate vs LFP'):\n zvec = np.r_[z_vec]\n zvec = np.r_[zvec, zvec[-1] + np.diff(zvec)[-1]]\n xcorr_all = np.zeros((np.size(z_vec), x0.shape[0]))\n for i, z in enumerate(z_vec):\n x2 = x1[i,]\n xcorr1 = np.correlate(normalize(x0), normalize(x2), 'same') / x0.size\n xcorr_all[i, :] = xcorr1\n vlim = abs(xcorr_all).max()\n vlimround = 2.0 ** np.round(np.log2(vlim))\n yticklabels = []\n yticks = []\n ylimfound = np.zeros((1, 2))\n for i, z in enumerate(z_vec):\n ind = np.arange(x0.size) - x0.size / 2\n ax.plot(ind, xcorr_all[i, ::-1] * 100.0 / vlimround + z, 'k',\n clip_on=True, rasterized=False)\n yticklabels.append('ch. %i' % (i + 1))\n yticks.append(z)\n remove_axis_junk(ax)\n ax.set_title(title)\n ax.set_xlabel('lag $\\\\tau$ (ms)')\n ax.set_xlim(-lag, lag)\n ax.set_ylim(z - 100, 100)\n axis = ax.axis()\n ax.vlines(0, axis[2], axis[3], 'r', 'dotted')\n ax.yaxis.set_ticks(yticks)\n ax.yaxis.set_ticklabels(yticklabels)\n ax.xaxis.set_ticks_position('bottom')\n ax.yaxis.set_ticks_position('left')\n ax.plot([lag, lag], [0, 100], lw=2, color='k', clip_on=False)\n ax.text(lag, 50, 'CC=%.2f' % vlimround, rotation='vertical', va='center')\n",
"role": "user"
},
{
"content": "plot_correlation",
"role": "assistant"
}
] |
def x(r0, z0, r1, z1, r2, z2, r3, z3):
Pr = ((r0 * z1 - z0 * r1) * (r2 - r3) - (r0 - r1) * (r2 * z3 - r3 * z2)
) / ((r0 - r1) * (z2 - z3) - (z0 - z1) * (r2 - r3))
Pz = ((r0 * z1 - z0 * r1) * (z2 - z3) - (z0 - z1) * (r2 * z3 - r3 * z2)
) / ((r0 - r1) * (z2 - z3) - (z0 - z1) * (r2 - r3))
if Pr >= r0 and Pr <= r1 and Pz >= z0 and Pz <= z1:
hit = True
elif Pr <= r0 and Pr >= r1 and Pz >= z0 and Pz <= z1:
hit = True
elif Pr >= r0 and Pr <= r1 and Pz <= z0 and Pz >= z1:
hit = True
elif Pr <= r0 and Pr >= r1 and Pz <= z0 and Pz >= z1:
hit = True
else:
hit = False
return [Pr, Pz, hit]
| PrPz | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(r0, z0, r1, z1, r2, z2, r3, z3):\n Pr = ((r0 * z1 - z0 * r1) * (r2 - r3) - (r0 - r1) * (r2 * z3 - r3 * z2)\n ) / ((r0 - r1) * (z2 - z3) - (z0 - z1) * (r2 - r3))\n Pz = ((r0 * z1 - z0 * r1) * (z2 - z3) - (z0 - z1) * (r2 * z3 - r3 * z2)\n ) / ((r0 - r1) * (z2 - z3) - (z0 - z1) * (r2 - r3))\n if Pr >= r0 and Pr <= r1 and Pz >= z0 and Pz <= z1:\n hit = True\n elif Pr <= r0 and Pr >= r1 and Pz >= z0 and Pz <= z1:\n hit = True\n elif Pr >= r0 and Pr <= r1 and Pz <= z0 and Pz >= z1:\n hit = True\n elif Pr <= r0 and Pr >= r1 and Pz <= z0 and Pz >= z1:\n hit = True\n else:\n hit = False\n return [Pr, Pz, hit]\n",
"role": "user"
},
{
"content": "PrPz",
"role": "assistant"
}
] |
def x(cell, dr=100, z=None):
if type(z) != type(np.ndarray(shape=0)):
raise ValueError('type(z) should be a numpy.ndarray')
dz = abs(z[1] - z[0])
CSD = np.zeros((z.size, cell.tvec.size))
r_end = np.sqrt(cell.xend ** 2 + cell.yend ** 2)
r_start = np.sqrt(cell.xstart ** 2 + cell.ystart ** 2)
volume = dz * np.pi * dr ** 2
for i in range(len(z)):
aa0 = cell.zstart < z[i] + dz / 2
aa1 = cell.zend < z[i] + dz / 2
bb0 = cell.zstart >= z[i] - dz / 2
bb1 = cell.zend >= z[i] - dz / 2
cc0 = r_start < dr
cc1 = r_end < dr
ii = aa0 & bb0 & cc0
jj = aa1 & bb1 & cc1
for j in range(cell.zstart.size):
if ii[j] and jj[j]:
CSD[i,] = CSD[i,] + cell.imem[j,] / volume
elif ii[j] and not jj[j]:
z0 = cell.zstart[j]
r0 = r_start[j]
z1 = cell.zend[j]
r1 = r_end[j]
if r0 == r1:
frac = -(z0 - z[i] - dz / 2) / (z1 - z0)
else:
L2 = (r1 - r0) ** 2 + (z1 - z0) ** 2
z2 = [z[i] - dz / 2, z[i] + dz / 2, z[i] - dz / 2]
r2 = [0, 0, dr]
z3 = [z[i] - dz / 2, z[i] + dz / 2, z[i] + dz / 2]
r3 = [dr, dr, dr]
P = []
for k in range(3):
P.append(_PrPz(r0, z0, r1, z1, r2[k], z2[k], r3[k],
z3[k]))
if P[k][2]:
vL2 = (P[k][0] - r0) ** 2 + (P[k][1] - z0) ** 2
frac = np.sqrt(vL2 / L2)
CSD[i,] = CSD[i,] + frac * cell.imem[j,] / volume
elif jj[j] and not ii[j]:
z0 = cell.zstart[j]
r0 = r_start[j]
z1 = cell.zend[j]
r1 = r_end[j]
if r0 == r1:
frac = (z1 - z[i] + dz / 2) / (z1 - z0)
else:
L2 = (r1 - r0) ** 2 + (z1 - z0) ** 2
z2 = [z[i] - dz / 2, z[i] + dz / 2, z[i] - dz / 2]
r2 = [0, 0, dr]
z3 = [z[i] - dz / 2, z[i] + dz / 2, z[i] + dz / 2]
r3 = [dr, dr, dr]
P = []
for k in range(3):
P.append(_PrPz(r0, z0, r1, z1, r2[k], z2[k], r3[k],
z3[k]))
if P[k][2]:
vL2 = (r1 - P[k][0]) ** 2 + (z1 - P[k][1]) ** 2
frac = np.sqrt(vL2 / L2)
CSD[i,] = CSD[i,] + frac * cell.imem[j,] / volume
else:
pass
return CSD
| true_lam_csd | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cell, dr=100, z=None):\n if type(z) != type(np.ndarray(shape=0)):\n raise ValueError('type(z) should be a numpy.ndarray')\n dz = abs(z[1] - z[0])\n CSD = np.zeros((z.size, cell.tvec.size))\n r_end = np.sqrt(cell.xend ** 2 + cell.yend ** 2)\n r_start = np.sqrt(cell.xstart ** 2 + cell.ystart ** 2)\n volume = dz * np.pi * dr ** 2\n for i in range(len(z)):\n aa0 = cell.zstart < z[i] + dz / 2\n aa1 = cell.zend < z[i] + dz / 2\n bb0 = cell.zstart >= z[i] - dz / 2\n bb1 = cell.zend >= z[i] - dz / 2\n cc0 = r_start < dr\n cc1 = r_end < dr\n ii = aa0 & bb0 & cc0\n jj = aa1 & bb1 & cc1\n for j in range(cell.zstart.size):\n if ii[j] and jj[j]:\n CSD[i,] = CSD[i,] + cell.imem[j,] / volume\n elif ii[j] and not jj[j]:\n z0 = cell.zstart[j]\n r0 = r_start[j]\n z1 = cell.zend[j]\n r1 = r_end[j]\n if r0 == r1:\n frac = -(z0 - z[i] - dz / 2) / (z1 - z0)\n else:\n L2 = (r1 - r0) ** 2 + (z1 - z0) ** 2\n z2 = [z[i] - dz / 2, z[i] + dz / 2, z[i] - dz / 2]\n r2 = [0, 0, dr]\n z3 = [z[i] - dz / 2, z[i] + dz / 2, z[i] + dz / 2]\n r3 = [dr, dr, dr]\n P = []\n for k in range(3):\n P.append(_PrPz(r0, z0, r1, z1, r2[k], z2[k], r3[k],\n z3[k]))\n if P[k][2]:\n vL2 = (P[k][0] - r0) ** 2 + (P[k][1] - z0) ** 2\n frac = np.sqrt(vL2 / L2)\n CSD[i,] = CSD[i,] + frac * cell.imem[j,] / volume\n elif jj[j] and not ii[j]:\n z0 = cell.zstart[j]\n r0 = r_start[j]\n z1 = cell.zend[j]\n r1 = r_end[j]\n if r0 == r1:\n frac = (z1 - z[i] + dz / 2) / (z1 - z0)\n else:\n L2 = (r1 - r0) ** 2 + (z1 - z0) ** 2\n z2 = [z[i] - dz / 2, z[i] + dz / 2, z[i] - dz / 2]\n r2 = [0, 0, dr]\n z3 = [z[i] - dz / 2, z[i] + dz / 2, z[i] + dz / 2]\n r3 = [dr, dr, dr]\n P = []\n for k in range(3):\n P.append(_PrPz(r0, z0, r1, z1, r2[k], z2[k], r3[k],\n z3[k]))\n if P[k][2]:\n vL2 = (r1 - P[k][0]) ** 2 + (z1 - P[k][1]) ** 2\n frac = np.sqrt(vL2 / L2)\n CSD[i,] = CSD[i,] + frac * cell.imem[j,] / volume\n else:\n pass\n return CSD\n",
"role": "user"
},
{
"content": "true_lam_csd",
"role": "assistant"
}
] |
def x(output, **kwds):
from .config import ConfigStore
from .database import DataBase
from .query import expand_query, preprocess_kwds
cfstore = ConfigStore()
kwds = expand_query(cfstore.get_config(), kwds)
format = get_formatter(**kwds)
fmtkeys = formatter_keys(format)
candidates = set(['command_count', 'success_count', 'success_ratio',
'program_count'])
kwds['additional_columns'] = candidates & set(fmtkeys)
db = DataBase(cfstore.db_path)
for crec in db.search_command_record(**preprocess_kwds(kwds)):
output.write(format.format(**crec.__dict__))
| search_run | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(output, **kwds):\n from .config import ConfigStore\n from .database import DataBase\n from .query import expand_query, preprocess_kwds\n cfstore = ConfigStore()\n kwds = expand_query(cfstore.get_config(), kwds)\n format = get_formatter(**kwds)\n fmtkeys = formatter_keys(format)\n candidates = set(['command_count', 'success_count', 'success_ratio',\n 'program_count'])\n kwds['additional_columns'] = candidates & set(fmtkeys)\n db = DataBase(cfstore.db_path)\n for crec in db.search_command_record(**preprocess_kwds(kwds)):\n output.write(format.format(**crec.__dict__))\n",
"role": "user"
},
{
"content": "search_run",
"role": "assistant"
}
] |
def x(params, ana_params, T=[800, 1000], fraction=0.05, rasterized=False):
ana_params.set_PLOS_2column_fig_style(ratio=0.5)
networkSim = CachedNetwork(**params.networkSimParams)
if analysis_params.bw:
networkSim.colors = phlp.get_colors(len(networkSim.X))
fig = plt.figure()
gs = gridspec.GridSpec(3, 4)
fig.subplots_adjust(left=0.05, right=0.95, wspace=0.5, hspace=0.0)
ax0_1 = fig.add_subplot(gs[:, 0], frameon=False)
ax0_1.set_title('point-neuron network', va='bottom')
network_sketch(ax0_1, yscaling=1.3)
ax0_1.xaxis.set_ticks([])
ax0_1.yaxis.set_ticks([])
phlp.annotate_subplot(ax0_1, ncols=4, nrows=1, letter='A',
linear_offset=0.065)
ax1 = fig.add_subplot(gs[:, 1], frameon=True)
phlp.remove_axis_junk(ax1)
phlp.annotate_subplot(ax1, ncols=4, nrows=1, letter='B', linear_offset=
0.065)
x, y = networkSim.get_xy(T, fraction=fraction)
networkSim.plot_raster(ax1, T, x, y, markersize=0.2, marker='_', alpha=
1.0, legend=False, pop_names=True, rasterized=rasterized)
ax1.set_ylabel('')
ax1.xaxis.set_major_locator(plt.MaxNLocator(4))
ax1.set_title('spiking activity', va='bottom')
a = ax1.axis()
ax1.vlines(x['TC'][0], a[2], a[3], 'k', lw=0.25)
ax2 = fig.add_subplot(gs[:, 2], frameon=False)
ax2.xaxis.set_ticks([])
ax2.yaxis.set_ticks([])
plot_population(ax2, params, isometricangle=np.pi / 24, plot_somas=
False, plot_morphos=True, num_unitsE=1, num_unitsI=1,
clip_dendrites=True, main_pops=True, title='', rasterized=rasterized)
ax2.set_title('multicompartment\nneurons', va='bottom', fontweight='normal'
)
phlp.annotate_subplot(ax2, ncols=4, nrows=1, letter='C', linear_offset=
0.065)
ax3 = fig.add_subplot(gs[:, 3], frameon=True)
phlp.remove_axis_junk(ax3)
plot_signal_sum(ax3, params, fname=os.path.join(params.savefolder,
'LFPsum.h5'), unit='mV', vlimround=0.8, T=T, ylim=[ax2.axis()[2],
ax2.axis()[3]], rasterized=False)
ax3.set_title('LFP', va='bottom')
ax3.xaxis.set_major_locator(plt.MaxNLocator(4))
phlp.annotate_subplot(ax3, ncols=4, nrows=1, letter='D', linear_offset=
0.065)
a = ax3.axis()
ax3.vlines(x['TC'][0], a[2], a[3], 'k', lw=0.25)
ax = plt.gca()
ax.annotate('', xy=(0.27, 0.5), xytext=(0.24, 0.5), xycoords=
'figure fraction', arrowprops=dict(facecolor='black', arrowstyle=
'simple'))
ax.annotate('', xy=(0.52, 0.5), xytext=(0.49, 0.5), xycoords=
'figure fraction', arrowprops=dict(facecolor='black', arrowstyle=
'simple'))
ax.annotate('', xy=(0.78, 0.5), xytext=(0.75, 0.5), xycoords=
'figure fraction', arrowprops=dict(facecolor='black', arrowstyle=
'simple'))
return fig
| fig_intro | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(params, ana_params, T=[800, 1000], fraction=0.05, rasterized=False):\n ana_params.set_PLOS_2column_fig_style(ratio=0.5)\n networkSim = CachedNetwork(**params.networkSimParams)\n if analysis_params.bw:\n networkSim.colors = phlp.get_colors(len(networkSim.X))\n fig = plt.figure()\n gs = gridspec.GridSpec(3, 4)\n fig.subplots_adjust(left=0.05, right=0.95, wspace=0.5, hspace=0.0)\n ax0_1 = fig.add_subplot(gs[:, 0], frameon=False)\n ax0_1.set_title('point-neuron network', va='bottom')\n network_sketch(ax0_1, yscaling=1.3)\n ax0_1.xaxis.set_ticks([])\n ax0_1.yaxis.set_ticks([])\n phlp.annotate_subplot(ax0_1, ncols=4, nrows=1, letter='A',\n linear_offset=0.065)\n ax1 = fig.add_subplot(gs[:, 1], frameon=True)\n phlp.remove_axis_junk(ax1)\n phlp.annotate_subplot(ax1, ncols=4, nrows=1, letter='B', linear_offset=\n 0.065)\n x, y = networkSim.get_xy(T, fraction=fraction)\n networkSim.plot_raster(ax1, T, x, y, markersize=0.2, marker='_', alpha=\n 1.0, legend=False, pop_names=True, rasterized=rasterized)\n ax1.set_ylabel('')\n ax1.xaxis.set_major_locator(plt.MaxNLocator(4))\n ax1.set_title('spiking activity', va='bottom')\n a = ax1.axis()\n ax1.vlines(x['TC'][0], a[2], a[3], 'k', lw=0.25)\n ax2 = fig.add_subplot(gs[:, 2], frameon=False)\n ax2.xaxis.set_ticks([])\n ax2.yaxis.set_ticks([])\n plot_population(ax2, params, isometricangle=np.pi / 24, plot_somas=\n False, plot_morphos=True, num_unitsE=1, num_unitsI=1,\n clip_dendrites=True, main_pops=True, title='', rasterized=rasterized)\n ax2.set_title('multicompartment\\nneurons', va='bottom', fontweight='normal'\n )\n phlp.annotate_subplot(ax2, ncols=4, nrows=1, letter='C', linear_offset=\n 0.065)\n ax3 = fig.add_subplot(gs[:, 3], frameon=True)\n phlp.remove_axis_junk(ax3)\n plot_signal_sum(ax3, params, fname=os.path.join(params.savefolder,\n 'LFPsum.h5'), unit='mV', vlimround=0.8, T=T, ylim=[ax2.axis()[2],\n ax2.axis()[3]], rasterized=False)\n ax3.set_title('LFP', va='bottom')\n ax3.xaxis.set_major_locator(plt.MaxNLocator(4))\n phlp.annotate_subplot(ax3, ncols=4, nrows=1, letter='D', linear_offset=\n 0.065)\n a = ax3.axis()\n ax3.vlines(x['TC'][0], a[2], a[3], 'k', lw=0.25)\n ax = plt.gca()\n ax.annotate('', xy=(0.27, 0.5), xytext=(0.24, 0.5), xycoords=\n 'figure fraction', arrowprops=dict(facecolor='black', arrowstyle=\n 'simple'))\n ax.annotate('', xy=(0.52, 0.5), xytext=(0.49, 0.5), xycoords=\n 'figure fraction', arrowprops=dict(facecolor='black', arrowstyle=\n 'simple'))\n ax.annotate('', xy=(0.78, 0.5), xytext=(0.75, 0.5), xycoords=\n 'figure fraction', arrowprops=dict(facecolor='black', arrowstyle=\n 'simple'))\n return fig\n",
"role": "user"
},
{
"content": "fig_intro",
"role": "assistant"
}
] |
def x(self, json_path):
self.logger.debug('Indexing record: %s', json_path)
json_path = os.path.abspath(json_path)
self.check_path(json_path, '`json_path`')
with open(json_path) as fp:
try:
dct = json.load(fp)
except ValueError:
warnings.warn('Ignoring invalid JSON file at: {0}'.format(
json_path))
return
record_type = self.get_record_type(json_path)
kwds = {}
if record_type == 'command':
importer = self.db.import_dict
kwds.update(check_duplicate=self.check_duplicate)
elif record_type == 'init':
importer = self.db.import_init_dict
elif record_type == 'exit':
importer = self.db.import_exit_dict
else:
raise ValueError('Unknown record type: {0}'.format(record_type))
importer(dct, **kwds)
if not self.keep_json:
self.logger.info('Removing JSON record: %s', json_path)
os.remove(json_path)
| index_record | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, json_path):\n self.logger.debug('Indexing record: %s', json_path)\n json_path = os.path.abspath(json_path)\n self.check_path(json_path, '`json_path`')\n with open(json_path) as fp:\n try:\n dct = json.load(fp)\n except ValueError:\n warnings.warn('Ignoring invalid JSON file at: {0}'.format(\n json_path))\n return\n record_type = self.get_record_type(json_path)\n kwds = {}\n if record_type == 'command':\n importer = self.db.import_dict\n kwds.update(check_duplicate=self.check_duplicate)\n elif record_type == 'init':\n importer = self.db.import_init_dict\n elif record_type == 'exit':\n importer = self.db.import_exit_dict\n else:\n raise ValueError('Unknown record type: {0}'.format(record_type))\n importer(dct, **kwds)\n if not self.keep_json:\n self.logger.info('Removing JSON record: %s', json_path)\n os.remove(json_path)\n",
"role": "user"
},
{
"content": "index_record",
"role": "assistant"
}
] |
def x(self):
for root, _, files in os.walk(self.record_path):
for f in (f for f in files if f.endswith('.json')):
yield os.path.join(root, f)
| find_record_files | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n for root, _, files in os.walk(self.record_path):\n for f in (f for f in files if f.endswith('.json')):\n yield os.path.join(root, f)\n",
"role": "user"
},
{
"content": "find_record_files",
"role": "assistant"
}
] |
def x(self):
self.logger.debug('Start indexing all records under: %s', self.record_path)
with self.db.connection():
for json_path in sorted(self.find_record_files()):
self.index_record(json_path)
| index_all | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.logger.debug('Start indexing all records under: %s', self.record_path)\n with self.db.connection():\n for json_path in sorted(self.find_record_files()):\n self.index_record(json_path)\n",
"role": "user"
},
{
"content": "index_all",
"role": "assistant"
}
] |
def x(parameters=object(), fname='microcircuit.sli', verbosity='M_ERROR'):
send_nest_params_to_sli(vars(parameters))
nest.sli_run('%s setverbosity' % verbosity)
nest.sli_run('(%s) run' % fname)
| sli_run | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(parameters=object(), fname='microcircuit.sli', verbosity='M_ERROR'):\n send_nest_params_to_sli(vars(parameters))\n nest.sli_run('%s setverbosity' % verbosity)\n nest.sli_run('(%s) run' % fname)\n",
"role": "user"
},
{
"content": "sli_run",
"role": "assistant"
}
] |
def x(self, obj, buffer, offset, default_endianness=DEFAULT_ENDIANNESS):
try:
value, length = struct.unpack_from(str(self.endianness or
default_endianness) + self.struct_format, buffer, offset)[0
], struct.calcsize(self.struct_format)
if self._enum is not None:
try:
return self._enum(value), length
except ValueError as e:
raise PacketDecodeError('{}: {}'.format(self.type, e))
else:
return value, length
except struct.error as e:
raise PacketDecodeError('{}: {}'.format(self.type, e))
| buffer_to_value | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, obj, buffer, offset, default_endianness=DEFAULT_ENDIANNESS):\n try:\n value, length = struct.unpack_from(str(self.endianness or\n default_endianness) + self.struct_format, buffer, offset)[0\n ], struct.calcsize(self.struct_format)\n if self._enum is not None:\n try:\n return self._enum(value), length\n except ValueError as e:\n raise PacketDecodeError('{}: {}'.format(self.type, e))\n else:\n return value, length\n except struct.error as e:\n raise PacketDecodeError('{}: {}'.format(self.type, e))\n",
"role": "user"
},
{
"content": "buffer_to_value",
"role": "assistant"
}
] |
def x(self, obj, value, default_endianness=DEFAULT_ENDIANNESS):
return struct.pack(str(self.endianness or default_endianness) + self.
struct_format, value)
| value_to_bytes | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, obj, value, default_endianness=DEFAULT_ENDIANNESS):\n return struct.pack(str(self.endianness or default_endianness) + self.\n struct_format, value)\n",
"role": "user"
},
{
"content": "value_to_bytes",
"role": "assistant"
}
] |
def x(func):
def x(*args, **kwargs):
pr = cProfile.Profile()
pr.enable()
res = func(*args, **kwargs)
pr.disable()
s = io.StringIO()
ps = pstats.Stats(pr, stream=s).sort_stats('cumulative')
ps.print_stats()
print(s.getvalue())
return res
return inner
| profile | [
{
"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 pr = cProfile.Profile()\n pr.enable()\n res = func(*args, **kwargs)\n pr.disable()\n s = io.StringIO()\n ps = pstats.Stats(pr, stream=s).sort_stats('cumulative')\n ps.print_stats()\n print(s.getvalue())\n return res\n return inner\n",
"role": "user"
},
{
"content": "profile",
"role": "assistant"
}
] |
def x(self, cmd, **kwargs):
func = getattr(self.client, cmd)
try:
if self.credentials is None:
return func(kwargs)
else:
return func(self.credentials, kwargs)
except socket.error as e:
raise BackendConnectionError(e)
except (xmlrpclib.ProtocolError, BadStatusLine) as e:
log.error(e)
raise BackendError('Error reaching backend.')
| rpc | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, cmd, **kwargs):\n func = getattr(self.client, cmd)\n try:\n if self.credentials is None:\n return func(kwargs)\n else:\n return func(self.credentials, kwargs)\n except socket.error as e:\n raise BackendConnectionError(e)\n except (xmlrpclib.ProtocolError, BadStatusLine) as e:\n log.error(e)\n raise BackendError('Error reaching backend.')\n",
"role": "user"
},
{
"content": "rpc",
"role": "assistant"
}
] |
def x(self, username, domain, subject, message):
kwargs = {'body': message, 'from': domain, 'to': '%s@%s' % (username,
domain)}
if self.api_version <= (14, 7):
command = 'send_message_chat'
else:
command = 'send_message'
kwargs['subject'] = subject
kwargs['type'] = 'normal'
result = self.rpc(command, **kwargs)
if result['res'] == 0:
return
else:
raise BackendError(result.get('text', 'Unknown Error'))
| message_user | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, username, domain, subject, message):\n kwargs = {'body': message, 'from': domain, 'to': '%s@%s' % (username,\n domain)}\n if self.api_version <= (14, 7):\n command = 'send_message_chat'\n else:\n command = 'send_message'\n kwargs['subject'] = subject\n kwargs['type'] = 'normal'\n result = self.rpc(command, **kwargs)\n if result['res'] == 0:\n return\n else:\n raise BackendError(result.get('text', 'Unknown Error'))\n",
"role": "user"
},
{
"content": "message_user",
"role": "assistant"
}
] |
def x(cert):
openssl_pkey = cert.get_pubkey()
openssl_lib = _util.binding.lib
ffi = _util.binding.ffi
buf = ffi.new('unsigned char **')
rsa = openssl_lib.EVP_PKEY_get1_RSA(openssl_pkey._pkey)
length = openssl_lib.i2d_RSAPublicKey(rsa, buf)
public_key = ffi.buffer(buf[0], length)[:]
ffi.gc(buf[0], openssl_lib.OPENSSL_free)
return public_key
| get_rsa_public_key | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cert):\n openssl_pkey = cert.get_pubkey()\n openssl_lib = _util.binding.lib\n ffi = _util.binding.ffi\n buf = ffi.new('unsigned char **')\n rsa = openssl_lib.EVP_PKEY_get1_RSA(openssl_pkey._pkey)\n length = openssl_lib.i2d_RSAPublicKey(rsa, buf)\n public_key = ffi.buffer(buf[0], length)[:]\n ffi.gc(buf[0], openssl_lib.OPENSSL_free)\n return public_key\n",
"role": "user"
},
{
"content": "get_rsa_public_key",
"role": "assistant"
}
] |
def x(self, context):
http_response = yield
credssp_context = self._get_credssp_header(http_response)
if credssp_context is None:
raise Exception(
"The remote host did not respond with a 'www-authenticate' header containing 'CredSSP' as an available authentication mechanism"
)
if not credssp_context:
self.tls_connection = SSL.Connection(self.tls_context)
self.tls_connection.set_connect_state()
while True:
try:
self.tls_connection.do_handshake()
except SSL.WantReadError:
http_response = yield self._set_credssp_header(http_response
.request, self.tls_connection.bio_read(4096))
credssp_context = self._get_credssp_header(http_response)
if credssp_context is None or not credssp_context:
raise Exception(
'The remote host rejected the CredSSP TLS handshake')
self.tls_connection.bio_write(credssp_context)
else:
break
openssl_lib = _util.binding.lib
ffi = _util.binding.ffi
cipher = openssl_lib.SSL_get_current_cipher(self.tls_connection._ssl)
cipher_name = ffi.string(openssl_lib.SSL_CIPHER_get_name(cipher))
log.debug('Negotiated TLS Cipher: %s', cipher_name)
context_generator = context.initialize_security_context()
negotiate_token = context_generator.send(None)
log.debug('NTLM Type 1: %s', AsHex(negotiate_token))
ts_request = TSRequest()
ts_request['negoTokens'] = negotiate_token
self.tls_connection.send(ts_request.getData())
http_response = yield self._set_credssp_header(http_response.request,
self.tls_connection.bio_read(4096))
authenticate_header = self._get_credssp_header(http_response)
if not authenticate_header or authenticate_header is None:
raise Exception(
'The remote host rejected the CredSSP negotiation token')
self.tls_connection.bio_write(authenticate_header)
ts_request = TSRequest()
ts_request.fromString(self.tls_connection.recv(8192))
challenge_token = ts_request['negoTokens']
log.debug('NTLM Type 2: %s', AsHex(challenge_token))
server_cert = self.tls_connection.get_peer_certificate()
public_key = HttpCredSSPAuth._get_rsa_public_key(server_cert)
ts_request = TSRequest()
type3 = context_generator.send(challenge_token)
log.debug('NTLM Type 3: %s', AsHex(type3))
ts_request['negoTokens'] = type3
public_key_encrypted, signature = context.wrap_message(public_key)
ts_request['pubKeyAuth'] = signature + public_key_encrypted
self.tls_connection.send(ts_request.getData())
enc_type3 = self.tls_connection.bio_read(8192)
http_response = yield self._set_credssp_header(http_response.request,
enc_type3)
auth_response = self._get_credssp_header(http_response)
if not auth_response or auth_response is None:
raise Exception('The remote host rejected the challenge response')
self.tls_connection.bio_write(auth_response)
ts_request = TSRequest()
ts_request.fromString(self.tls_connection.recv(8192))
tsp = TSPasswordCreds()
tsp['domain'] = self.password_authenticator.get_domain()
tsp['username'] = self.password_authenticator.get_username()
tsp['password'] = self.password_authenticator.get_password()
tsc = TSCredentials()
tsc['type'] = 1
tsc['credentials'] = tsp.getData()
ts_request = TSRequest()
encrypted, signature = context.wrap_message(tsc.getData())
ts_request['authInfo'] = signature + encrypted
self.tls_connection.send(ts_request.getData())
token = self.tls_connection.bio_read(8192)
http_response.request.body = self.body
http_response = yield self._set_credssp_header(self._encrypt(
http_response.request, self.tls_connection), token)
if http_response.status_code == 401:
raise Exception('Authentication Failed')
| credssp_processor | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, context):\n http_response = yield\n credssp_context = self._get_credssp_header(http_response)\n if credssp_context is None:\n raise Exception(\n \"The remote host did not respond with a 'www-authenticate' header containing 'CredSSP' as an available authentication mechanism\"\n )\n if not credssp_context:\n self.tls_connection = SSL.Connection(self.tls_context)\n self.tls_connection.set_connect_state()\n while True:\n try:\n self.tls_connection.do_handshake()\n except SSL.WantReadError:\n http_response = yield self._set_credssp_header(http_response\n .request, self.tls_connection.bio_read(4096))\n credssp_context = self._get_credssp_header(http_response)\n if credssp_context is None or not credssp_context:\n raise Exception(\n 'The remote host rejected the CredSSP TLS handshake')\n self.tls_connection.bio_write(credssp_context)\n else:\n break\n openssl_lib = _util.binding.lib\n ffi = _util.binding.ffi\n cipher = openssl_lib.SSL_get_current_cipher(self.tls_connection._ssl)\n cipher_name = ffi.string(openssl_lib.SSL_CIPHER_get_name(cipher))\n log.debug('Negotiated TLS Cipher: %s', cipher_name)\n context_generator = context.initialize_security_context()\n negotiate_token = context_generator.send(None)\n log.debug('NTLM Type 1: %s', AsHex(negotiate_token))\n ts_request = TSRequest()\n ts_request['negoTokens'] = negotiate_token\n self.tls_connection.send(ts_request.getData())\n http_response = yield self._set_credssp_header(http_response.request,\n self.tls_connection.bio_read(4096))\n authenticate_header = self._get_credssp_header(http_response)\n if not authenticate_header or authenticate_header is None:\n raise Exception(\n 'The remote host rejected the CredSSP negotiation token')\n self.tls_connection.bio_write(authenticate_header)\n ts_request = TSRequest()\n ts_request.fromString(self.tls_connection.recv(8192))\n challenge_token = ts_request['negoTokens']\n log.debug('NTLM Type 2: %s', AsHex(challenge_token))\n server_cert = self.tls_connection.get_peer_certificate()\n public_key = HttpCredSSPAuth._get_rsa_public_key(server_cert)\n ts_request = TSRequest()\n type3 = context_generator.send(challenge_token)\n log.debug('NTLM Type 3: %s', AsHex(type3))\n ts_request['negoTokens'] = type3\n public_key_encrypted, signature = context.wrap_message(public_key)\n ts_request['pubKeyAuth'] = signature + public_key_encrypted\n self.tls_connection.send(ts_request.getData())\n enc_type3 = self.tls_connection.bio_read(8192)\n http_response = yield self._set_credssp_header(http_response.request,\n enc_type3)\n auth_response = self._get_credssp_header(http_response)\n if not auth_response or auth_response is None:\n raise Exception('The remote host rejected the challenge response')\n self.tls_connection.bio_write(auth_response)\n ts_request = TSRequest()\n ts_request.fromString(self.tls_connection.recv(8192))\n tsp = TSPasswordCreds()\n tsp['domain'] = self.password_authenticator.get_domain()\n tsp['username'] = self.password_authenticator.get_username()\n tsp['password'] = self.password_authenticator.get_password()\n tsc = TSCredentials()\n tsc['type'] = 1\n tsc['credentials'] = tsp.getData()\n ts_request = TSRequest()\n encrypted, signature = context.wrap_message(tsc.getData())\n ts_request['authInfo'] = signature + encrypted\n self.tls_connection.send(ts_request.getData())\n token = self.tls_connection.bio_read(8192)\n http_response.request.body = self.body\n http_response = yield self._set_credssp_header(self._encrypt(\n http_response.request, self.tls_connection), token)\n if http_response.status_code == 401:\n raise Exception('Authentication Failed')\n",
"role": "user"
},
{
"content": "credssp_processor",
"role": "assistant"
}
] |
def x(self, force_install=False):
if not (force_install or self._bundle.should_permit_install()):
raise AppInstallError('This pbw is not supported on this platform.')
if self._pebble.firmware_version.major < 3:
self._install_legacy2()
else:
self._install_modern()
| install | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, force_install=False):\n if not (force_install or self._bundle.should_permit_install()):\n raise AppInstallError('This pbw is not supported on this platform.')\n if self._pebble.firmware_version.major < 3:\n self._install_legacy2()\n else:\n self._install_modern()\n",
"role": "user"
},
{
"content": "install",
"role": "assistant"
}
] |
def x(value):
arrow = _pp.oneOf('-> <- <=>').setResultsName('arrow')
species = _pp.Word(_pp.printables).setResultsName('species')
coefficient = _pp.Optional(_pp.Word(_pp.nums), default=1).setParseAction(
_pp.tokenMap(int)).setResultsName('coefficient')
group_ = _pp.Group(coefficient + _pp.Optional(_pp.Suppress('*')) + species)
reactants = (group_ + _pp.ZeroOrMore(_pp.Suppress('+') + group_)
).setResultsName('reactants')
products = (group_ + _pp.ZeroOrMore(_pp.Suppress('+') + group_)
).setResultsName('products')
grammar = reactants + arrow + products
parsed = grammar.parseString(value).asDict()
if parsed['arrow'] == '<-':
parsed['reactants'], parsed['products'] = parsed['products'], parsed[
'reactants']
parsed['arrow'] = '->'
return parsed
| parse_chemical_equation | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value):\n arrow = _pp.oneOf('-> <- <=>').setResultsName('arrow')\n species = _pp.Word(_pp.printables).setResultsName('species')\n coefficient = _pp.Optional(_pp.Word(_pp.nums), default=1).setParseAction(\n _pp.tokenMap(int)).setResultsName('coefficient')\n group_ = _pp.Group(coefficient + _pp.Optional(_pp.Suppress('*')) + species)\n reactants = (group_ + _pp.ZeroOrMore(_pp.Suppress('+') + group_)\n ).setResultsName('reactants')\n products = (group_ + _pp.ZeroOrMore(_pp.Suppress('+') + group_)\n ).setResultsName('products')\n grammar = reactants + arrow + products\n parsed = grammar.parseString(value).asDict()\n if parsed['arrow'] == '<-':\n parsed['reactants'], parsed['products'] = parsed['products'], parsed[\n 'reactants']\n parsed['arrow'] = '->'\n return parsed\n",
"role": "user"
},
{
"content": "parse_chemical_equation",
"role": "assistant"
}
] |
def x(species_list, coefficients):
def x(species, coefficient):
if coefficient == 1:
return '{}'.format(species)
else:
return '{:g} {}'.format(coefficient, species)
bag = []
for species, coefficient in zip(species_list, coefficients):
if coefficient < 0:
coefficient = -coefficient
if coefficient > 0:
bag.append(_get_token(species, coefficient))
return '{}'.format(' + '.join(bag))
| get_chemical_equation_piece | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(species_list, coefficients):\n\n def x(species, coefficient):\n if coefficient == 1:\n return '{}'.format(species)\n else:\n return '{:g} {}'.format(coefficient, species)\n bag = []\n for species, coefficient in zip(species_list, coefficients):\n if coefficient < 0:\n coefficient = -coefficient\n if coefficient > 0:\n bag.append(_get_token(species, coefficient))\n return '{}'.format(' + '.join(bag))\n",
"role": "user"
},
{
"content": "get_chemical_equation_piece",
"role": "assistant"
}
] |
def x(data):
if 'vibfreqs' in data.columns:
for species in data.index:
vibfreqs = data.loc[species, 'vibfreqs']
nimagvibfreqs = _np.sum(_np.array(vibfreqs) < 0)
if species[-1] == '#' and nimagvibfreqs != 1:
_warnings.warn(
"'{}' should have 1 imaginary vibfreqs but {} found".
format(species, nimagvibfreqs))
elif species[-1] != '#' and nimagvibfreqs != 0:
_warnings.warn(
"'{}' should have no imaginary vibfreqs but {} found".
format(species, nimagvibfreqs))
| check_data | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data):\n if 'vibfreqs' in data.columns:\n for species in data.index:\n vibfreqs = data.loc[species, 'vibfreqs']\n nimagvibfreqs = _np.sum(_np.array(vibfreqs) < 0)\n if species[-1] == '#' and nimagvibfreqs != 1:\n _warnings.warn(\n \"'{}' should have 1 imaginary vibfreqs but {} found\".\n format(species, nimagvibfreqs))\n elif species[-1] != '#' and nimagvibfreqs != 0:\n _warnings.warn(\n \"'{}' should have no imaginary vibfreqs but {} found\".\n format(species, nimagvibfreqs))\n",
"role": "user"
},
{
"content": "check_data",
"role": "assistant"
}
] |
def x(value):
pieces = _split_arrows(value)
return [(pieces[i] + pieces[i + 1] + pieces[i + 2]).strip() for i in
range(0, len(pieces) - 2, 2)]
| split_chemical_equations | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value):\n pieces = _split_arrows(value)\n return [(pieces[i] + pieces[i + 1] + pieces[i + 2]).strip() for i in\n range(0, len(pieces) - 2, 2)]\n",
"role": "user"
},
{
"content": "split_chemical_equations",
"role": "assistant"
}
] |
def x(self, only=None, intensive_columns=['temperature', 'pressure'],
check_data=True):
if self.data is None:
raise ValueError('data not defined')
columns = self.data.select_dtypes('number').columns
intensive_columns = [column for column in columns if column in
intensive_columns]
extensive_columns = [column for column in columns if column not in
intensive_columns]
columns = extensive_columns + intensive_columns
if only is None:
species = self.species
elif only == 'reactants':
species = sorted(self.reactants)
elif only == 'products':
species = sorted(self.products)
else:
raise ValueError(
"only must be either 'reactants' or 'products' ('{}' given)".
format(only))
if check_data:
_check_data(self.data.loc[species])
if all([(s in self.data.index) for s in species]):
series = self.data.loc[species, extensive_columns].mul(self.
coefficient, axis='index').sum('index')
for column in intensive_columns:
vals = self.data[column].unique()
if len(vals) > 1:
raise ValueError('different values for {}: {}'.format(
column, vals))
series[column] = vals[0]
else:
series = _pd.Series(_np.nan, index=columns)
if only is None:
name = self.__str__()
else:
coefficients = self.coefficient[species]
name = _get_chemical_equation_piece(species, coefficients)
if only == 'reactants':
series[extensive_columns] = -series[extensive_columns]
series = series + 0.0
return series.rename(name)
| to_series | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, only=None, intensive_columns=['temperature', 'pressure'],\n check_data=True):\n if self.data is None:\n raise ValueError('data not defined')\n columns = self.data.select_dtypes('number').columns\n intensive_columns = [column for column in columns if column in\n intensive_columns]\n extensive_columns = [column for column in columns if column not in\n intensive_columns]\n columns = extensive_columns + intensive_columns\n if only is None:\n species = self.species\n elif only == 'reactants':\n species = sorted(self.reactants)\n elif only == 'products':\n species = sorted(self.products)\n else:\n raise ValueError(\n \"only must be either 'reactants' or 'products' ('{}' given)\".\n format(only))\n if check_data:\n _check_data(self.data.loc[species])\n if all([(s in self.data.index) for s in species]):\n series = self.data.loc[species, extensive_columns].mul(self.\n coefficient, axis='index').sum('index')\n for column in intensive_columns:\n vals = self.data[column].unique()\n if len(vals) > 1:\n raise ValueError('different values for {}: {}'.format(\n column, vals))\n series[column] = vals[0]\n else:\n series = _pd.Series(_np.nan, index=columns)\n if only is None:\n name = self.__str__()\n else:\n coefficients = self.coefficient[species]\n name = _get_chemical_equation_piece(species, coefficients)\n if only == 'reactants':\n series[extensive_columns] = -series[extensive_columns]\n series = series + 0.0\n return series.rename(name)\n",
"role": "user"
},
{
"content": "to_series",
"role": "assistant"
}
] |
def x(self, *args, **kwargs):
dataframe = _pd.DataFrame([equation.to_series(*args, **kwargs) for
equation in self.equations])
dataframe.index.name = 'chemical_equation'
return dataframe
| to_dataframe | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *args, **kwargs):\n dataframe = _pd.DataFrame([equation.to_series(*args, **kwargs) for\n equation in self.equations])\n dataframe.index.name = 'chemical_equation'\n return dataframe\n",
"role": "user"
},
{
"content": "to_dataframe",
"role": "assistant"
}
] |
def x(self, *args, **kwargs):
digraph = _nx.DiGraph()
for equation in self.equations:
reactants, arrow, products = [value.strip() for value in
_split_arrows(str(equation))]
try:
attr = equation.to_series('reactants', *args, **kwargs).to_dict()
except ValueError:
attr = dict()
digraph.add_node(reactants, **attr)
try:
attr = equation.to_series('products', *args, **kwargs).to_dict()
except ValueError:
attr = dict()
digraph.add_node(products, **attr)
try:
attr = equation.to_series(*args, **kwargs).to_dict()
except ValueError:
attr = dict()
digraph.add_edge(reactants, products, **attr)
if arrow == '<=>':
digraph.add_edge(products, reactants, **attr)
return digraph
| to_digraph | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *args, **kwargs):\n digraph = _nx.DiGraph()\n for equation in self.equations:\n reactants, arrow, products = [value.strip() for value in\n _split_arrows(str(equation))]\n try:\n attr = equation.to_series('reactants', *args, **kwargs).to_dict()\n except ValueError:\n attr = dict()\n digraph.add_node(reactants, **attr)\n try:\n attr = equation.to_series('products', *args, **kwargs).to_dict()\n except ValueError:\n attr = dict()\n digraph.add_node(products, **attr)\n try:\n attr = equation.to_series(*args, **kwargs).to_dict()\n except ValueError:\n attr = dict()\n digraph.add_edge(reactants, products, **attr)\n if arrow == '<=>':\n digraph.add_edge(products, reactants, **attr)\n return digraph\n",
"role": "user"
},
{
"content": "to_digraph",
"role": "assistant"
}
] |
def x(value, name=None):
if isinstance(value, _logfileparser.Logfile):
jobfilename = value.filename
ccdata = value.parse()
elif isinstance(value, _data.ccData):
jobfilename = None
ccdata = value
else:
ccobj = _cclib.ccopen(value)
jobfilename = ccobj.filename
ccdata = ccobj.parse()
if name is None:
name = jobfilename
attributes = ccdata.getattributes()
attributes.update({'name': name, 'jobfilename': jobfilename})
return Atoms(attributes)
| read_cclib | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value, name=None):\n if isinstance(value, _logfileparser.Logfile):\n jobfilename = value.filename\n ccdata = value.parse()\n elif isinstance(value, _data.ccData):\n jobfilename = None\n ccdata = value\n else:\n ccobj = _cclib.ccopen(value)\n jobfilename = ccobj.filename\n ccdata = ccobj.parse()\n if name is None:\n name = jobfilename\n attributes = ccdata.getattributes()\n attributes.update({'name': name, 'jobfilename': jobfilename})\n return Atoms(attributes)\n",
"role": "user"
},
{
"content": "read_cclib",
"role": "assistant"
}
] |
def x(value, name=None):
if isinstance(value, _pb.Molecule):
jobfilename = None
charge, mult = value.charge, value.spin
ccdata = _makecclib(value.OBMol)
elif isinstance(value, _ob.OBMol):
jobfilename = None
charge, mult = value.GetTotalCharge(), value.GetTotalSpinMultiplicity()
ccdata = _makecclib(value)
else:
jobfilename = value
_, jobfilename_ext = _os.path.splitext(jobfilename)
mol = next(_pb.readfile(jobfilename_ext[1:], jobfilename))
charge, mult = mol.charge, mol.spin
ccdata = _makecclib(mol.OBMol)
if name is None:
name = jobfilename
attributes = ccdata.getattributes()
attributes.update({'name': name, 'jobfilename': jobfilename, 'charge':
charge, 'mult': mult})
return Atoms(attributes)
| read_pybel | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value, name=None):\n if isinstance(value, _pb.Molecule):\n jobfilename = None\n charge, mult = value.charge, value.spin\n ccdata = _makecclib(value.OBMol)\n elif isinstance(value, _ob.OBMol):\n jobfilename = None\n charge, mult = value.GetTotalCharge(), value.GetTotalSpinMultiplicity()\n ccdata = _makecclib(value)\n else:\n jobfilename = value\n _, jobfilename_ext = _os.path.splitext(jobfilename)\n mol = next(_pb.readfile(jobfilename_ext[1:], jobfilename))\n charge, mult = mol.charge, mol.spin\n ccdata = _makecclib(mol.OBMol)\n if name is None:\n name = jobfilename\n attributes = ccdata.getattributes()\n attributes.update({'name': name, 'jobfilename': jobfilename, 'charge':\n charge, 'mult': mult})\n return Atoms(attributes)\n",
"role": "user"
},
{
"content": "read_pybel",
"role": "assistant"
}
] |
def x(*args):
def x(data):
if not isinstance(data, _pd.DataFrame):
try:
data = _pd.DataFrame([data.to_series()])
except AttributeError:
data = _pd.DataFrame([Atoms(data).to_series()])
if data.index.name != 'name':
if 'name' not in data.columns:
data['name'] = None
data = data.set_index('name')
return data.reset_index()
args = map(_prepare_data, args)
dataframe = _pd.concat(args, sort=False)
return dataframe.set_index('name')
| create_data | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*args):\n\n def x(data):\n if not isinstance(data, _pd.DataFrame):\n try:\n data = _pd.DataFrame([data.to_series()])\n except AttributeError:\n data = _pd.DataFrame([Atoms(data).to_series()])\n if data.index.name != 'name':\n if 'name' not in data.columns:\n data['name'] = None\n data = data.set_index('name')\n return data.reset_index()\n args = map(_prepare_data, args)\n dataframe = _pd.concat(args, sort=False)\n return dataframe.set_index('name')\n",
"role": "user"
},
{
"content": "create_data",
"role": "assistant"
}
] |
def x(self, pattern=None):
molecule_pybel = self.to_pybel()
if pattern is None:
fragments = [read_pybel(frag) for frag in molecule_pybel.OBMol.
Separate()]
else:
fragments = []
for group in pattern:
fragment_obmol = _pb.ob.OBMol()
for i in group:
obatom = molecule_pybel.OBMol.GetAtomById(i)
fragment_obmol.InsertAtom(obatom)
fragments.append(fragment_obmol)
fragments = [read_pybel(frag) for frag in fragments]
return fragments
| split | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, pattern=None):\n molecule_pybel = self.to_pybel()\n if pattern is None:\n fragments = [read_pybel(frag) for frag in molecule_pybel.OBMol.\n Separate()]\n else:\n fragments = []\n for group in pattern:\n fragment_obmol = _pb.ob.OBMol()\n for i in group:\n obatom = molecule_pybel.OBMol.GetAtomById(i)\n fragment_obmol.InsertAtom(obatom)\n fragments.append(fragment_obmol)\n fragments = [read_pybel(frag) for frag in fragments]\n return fragments\n",
"role": "user"
},
{
"content": "split",
"role": "assistant"
}
] |
def x(self):
obmol = _makeopenbabel(self.atomcoords, self.atomnos, self.charge, self
.mult)
title = self.name or ''
if 'scfenergies' in self.attributes:
title += ', scfenergy={} eV'.format(self.scfenergies[-1])
obmol.SetTitle(title)
return _pb.Molecule(obmol)
| to_pybel | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n obmol = _makeopenbabel(self.atomcoords, self.atomnos, self.charge, self\n .mult)\n title = self.name or ''\n if 'scfenergies' in self.attributes:\n title += ', scfenergy={} eV'.format(self.scfenergies[-1])\n obmol.SetTitle(title)\n return _pb.Molecule(obmol)\n",
"role": "user"
},
{
"content": "to_pybel",
"role": "assistant"
}
] |
def x(self, format='smi', dialect=None, with_header=False, fragment_id=None,
constraints=None):
s = self.to_pybel().write(format).strip()
if dialect is None:
dialect = 'standard'
dialect = dialect.lower()
if format == 'xyz':
natom, comment, body = s.split('\n', 2)
if dialect in {'adf', 'orca', 'standard'}:
if fragment_id is not None:
if dialect == 'adf':
body = '\n'.join(['{} f={}'.format(line,
fragment_id) for line in body.split('\n')])
elif dialect == 'orca':
fragment_id = '({})'.format(fragment_id)
body = '\n'.join([line.replace(' ' * len(fragment_id),
fragment_id, 1) for line in body.split('\n')])
else:
raise KeyError(
"fragment_id currently not supported with dialect '{}'"
.format(dialect))
else:
raise KeyError("dialect '{}' currently not supported".format(
dialect))
if with_header:
s = '\n'.join([natom, comment, body])
else:
s = body
elif format == 'gamin':
lines = s.split('\n')
begin = '\n'.join([line.strip() for line in lines[:5]])
body = '\n'.join([line.strip() for line in lines[5:-1]])
if with_header:
s = '\n'.join([begin, body])
else:
s = body
elif format == 'mop':
chunks = s.split('\n', 2)
begin = '\n'.join([line.strip() for line in chunks[:2]])
body = chunks[2].strip()
if constraints is not None:
body = body.split('\n')
for i in constraints:
body[i] = _re.sub(' 1( |$)', ' 0\\g<1>', body[i])
body = '\n'.join(body)
if with_header:
s = '\n'.join([begin, body])
else:
s = body
return s.strip()
| to_string | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, format='smi', dialect=None, with_header=False, fragment_id=None,\n constraints=None):\n s = self.to_pybel().write(format).strip()\n if dialect is None:\n dialect = 'standard'\n dialect = dialect.lower()\n if format == 'xyz':\n natom, comment, body = s.split('\\n', 2)\n if dialect in {'adf', 'orca', 'standard'}:\n if fragment_id is not None:\n if dialect == 'adf':\n body = '\\n'.join(['{} f={}'.format(line,\n fragment_id) for line in body.split('\\n')])\n elif dialect == 'orca':\n fragment_id = '({})'.format(fragment_id)\n body = '\\n'.join([line.replace(' ' * len(fragment_id),\n fragment_id, 1) for line in body.split('\\n')])\n else:\n raise KeyError(\n \"fragment_id currently not supported with dialect '{}'\"\n .format(dialect))\n else:\n raise KeyError(\"dialect '{}' currently not supported\".format(\n dialect))\n if with_header:\n s = '\\n'.join([natom, comment, body])\n else:\n s = body\n elif format == 'gamin':\n lines = s.split('\\n')\n begin = '\\n'.join([line.strip() for line in lines[:5]])\n body = '\\n'.join([line.strip() for line in lines[5:-1]])\n if with_header:\n s = '\\n'.join([begin, body])\n else:\n s = body\n elif format == 'mop':\n chunks = s.split('\\n', 2)\n begin = '\\n'.join([line.strip() for line in chunks[:2]])\n body = chunks[2].strip()\n if constraints is not None:\n body = body.split('\\n')\n for i in constraints:\n body[i] = _re.sub(' 1( |$)', ' 0\\\\g<1>', body[i])\n body = '\\n'.join(body)\n if with_header:\n s = '\\n'.join([begin, body])\n else:\n s = body\n return s.strip()\n",
"role": "user"
},
{
"content": "to_string",
"role": "assistant"
}
] |
def x(macro, output_files=[], force_close=True):
if type(macro) == list:
macro = ' '.join(macro)
if len(macro) == 0:
print('fijibin.macro.run got empty macro, not starting fiji')
return _exists(output_files)
if force_close:
macro = macro + 'eval("script", "System.exit(42);");'
macro = re.sub('([^\\\\])\\\\([^\\\\])', '\\1\\\\\\\\\\2', macro)
debug('macro {}'.format(macro))
env = os.environ.copy()
debugging = False
if 'DEBUG' in env:
if env['DEBUG'] == 'fijibin' or env['DEBUG'] == '*':
debugging = True
del env['DEBUG']
fptr, temp_filename = mkstemp(suffix='.ijm')
m = os.fdopen(fptr, 'w')
m.write(macro)
m.flush()
m.close()
cmd = [fijibin.BIN, '--headless', '-macro', temp_filename]
proc = subprocess.Popen(cmd, stdout=subprocess.PIPE, stderr=subprocess.
PIPE, env=env)
out, err = proc.communicate()
for line in out.decode('latin1', errors='ignore').splitlines():
debug('stdout:' + line)
for line in err.decode('latin1', errors='ignore').splitlines():
debug('stderr:' + line)
if force_close and proc.returncode != 42:
print('fijibin ERROR: Fiji did not successfully ' + 'run macro {}'.
format(temp_filename))
if not debugging:
print('fijibin Try running script with ' +
'`DEBUG=fijibin python your_script.py`')
else:
os.remove(temp_filename)
return _exists(output_files)
| run | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(macro, output_files=[], force_close=True):\n if type(macro) == list:\n macro = ' '.join(macro)\n if len(macro) == 0:\n print('fijibin.macro.run got empty macro, not starting fiji')\n return _exists(output_files)\n if force_close:\n macro = macro + 'eval(\"script\", \"System.exit(42);\");'\n macro = re.sub('([^\\\\\\\\])\\\\\\\\([^\\\\\\\\])', '\\\\1\\\\\\\\\\\\\\\\\\\\2', macro)\n debug('macro {}'.format(macro))\n env = os.environ.copy()\n debugging = False\n if 'DEBUG' in env:\n if env['DEBUG'] == 'fijibin' or env['DEBUG'] == '*':\n debugging = True\n del env['DEBUG']\n fptr, temp_filename = mkstemp(suffix='.ijm')\n m = os.fdopen(fptr, 'w')\n m.write(macro)\n m.flush()\n m.close()\n cmd = [fijibin.BIN, '--headless', '-macro', temp_filename]\n proc = subprocess.Popen(cmd, stdout=subprocess.PIPE, stderr=subprocess.\n PIPE, env=env)\n out, err = proc.communicate()\n for line in out.decode('latin1', errors='ignore').splitlines():\n debug('stdout:' + line)\n for line in err.decode('latin1', errors='ignore').splitlines():\n debug('stderr:' + line)\n if force_close and proc.returncode != 42:\n print('fijibin ERROR: Fiji did not successfully ' + 'run macro {}'.\n format(temp_filename))\n if not debugging:\n print('fijibin Try running script with ' +\n '`DEBUG=fijibin python your_script.py`')\n else:\n os.remove(temp_filename)\n return _exists(output_files)\n",
"role": "user"
},
{
"content": "run",
"role": "assistant"
}
] |
def x(folder, filenames, x_size, y_size, output_filename, x_start=0,
y_start=0, overlap=10):
macro = []
macro.append('run("Grid/Collection stitching",')
macro.append('"type=[Filename defined position]')
macro.append('order=[Defined by filename ]')
macro.append('grid_size_x={}'.format(x_size))
macro.append('grid_size_y={}'.format(y_size))
macro.append('tile_overlap={}'.format(overlap))
macro.append('first_file_index_x={}'.format(x_start))
macro.append('first_file_index_y={}'.format(y_start))
macro.append('directory=[{}]'.format(folder))
macro.append('file_names=[{}]'.format(filenames))
macro.append('output_textfile_name=TileConfiguration.txt')
macro.append('fusion_method=[Linear Blending]')
macro.append('regression_threshold=0.20')
macro.append('max/avg_displacement_threshold=2.50')
macro.append('absolute_displacement_threshold=3.50')
macro.append('compute_overlap')
macro.append('subpixel_accuracy')
macro.append(
'computation_parameters=[Save computation time (but use more RAM)]')
macro.append('image_output=[Fuse and display]");')
macro.append('selectWindow("Fused");')
macro.append('saveAs("PNG", "{}");'.format(output_filename))
macro.append('close();')
return ' '.join(macro)
| stitch | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(folder, filenames, x_size, y_size, output_filename, x_start=0,\n y_start=0, overlap=10):\n macro = []\n macro.append('run(\"Grid/Collection stitching\",')\n macro.append('\"type=[Filename defined position]')\n macro.append('order=[Defined by filename ]')\n macro.append('grid_size_x={}'.format(x_size))\n macro.append('grid_size_y={}'.format(y_size))\n macro.append('tile_overlap={}'.format(overlap))\n macro.append('first_file_index_x={}'.format(x_start))\n macro.append('first_file_index_y={}'.format(y_start))\n macro.append('directory=[{}]'.format(folder))\n macro.append('file_names=[{}]'.format(filenames))\n macro.append('output_textfile_name=TileConfiguration.txt')\n macro.append('fusion_method=[Linear Blending]')\n macro.append('regression_threshold=0.20')\n macro.append('max/avg_displacement_threshold=2.50')\n macro.append('absolute_displacement_threshold=3.50')\n macro.append('compute_overlap')\n macro.append('subpixel_accuracy')\n macro.append(\n 'computation_parameters=[Save computation time (but use more RAM)]')\n macro.append('image_output=[Fuse and display]\");')\n macro.append('selectWindow(\"Fused\");')\n macro.append('saveAs(\"PNG\", \"{}\");'.format(output_filename))\n macro.append('close();')\n return ' '.join(macro)\n",
"role": "user"
},
{
"content": "stitch",
"role": "assistant"
}
] |
def x(filenames):
exists = []
for filename in filenames:
if os.path.isfile(filename):
exists.append(filename)
else:
print('fijibin ERROR missing output file {}'.format(filename))
return exists
| exists | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filenames):\n exists = []\n for filename in filenames:\n if os.path.isfile(filename):\n exists.append(filename)\n else:\n print('fijibin ERROR missing output file {}'.format(filename))\n return exists\n",
"role": "user"
},
{
"content": "exists",
"role": "assistant"
}
] |
def x(self):
assert self._session_id != VoiceService.SESSION_ID_INVALID
self._pebble.send_packet(AudioStream(session_id=self._session_id, data=
StopTransfer()))
| send_stop_audio | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n assert self._session_id != VoiceService.SESSION_ID_INVALID\n self._pebble.send_packet(AudioStream(session_id=self._session_id, data=\n StopTransfer()))\n",
"role": "user"
},
{
"content": "send_stop_audio",
"role": "assistant"
}
] |
def x(self, result, app_uuid=None):
assert self._session_id != VoiceService.SESSION_ID_INVALID
assert isinstance(result, SetupResult)
flags = 0
if app_uuid is not None:
assert isinstance(app_uuid, uuid.UUID)
flags |= Flags.AppInitiated
logger.debug('Sending session setup result (result={}'.format(result) +
', app={})'.format(app_uuid) if app_uuid is not None else ')')
self._pebble.send_packet(VoiceControlResult(flags=flags, data=
SessionSetupResult(session_type=SessionType.Dictation, result=result)))
if result != SetupResult.Success:
self._session_id = VoiceService.SESSION_ID_INVALID
| send_session_setup_result | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, result, app_uuid=None):\n assert self._session_id != VoiceService.SESSION_ID_INVALID\n assert isinstance(result, SetupResult)\n flags = 0\n if app_uuid is not None:\n assert isinstance(app_uuid, uuid.UUID)\n flags |= Flags.AppInitiated\n logger.debug('Sending session setup result (result={}'.format(result) +\n ', app={})'.format(app_uuid) if app_uuid is not None else ')')\n self._pebble.send_packet(VoiceControlResult(flags=flags, data=\n SessionSetupResult(session_type=SessionType.Dictation, result=result)))\n if result != SetupResult.Success:\n self._session_id = VoiceService.SESSION_ID_INVALID\n",
"role": "user"
},
{
"content": "send_session_setup_result",
"role": "assistant"
}
] |
def x(self, result, sentences=None, app_uuid=None):
assert self._session_id != VoiceService.SESSION_ID_INVALID
assert isinstance(result, TranscriptionResult)
transcription = None
if result == TranscriptionResult.Success:
if len(sentences) > 0:
s_list = []
for s in sentences:
words = [Word(confidence=100, data=w) for w in s]
s_list.append(Sentence(words=words))
transcription = Transcription(transcription=SentenceList(
sentences=s_list))
flags = 0
if app_uuid is not None:
assert isinstance(app_uuid, uuid.UUID)
flags |= Flags.AppInitiated
attributes = []
if app_uuid is not None:
assert isinstance(app_uuid, uuid.UUID)
attributes.append(Attribute(id=AttributeType.AppUuid, data=AppUuid(
uuid=app_uuid)))
if transcription is not None:
attributes.append(Attribute(id=AttributeType.Transcription, data=
transcription))
logger.debug('Sending dictation result (result={}'.format(result) +
', app={})'.format(app_uuid) if app_uuid is not None else ')')
self._pebble.send_packet(VoiceControlResult(flags=flags, data=
DictationResult(session_id=self._session_id, result=result,
attributes=AttributeList(dictionary=attributes))))
self._session_id = VoiceService.SESSION_ID_INVALID
| send_dictation_result | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, result, sentences=None, app_uuid=None):\n assert self._session_id != VoiceService.SESSION_ID_INVALID\n assert isinstance(result, TranscriptionResult)\n transcription = None\n if result == TranscriptionResult.Success:\n if len(sentences) > 0:\n s_list = []\n for s in sentences:\n words = [Word(confidence=100, data=w) for w in s]\n s_list.append(Sentence(words=words))\n transcription = Transcription(transcription=SentenceList(\n sentences=s_list))\n flags = 0\n if app_uuid is not None:\n assert isinstance(app_uuid, uuid.UUID)\n flags |= Flags.AppInitiated\n attributes = []\n if app_uuid is not None:\n assert isinstance(app_uuid, uuid.UUID)\n attributes.append(Attribute(id=AttributeType.AppUuid, data=AppUuid(\n uuid=app_uuid)))\n if transcription is not None:\n attributes.append(Attribute(id=AttributeType.Transcription, data=\n transcription))\n logger.debug('Sending dictation result (result={}'.format(result) +\n ', app={})'.format(app_uuid) if app_uuid is not None else ')')\n self._pebble.send_packet(VoiceControlResult(flags=flags, data=\n DictationResult(session_id=self._session_id, result=result,\n attributes=AttributeList(dictionary=attributes))))\n self._session_id = VoiceService.SESSION_ID_INVALID\n",
"role": "user"
},
{
"content": "send_dictation_result",
"role": "assistant"
}
] |
def x(ip):
ip.register_magics(CustomMagics)
patch = (
"IPython.config.cell_magic_highlight['clrmagic'] = {'reg':[/^%%CS/]};")
js = display.Javascript(data=patch, lib=[
'https://github.com/codemirror/CodeMirror/blob/master/mode/clike/clike.js'
])
| load_ipython_extension | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ip):\n ip.register_magics(CustomMagics)\n patch = (\n \"IPython.config.cell_magic_highlight['clrmagic'] = {'reg':[/^%%CS/]};\")\n js = display.Javascript(data=patch, lib=[\n 'https://github.com/codemirror/CodeMirror/blob/master/mode/clike/clike.js'\n ])\n",
"role": "user"
},
{
"content": "load_ipython_extension",
"role": "assistant"
}
] |
def x(self):
if self._module is None:
if self.library is None:
raise ValueError(
"Backend '%s' doesn't specify a library attribute" % self.
__class__)
try:
if '.' in self.library:
mod_path, cls_name = self.library.rsplit('.', 1)
mod = import_module(mod_path)
self._module = getattr(mod, cls_name)
else:
self._module = import_module(self.library)
except (AttributeError, ImportError):
raise ValueError("Couldn't load %s backend library" % cls_name)
return self._module
| module | [
{
"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._module is None:\n if self.library is None:\n raise ValueError(\n \"Backend '%s' doesn't specify a library attribute\" % self.\n __class__)\n try:\n if '.' in self.library:\n mod_path, cls_name = self.library.rsplit('.', 1)\n mod = import_module(mod_path)\n self._module = getattr(mod, cls_name)\n else:\n self._module = import_module(self.library)\n except (AttributeError, ImportError):\n raise ValueError(\"Couldn't load %s backend library\" % cls_name)\n return self._module\n",
"role": "user"
},
{
"content": "module",
"role": "assistant"
}
] |
def x(self, dt):
if dt is None:
return int(time.time())
if six.PY3:
if not dt.tzinfo:
dt = pytz.utc.localize(dt)
return int(dt.timestamp())
else:
if dt.tzinfo:
dt = dt.replace(tzinfo=None) - dt.utcoffset()
return int((dt - datetime(1970, 1, 1)).total_seconds())
| datetime_to_timestamp | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, dt):\n if dt is None:\n return int(time.time())\n if six.PY3:\n if not dt.tzinfo:\n dt = pytz.utc.localize(dt)\n return int(dt.timestamp())\n else:\n if dt.tzinfo:\n dt = dt.replace(tzinfo=None) - dt.utcoffset()\n return int((dt - datetime(1970, 1, 1)).total_seconds())\n",
"role": "user"
},
{
"content": "datetime_to_timestamp",
"role": "assistant"
}
] |
def x(self, length=32, chars=None):
if chars is None:
chars = string.ascii_letters + string.digits
return ''.join(random.choice(chars) for x in range(length))
| get_random_password | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, length=32, chars=None):\n if chars is None:\n chars = string.ascii_letters + string.digits\n return ''.join(random.choice(chars) for x in range(length))\n",
"role": "user"
},
{
"content": "get_random_password",
"role": "assistant"
}
] |
def x(self):
now = datetime.utcnow()
if (self.version_cache_timestamp and self.version_cache_timestamp +
self.version_cache_timeout > now):
return self.version_cache_value
self.version_cache_value = self.get_api_version()
if (self.minimum_version and self.version_cache_value < self.
minimum_version):
raise NotSupportedError('%s requires ejabberd >= %s' % (self.
__class__.__name__, self.minimum_version))
self.version_cache_timestamp = now
return self.version_cache_value
| api_version | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n now = datetime.utcnow()\n if (self.version_cache_timestamp and self.version_cache_timestamp +\n self.version_cache_timeout > now):\n return self.version_cache_value\n self.version_cache_value = self.get_api_version()\n if (self.minimum_version and self.version_cache_value < self.\n minimum_version):\n raise NotSupportedError('%s requires ejabberd >= %s' % (self.\n __class__.__name__, self.minimum_version))\n self.version_cache_timestamp = now\n return self.version_cache_value\n",
"role": "user"
},
{
"content": "api_version",
"role": "assistant"
}
] |
def x(self, username, domain, email=None):
password = self.get_random_password()
self.create(username=username, domain=domain, password=password, email=
email)
| create_reservation | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, username, domain, email=None):\n password = self.get_random_password()\n self.create(username=username, domain=domain, password=password, email=\n email)\n",
"role": "user"
},
{
"content": "create_reservation",
"role": "assistant"
}
] |
def x(self, username, domain, password, email=None):
self.set_password(username=username, domain=domain, password=password)
if email is not None:
self.set_email(username=username, domain=domain, email=email)
| confirm_reservation | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, username, domain, password, email=None):\n self.set_password(username=username, domain=domain, password=password)\n if email is not None:\n self.set_email(username=username, domain=domain, email=email)\n",
"role": "user"
},
{
"content": "confirm_reservation",
"role": "assistant"
}
] |
def x(self, username, domain):
self.set_password(username, domain, self.get_random_password())
| block_user | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, username, domain):\n self.set_password(username, domain, self.get_random_password())\n",
"role": "user"
},
{
"content": "block_user",
"role": "assistant"
}
] |
def x(self, connection):
if connection == 'c2s_tls':
return CONNECTION_XMPP, True, False
elif connection == 'c2s_compressed_tls':
return CONNECTION_XMPP, True, True
elif connection == 'http_bind':
return CONNECTION_HTTP_BINDING, None, None
elif connection == 'c2s':
return CONNECTION_XMPP, False, False
log.warn('Could not parse connection string "%s"', connection)
return CONNECTION_UNKNOWN, True, True
| parse_connection_string | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, connection):\n if connection == 'c2s_tls':\n return CONNECTION_XMPP, True, False\n elif connection == 'c2s_compressed_tls':\n return CONNECTION_XMPP, True, True\n elif connection == 'http_bind':\n return CONNECTION_HTTP_BINDING, None, None\n elif connection == 'c2s':\n return CONNECTION_XMPP, False, False\n log.warn('Could not parse connection string \"%s\"', connection)\n return CONNECTION_UNKNOWN, True, True\n",
"role": "user"
},
{
"content": "parse_connection_string",
"role": "assistant"
}
] |
def x(self, ip_address):
if ip_address.startswith('::FFFF:'):
ip_address = ip_address[7:]
if six.PY2 and isinstance(ip_address, str):
ip_address = ip_address.decode('utf-8')
return ipaddress.ip_address(ip_address)
| parse_ip_address | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, ip_address):\n if ip_address.startswith('::FFFF:'):\n ip_address = ip_address[7:]\n if six.PY2 and isinstance(ip_address, str):\n ip_address = ip_address.decode('utf-8')\n return ipaddress.ip_address(ip_address)\n",
"role": "user"
},
{
"content": "parse_ip_address",
"role": "assistant"
}
] |
def x(self):
origin, message = self.transport.read_packet()
if isinstance(origin, MessageTargetWatch):
self._handle_watch_message(message)
else:
self._broadcast_transport_message(origin, message)
| pump_reader | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n origin, message = self.transport.read_packet()\n if isinstance(origin, MessageTargetWatch):\n self._handle_watch_message(message)\n else:\n self._broadcast_transport_message(origin, message)\n",
"role": "user"
},
{
"content": "pump_reader",
"role": "assistant"
}
] |
def x(self):
while self.connected:
try:
self.pump_reader()
except PacketDecodeError as e:
logger.warning('Packet decode failed: %s', e)
except ConnectionError:
break
| run_sync | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n while self.connected:\n try:\n self.pump_reader()\n except PacketDecodeError as e:\n logger.warning('Packet decode failed: %s', e)\n except ConnectionError:\n break\n",
"role": "user"
},
{
"content": "run_sync",
"role": "assistant"
}
] |
def x(self):
thread = threading.Thread(target=self.run_sync)
thread.daemon = True
thread.name = 'PebbleConnection'
thread.start()
self.fetch_watch_info()
| run_async | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n thread = threading.Thread(target=self.run_sync)\n thread.daemon = True\n thread.name = 'PebbleConnection'\n thread.start()\n self.fetch_watch_info()\n",
"role": "user"
},
{
"content": "run_async",
"role": "assistant"
}
] |
def x(self, message):
if self.log_protocol_level is not None:
logger.log(self.log_protocol_level, '<- %s', hexlify(message).decode())
message = self.pending_bytes + message
while len(message) >= 4:
try:
packet, length = PebblePacket.parse_message(message)
except IncompleteMessage:
self.pending_bytes = message
break
except:
expected_length, = struct.unpack('!H', message[:2])
if expected_length == 0:
self.pending_bytes = b''
else:
self.pending_bytes = message[expected_length + 4:]
raise
self.event_handler.broadcast_event('raw_inbound', message[:length])
if self.log_packet_level is not None:
logger.log(self.log_packet_level, '<- %s', packet)
message = message[length:]
self.event_handler.broadcast_event((_EventType.Watch, type(packet)),
packet)
if length == 0:
break
self.pending_bytes = message
| handle_watch_message | [
{
"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.log_protocol_level is not None:\n logger.log(self.log_protocol_level, '<- %s', hexlify(message).decode())\n message = self.pending_bytes + message\n while len(message) >= 4:\n try:\n packet, length = PebblePacket.parse_message(message)\n except IncompleteMessage:\n self.pending_bytes = message\n break\n except:\n expected_length, = struct.unpack('!H', message[:2])\n if expected_length == 0:\n self.pending_bytes = b''\n else:\n self.pending_bytes = message[expected_length + 4:]\n raise\n self.event_handler.broadcast_event('raw_inbound', message[:length])\n if self.log_packet_level is not None:\n logger.log(self.log_packet_level, '<- %s', packet)\n message = message[length:]\n self.event_handler.broadcast_event((_EventType.Watch, type(packet)),\n packet)\n if length == 0:\n break\n self.pending_bytes = message\n",
"role": "user"
},
{
"content": "handle_watch_message",
"role": "assistant"
}
] |
def x(self, origin, message):
self.event_handler.broadcast_event((_EventType.Transport, type(origin),
type(message)), message)
| broadcast_transport_message | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, origin, message):\n self.event_handler.broadcast_event((_EventType.Transport, type(origin),\n type(message)), message)\n",
"role": "user"
},
{
"content": "broadcast_transport_message",
"role": "assistant"
}
] |
def x(self, origin, message_type, handler):
return self.event_handler.register_handler((_EventType.Transport,
origin, message_type), handler)
| register_transport_endpoint | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, origin, message_type, handler):\n return self.event_handler.register_handler((_EventType.Transport,\n origin, message_type), handler)\n",
"role": "user"
},
{
"content": "register_transport_endpoint",
"role": "assistant"
}
] |
def x(self, endpoint, handler):
return self.event_handler.register_handler((_EventType.Watch, endpoint),
handler)
| register_endpoint | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, endpoint, handler):\n return self.event_handler.register_handler((_EventType.Watch, endpoint),\n handler)\n",
"role": "user"
},
{
"content": "register_endpoint",
"role": "assistant"
}
] |
def x(self, endpoint, timeout=15):
return self.event_handler.wait_for_event((_EventType.Watch, endpoint),
timeout=timeout)
| read_from_endpoint | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, endpoint, timeout=15):\n return self.event_handler.wait_for_event((_EventType.Watch, endpoint),\n timeout=timeout)\n",
"role": "user"
},
{
"content": "read_from_endpoint",
"role": "assistant"
}
] |
def x(self, origin, message_type, timeout=15):
return self.event_handler.wait_for_event((_EventType.Transport, origin,
message_type), timeout=timeout)
| read_transport_message | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, origin, message_type, timeout=15):\n return self.event_handler.wait_for_event((_EventType.Transport, origin,\n message_type), timeout=timeout)\n",
"role": "user"
},
{
"content": "read_transport_message",
"role": "assistant"
}
] |
def x(self, packet):
if self.log_packet_level:
logger.log(self.log_packet_level, '-> %s', packet)
serialised = packet.serialise_packet()
self.event_handler.broadcast_event('raw_outbound', serialised)
self.send_raw(serialised)
| send_packet | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, packet):\n if self.log_packet_level:\n logger.log(self.log_packet_level, '-> %s', packet)\n serialised = packet.serialise_packet()\n self.event_handler.broadcast_event('raw_outbound', serialised)\n self.send_raw(serialised)\n",
"role": "user"
},
{
"content": "send_packet",
"role": "assistant"
}
] |
def x(self, packet, endpoint, timeout=15):
queue = self.get_endpoint_queue(endpoint)
self.send_packet(packet)
try:
return queue.get(timeout=timeout)
finally:
queue.close()
| send_and_read | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, packet, endpoint, timeout=15):\n queue = self.get_endpoint_queue(endpoint)\n self.send_packet(packet)\n try:\n return queue.get(timeout=timeout)\n finally:\n queue.close()\n",
"role": "user"
},
{
"content": "send_and_read",
"role": "assistant"
}
] |
def x(self, message):
if self.log_protocol_level:
logger.log(self.log_protocol_level, '-> %s', hexlify(message).decode())
self.transport.send_packet(message)
| send_raw | [
{
"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.log_protocol_level:\n logger.log(self.log_protocol_level, '-> %s', hexlify(message).decode())\n self.transport.send_packet(message)\n",
"role": "user"
},
{
"content": "send_raw",
"role": "assistant"
}
] |
def x(self):
self._watch_info = self.send_and_read(WatchVersion(data=
WatchVersionRequest()), WatchVersion).data
| fetch_watch_info | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self._watch_info = self.send_and_read(WatchVersion(data=\n WatchVersionRequest()), WatchVersion).data\n",
"role": "user"
},
{
"content": "fetch_watch_info",
"role": "assistant"
}
] |
def x(self):
version = self.watch_info.running.version_tag[1:]
parts = version.split('-', 1)
points = [int(x) for x in parts[0].split('.')]
while len(points) < 3:
points.append(0)
if len(parts) == 2:
suffix = parts[1]
else:
suffix = ''
return FirmwareVersion(*(points + [suffix]))
| firmware_version | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n version = self.watch_info.running.version_tag[1:]\n parts = version.split('-', 1)\n points = [int(x) for x in parts[0].split('.')]\n while len(points) < 3:\n points.append(0)\n if len(parts) == 2:\n suffix = parts[1]\n else:\n suffix = ''\n return FirmwareVersion(*(points + [suffix]))\n",
"role": "user"
},
{
"content": "firmware_version",
"role": "assistant"
}
] |
def x(self, fname):
with open(fname, 'rb') as f:
while True:
a = []
for i in range(self.bsize):
line = f.readline()
if not line:
break
a.append(line.split())
if a == []:
raise StopIteration
yield a
| blockread | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, fname):\n with open(fname, 'rb') as f:\n while True:\n a = []\n for i in range(self.bsize):\n line = f.readline()\n if not line:\n break\n a.append(line.split())\n if a == []:\n raise StopIteration\n yield a\n",
"role": "user"
},
{
"content": "blockread",
"role": "assistant"
}
] |
def x(self, re='brunel-py-ex-*.gdf', index=True):
self.cursor.execute(
'CREATE TABLE IF NOT EXISTS spikes (neuron INT UNSIGNED, time REAL)')
tic = now()
for f in glob.glob(re):
print(f)
while True:
try:
for data in self._blockread(f):
self.cursor.executemany('INSERT INTO spikes VALUES (?, ?)',
data)
self.conn.commit()
except:
continue
break
toc = now()
if self.debug:
print('Inserts took %g seconds.' % (toc - tic))
if index:
tic = now()
self.cursor.execute('CREATE INDEX neuron_index on spikes (neuron)')
toc = now()
if self.debug:
print('Indexed db in %g seconds.' % (toc - tic))
| create | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, re='brunel-py-ex-*.gdf', index=True):\n self.cursor.execute(\n 'CREATE TABLE IF NOT EXISTS spikes (neuron INT UNSIGNED, time REAL)')\n tic = now()\n for f in glob.glob(re):\n print(f)\n while True:\n try:\n for data in self._blockread(f):\n self.cursor.executemany('INSERT INTO spikes VALUES (?, ?)',\n data)\n self.conn.commit()\n except:\n continue\n break\n toc = now()\n if self.debug:\n print('Inserts took %g seconds.' % (toc - tic))\n if index:\n tic = now()\n self.cursor.execute('CREATE INDEX neuron_index on spikes (neuron)')\n toc = now()\n if self.debug:\n print('Indexed db in %g seconds.' % (toc - tic))\n",
"role": "user"
},
{
"content": "create",
"role": "assistant"
}
] |
def x(self, re=[], index=True):
self.cursor.execute(
'CREATE TABLE IF NOT EXISTS spikes (neuron INT UNSIGNED, time REAL)')
tic = now()
i = 0
for x in re:
data = list(zip([i] * len(x), x))
self.cursor.executemany('INSERT INTO spikes VALUES (?, ?)', data)
i += 1
self.conn.commit()
toc = now()
if self.debug:
print('Inserts took %g seconds.' % (toc - tic))
if index:
tic = now()
self.cursor.execute('CREATE INDEX neuron_index on spikes (neuron)')
toc = now()
if self.debug:
print('Indexed db in %g seconds.' % (toc - tic))
| create_from_list | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, re=[], index=True):\n self.cursor.execute(\n 'CREATE TABLE IF NOT EXISTS spikes (neuron INT UNSIGNED, time REAL)')\n tic = now()\n i = 0\n for x in re:\n data = list(zip([i] * len(x), x))\n self.cursor.executemany('INSERT INTO spikes VALUES (?, ?)', data)\n i += 1\n self.conn.commit()\n toc = now()\n if self.debug:\n print('Inserts took %g seconds.' % (toc - tic))\n if index:\n tic = now()\n self.cursor.execute('CREATE INDEX neuron_index on spikes (neuron)')\n toc = now()\n if self.debug:\n print('Indexed db in %g seconds.' % (toc - tic))\n",
"role": "user"
},
{
"content": "create_from_list",
"role": "assistant"
}
] |
def x(self, neurons):
s = []
for neuron in neurons:
self.cursor.execute('SELECT time FROM spikes where neuron = %d' %
neuron)
sel = self.cursor.fetchall()
spikes = np.array(sel).flatten()
s.append(spikes)
return s
| select | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, neurons):\n s = []\n for neuron in neurons:\n self.cursor.execute('SELECT time FROM spikes where neuron = %d' %\n neuron)\n sel = self.cursor.fetchall()\n spikes = np.array(sel).flatten()\n s.append(spikes)\n return s\n",
"role": "user"
},
{
"content": "select",
"role": "assistant"
}
] |
def x(self, T=[0, 1000]):
self.cursor.execute('SELECT * FROM spikes WHERE time BETWEEN %f AND %f' %
tuple(T))
sel = self.cursor.fetchall()
return sel
| interval | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, T=[0, 1000]):\n self.cursor.execute('SELECT * FROM spikes WHERE time BETWEEN %f AND %f' %\n tuple(T))\n sel = self.cursor.fetchall()\n return sel\n",
"role": "user"
},
{
"content": "interval",
"role": "assistant"
}
] |
def x(self):
self.cursor.execute('SELECT DISTINCT neuron FROM spikes ORDER BY neuron')
sel = self.cursor.fetchall()
return np.array(sel).flatten()
| neurons | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.cursor.execute('SELECT DISTINCT neuron FROM spikes ORDER BY neuron')\n sel = self.cursor.fetchall()\n return np.array(sel).flatten()\n",
"role": "user"
},
{
"content": "neurons",
"role": "assistant"
}
] |
def x(self):
self.cursor.execute('SELECT Count(*) from spikes')
rows = self.cursor.fetchall()[0]
if self.debug:
print('DB has %d spikes' % rows)
return rows
| num_spikes | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.cursor.execute('SELECT Count(*) from spikes')\n rows = self.cursor.fetchall()[0]\n if self.debug:\n print('DB has %d spikes' % rows)\n return rows\n",
"role": "user"
},
{
"content": "num_spikes",
"role": "assistant"
}
] |
def x(self, T=[0, 1000]):
fig = plt.figure(figsize=(10, 10))
ax = fig.add_subplot(111)
neurons = self.neurons()
i = 0
for x in self.select_neurons_interval(neurons, T):
ax.plot(x, np.zeros(x.size) + neurons[i], 'o', markersize=1,
markerfacecolor='k', markeredgecolor='k', alpha=0.25)
i += 1
ax.set_xlabel('time (ms)')
ax.set_ylabel('neuron ID')
ax.set_xlim(T[0], T[1])
ax.set_ylim(neurons.min(), neurons.max())
ax.set_title('database content on T = [%.0f, %.0f]' % (T[0], T[1]))
| plotstuff | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, T=[0, 1000]):\n fig = plt.figure(figsize=(10, 10))\n ax = fig.add_subplot(111)\n neurons = self.neurons()\n i = 0\n for x in self.select_neurons_interval(neurons, T):\n ax.plot(x, np.zeros(x.size) + neurons[i], 'o', markersize=1,\n markerfacecolor='k', markeredgecolor='k', alpha=0.25)\n i += 1\n ax.set_xlabel('time (ms)')\n ax.set_ylabel('neuron ID')\n ax.set_xlim(T[0], T[1])\n ax.set_ylim(neurons.min(), neurons.max())\n ax.set_title('database content on T = [%.0f, %.0f]' % (T[0], T[1]))\n",
"role": "user"
},
{
"content": "plotstuff",
"role": "assistant"
}
] |
def x(string):
keep = '.', '[', ']'
return tuple(str_digit_to_int(c) if c not in keep else c for c in string)
| represent_as_tuple | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(string):\n keep = '.', '[', ']'\n return tuple(str_digit_to_int(c) if c not in keep else c for c in string)\n",
"role": "user"
},
{
"content": "represent_as_tuple",
"role": "assistant"
}
] |
def x(iterable):
keep = '.', '[', ']'
return ''.join(tuple(int_to_str_digit(i) if i not in keep else i for i in
iterable))
| represent_as_string | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(iterable):\n keep = '.', '[', ']'\n return ''.join(tuple(int_to_str_digit(i) if i not in keep else i for i in\n iterable))\n",
"role": "user"
},
{
"content": "represent_as_string",
"role": "assistant"
}
] |
def x(decimal, digit, input_base=10):
if decimal == 0:
return 0
if digit != 0:
return decimal // input_base ** digit % input_base
else:
return decimal % input_base
| digit | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(decimal, digit, input_base=10):\n if decimal == 0:\n return 0\n if digit != 0:\n return decimal // input_base ** digit % input_base\n else:\n return decimal % input_base\n",
"role": "user"
},
{
"content": "digit",
"role": "assistant"
}
] |
def x(number, base=10):
if number < 1:
return 0
digits = 0
n = 1
while number >= 1:
number //= base
digits += 1
return digits
| digits | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(number, base=10):\n if number < 1:\n return 0\n digits = 0\n n = 1\n while number >= 1:\n number //= base\n digits += 1\n return digits\n",
"role": "user"
},
{
"content": "digits",
"role": "assistant"
}
] |
def x(number):
radix_point = number.index('.')
integer_part = number[:radix_point]
fractional_part = number[radix_point:]
return integer_part, fractional_part
| integer_fractional_parts | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(number):\n radix_point = number.index('.')\n integer_part = number[:radix_point]\n fractional_part = number[radix_point:]\n return integer_part, fractional_part\n",
"role": "user"
},
{
"content": "integer_fractional_parts",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.