source_code
stringlengths 45
7.24k
| function_name
stringlengths 1
111
| messages
list |
|---|---|---|
def x(x, dtype=None):
x = asarray(x, dtype)
return x if len(x.shape) >= 2 else x.reshape(len(x), 1)
|
ascolumn
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(x, dtype=None):\n x = asarray(x, dtype)\n return x if len(x.shape) >= 2 else x.reshape(len(x), 1)\n",
"role": "user"
},
{
"content": "ascolumn",
"role": "assistant"
}
] |
def x(table):
for row in range(len(table)):
for column in range(len(table[row])):
table[row][column] = table[row][column].replace('\n', ' ')
return table
|
multis_2_mono
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(table):\n for row in range(len(table)):\n for column in range(len(table[row])):\n table[row][column] = table[row][column].replace('\\n', ' ')\n return table\n",
"role": "user"
},
{
"content": "multis_2_mono",
"role": "assistant"
}
] |
def x(spans):
if spans == []:
return 0
row_counts = {}
for span in spans:
span = sorted(span)
try:
row_counts[str(span[0][1])] += get_span_row_count(span)
except KeyError:
row_counts[str(span[0][1])] = get_span_row_count(span)
values = list(row_counts.values())
return max(values)
|
get_html_row_count
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(spans):\n if spans == []:\n return 0\n row_counts = {}\n for span in spans:\n span = sorted(span)\n try:\n row_counts[str(span[0][1])] += get_span_row_count(span)\n except KeyError:\n row_counts[str(span[0][1])] = get_span_row_count(span)\n values = list(row_counts.values())\n return max(values)\n",
"role": "user"
},
{
"content": "get_html_row_count",
"role": "assistant"
}
] |
def x(word1, word2):
if len(word1) < len(word2):
return levenshtein_distance(word2, word1)
if len(word2) == 0:
return len(word1)
previous_row = list(range(len(word2) + 1))
for i, char1 in enumerate(word1):
current_row = [i + 1]
for j, char2 in enumerate(word2):
insertions = previous_row[j + 1] + 1
deletions = current_row[j] + 1
substitutions = previous_row[j] + (char1 != char2)
current_row.append(min(insertions, deletions, substitutions))
previous_row = current_row
return previous_row[-1]
|
levenshtein_distance
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(word1, word2):\n if len(word1) < len(word2):\n return levenshtein_distance(word2, word1)\n if len(word2) == 0:\n return len(word1)\n previous_row = list(range(len(word2) + 1))\n for i, char1 in enumerate(word1):\n current_row = [i + 1]\n for j, char2 in enumerate(word2):\n insertions = previous_row[j + 1] + 1\n deletions = current_row[j] + 1\n substitutions = previous_row[j] + (char1 != char2)\n current_row.append(min(insertions, deletions, substitutions))\n previous_row = current_row\n return previous_row[-1]\n",
"role": "user"
},
{
"content": "levenshtein_distance",
"role": "assistant"
}
] |
def x(f):
fname = f.__name__
def x(ts, *args, **kwargs):
func = getattr(ts, fname, None)
if func:
return func(*args, **kwargs)
else:
return f(ts, *args, **kwargs)
_.__name__ = fname
return _
|
better_ts_function
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(f):\n fname = f.__name__\n\n def x(ts, *args, **kwargs):\n func = getattr(ts, fname, None)\n if func:\n return func(*args, **kwargs)\n else:\n return f(ts, *args, **kwargs)\n _.__name__ = fname\n return _\n",
"role": "user"
},
{
"content": "better_ts_function",
"role": "assistant"
}
] |
def x(ts, **kwargs):
m = ts.rollmean(**kwargs)
s = ts.rollstddev(**kwargs)
result = (ts - m) / s
name = kwargs.get('name', None)
if name:
result.name = name
return result
|
zscore
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ts, **kwargs):\n m = ts.rollmean(**kwargs)\n s = ts.rollstddev(**kwargs)\n result = (ts - m) / s\n name = kwargs.get('name', None)\n if name:\n result.name = name\n return result\n",
"role": "user"
},
{
"content": "zscore",
"role": "assistant"
}
] |
def x(ts, **kwargs):
mi = ts.rollmin(**kwargs)
ma = ts.rollmax(**kwargs)
return (ts - mi) / (ma - mi)
|
prange
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ts, **kwargs):\n mi = ts.rollmin(**kwargs)\n ma = ts.rollmax(**kwargs)\n return (ts - mi) / (ma - mi)\n",
"role": "user"
},
{
"content": "prange",
"role": "assistant"
}
] |
def x(data, maxbins=30, reduction=0.1):
tole = 0.01
N = len(data)
assert N > 20
vmin = min(data)
vmax = max(data)
DV = vmax - vmin
tol = tole * DV
vmax += tol
if vmin >= 0:
vmin -= tol
vmin = max(0.0, vmin)
else:
vmin -= tol
n = min(maxbins, max(2, int(round(reduction * N))))
DV = vmax - vmin
bbin = npy.linspace(vmin, vmax, n + 1)
sso = npy.searchsorted(bbin, npy.sort(data))
x = []
y = []
for i in range(0, n):
x.append(0.5 * (bbin[i + 1] + bbin[i]))
y.append(0.0)
dy = 1.0 / N
for i in sso:
y[i - 1] += dy / (bbin[i] - bbin[i - 1])
return x, y
|
bindata
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data, maxbins=30, reduction=0.1):\n tole = 0.01\n N = len(data)\n assert N > 20\n vmin = min(data)\n vmax = max(data)\n DV = vmax - vmin\n tol = tole * DV\n vmax += tol\n if vmin >= 0:\n vmin -= tol\n vmin = max(0.0, vmin)\n else:\n vmin -= tol\n n = min(maxbins, max(2, int(round(reduction * N))))\n DV = vmax - vmin\n bbin = npy.linspace(vmin, vmax, n + 1)\n sso = npy.searchsorted(bbin, npy.sort(data))\n x = []\n y = []\n for i in range(0, n):\n x.append(0.5 * (bbin[i + 1] + bbin[i]))\n y.append(0.0)\n dy = 1.0 / N\n for i in sso:\n y[i - 1] += dy / (bbin[i] - bbin[i - 1])\n return x, y\n",
"role": "user"
},
{
"content": "bindata",
"role": "assistant"
}
] |
def x(op, indx, amap, bmap, fill_vec):
def x(id):
va = amap.get(id, None)
vb = bmap.get(id, None)
if va is None or vb is None:
result = fill_vec
else:
try:
result = op(va, vb)
except Exception:
result = None
if result is None:
result = fill_vec
return result
seq_arys = map(op_or_missing, indx)
data = np.vstack(seq_arys)
return data
|
binOp
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(op, indx, amap, bmap, fill_vec):\n\n def x(id):\n va = amap.get(id, None)\n vb = bmap.get(id, None)\n if va is None or vb is None:\n result = fill_vec\n else:\n try:\n result = op(va, vb)\n except Exception:\n result = None\n if result is None:\n result = fill_vec\n return result\n seq_arys = map(op_or_missing, indx)\n data = np.vstack(seq_arys)\n return data\n",
"role": "user"
},
{
"content": "binOp",
"role": "assistant"
}
] |
def x(shape, val):
mat = np.empty(shape)
mat.fill(val)
return mat
|
toVec
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(shape, val):\n mat = np.empty(shape)\n mat.fill(val)\n return mat\n",
"role": "user"
},
{
"content": "toVec",
"role": "assistant"
}
] |
def x(space, line):
line = line.strip()
left_length = math.floor((space - len(line)) / 2)
right_length = math.ceil((space - len(line)) / 2)
left_space = ' ' * int(left_length)
right_space = ' ' * int(right_length)
line = ''.join([left_space, line, right_space])
return line
|
center_line
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(space, line):\n line = line.strip()\n left_length = math.floor((space - len(line)) / 2)\n right_length = math.ceil((space - len(line)) / 2)\n left_space = ' ' * int(left_length)\n right_space = ' ' * int(right_length)\n line = ''.join([left_space, line, right_space])\n return line\n",
"role": "user"
},
{
"content": "center_line",
"role": "assistant"
}
] |
def x(self, function):
function = inspect.isclass(function) and function() or function
name = function.name
self[name] = function
|
register
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, function):\n function = inspect.isclass(function) and function() or function\n name = function.name\n self[name] = function\n",
"role": "user"
},
{
"content": "register",
"role": "assistant"
}
] |
def x(self, name):
try:
name = name.name
except AttributeError:
pass
return self.pop(name, None)
|
unregister
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name):\n try:\n name = name.name\n except AttributeError:\n pass\n return self.pop(name, None)\n",
"role": "user"
},
{
"content": "unregister",
"role": "assistant"
}
] |
def x(table, row, spans):
for column in range(len(table[row])):
for span in spans:
if [row, column] in span:
return True
return False
|
row_includes_spans
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(table, row, spans):\n for column in range(len(table[row])):\n for span in spans:\n if [row, column] in span:\n return True\n return False\n",
"role": "user"
},
{
"content": "row_includes_spans",
"role": "assistant"
}
] |
def x(state_definitions, prev=()):
states = list(prev)
for state_def in state_definitions:
if len(state_def) != 2:
raise TypeError(
"The 'state' attribute of a workflow should be a two-tuple of strings; got %r instead."
% (state_def,))
name, title = state_def
state = State(name, title)
if any(st.name == name for st in states):
states = [(state if st.name == name else st) for st in states]
else:
states.append(state)
return StateList(states)
|
setup_states
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(state_definitions, prev=()):\n states = list(prev)\n for state_def in state_definitions:\n if len(state_def) != 2:\n raise TypeError(\n \"The 'state' attribute of a workflow should be a two-tuple of strings; got %r instead.\"\n % (state_def,))\n name, title = state_def\n state = State(name, title)\n if any(st.name == name for st in states):\n states = [(state if st.name == name else st) for st in states]\n else:\n states.append(state)\n return StateList(states)\n",
"role": "user"
},
{
"content": "setup_states",
"role": "assistant"
}
] |
def x(tdef, states, prev=()):
trs = list(prev)
for transition in tdef:
if len(transition) == 3:
name, source, target = transition
if is_string(source) or isinstance(source, State):
source = [source]
source = [states[src] for src in source]
target = states[target]
tr = Transition(name, source, target)
else:
raise TypeError(
"Elements of the 'transition' attribute of a workflow should be three-tuples; got %r instead."
% (transition,))
if any(prev_tr.name == tr.name for prev_tr in trs):
trs = [(tr if prev_tr.name == tr.name else prev_tr) for prev_tr in
trs]
else:
trs.append(tr)
return TransitionList(trs)
|
setup_transitions
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(tdef, states, prev=()):\n trs = list(prev)\n for transition in tdef:\n if len(transition) == 3:\n name, source, target = transition\n if is_string(source) or isinstance(source, State):\n source = [source]\n source = [states[src] for src in source]\n target = states[target]\n tr = Transition(name, source, target)\n else:\n raise TypeError(\n \"Elements of the 'transition' attribute of a workflow should be three-tuples; got %r instead.\"\n % (transition,))\n if any(prev_tr.name == tr.name for prev_tr in trs):\n trs = [(tr if prev_tr.name == tr.name else prev_tr) for prev_tr in\n trs]\n else:\n trs.append(tr)\n return TransitionList(trs)\n",
"role": "user"
},
{
"content": "setup_transitions",
"role": "assistant"
}
] |
def x(trname='', field='', check=None, before=None, after=None):
if is_callable(trname):
raise ValueError(
"The @transition decorator should be called as @transition(['transition_name'], **kwargs)"
)
if check or before or after:
warnings.warn(
'The use of check=, before= and after= in @transition decorators is deprecated in favor of @transition_check, @before_transition and @after_transition decorators.'
, DeprecationWarning, stacklevel=2)
return TransitionWrapper(trname, field=field, check=check, before=
before, after=after)
|
transition
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(trname='', field='', check=None, before=None, after=None):\n if is_callable(trname):\n raise ValueError(\n \"The @transition decorator should be called as @transition(['transition_name'], **kwargs)\"\n )\n if check or before or after:\n warnings.warn(\n 'The use of check=, before= and after= in @transition decorators is deprecated in favor of @transition_check, @before_transition and @after_transition decorators.'\n , DeprecationWarning, stacklevel=2)\n return TransitionWrapper(trname, field=field, check=check, before=\n before, after=after)\n",
"role": "user"
},
{
"content": "transition",
"role": "assistant"
}
] |
def x(fun):
if not hasattr(fun, 'xworkflows_hook'):
fun.xworkflows_hook = {HOOK_BEFORE: [], HOOK_AFTER: [], HOOK_CHECK:
[], HOOK_ON_ENTER: [], HOOK_ON_LEAVE: []}
return fun.xworkflows_hook
|
make_hook_dict
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(fun):\n if not hasattr(fun, 'xworkflows_hook'):\n fun.xworkflows_hook = {HOOK_BEFORE: [], HOOK_AFTER: [], HOOK_CHECK:\n [], HOOK_ON_ENTER: [], HOOK_ON_LEAVE: []}\n return fun.xworkflows_hook\n",
"role": "user"
},
{
"content": "make_hook_dict",
"role": "assistant"
}
] |
def x(self, state):
return self.names == '*' or state in self.names or state.name in self.names
|
match_state
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, state):\n return self.names == '*' or state in self.names or state.name in self.names\n",
"role": "user"
},
{
"content": "match_state",
"role": "assistant"
}
] |
def x(self, transition):
return (self.names == '*' or transition in self.names or transition.
name in self.names)
|
match_transition
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, transition):\n return (self.names == '*' or transition in self.names or transition.\n name in self.names)\n",
"role": "user"
},
{
"content": "match_transition",
"role": "assistant"
}
] |
def x(self, transition, from_state=None):
if '*' in self.names:
return True
elif self.kind in (HOOK_BEFORE, HOOK_AFTER, HOOK_CHECK):
return self._match_transition(transition)
elif self.kind == HOOK_ON_ENTER:
return self._match_state(transition.target)
elif from_state is None:
return any(self._match_state(src) for src in transition.source)
else:
return self._match_state(from_state)
|
applies_to
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, transition, from_state=None):\n if '*' in self.names:\n return True\n elif self.kind in (HOOK_BEFORE, HOOK_AFTER, HOOK_CHECK):\n return self._match_transition(transition)\n elif self.kind == HOOK_ON_ENTER:\n return self._match_state(transition.target)\n elif from_state is None:\n return any(self._match_state(src) for src in transition.source)\n else:\n return self._match_state(from_state)\n",
"role": "user"
},
{
"content": "applies_to",
"role": "assistant"
}
] |
def x(self):
current_state = getattr(self.instance, self.field_name)
if current_state not in self.transition.source:
raise InvalidTransitionError(
"Transition '%s' isn't available from state '%s'." % (self.
transition.name, current_state.name))
for check in self._filter_hooks(HOOK_CHECK):
if not check(self.instance):
raise ForbiddenTransition(
"Transition '%s' was forbidden by custom pre-transition check."
% self.transition.name)
|
pre_transition_checks
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n current_state = getattr(self.instance, self.field_name)\n if current_state not in self.transition.source:\n raise InvalidTransitionError(\n \"Transition '%s' isn't available from state '%s'.\" % (self.\n transition.name, current_state.name))\n for check in self._filter_hooks(HOOK_CHECK):\n if not check(self.instance):\n raise ForbiddenTransition(\n \"Transition '%s' was forbidden by custom pre-transition check.\"\n % self.transition.name)\n",
"role": "user"
},
{
"content": "pre_transition_checks",
"role": "assistant"
}
] |
def x(self, *hook_kinds):
hooks = sum((self.hooks.get(kind, []) for kind in hook_kinds), [])
return sorted(hook for hook in hooks if hook.applies_to(self.transition,
self.current_state))
|
filter_hooks
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *hook_kinds):\n hooks = sum((self.hooks.get(kind, []) for kind in hook_kinds), [])\n return sorted(hook for hook in hooks if hook.applies_to(self.transition,\n self.current_state))\n",
"role": "user"
},
{
"content": "filter_hooks",
"role": "assistant"
}
] |
def x(self, result, *args, **kwargs):
for hook in self._filter_hooks(HOOK_AFTER, HOOK_ON_ENTER):
hook(self.instance, result, *args, **kwargs)
|
post_transition
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, result, *args, **kwargs):\n for hook in self._filter_hooks(HOOK_AFTER, HOOK_ON_ENTER):\n hook(self.instance, result, *args, **kwargs)\n",
"role": "user"
},
{
"content": "post_transition",
"role": "assistant"
}
] |
def x(self, parent_implems):
for trname, attr, implem in parent_implems.get_custom_implementations():
self.implementations[trname] = implem.copy()
self.transitions_at[trname] = attr
self.custom_implems.add(trname)
|
load_parent_implems
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, parent_implems):\n for trname, attr, implem in parent_implems.get_custom_implementations():\n self.implementations[trname] = implem.copy()\n self.transitions_at[trname] = attr\n self.custom_implems.add(trname)\n",
"role": "user"
},
{
"content": "load_parent_implems",
"role": "assistant"
}
] |
def x(self, transition, attribute, function, **kwargs):
implem = ImplementationProperty(field_name=self.state_field, transition
=transition, workflow=self.workflow, implementation=function, **kwargs)
self.implementations[transition.name] = implem
self.transitions_at[transition.name] = attribute
return implem
|
add_implem
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, transition, attribute, function, **kwargs):\n implem = ImplementationProperty(field_name=self.state_field, transition\n =transition, workflow=self.workflow, implementation=function, **kwargs)\n self.implementations[transition.name] = implem\n self.transitions_at[transition.name] = attribute\n return implem\n",
"role": "user"
},
{
"content": "add_implem",
"role": "assistant"
}
] |
def x(self, value):
return isinstance(value, TransitionWrapper
) and value.trname in self.workflow.transitions and (not value.
field or value.field == self.state_field)
|
should_collect
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value):\n return isinstance(value, TransitionWrapper\n ) and value.trname in self.workflow.transitions and (not value.\n field or value.field == self.state_field)\n",
"role": "user"
},
{
"content": "should_collect",
"role": "assistant"
}
] |
def x(self, attrs):
for name, value in attrs.items():
if self.should_collect(value):
transition = self.workflow.transitions[value.trname]
if (value.trname in self.implementations and value.trname in
self.custom_implems and name != self.transitions_at[value.
trname]):
other_implem_at = self.transitions_at[value.trname]
raise ValueError(
'Error for attribute %s: it defines implementation %s for transition %s, which is already implemented at %s.'
% (name, value, transition, other_implem_at))
implem = self.add_implem(transition, name, value.func)
self.custom_implems.add(transition.name)
if value.check:
implem.add_hook(Hook(HOOK_CHECK, value.check))
if value.before:
implem.add_hook(Hook(HOOK_BEFORE, value.before))
if value.after:
implem.add_hook(Hook(HOOK_AFTER, value.after))
|
collect
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, attrs):\n for name, value in attrs.items():\n if self.should_collect(value):\n transition = self.workflow.transitions[value.trname]\n if (value.trname in self.implementations and value.trname in\n self.custom_implems and name != self.transitions_at[value.\n trname]):\n other_implem_at = self.transitions_at[value.trname]\n raise ValueError(\n 'Error for attribute %s: it defines implementation %s for transition %s, which is already implemented at %s.'\n % (name, value, transition, other_implem_at))\n implem = self.add_implem(transition, name, value.func)\n self.custom_implems.add(transition.name)\n if value.check:\n implem.add_hook(Hook(HOOK_CHECK, value.check))\n if value.before:\n implem.add_hook(Hook(HOOK_BEFORE, value.before))\n if value.after:\n implem.add_hook(Hook(HOOK_AFTER, value.after))\n",
"role": "user"
},
{
"content": "collect",
"role": "assistant"
}
] |
def x(self):
for trname in self.custom_implems:
attr = self.transitions_at[trname]
implem = self.implementations[trname]
yield trname, attr, implem
|
get_custom_implementations
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n for trname in self.custom_implems:\n attr = self.transitions_at[trname]\n implem = self.implementations[trname]\n yield trname, attr, implem\n",
"role": "user"
},
{
"content": "get_custom_implementations",
"role": "assistant"
}
] |
def x(self, func):
for hook_kind, hooks in func.xworkflows_hook.items():
for field_name, hook in hooks:
if field_name and field_name != self.state_field:
continue
for transition in self.workflow.transitions:
if hook.applies_to(transition):
implem = self.implementations[transition.name]
implem.add_hook(hook)
|
register_function_hooks
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, func):\n for hook_kind, hooks in func.xworkflows_hook.items():\n for field_name, hook in hooks:\n if field_name and field_name != self.state_field:\n continue\n for transition in self.workflow.transitions:\n if hook.applies_to(transition):\n implem = self.implementations[transition.name]\n implem.add_hook(hook)\n",
"role": "user"
},
{
"content": "register_function_hooks",
"role": "assistant"
}
] |
def x(self, implem, other):
if isinstance(other, ImplementationProperty):
return (other.transition == implem.transition and other.field_name ==
self.state_field)
elif isinstance(other, TransitionWrapper):
return other.trname == implem.transition.name and (not other.field or
other.field == self.state_field
) and other.func == implem.implementation
return False
|
may_override
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, implem, other):\n if isinstance(other, ImplementationProperty):\n return (other.transition == implem.transition and other.field_name ==\n self.state_field)\n elif isinstance(other, TransitionWrapper):\n return other.trname == implem.transition.name and (not other.field or\n other.field == self.state_field\n ) and other.func == implem.implementation\n return False\n",
"role": "user"
},
{
"content": "may_override",
"role": "assistant"
}
] |
def x(self, attrs):
for trname, attrname in self.transitions_at.items():
implem = self.implementations[trname]
if attrname in attrs:
conflicting = attrs[attrname]
if not self._may_override(implem, conflicting):
raise ValueError(
"Can't override transition implementation %s=%r with %r" %
(attrname, conflicting, implem))
attrs[attrname] = implem
return attrs
|
fill_attrs
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, attrs):\n for trname, attrname in self.transitions_at.items():\n implem = self.implementations[trname]\n if attrname in attrs:\n conflicting = attrs[attrname]\n if not self._may_override(implem, conflicting):\n raise ValueError(\n \"Can't override transition implementation %s=%r with %r\" %\n (attrname, conflicting, implem))\n attrs[attrname] = implem\n return attrs\n",
"role": "user"
},
{
"content": "fill_attrs",
"role": "assistant"
}
] |
def x(self, attrs):
self.collect(attrs)
self.add_missing_implementations()
self.fill_attrs(attrs)
|
transform
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, attrs):\n self.collect(attrs)\n self.add_missing_implementations()\n self.fill_attrs(attrs)\n",
"role": "user"
},
{
"content": "transform",
"role": "assistant"
}
] |
def x(self, transition, from_state, instance, *args, **kwargs):
logger = logging.getLogger('xworkflows.transitions')
try:
instance_repr = u(repr(instance), 'ignore')
except (UnicodeEncodeError, UnicodeDecodeError):
instance_repr = u('<bad repr>')
logger.info(u('%s performed transition %s.%s (%s -> %s)'),
instance_repr, self.__class__.__name__, transition.name, from_state
.name, transition.target.name)
|
log_transition
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, transition, from_state, instance, *args, **kwargs):\n logger = logging.getLogger('xworkflows.transitions')\n try:\n instance_repr = u(repr(instance), 'ignore')\n except (UnicodeEncodeError, UnicodeDecodeError):\n instance_repr = u('<bad repr>')\n logger.info(u('%s performed transition %s.%s (%s -> %s)'),\n instance_repr, self.__class__.__name__, transition.name, from_state\n .name, transition.target.name)\n",
"role": "user"
},
{
"content": "log_transition",
"role": "assistant"
}
] |
def x(mcs, field_name, state_field, attrs):
attrs[field_name] = StateProperty(state_field.workflow, field_name)
|
add_workflow
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(mcs, field_name, state_field, attrs):\n attrs[field_name] = StateProperty(state_field.workflow, field_name)\n",
"role": "user"
},
{
"content": "add_workflow",
"role": "assistant"
}
] |
def x(mcs, attrs):
workflows = {}
for attribute, value in attrs.items():
if isinstance(value, Workflow):
workflows[attribute] = StateField(value)
return workflows
|
find_workflows
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(mcs, attrs):\n workflows = {}\n for attribute, value in attrs.items():\n if isinstance(value, Workflow):\n workflows[attribute] = StateField(value)\n return workflows\n",
"role": "user"
},
{
"content": "find_workflows",
"role": "assistant"
}
] |
def x(mcs, field_name, workflow, attrs, implems=None):
new_implems = ImplementationList(field_name, workflow)
if implems:
new_implems.load_parent_implems(implems)
new_implems.transform(attrs)
return new_implems
|
add_transitions
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(mcs, field_name, workflow, attrs, implems=None):\n new_implems = ImplementationList(field_name, workflow)\n if implems:\n new_implems.load_parent_implems(implems)\n new_implems.transform(attrs)\n return new_implems\n",
"role": "user"
},
{
"content": "add_transitions",
"role": "assistant"
}
] |
def x(self):
self.edges = np.zeros((self.ttree.nnodes - 1, 2), dtype=int)
self.verts = np.zeros((self.ttree.nnodes, 2), dtype=float)
self.lines = []
self.coords = []
self.update_idxs()
self.update_fixed_order()
self.assign_vertices()
self.assign_coordinates()
self.reorient_coordinates()
|
update
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.edges = np.zeros((self.ttree.nnodes - 1, 2), dtype=int)\n self.verts = np.zeros((self.ttree.nnodes, 2), dtype=float)\n self.lines = []\n self.coords = []\n self.update_idxs()\n self.update_fixed_order()\n self.assign_vertices()\n self.assign_coordinates()\n self.reorient_coordinates()\n",
"role": "user"
},
{
"content": "update",
"role": "assistant"
}
] |
def x(self):
idx = self.ttree.nnodes - 1
for node in self.ttree.treenode.traverse('levelorder'):
if not node.is_leaf():
node.add_feature('idx', idx)
if not node.name:
node.name = str(idx)
idx -= 1
for node in self.ttree.treenode.get_leaves():
node.add_feature('idx', idx)
if not node.name:
node.name = str(idx)
idx -= 1
|
update_idxs
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n idx = self.ttree.nnodes - 1\n for node in self.ttree.treenode.traverse('levelorder'):\n if not node.is_leaf():\n node.add_feature('idx', idx)\n if not node.name:\n node.name = str(idx)\n idx -= 1\n for node in self.ttree.treenode.get_leaves():\n node.add_feature('idx', idx)\n if not node.name:\n node.name = str(idx)\n idx -= 1\n",
"role": "user"
},
{
"content": "update_idxs",
"role": "assistant"
}
] |
def x(self):
fixed_order = self.ttree._fixed_order
self.ttree_fixed_order = None
self.ttree_fixed_idx = list(range(self.ttree.ntips))
if fixed_order:
fixed_order = [i for i in fixed_order if i in self.ttree.
get_tip_labels()]
self.ttree._set_fixed_order(fixed_order)
else:
self.ttree._fixed_idx = list(range(self.ttree.ntips))
|
update_fixed_order
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n fixed_order = self.ttree._fixed_order\n self.ttree_fixed_order = None\n self.ttree_fixed_idx = list(range(self.ttree.ntips))\n if fixed_order:\n fixed_order = [i for i in fixed_order if i in self.ttree.\n get_tip_labels()]\n self.ttree._set_fixed_order(fixed_order)\n else:\n self.ttree._fixed_idx = list(range(self.ttree.ntips))\n",
"role": "user"
},
{
"content": "update_fixed_order",
"role": "assistant"
}
] |
def x(self):
uselen = bool(self.ttree.style.use_edge_lengths)
nidx = 0
for node in self.ttree.treenode.traverse('postorder'):
if not node.is_root():
self.edges[nidx, :] = [node.up.idx, node.idx]
nidx += 1
_root = self.ttree.treenode.get_tree_root()
_treeheight = _root.get_distance(_root.get_farthest_leaf()[0])
tidx = len(self.ttree) - 1
for node in self.ttree.treenode.traverse('postorder'):
if node.is_leaf() and not node.is_root():
node.y = _treeheight - _root.get_distance(node)
if not uselen:
node.y = 0.0
if self.ttree._fixed_order:
node.x = self.ttree._fixed_order.index(node.name)
else:
node.x = tidx
tidx -= 1
self.verts[node.idx] = [node.x, node.y]
else:
node.y = _treeheight - _root.get_distance(node)
if not uselen:
node.y = max([i.y for i in node.children]) + 1
if node.children:
nch = node.children
node.x = sum(i.x for i in nch) / float(len(nch))
else:
node.x = tidx
self.verts[node.idx] = [node.x, node.y]
|
assign_vertices
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n uselen = bool(self.ttree.style.use_edge_lengths)\n nidx = 0\n for node in self.ttree.treenode.traverse('postorder'):\n if not node.is_root():\n self.edges[nidx, :] = [node.up.idx, node.idx]\n nidx += 1\n _root = self.ttree.treenode.get_tree_root()\n _treeheight = _root.get_distance(_root.get_farthest_leaf()[0])\n tidx = len(self.ttree) - 1\n for node in self.ttree.treenode.traverse('postorder'):\n if node.is_leaf() and not node.is_root():\n node.y = _treeheight - _root.get_distance(node)\n if not uselen:\n node.y = 0.0\n if self.ttree._fixed_order:\n node.x = self.ttree._fixed_order.index(node.name)\n else:\n node.x = tidx\n tidx -= 1\n self.verts[node.idx] = [node.x, node.y]\n else:\n node.y = _treeheight - _root.get_distance(node)\n if not uselen:\n node.y = max([i.y for i in node.children]) + 1\n if node.children:\n nch = node.children\n node.x = sum(i.x for i in nch) / float(len(nch))\n else:\n node.x = tidx\n self.verts[node.idx] = [node.x, node.y]\n",
"role": "user"
},
{
"content": "assign_vertices",
"role": "assistant"
}
] |
def x(self):
if len(self.ttree) < 2:
return
if self.ttree.style.orient in ('down', 0):
pass
elif self.ttree.style.orient in ('right', 3):
tmp = np.zeros(self.verts.shape)
tmp[:, 1] = self.verts[:, 0]
tmp[:, 0] = self.verts[:, 1] * -1
self.verts = tmp
tmp = np.zeros(self.coords.shape)
tmp[:, 1] = self.coords[:, 0]
tmp[:, 0] = self.coords[:, 1] * -1
self.coords = tmp
elif self.ttree.style.orient in ('left', 1):
raise NotImplementedError('todo: left facing')
else:
raise NotImplementedError('todo: up facing')
|
reorient_coordinates
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if len(self.ttree) < 2:\n return\n if self.ttree.style.orient in ('down', 0):\n pass\n elif self.ttree.style.orient in ('right', 3):\n tmp = np.zeros(self.verts.shape)\n tmp[:, 1] = self.verts[:, 0]\n tmp[:, 0] = self.verts[:, 1] * -1\n self.verts = tmp\n tmp = np.zeros(self.coords.shape)\n tmp[:, 1] = self.coords[:, 0]\n tmp[:, 0] = self.coords[:, 1] * -1\n self.coords = tmp\n elif self.ttree.style.orient in ('left', 1):\n raise NotImplementedError('todo: left facing')\n else:\n raise NotImplementedError('todo: up facing')\n",
"role": "user"
},
{
"content": "reorient_coordinates",
"role": "assistant"
}
] |
def x(ts, dateconverter=None, desc=None, clean=False, start_value=None, **
kwargs):
dateconverter = dateconverter or default_converter
yield ['Date'] + ts.names()
if clean == 'full':
for dt, value in full_clean(ts, dateconverter, desc, start_value):
yield (dt,) + tuple(value)
else:
if clean:
ts = ts.clean()
for dt, value in ts.items(desc=desc, start_value=start_value):
dt = dateconverter(dt)
yield (dt,) + tuple(value)
|
tsiterator
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ts, dateconverter=None, desc=None, clean=False, start_value=None, **\n kwargs):\n dateconverter = dateconverter or default_converter\n yield ['Date'] + ts.names()\n if clean == 'full':\n for dt, value in full_clean(ts, dateconverter, desc, start_value):\n yield (dt,) + tuple(value)\n else:\n if clean:\n ts = ts.clean()\n for dt, value in ts.items(desc=desc, start_value=start_value):\n dt = dateconverter(dt)\n yield (dt,) + tuple(value)\n",
"role": "user"
},
{
"content": "tsiterator",
"role": "assistant"
}
] |
def x(self):
if self.style.xbaseline:
if self.style.orient in ('up', 'down'):
self.coords.coords[:, 0] += self.style.xbaseline
self.coords.verts[:, 0] += self.style.xbaseline
else:
self.coords.coords[:, 1] += self.style.xbaseline
self.coords.verts[:, 1] += self.style.xbaseline
|
set_baselines
|
[
{
"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.style.xbaseline:\n if self.style.orient in ('up', 'down'):\n self.coords.coords[:, 0] += self.style.xbaseline\n self.coords.verts[:, 0] += self.style.xbaseline\n else:\n self.coords.coords[:, 1] += self.style.xbaseline\n self.coords.verts[:, 1] += self.style.xbaseline\n",
"role": "user"
},
{
"content": "set_baselines",
"role": "assistant"
}
] |
def x(self):
xpos = self.ttree.get_tip_coordinates('x')
ypos = self.ttree.get_tip_coordinates('y')
if self.style.orient in ('up', 'down'):
if self.ttree._fixed_order:
xpos = list(range(self.ttree.ntips))
ypos = ypos[self.ttree._fixed_idx]
if self.style.tip_labels_align:
ypos = np.zeros(self.ttree.ntips)
if self.style.orient in ('right', 'left'):
if self.ttree._fixed_order:
xpos = xpos[self.ttree._fixed_idx]
ypos = list(range(self.ttree.ntips))
if self.style.tip_labels_align:
xpos = np.zeros(self.ttree.ntips)
tstyle = deepcopy(self.style.tip_labels_style)
if self.style.tip_labels_colors:
tstyle.pop('fill')
self.axes.text(xpos, ypos, self.tip_labels, angle=0 if self.style.
orient in ('right', 'left') else -90, style=tstyle, color=self.
style.tip_labels_colors)
if not self.style.edge_align_style.get('stroke-width'):
self.style.edge_align_style['stroke-width'] = self.style.edge_style[
'stroke-width']
|
add_tip_labels_to_axes
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n xpos = self.ttree.get_tip_coordinates('x')\n ypos = self.ttree.get_tip_coordinates('y')\n if self.style.orient in ('up', 'down'):\n if self.ttree._fixed_order:\n xpos = list(range(self.ttree.ntips))\n ypos = ypos[self.ttree._fixed_idx]\n if self.style.tip_labels_align:\n ypos = np.zeros(self.ttree.ntips)\n if self.style.orient in ('right', 'left'):\n if self.ttree._fixed_order:\n xpos = xpos[self.ttree._fixed_idx]\n ypos = list(range(self.ttree.ntips))\n if self.style.tip_labels_align:\n xpos = np.zeros(self.ttree.ntips)\n tstyle = deepcopy(self.style.tip_labels_style)\n if self.style.tip_labels_colors:\n tstyle.pop('fill')\n self.axes.text(xpos, ypos, self.tip_labels, angle=0 if self.style.\n orient in ('right', 'left') else -90, style=tstyle, color=self.\n style.tip_labels_colors)\n if not self.style.edge_align_style.get('stroke-width'):\n self.style.edge_align_style['stroke-width'] = self.style.edge_style[\n 'stroke-width']\n",
"role": "user"
},
{
"content": "add_tip_labels_to_axes",
"role": "assistant"
}
] |
def x(self):
xpos, ypos, aedges, averts = self.get_tip_label_coords()
if self.style.tip_labels_align:
self.axes.graph(aedges, vcoordinates=averts, estyle=self.style.
edge_align_style, vlshow=False, vsize=0)
|
add_tip_lines_to_axes
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n xpos, ypos, aedges, averts = self.get_tip_label_coords()\n if self.style.tip_labels_align:\n self.axes.graph(aedges, vcoordinates=averts, estyle=self.style.\n edge_align_style, vlshow=False, vsize=0)\n",
"role": "user"
},
{
"content": "add_tip_lines_to_axes",
"role": "assistant"
}
] |
def x(self):
if self.style.use_edge_lengths:
addon = self.ttree.treenode.height * 0.85
else:
addon = self.ttree.treenode.get_farthest_leaf(True)[1]
if self.style.tip_labels:
if self.style.orient == 'right':
self.axes.x.domain.max = addon
elif self.style.orient == 'down':
self.axes.y.domain.min = -1 * addon
|
fit_tip_labels
|
[
{
"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.style.use_edge_lengths:\n addon = self.ttree.treenode.height * 0.85\n else:\n addon = self.ttree.treenode.get_farthest_leaf(True)[1]\n if self.style.tip_labels:\n if self.style.orient == 'right':\n self.axes.x.domain.max = addon\n elif self.style.orient == 'down':\n self.axes.y.domain.min = -1 * addon\n",
"role": "user"
},
{
"content": "fit_tip_labels",
"role": "assistant"
}
] |
def x(self):
colors = self.style.node_colors
style = self.style.node_style
if colors is None:
if style['fill'] in (None, 'none'):
style.pop('fill')
else:
if isinstance(style['fill'], (list, tuple)):
raise ToytreeError(
'Use node_color not node_style for multiple node colors')
color = style['fill']
if isinstance(color, (np.ndarray, np.void, list, tuple)):
color = toyplot.color.to_css(color)
self.node_colors = [color] * self.ttree.nnodes
else:
style.pop('fill')
if isinstance(colors, str):
color = colors
if isinstance(color, (np.ndarray, np.void, list, tuple)):
color = toyplot.color.to_css(color)
self.node_colors = [color] * self.ttree.nnodes
elif isinstance(colors, (list, tuple)):
if len(colors) != len(self.node_colors):
raise ToytreeError('node_colors arg is the wrong length')
for cidx in range(len(self.node_colors)):
color = colors[cidx]
if isinstance(color, (np.ndarray, np.void, list, tuple)):
color = toyplot.color.to_css(color)
self.node_colors[cidx] = color
if self.style.node_style['stroke'] is None:
self.style.node_style.stroke = 'none'
markers = self.style.node_markers
if markers is None:
self.node_markers = ['o'] * self.ttree.nnodes
elif isinstance(markers, str):
self.node_markers = [markers] * self.ttree.nnodes
elif isinstance(markers, (list, tuple)):
for cidx in range(len(self.node_markers)):
self.node_markers[cidx] = markers[cidx]
|
assign_node_colors_and_style
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n colors = self.style.node_colors\n style = self.style.node_style\n if colors is None:\n if style['fill'] in (None, 'none'):\n style.pop('fill')\n else:\n if isinstance(style['fill'], (list, tuple)):\n raise ToytreeError(\n 'Use node_color not node_style for multiple node colors')\n color = style['fill']\n if isinstance(color, (np.ndarray, np.void, list, tuple)):\n color = toyplot.color.to_css(color)\n self.node_colors = [color] * self.ttree.nnodes\n else:\n style.pop('fill')\n if isinstance(colors, str):\n color = colors\n if isinstance(color, (np.ndarray, np.void, list, tuple)):\n color = toyplot.color.to_css(color)\n self.node_colors = [color] * self.ttree.nnodes\n elif isinstance(colors, (list, tuple)):\n if len(colors) != len(self.node_colors):\n raise ToytreeError('node_colors arg is the wrong length')\n for cidx in range(len(self.node_colors)):\n color = colors[cidx]\n if isinstance(color, (np.ndarray, np.void, list, tuple)):\n color = toyplot.color.to_css(color)\n self.node_colors[cidx] = color\n if self.style.node_style['stroke'] is None:\n self.style.node_style.stroke = 'none'\n markers = self.style.node_markers\n if markers is None:\n self.node_markers = ['o'] * self.ttree.nnodes\n elif isinstance(markers, str):\n self.node_markers = [markers] * self.ttree.nnodes\n elif isinstance(markers, (list, tuple)):\n for cidx in range(len(self.node_markers)):\n self.node_markers[cidx] = markers[cidx]\n",
"role": "user"
},
{
"content": "assign_node_colors_and_style",
"role": "assistant"
}
] |
def x(self):
nvals = self.ttree.get_node_values()
if self.style.node_labels is False:
self.node_labels = ['' for i in nvals]
if self.style.node_sizes is not None:
if isinstance(self.style.node_sizes, (list, tuple, np.ndarray)):
assert len(self.node_sizes) == len(self.style.node_sizes)
self.node_sizes = self.style.node_sizes
elif isinstance(self.style.node_sizes, (int, str)):
self.node_sizes = [int(self.style.node_sizes)] * len(nvals)
self.node_labels = [(' ' if i else '') for i in self.node_sizes]
elif self.style.node_labels is True:
self.style.node_hover = True
self.node_labels = self.ttree.get_node_values('idx', 1, 1)
if not self.style.node_sizes:
self.node_sizes = [18] * len(nvals)
else:
assert isinstance(self.style.node_sizes, (int, str))
self.node_sizes = [int(self.style.node_sizes)] * len(nvals)
else:
if isinstance(self.style.node_labels, list):
assert len(self.style.node_labels) == len(nvals)
self.node_labels = self.style.node_labels
elif isinstance(self.style.node_labels, str):
self.node_labels = [self.style.node_labels] * len(nvals)
if self.style.node_labels in self.ttree.features:
self.node_labels = self.ttree.get_node_values(self.style.
node_labels, 1, 0)
else:
self.node_labels = self.ttree.get_node_values('idx', 1, 0)
if isinstance(self.style.node_sizes, list):
assert len(self.style.node_sizes) == len(nvals)
self.node_sizes = self.style.node_sizes
elif isinstance(self.style.node_sizes, (str, int, float)):
self.node_sizes = [int(self.style.node_sizes)] * len(nvals)
else:
self.node_sizes = [18] * len(nvals)
for nidx, node in enumerate(self.node_labels):
if self.node_labels[nidx] == '':
self.node_sizes[nidx] = 0
self.node_labels = [str(i) for i in self.node_labels]
|
assign_node_labels_and_sizes
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n nvals = self.ttree.get_node_values()\n if self.style.node_labels is False:\n self.node_labels = ['' for i in nvals]\n if self.style.node_sizes is not None:\n if isinstance(self.style.node_sizes, (list, tuple, np.ndarray)):\n assert len(self.node_sizes) == len(self.style.node_sizes)\n self.node_sizes = self.style.node_sizes\n elif isinstance(self.style.node_sizes, (int, str)):\n self.node_sizes = [int(self.style.node_sizes)] * len(nvals)\n self.node_labels = [(' ' if i else '') for i in self.node_sizes]\n elif self.style.node_labels is True:\n self.style.node_hover = True\n self.node_labels = self.ttree.get_node_values('idx', 1, 1)\n if not self.style.node_sizes:\n self.node_sizes = [18] * len(nvals)\n else:\n assert isinstance(self.style.node_sizes, (int, str))\n self.node_sizes = [int(self.style.node_sizes)] * len(nvals)\n else:\n if isinstance(self.style.node_labels, list):\n assert len(self.style.node_labels) == len(nvals)\n self.node_labels = self.style.node_labels\n elif isinstance(self.style.node_labels, str):\n self.node_labels = [self.style.node_labels] * len(nvals)\n if self.style.node_labels in self.ttree.features:\n self.node_labels = self.ttree.get_node_values(self.style.\n node_labels, 1, 0)\n else:\n self.node_labels = self.ttree.get_node_values('idx', 1, 0)\n if isinstance(self.style.node_sizes, list):\n assert len(self.style.node_sizes) == len(nvals)\n self.node_sizes = self.style.node_sizes\n elif isinstance(self.style.node_sizes, (str, int, float)):\n self.node_sizes = [int(self.style.node_sizes)] * len(nvals)\n else:\n self.node_sizes = [18] * len(nvals)\n for nidx, node in enumerate(self.node_labels):\n if self.node_labels[nidx] == '':\n self.node_sizes[nidx] = 0\n self.node_labels = [str(i) for i in self.node_labels]\n",
"role": "user"
},
{
"content": "assign_node_labels_and_sizes",
"role": "assistant"
}
] |
def x(self):
if self.style.tip_labels_colors:
if self.ttree._fixed_order:
if isinstance(self.style.tip_labels_colors, (list, np.ndarray)):
cols = np.array(self.style.tip_labels_colors)
orde = cols[self.ttree._fixed_idx]
self.style.tip_labels_colors = list(orde)
if self.style.tip_labels is False:
self.style.tip_labels_style['-toyplot-anchor-shift'] = '0px'
self.tip_labels = ['' for i in self.ttree.get_tip_labels()]
else:
if not self.style.tip_labels_style['-toyplot-anchor-shift']:
self.style.tip_labels_style['-toyplot-anchor-shift'] = '15px'
if isinstance(self.style.tip_labels, list):
self.tip_labels = self.style.tip_labels
elif self.ttree._fixed_order:
self.tip_labels = self.ttree._fixed_order
else:
self.tip_labels = self.ttree.get_tip_labels()
|
assign_tip_labels_and_colors
|
[
{
"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.style.tip_labels_colors:\n if self.ttree._fixed_order:\n if isinstance(self.style.tip_labels_colors, (list, np.ndarray)):\n cols = np.array(self.style.tip_labels_colors)\n orde = cols[self.ttree._fixed_idx]\n self.style.tip_labels_colors = list(orde)\n if self.style.tip_labels is False:\n self.style.tip_labels_style['-toyplot-anchor-shift'] = '0px'\n self.tip_labels = ['' for i in self.ttree.get_tip_labels()]\n else:\n if not self.style.tip_labels_style['-toyplot-anchor-shift']:\n self.style.tip_labels_style['-toyplot-anchor-shift'] = '15px'\n if isinstance(self.style.tip_labels, list):\n self.tip_labels = self.style.tip_labels\n elif self.ttree._fixed_order:\n self.tip_labels = self.ttree._fixed_order\n else:\n self.tip_labels = self.ttree.get_tip_labels()\n",
"role": "user"
},
{
"content": "assign_tip_labels_and_colors",
"role": "assistant"
}
] |
def x(self):
if self.style.edge_widths is None:
if not self.style.edge_style['stroke-width']:
self.style.edge_style.pop('stroke-width')
self.style.edge_style.pop('stroke')
self.edge_widths = [None] * self.nedges
else:
if isinstance(self.style.edge_style['stroke-width'], (list, tuple)
):
raise ToytreeError(
'Use edge_widths not edge_style for multiple edge widths')
width = self.style.edge_style['stroke-width']
self.style.edge_style.pop('stroke-width')
self.edge_widths = [width] * self.nedges
else:
self.style.edge_style.pop('stroke-width')
if isinstance(self.style.edge_widths, (str, int)):
self.edge_widths = [int(self.style.edge_widths)] * self.nedges
elif isinstance(self.style.edge_widths, (list, tuple)):
if len(self.style.edge_widths) != self.nedges:
raise ToytreeError('edge_widths arg is the wrong length')
for cidx in range(self.nedges):
self.edge_widths[cidx] = self.style.edge_widths[cidx]
if self.style.edge_colors is None:
if self.style.edge_style['stroke'] is None:
self.style.edge_style.pop('stroke')
self.edge_colors = [None] * self.nedges
else:
if isinstance(self.style.edge_style['stroke'], (list, tuple)):
raise ToytreeError(
'Use edge_colors not edge_style for multiple edge colors')
color = self.style.edge_style['stroke']
if isinstance(color, (np.ndarray, np.void, list, tuple)):
color = toyplot.color.to_css(color)
self.style.edge_style.pop('stroke')
self.edge_colors = [color] * self.nedges
else:
self.style.edge_style.pop('stroke')
if isinstance(self.style.edge_colors, (str, int)):
color = self.style.edge_colors
if isinstance(color, (np.ndarray, np.void, list, tuple)):
color = toyplot.color.to_css(color)
self.edge_colors = [color] * self.nedges
elif isinstance(self.style.edge_colors, (list, tuple)):
if len(self.style.edge_colors) != self.nedges:
raise ToytreeError('edge_colors arg is the wrong length')
for cidx in range(self.nedges):
self.edge_colors[cidx] = self.style.edge_colors[cidx]
self.edge_colors = [(i if i else '#262626') for i in self.edge_colors]
self.edge_widths = [(i if i else 2) for i in self.edge_widths]
|
assign_edge_colors_and_widths
|
[
{
"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.style.edge_widths is None:\n if not self.style.edge_style['stroke-width']:\n self.style.edge_style.pop('stroke-width')\n self.style.edge_style.pop('stroke')\n self.edge_widths = [None] * self.nedges\n else:\n if isinstance(self.style.edge_style['stroke-width'], (list, tuple)\n ):\n raise ToytreeError(\n 'Use edge_widths not edge_style for multiple edge widths')\n width = self.style.edge_style['stroke-width']\n self.style.edge_style.pop('stroke-width')\n self.edge_widths = [width] * self.nedges\n else:\n self.style.edge_style.pop('stroke-width')\n if isinstance(self.style.edge_widths, (str, int)):\n self.edge_widths = [int(self.style.edge_widths)] * self.nedges\n elif isinstance(self.style.edge_widths, (list, tuple)):\n if len(self.style.edge_widths) != self.nedges:\n raise ToytreeError('edge_widths arg is the wrong length')\n for cidx in range(self.nedges):\n self.edge_widths[cidx] = self.style.edge_widths[cidx]\n if self.style.edge_colors is None:\n if self.style.edge_style['stroke'] is None:\n self.style.edge_style.pop('stroke')\n self.edge_colors = [None] * self.nedges\n else:\n if isinstance(self.style.edge_style['stroke'], (list, tuple)):\n raise ToytreeError(\n 'Use edge_colors not edge_style for multiple edge colors')\n color = self.style.edge_style['stroke']\n if isinstance(color, (np.ndarray, np.void, list, tuple)):\n color = toyplot.color.to_css(color)\n self.style.edge_style.pop('stroke')\n self.edge_colors = [color] * self.nedges\n else:\n self.style.edge_style.pop('stroke')\n if isinstance(self.style.edge_colors, (str, int)):\n color = self.style.edge_colors\n if isinstance(color, (np.ndarray, np.void, list, tuple)):\n color = toyplot.color.to_css(color)\n self.edge_colors = [color] * self.nedges\n elif isinstance(self.style.edge_colors, (list, tuple)):\n if len(self.style.edge_colors) != self.nedges:\n raise ToytreeError('edge_colors arg is the wrong length')\n for cidx in range(self.nedges):\n self.edge_colors[cidx] = self.style.edge_colors[cidx]\n self.edge_colors = [(i if i else '#262626') for i in self.edge_colors]\n self.edge_widths = [(i if i else 2) for i in self.edge_widths]\n",
"role": "user"
},
{
"content": "assign_edge_colors_and_widths",
"role": "assistant"
}
] |
def x(self):
if all([(i == '') for i in self.node_labels]):
return
marks = []
for nidx in self.ttree.get_node_values('idx', 1, 1):
nlabel = self.node_labels[nidx]
nsize = self.node_sizes[nidx]
nmarker = self.node_markers[nidx]
nstyle = deepcopy(self.style.node_style)
nlstyle = deepcopy(self.style.node_labels_style)
nstyle['fill'] = self.node_colors[nidx]
if nlabel or nsize:
mark = toyplot.marker.create(shape=nmarker, label=str(nlabel),
size=nsize, mstyle=nstyle, lstyle=nlstyle)
else:
mark = ''
marks.append(mark)
if self.style.node_hover is True:
title = self.get_hover()
elif isinstance(self.style.node_hover, list):
title = self.style.node_hover
else:
title = None
self.axes.scatterplot(self.coords.verts[:, 0], self.coords.verts[:, 1],
marker=marks, title=title)
|
add_nodes_to_axes
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if all([(i == '') for i in self.node_labels]):\n return\n marks = []\n for nidx in self.ttree.get_node_values('idx', 1, 1):\n nlabel = self.node_labels[nidx]\n nsize = self.node_sizes[nidx]\n nmarker = self.node_markers[nidx]\n nstyle = deepcopy(self.style.node_style)\n nlstyle = deepcopy(self.style.node_labels_style)\n nstyle['fill'] = self.node_colors[nidx]\n if nlabel or nsize:\n mark = toyplot.marker.create(shape=nmarker, label=str(nlabel),\n size=nsize, mstyle=nstyle, lstyle=nlstyle)\n else:\n mark = ''\n marks.append(mark)\n if self.style.node_hover is True:\n title = self.get_hover()\n elif isinstance(self.style.node_hover, list):\n title = self.style.node_hover\n else:\n title = None\n self.axes.scatterplot(self.coords.verts[:, 0], self.coords.verts[:, 1],\n marker=marks, title=title)\n",
"role": "user"
},
{
"content": "add_nodes_to_axes",
"role": "assistant"
}
] |
def x(self):
ns = self.ttree.ntips
tip_xpos = self.coords.verts[:ns, 0]
tip_ypos = self.coords.verts[:ns, 1]
align_edges = None
align_verts = None
if self.style.orient in (0, 'down'):
if self.style.tip_labels_align:
tip_yend = np.zeros(ns)
align_edges = np.array([(i + len(tip_ypos), i) for i in range(
len(tip_ypos))])
align_verts = np.array(list(zip(tip_xpos, tip_ypos)) + list(zip
(tip_xpos, tip_yend)))
tip_ypos = tip_yend
elif self.style.tip_labels_align:
tip_xend = np.zeros(ns)
align_edges = np.array([(i + len(tip_xpos), i) for i in range(len(
tip_xpos))])
align_verts = np.array(list(zip(tip_xpos, tip_ypos)) + list(zip(
tip_xend, tip_ypos)))
tip_xpos = tip_xend
return tip_xpos, tip_ypos, align_edges, align_verts
|
get_tip_label_coords
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n ns = self.ttree.ntips\n tip_xpos = self.coords.verts[:ns, 0]\n tip_ypos = self.coords.verts[:ns, 1]\n align_edges = None\n align_verts = None\n if self.style.orient in (0, 'down'):\n if self.style.tip_labels_align:\n tip_yend = np.zeros(ns)\n align_edges = np.array([(i + len(tip_ypos), i) for i in range(\n len(tip_ypos))])\n align_verts = np.array(list(zip(tip_xpos, tip_ypos)) + list(zip\n (tip_xpos, tip_yend)))\n tip_ypos = tip_yend\n elif self.style.tip_labels_align:\n tip_xend = np.zeros(ns)\n align_edges = np.array([(i + len(tip_xpos), i) for i in range(len(\n tip_xpos))])\n align_verts = np.array(list(zip(tip_xpos, tip_ypos)) + list(zip(\n tip_xend, tip_ypos)))\n tip_xpos = tip_xend\n return tip_xpos, tip_ypos, align_edges, align_verts\n",
"role": "user"
},
{
"content": "get_tip_label_coords",
"role": "assistant"
}
] |
def x(self):
ntips = len(self.ttree)
if self.style.orient in ('right', 'left'):
if not self.style.height:
self.style.height = max(275, min(1000, 18 * ntips))
if not self.style.width:
self.style.width = max(350, min(500, 18 * ntips))
else:
if not self.style.height:
self.style.height = max(275, min(500, 18 * ntips))
if not self.style.width:
self.style.width = max(350, min(1000, 18 * ntips))
|
get_dims_from_tree_size
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n ntips = len(self.ttree)\n if self.style.orient in ('right', 'left'):\n if not self.style.height:\n self.style.height = max(275, min(1000, 18 * ntips))\n if not self.style.width:\n self.style.width = max(350, min(500, 18 * ntips))\n else:\n if not self.style.height:\n self.style.height = max(275, min(500, 18 * ntips))\n if not self.style.width:\n self.style.width = max(350, min(1000, 18 * ntips))\n",
"role": "user"
},
{
"content": "get_dims_from_tree_size",
"role": "assistant"
}
] |
def x(text):
lines = text.split('\n')
length = 0
for i in range(len(lines)):
if len(lines[i]) > length:
length = len(lines[i])
return length
|
get_longest_line_length
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(text):\n lines = text.split('\\n')\n length = 0\n for i in range(len(lines)):\n if len(lines[i]) > length:\n length = len(lines[i])\n return length\n",
"role": "user"
},
{
"content": "get_longest_line_length",
"role": "assistant"
}
] |
def x(obj):
from decimal import Decimal
if type(obj) == Decimal:
return True
else:
try:
float(obj)
except:
return False
return True
|
isnumeric
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(obj):\n from decimal import Decimal\n if type(obj) == Decimal:\n return True\n else:\n try:\n float(obj)\n except:\n return False\n return True\n",
"role": "user"
},
{
"content": "isnumeric",
"role": "assistant"
}
] |
def x(number, decimal_sep='.', thousand_sep=',', n=3):
str_number = significant(number, n)
if float(number) < 0:
sign = '-'
else:
sign = ''
if str_number[0] == '-':
str_number = str_number[1:]
if '.' in str_number:
int_part, dec_part = str_number.split('.')
else:
int_part, dec_part = str_number, ''
if dec_part:
dec_part = decimal_sep + dec_part
if thousand_sep:
int_part_gd = ''
for cnt, digit in enumerate(int_part[::-1]):
if cnt and not cnt % 3:
int_part_gd += thousand_sep
int_part_gd += digit
int_part = int_part_gd[::-1]
return sign + int_part + dec_part
|
significant_format
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(number, decimal_sep='.', thousand_sep=',', n=3):\n str_number = significant(number, n)\n if float(number) < 0:\n sign = '-'\n else:\n sign = ''\n if str_number[0] == '-':\n str_number = str_number[1:]\n if '.' in str_number:\n int_part, dec_part = str_number.split('.')\n else:\n int_part, dec_part = str_number, ''\n if dec_part:\n dec_part = decimal_sep + dec_part\n if thousand_sep:\n int_part_gd = ''\n for cnt, digit in enumerate(int_part[::-1]):\n if cnt and not cnt % 3:\n int_part_gd += thousand_sep\n int_part_gd += digit\n int_part = int_part_gd[::-1]\n return sign + int_part + dec_part\n",
"role": "user"
},
{
"content": "significant_format",
"role": "assistant"
}
] |
def x(obj, encoding=None):
if PY2:
if encoding is None:
return unicode(obj)
else:
return unicode(obj, encoding)
elif encoding is None:
return str(obj)
elif isinstance(obj, str):
return obj
else:
return str(obj, encoding)
|
to_text_string
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(obj, encoding=None):\n if PY2:\n if encoding is None:\n return unicode(obj)\n else:\n return unicode(obj, encoding)\n elif encoding is None:\n return str(obj)\n elif isinstance(obj, str):\n return obj\n else:\n return str(obj, encoding)\n",
"role": "user"
},
{
"content": "to_text_string",
"role": "assistant"
}
] |
def x(text):
color = QColor()
if not is_string(text):
text = str(text)
if not is_text_string(text):
return color
if text.startswith('#') and len(text) == 7:
correct = '#0123456789abcdef'
for char in text:
if char.lower() not in correct:
return color
elif text not in list(QColor.colorNames()):
return color
color.setNamedColor(text)
return color
|
text_to_qcolor
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(text):\n color = QColor()\n if not is_string(text):\n text = str(text)\n if not is_text_string(text):\n return color\n if text.startswith('#') and len(text) == 7:\n correct = '#0123456789abcdef'\n for char in text:\n if char.lower() not in correct:\n return color\n elif text not in list(QColor.colorNames()):\n return color\n color.setNamedColor(text)\n return color\n",
"role": "user"
},
{
"content": "text_to_qcolor",
"role": "assistant"
}
] |
def x(tup):
if not isinstance(tup, tuple) or len(tup) != 4 or not is_text_string(tup[0]
) or not isinstance(tup[1], int) or not isinstance(tup[2], bool
) or not isinstance(tup[3], bool):
return None
font = QFont()
family, size, italic, bold = tup
font.setFamily(family)
font.setPointSize(size)
font.setItalic(italic)
font.setBold(bold)
return font
|
tuple_to_qfont
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(tup):\n if not isinstance(tup, tuple) or len(tup) != 4 or not is_text_string(tup[0]\n ) or not isinstance(tup[1], int) or not isinstance(tup[2], bool\n ) or not isinstance(tup[3], bool):\n return None\n font = QFont()\n family, size, italic, bold = tup\n font.setFamily(family)\n font.setPointSize(size)\n font.setItalic(italic)\n font.setBold(bold)\n return font\n",
"role": "user"
},
{
"content": "tuple_to_qfont",
"role": "assistant"
}
] |
def x(data, title='', comment='', icon=None, parent=None, apply=None, ok=
True, cancel=True, result='list', outfile=None, type='form', scrollbar=
False, background_color=None, widget_color=None):
test_travis = os.environ.get('TEST_CI_WIDGETS', None)
if test_travis is not None:
app = QApplication.instance()
if app is None:
app = QApplication([])
timer = QTimer(app)
timer.timeout.connect(app.quit)
timer.start(1000)
elif QApplication.startingUp():
_app = QApplication([])
translator_qt = QTranslator()
translator_qt.load('qt_' + QLocale.system().name(), QLibraryInfo.
location(QLibraryInfo.TranslationsPath))
_app.installTranslator(translator_qt)
serial = ['list', 'dict', 'OrderedDict', 'JSON', 'XML']
if result not in serial:
print("Warning: '%s' not in %s, default to list" % (result, ', '.
join(serial)), file=sys.stderr)
result = 'list'
layouts = ['form', 'questions']
if type not in layouts:
print("Warning: '%s' not in %s, default to form" % (type, ', '.join
(layouts)), file=sys.stderr)
type = 'form'
dialog = FormDialog(data, title, comment, icon, parent, apply, ok,
cancel, result, outfile, type, scrollbar, background_color,
widget_color)
if dialog.exec_():
return dialog.get()
|
fedit
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data, title='', comment='', icon=None, parent=None, apply=None, ok=\n True, cancel=True, result='list', outfile=None, type='form', scrollbar=\n False, background_color=None, widget_color=None):\n test_travis = os.environ.get('TEST_CI_WIDGETS', None)\n if test_travis is not None:\n app = QApplication.instance()\n if app is None:\n app = QApplication([])\n timer = QTimer(app)\n timer.timeout.connect(app.quit)\n timer.start(1000)\n elif QApplication.startingUp():\n _app = QApplication([])\n translator_qt = QTranslator()\n translator_qt.load('qt_' + QLocale.system().name(), QLibraryInfo.\n location(QLibraryInfo.TranslationsPath))\n _app.installTranslator(translator_qt)\n serial = ['list', 'dict', 'OrderedDict', 'JSON', 'XML']\n if result not in serial:\n print(\"Warning: '%s' not in %s, default to list\" % (result, ', '.\n join(serial)), file=sys.stderr)\n result = 'list'\n layouts = ['form', 'questions']\n if type not in layouts:\n print(\"Warning: '%s' not in %s, default to form\" % (type, ', '.join\n (layouts)), file=sys.stderr)\n type = 'form'\n dialog = FormDialog(data, title, comment, icon, parent, apply, ok,\n cancel, result, outfile, type, scrollbar, background_color,\n widget_color)\n if dialog.exec_():\n return dialog.get()\n",
"role": "user"
},
{
"content": "fedit",
"role": "assistant"
}
] |
def x(self):
dialog = self.parent()
while not isinstance(dialog, QDialog):
dialog = dialog.parent()
return dialog
|
get_dialog
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n dialog = self.parent()\n while not isinstance(dialog, QDialog):\n dialog = dialog.parent()\n return dialog\n",
"role": "user"
},
{
"content": "get_dialog",
"role": "assistant"
}
] |
def x(self):
if self.outfile:
if self.result in ['list', 'dict', 'OrderedDict']:
fd = open(self.outfile + '.py', 'w')
fd.write(str(self.data))
elif self.result == 'JSON':
fd = open(self.outfile + '.json', 'w')
data = json.loads(self.data, object_pairs_hook=OrderedDict)
json.dump(data, fd)
elif self.result == 'XML':
fd = open(self.outfile + '.xml', 'w')
root = ET.fromstring(self.data)
tree = ET.ElementTree(root)
tree.write(fd, encoding='UTF-8')
fd.close()
else:
return self.data
|
get
|
[
{
"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.outfile:\n if self.result in ['list', 'dict', 'OrderedDict']:\n fd = open(self.outfile + '.py', 'w')\n fd.write(str(self.data))\n elif self.result == 'JSON':\n fd = open(self.outfile + '.json', 'w')\n data = json.loads(self.data, object_pairs_hook=OrderedDict)\n json.dump(data, fd)\n elif self.result == 'XML':\n fd = open(self.outfile + '.xml', 'w')\n root = ET.fromstring(self.data)\n tree = ET.ElementTree(root)\n tree.write(fd, encoding='UTF-8')\n fd.close()\n else:\n return self.data\n",
"role": "user"
},
{
"content": "get",
"role": "assistant"
}
] |
def x(series):
series = iter(series)
ts = next(series)
return ts.merge(series)
|
ts_merge
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(series):\n series = iter(series)\n ts = next(series)\n return ts.merge(series)\n",
"role": "user"
},
{
"content": "ts_merge",
"role": "assistant"
}
] |
def x(op_name, ts1, ts2, all=True, fill=None, name=None):
op = op_get(op_name)
fill = fill if fill is not None else settings.missing_value
if hasattr(fill, '__call__'):
fill_fn = fill
else:
fill_fn = lambda : fill
name = name or '%s(%s,%s)' % (op_name, ts1, ts2)
if is_timeseries(ts1):
ts = ts1
if is_timeseries(ts2):
dts, data = op_ts_ts(op_name, op, ts1, ts2, all, fill_fn)
else:
dts, data = op_ts_scalar(op_name, op, ts1, ts2, fill_fn)
elif is_timeseries(ts2):
ts = ts2
dts, data = op_scalar_ts(op_name, op, ts1, ts2, fill_fn)
else:
return op(ts1, ts2)
return ts.clone(date=dts, data=data, name=name)
|
ts_bin_op
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(op_name, ts1, ts2, all=True, fill=None, name=None):\n op = op_get(op_name)\n fill = fill if fill is not None else settings.missing_value\n if hasattr(fill, '__call__'):\n fill_fn = fill\n else:\n fill_fn = lambda : fill\n name = name or '%s(%s,%s)' % (op_name, ts1, ts2)\n if is_timeseries(ts1):\n ts = ts1\n if is_timeseries(ts2):\n dts, data = op_ts_ts(op_name, op, ts1, ts2, all, fill_fn)\n else:\n dts, data = op_ts_scalar(op_name, op, ts1, ts2, fill_fn)\n elif is_timeseries(ts2):\n ts = ts2\n dts, data = op_scalar_ts(op_name, op, ts1, ts2, fill_fn)\n else:\n return op(ts1, ts2)\n return ts.clone(date=dts, data=data, name=name)\n",
"role": "user"
},
{
"content": "ts_bin_op",
"role": "assistant"
}
] |
def x(self, operation, name):
if operation not in self._algorithms:
raise NotAvailable('{0} not registered.'.format(operation))
oper = self._algorithms[operation]
try:
return oper[name]
except KeyError:
raise NotAvailable('{0} algorithm {1} not registered.'.format(
operation, name))
|
getalgo
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, operation, name):\n if operation not in self._algorithms:\n raise NotAvailable('{0} not registered.'.format(operation))\n oper = self._algorithms[operation]\n try:\n return oper[name]\n except KeyError:\n raise NotAvailable('{0} algorithm {1} not registered.'.format(\n operation, name))\n",
"role": "user"
},
{
"content": "getalgo",
"role": "assistant"
}
] |
def x(self, desc=None):
c = self.dateinverse
for key in self.keys(desc=desc):
yield c(key)
|
dates
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, desc=None):\n c = self.dateinverse\n for key in self.keys(desc=desc):\n yield c(key)\n",
"role": "user"
},
{
"content": "dates",
"role": "assistant"
}
] |
def x(self, desc=None, start_value=None, shift_by=None):
if self:
if shift_by is None and start_value is not None:
for cross in self.values():
missings = 0
if shift_by is None:
shift_by = []
for v in cross:
shift_by.append(start_value - v)
if v != v:
missings += 1
else:
for j in range(len(shift_by)):
s = shift_by[j]
v = cross[j]
if s != s:
if v == v:
shift_by[j] = start_value - v
else:
missings += 1
if not missings:
break
if shift_by:
for d, v in zip(self.dates(desc=desc), self.values(desc=desc)):
yield d, v + shift_by
else:
for d, v in zip(self.dates(desc=desc), self.values(desc=desc)):
yield d, v
|
items
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, desc=None, start_value=None, shift_by=None):\n if self:\n if shift_by is None and start_value is not None:\n for cross in self.values():\n missings = 0\n if shift_by is None:\n shift_by = []\n for v in cross:\n shift_by.append(start_value - v)\n if v != v:\n missings += 1\n else:\n for j in range(len(shift_by)):\n s = shift_by[j]\n v = cross[j]\n if s != s:\n if v == v:\n shift_by[j] = start_value - v\n else:\n missings += 1\n if not missings:\n break\n if shift_by:\n for d, v in zip(self.dates(desc=desc), self.values(desc=desc)):\n yield d, v + shift_by\n else:\n for d, v in zip(self.dates(desc=desc), self.values(desc=desc)):\n yield d, v\n",
"role": "user"
},
{
"content": "items",
"role": "assistant"
}
] |
def x(self):
data = self.values()
if len(data):
for c in range(self.count()):
yield data[:, c]
else:
raise StopIteration
|
series
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n data = self.values()\n if len(data):\n for c in range(self.count()):\n yield data[:, c]\n else:\n raise StopIteration\n",
"role": "user"
},
{
"content": "series",
"role": "assistant"
}
] |
def x(self, ordering=None):
series = self.series()
if ordering:
series = list(series)
todo = dict((n, idx) for idx, n in enumerate(self.names()))
for name in ordering:
if name in todo:
idx = todo.pop(name)
yield name, series[idx]
for name in todo:
idx = todo[name]
yield name, series[idx]
else:
for name_serie in zip(self.names(), series):
yield name_serie
|
named_series
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, ordering=None):\n series = self.series()\n if ordering:\n series = list(series)\n todo = dict((n, idx) for idx, n in enumerate(self.names()))\n for name in ordering:\n if name in todo:\n idx = todo.pop(name)\n yield name, series[idx]\n for name in todo:\n idx = todo[name]\n yield name, series[idx]\n else:\n for name_serie in zip(self.names(), series):\n yield name_serie\n",
"role": "user"
},
{
"content": "named_series",
"role": "assistant"
}
] |
def x(self, date=None, data=None, name=None):
name = name or self.name
data = data if data is not None else self.values()
ts = self.__class__(name)
ts._dtype = self._dtype
if date is None:
ts.make(self.keys(), data, raw=True)
else:
ts.make(date, data)
return ts
|
clone
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, date=None, data=None, name=None):\n name = name or self.name\n data = data if data is not None else self.values()\n ts = self.__class__(name)\n ts._dtype = self._dtype\n if date is None:\n ts.make(self.keys(), data, raw=True)\n else:\n ts.make(date, data)\n return ts\n",
"role": "user"
},
{
"content": "clone",
"role": "assistant"
}
] |
def x(self, size, method='simple', **kwargs):
if size >= len(self):
return self
return self.getalgo('reduce', method)(self, size, **kwargs)
|
reduce
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, size, method='simple', **kwargs):\n if size >= len(self):\n return self\n return self.getalgo('reduce', method)(self, size, **kwargs)\n",
"role": "user"
},
{
"content": "reduce",
"role": "assistant"
}
] |
def x(self, algorithm=None):
original_dates = list(self.dates())
series = []
all_dates = set()
for serie in self.series():
dstart, dend, vend = None, None, None
new_dates = []
new_values = []
missings = []
values = {}
for d, v in zip(original_dates, serie):
if v == v:
if dstart is None:
dstart = d
if missings:
for dx, vx in algorithm(dend, vend, d, v, missings):
new_dates.append(dx)
new_values.append(vx)
missings = []
dend = d
vend = v
values[d] = v
elif dstart is not None and algorithm:
missings.append((dt, v))
if missings:
for dx, vx in algorithm(dend, vend, None, None, missings):
new_dates.append(dx)
new_values.append(vx)
dend = dx
series.append((dstart, dend, values))
all_dates = all_dates.union(values)
cdate = []
cdata = []
for dt in sorted(all_dates):
cross = []
for start, end, values in series:
if start is None or dt >= start and dt <= end:
value = values.get(dt)
if value is None:
cross = None
break
else:
value = nan
cross.append(value)
if cross:
cdate.append(dt)
cdata.append(cross)
return self.clone(date=cdate, data=cdata)
|
clean
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, algorithm=None):\n original_dates = list(self.dates())\n series = []\n all_dates = set()\n for serie in self.series():\n dstart, dend, vend = None, None, None\n new_dates = []\n new_values = []\n missings = []\n values = {}\n for d, v in zip(original_dates, serie):\n if v == v:\n if dstart is None:\n dstart = d\n if missings:\n for dx, vx in algorithm(dend, vend, d, v, missings):\n new_dates.append(dx)\n new_values.append(vx)\n missings = []\n dend = d\n vend = v\n values[d] = v\n elif dstart is not None and algorithm:\n missings.append((dt, v))\n if missings:\n for dx, vx in algorithm(dend, vend, None, None, missings):\n new_dates.append(dx)\n new_values.append(vx)\n dend = dx\n series.append((dstart, dend, values))\n all_dates = all_dates.union(values)\n cdate = []\n cdata = []\n for dt in sorted(all_dates):\n cross = []\n for start, end, values in series:\n if start is None or dt >= start and dt <= end:\n value = values.get(dt)\n if value is None:\n cross = None\n break\n else:\n value = nan\n cross.append(value)\n if cross:\n cdate.append(dt)\n cdata.append(cross)\n return self.clone(date=cdate, data=cdata)\n",
"role": "user"
},
{
"content": "clean",
"role": "assistant"
}
] |
def x(self):
for dt1, dt0 in laggeddates(self):
if dt1 <= dt0:
return False
return True
|
isconsistent
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n for dt1, dt0 in laggeddates(self):\n if dt1 <= dt0:\n return False\n return True\n",
"role": "user"
},
{
"content": "isconsistent",
"role": "assistant"
}
] |
def x(self, ddof=0):
N = len(self)
if N:
v = self.values()
mu = sum(v)
return (sum(v * v) - mu * mu / N) / (N - ddof)
else:
return None
|
var
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, ddof=0):\n N = len(self)\n if N:\n v = self.values()\n mu = sum(v)\n return (sum(v * v) - mu * mu / N) / (N - ddof)\n else:\n return None\n",
"role": "user"
},
{
"content": "var",
"role": "assistant"
}
] |
def x(self):
v = self.var()
if len(v):
return np.sqrt(v)
else:
return None
|
sd
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n v = self.var()\n if len(v):\n return np.sqrt(v)\n else:\n return None\n",
"role": "user"
},
{
"content": "sd",
"role": "assistant"
}
] |
def x(self, func, window=None, bycolumn=True, align=None, **kwargs):
N = len(self)
window = window or N
self.precondition(window <= N and window > 0, OutOfBound)
return self._rollapply(func, window=window, align=align or self.
default_align, bycolumn=bycolumn, **kwargs)
|
apply
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, func, window=None, bycolumn=True, align=None, **kwargs):\n N = len(self)\n window = window or N\n self.precondition(window <= N and window > 0, OutOfBound)\n return self._rollapply(func, window=window, align=align or self.\n default_align, bycolumn=bycolumn, **kwargs)\n",
"role": "user"
},
{
"content": "apply",
"role": "assistant"
}
] |
def x(self, func, window=20, **kwargs):
return self.apply(func, window=window, **kwargs)
|
rollapply
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, func, window=20, **kwargs):\n return self.apply(func, window=window, **kwargs)\n",
"role": "user"
},
{
"content": "rollapply",
"role": "assistant"
}
] |
def x(self, scale=1, **kwargs):
ts = self.rollapply('sd', **kwargs)
if scale != 1:
ts *= scale
return ts
|
rollsd
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, scale=1, **kwargs):\n ts = self.rollapply('sd', **kwargs)\n if scale != 1:\n ts *= scale\n return ts\n",
"role": "user"
},
{
"content": "rollsd",
"role": "assistant"
}
] |
def x(self, values, backend, **kwargs):
if not hasattr(self, '_unwind_value'):
self._unwind_value = self._unwind(values, backend, **kwargs)
return self._unwind_value
|
unwind
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, values, backend, **kwargs):\n if not hasattr(self, '_unwind_value'):\n self._unwind_value = self._unwind(values, backend, **kwargs)\n return self._unwind_value\n",
"role": "user"
},
{
"content": "unwind",
"role": "assistant"
}
] |
def x(self, entries=None):
removed = []
if entries == None:
entries = {}
new_children = []
for c in self.children:
cs = str(c)
cp = entries.get(cs, None)
if cp:
new_children.append(cp)
removed.append(c)
else:
dups = c.removeduplicates(entries)
if dups:
removed.extend(dups)
entries[cs] = c
new_children.append(c)
self.children = new_children
return removed
|
removeduplicates
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, entries=None):\n removed = []\n if entries == None:\n entries = {}\n new_children = []\n for c in self.children:\n cs = str(c)\n cp = entries.get(cs, None)\n if cp:\n new_children.append(cp)\n removed.append(c)\n else:\n dups = c.removeduplicates(entries)\n if dups:\n removed.extend(dups)\n entries[cs] = c\n new_children.append(c)\n self.children = new_children\n return removed\n",
"role": "user"
},
{
"content": "removeduplicates",
"role": "assistant"
}
] |
def x(html_string):
if os.path.isfile(html_string):
file = open(html_string, 'r', encoding='utf-8')
lines = file.readlines()
file.close()
html_string = ''.join(lines)
table_data, spans, use_headers = html2data(html_string)
if table_data == '':
return ''
return data2md(table_data)
|
html2md
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(html_string):\n if os.path.isfile(html_string):\n file = open(html_string, 'r', encoding='utf-8')\n lines = file.readlines()\n file.close()\n html_string = ''.join(lines)\n table_data, spans, use_headers = html2data(html_string)\n if table_data == '':\n return ''\n return data2md(table_data)\n",
"role": "user"
},
{
"content": "html2md",
"role": "assistant"
}
] |
def x(table, spans):
new_spans = []
for row in range(len(table)):
for column in range(len(table[row])):
span = get_span(spans, row, column)
if not span:
new_spans.append([[row, column]])
new_spans.extend(spans)
new_spans = list(sorted(new_spans))
return new_spans
|
table_cells_2_spans
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(table, spans):\n new_spans = []\n for row in range(len(table)):\n for column in range(len(table[row])):\n span = get_span(spans, row, column)\n if not span:\n new_spans.append([[row, column]])\n new_spans.extend(spans)\n new_spans = list(sorted(new_spans))\n return new_spans\n",
"role": "user"
},
{
"content": "table_cells_2_spans",
"role": "assistant"
}
] |
def x(self, desc=None):
res = asarray(self.rc('index'))
if desc == True:
return reversed(res)
else:
return res
|
keys
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, desc=None):\n res = asarray(self.rc('index'))\n if desc == True:\n return reversed(res)\n else:\n return res\n",
"role": "user"
},
{
"content": "keys",
"role": "assistant"
}
] |
def x(self, desc=None):
if self._ts:
res = asarray(self._ts)
if desc == True:
return reversed(res)
else:
return res
else:
return ndarray([0, 0])
|
values
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, desc=None):\n if self._ts:\n res = asarray(self._ts)\n if desc == True:\n return reversed(res)\n else:\n return res\n else:\n return ndarray([0, 0])\n",
"role": "user"
},
{
"content": "values",
"role": "assistant"
}
] |
def x(self, command, *args, **kwargs):
cls = self.__class__
name = kwargs.pop('name', '')
date = kwargs.pop('date', None)
data = kwargs.pop('data', None)
kwargs.pop('bycolumn', None)
ts = cls(name=name, date=date, data=data)
ts._ts = self.rc(command, *args, **kwargs)
return ts
|
rcts
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, command, *args, **kwargs):\n cls = self.__class__\n name = kwargs.pop('name', '')\n date = kwargs.pop('date', None)\n data = kwargs.pop('data', None)\n kwargs.pop('bycolumn', None)\n ts = cls(name=name, date=date, data=data)\n ts._ts = self.rc(command, *args, **kwargs)\n return ts\n",
"role": "user"
},
{
"content": "rcts",
"role": "assistant"
}
] |
def x(html_string):
try:
from bs4 import BeautifulSoup
except ImportError:
print('ERROR: You must have BeautifulSoup to use html2data')
return
soup = BeautifulSoup(html_string, 'html.parser')
table = soup.find('table')
if not table:
return 0
column_counts = []
trs = table.findAll('tr')
if len(trs) == 0:
return 0
for tr in range(len(trs)):
if tr == 0:
tds = trs[tr].findAll('th')
if len(tds) == 0:
tds = trs[tr].findAll('td')
else:
tds = trs[tr].findAll('td')
count = 0
for td in tds:
if td.has_attr('colspan'):
count += int(td['colspan'])
else:
count += 1
column_counts.append(count)
return max(column_counts)
|
get_html_column_count
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(html_string):\n try:\n from bs4 import BeautifulSoup\n except ImportError:\n print('ERROR: You must have BeautifulSoup to use html2data')\n return\n soup = BeautifulSoup(html_string, 'html.parser')\n table = soup.find('table')\n if not table:\n return 0\n column_counts = []\n trs = table.findAll('tr')\n if len(trs) == 0:\n return 0\n for tr in range(len(trs)):\n if tr == 0:\n tds = trs[tr].findAll('th')\n if len(tds) == 0:\n tds = trs[tr].findAll('td')\n else:\n tds = trs[tr].findAll('td')\n count = 0\n for td in tds:\n if td.has_attr('colspan'):\n count += int(td['colspan'])\n else:\n count += 1\n column_counts.append(count)\n return max(column_counts)\n",
"role": "user"
},
{
"content": "get_html_column_count",
"role": "assistant"
}
] |
def x(table):
for row in range(len(table)):
for column in range(len(table[row])):
lines = table[row][column].split('\n')
for i in range(len(lines)):
if not lines[i] == '':
lines[i] = ' ' + lines[i].rstrip() + ' '
table[row][column] = '\n'.join(lines)
return table
|
add_cushions
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(table):\n for row in range(len(table)):\n for column in range(len(table[row])):\n lines = table[row][column].split('\\n')\n for i in range(len(lines)):\n if not lines[i] == '':\n lines[i] = ' ' + lines[i].rstrip() + ' '\n table[row][column] = '\\n'.join(lines)\n return table\n",
"role": "user"
},
{
"content": "add_cushions",
"role": "assistant"
}
] |
def x(self, func, window=20, name=None, fallback=False, align='right', **kwargs
):
rname = 'roll_{0}'.format(func)
if fallback:
rfunc = getattr(lib.fallback, rname)
else:
rfunc = getattr(lib, rname, None)
if not rfunc:
rfunc = getattr(lib.fallback, rname)
data = np.array([list(rfunc(serie, window)) for serie in self.series()])
name = name or self.makename(func, window=window)
dates = asarray(self.dates())
desc = settings.desc
if align == 'right' and not desc or desc:
dates = dates[window - 1:]
else:
dates = dates[:-window + 1]
return self.clone(dates, data.transpose(), name=name)
|
rollsingle
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, func, window=20, name=None, fallback=False, align='right', **kwargs\n ):\n rname = 'roll_{0}'.format(func)\n if fallback:\n rfunc = getattr(lib.fallback, rname)\n else:\n rfunc = getattr(lib, rname, None)\n if not rfunc:\n rfunc = getattr(lib.fallback, rname)\n data = np.array([list(rfunc(serie, window)) for serie in self.series()])\n name = name or self.makename(func, window=window)\n dates = asarray(self.dates())\n desc = settings.desc\n if align == 'right' and not desc or desc:\n dates = dates[window - 1:]\n else:\n dates = dates[:-window + 1]\n return self.clone(dates, data.transpose(), name=name)\n",
"role": "user"
},
{
"content": "rollsingle",
"role": "assistant"
}
] |
def x(self, dt):
i = bisect_left(self.dates, dt)
if i != len(self.dates):
return i
raise RightOutOfBound
|
find_ge
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, dt):\n i = bisect_left(self.dates, dt)\n if i != len(self.dates):\n return i\n raise RightOutOfBound\n",
"role": "user"
},
{
"content": "find_ge",
"role": "assistant"
}
] |
def x(self, dt):
i = bisect_right(self.dates, dt)
if i:
return i - 1
raise LeftOutOfBound
|
find_le
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, dt):\n i = bisect_right(self.dates, dt)\n if i:\n return i - 1\n raise LeftOutOfBound\n",
"role": "user"
},
{
"content": "find_le",
"role": "assistant"
}
] |
def x():
op.create_table('transaction', sa.Column('issued_at', sa.DateTime(),
nullable=True), sa.Column('id', sa.BigInteger(), nullable=False),
sa.Column('remote_addr', sa.String(length=50), nullable=True))
op.create_primary_key('pk_transaction', 'transaction', ['id'])
if op._proxy.migration_context.dialect.supports_sequences:
op.execute(CreateSequence(Sequence('transaction_id_seq')))
|
upgrade
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n op.create_table('transaction', sa.Column('issued_at', sa.DateTime(),\n nullable=True), sa.Column('id', sa.BigInteger(), nullable=False),\n sa.Column('remote_addr', sa.String(length=50), nullable=True))\n op.create_primary_key('pk_transaction', 'transaction', ['id'])\n if op._proxy.migration_context.dialect.supports_sequences:\n op.execute(CreateSequence(Sequence('transaction_id_seq')))\n",
"role": "user"
},
{
"content": "upgrade",
"role": "assistant"
}
] |
def x():
op.drop_table('transaction')
if op._proxy.migration_context.dialect.supports_sequences:
op.execute(DropSequence(Sequence('transaction_id_seq')))
|
downgrade
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n op.drop_table('transaction')\n if op._proxy.migration_context.dialect.supports_sequences:\n op.execute(DropSequence(Sequence('transaction_id_seq')))\n",
"role": "user"
},
{
"content": "downgrade",
"role": "assistant"
}
] |
def x(self, t):
try:
sv = t.value
v = float(sv)
iv = int(v)
t.value = iv if iv == v else v, sv
except ValueError:
print('Number %s is too large!' % t.value)
t.value = 0
return t
|
t_NUMBER
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, t):\n try:\n sv = t.value\n v = float(sv)\n iv = int(v)\n t.value = iv if iv == v else v, sv\n except ValueError:\n print('Number %s is too large!' % t.value)\n t.value = 0\n return t\n",
"role": "user"
},
{
"content": "t_NUMBER",
"role": "assistant"
}
] |
def x(self, t):
res = self.oper.get(t.value, None)
if res is None:
res = t.value.upper()
if res == 'FALSE':
t.type = 'BOOL'
t.value = False
elif res == 'TRUE':
t.type = 'BOOL'
t.value = True
else:
t.type = 'ID'
else:
t.value = res
t.type = 'FUNCTION'
return t
|
t_ID
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, t):\n res = self.oper.get(t.value, None)\n if res is None:\n res = t.value.upper()\n if res == 'FALSE':\n t.type = 'BOOL'\n t.value = False\n elif res == 'TRUE':\n t.type = 'BOOL'\n t.value = True\n else:\n t.type = 'ID'\n else:\n t.value = res\n t.type = 'FUNCTION'\n return t\n",
"role": "user"
},
{
"content": "t_ID",
"role": "assistant"
}
] |
def x(newick, root_node=None, format=0):
if isinstance(newick, six.string_types):
if os.path.exists(newick):
if newick.endswith('.gz'):
import gzip
nw = gzip.open(newick).read()
else:
nw = open(newick, 'rU').read()
else:
nw = newick
matcher = compile_matchers(formatcode=format)
nw = nw.strip()
if not nw.startswith('(') and nw.endswith(';'):
return _read_node_data(nw[:-1], root_node, 'single', matcher,
format)
elif not nw.startswith('(') or not nw.endswith(';'):
raise NewickError(
'Unexisting tree file or Malformed newick tree structure.')
else:
return _read_newick_from_string(nw, root_node, matcher, format)
else:
raise NewickError(
"'newick' argument must be either a filename or a newick string.")
|
read_newick
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(newick, root_node=None, format=0):\n if isinstance(newick, six.string_types):\n if os.path.exists(newick):\n if newick.endswith('.gz'):\n import gzip\n nw = gzip.open(newick).read()\n else:\n nw = open(newick, 'rU').read()\n else:\n nw = newick\n matcher = compile_matchers(formatcode=format)\n nw = nw.strip()\n if not nw.startswith('(') and nw.endswith(';'):\n return _read_node_data(nw[:-1], root_node, 'single', matcher,\n format)\n elif not nw.startswith('(') or not nw.endswith(';'):\n raise NewickError(\n 'Unexisting tree file or Malformed newick tree structure.')\n else:\n return _read_newick_from_string(nw, root_node, matcher, format)\n else:\n raise NewickError(\n \"'newick' argument must be either a filename or a newick string.\")\n",
"role": "user"
},
{
"content": "read_newick",
"role": "assistant"
}
] |
def x(nw, root_node, matcher, formatcode):
if nw.count('(') != nw.count(')'):
raise NewickError('Parentheses do not match. Broken tree structure?')
nw = re.sub('[\n\r\t]+', '', nw)
current_parent = None
for chunk in nw.split('(')[1:]:
current_parent = (root_node if current_parent is None else
current_parent.add_child())
subchunks = [ch.strip() for ch in chunk.split(',')]
if subchunks[-1] != '' and not subchunks[-1].endswith(';'):
raise NewickError('Broken newick structure at: %s' % chunk)
for i, leaf in enumerate(subchunks):
if leaf.strip() == '' and i == len(subchunks) - 1:
continue
closing_nodes = leaf.split(')')
_read_node_data(closing_nodes[0], current_parent, 'leaf',
matcher, formatcode)
if len(closing_nodes) > 1:
for closing_internal in closing_nodes[1:]:
closing_internal = closing_internal.rstrip(';')
_read_node_data(closing_internal, current_parent,
'internal', matcher, formatcode)
current_parent = current_parent.up
return root_node
|
read_newick_from_string
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(nw, root_node, matcher, formatcode):\n if nw.count('(') != nw.count(')'):\n raise NewickError('Parentheses do not match. Broken tree structure?')\n nw = re.sub('[\\n\\r\\t]+', '', nw)\n current_parent = None\n for chunk in nw.split('(')[1:]:\n current_parent = (root_node if current_parent is None else\n current_parent.add_child())\n subchunks = [ch.strip() for ch in chunk.split(',')]\n if subchunks[-1] != '' and not subchunks[-1].endswith(';'):\n raise NewickError('Broken newick structure at: %s' % chunk)\n for i, leaf in enumerate(subchunks):\n if leaf.strip() == '' and i == len(subchunks) - 1:\n continue\n closing_nodes = leaf.split(')')\n _read_node_data(closing_nodes[0], current_parent, 'leaf',\n matcher, formatcode)\n if len(closing_nodes) > 1:\n for closing_internal in closing_nodes[1:]:\n closing_internal = closing_internal.rstrip(';')\n _read_node_data(closing_internal, current_parent,\n 'internal', matcher, formatcode)\n current_parent = current_parent.up\n return root_node\n",
"role": "user"
},
{
"content": "read_newick_from_string",
"role": "assistant"
}
] |
def x(node, NHX_string):
NHX_string = NHX_string.replace('[&&NHX:', '')
NHX_string = NHX_string.replace(']', '')
for field in NHX_string.split(':'):
try:
pname, pvalue = field.split('=')
except ValueError as e:
raise NewickError('Invalid NHX format %s' % field)
node.add_feature(pname, pvalue)
|
parse_extra_features
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(node, NHX_string):\n NHX_string = NHX_string.replace('[&&NHX:', '')\n NHX_string = NHX_string.replace(']', '')\n for field in NHX_string.split(':'):\n try:\n pname, pvalue = field.split('=')\n except ValueError as e:\n raise NewickError('Invalid NHX format %s' % field)\n node.add_feature(pname, pvalue)\n",
"role": "user"
},
{
"content": "parse_extra_features",
"role": "assistant"
}
] |
def x(formatcode):
matchers = {}
for node_type in ['leaf', 'single', 'internal']:
if node_type == 'leaf' or node_type == 'single':
container1 = NW_FORMAT[formatcode][0][0]
container2 = NW_FORMAT[formatcode][1][0]
converterFn1 = NW_FORMAT[formatcode][0][1]
converterFn2 = NW_FORMAT[formatcode][1][1]
flexible1 = NW_FORMAT[formatcode][0][2]
flexible2 = NW_FORMAT[formatcode][1][2]
else:
container1 = NW_FORMAT[formatcode][2][0]
container2 = NW_FORMAT[formatcode][3][0]
converterFn1 = NW_FORMAT[formatcode][2][1]
converterFn2 = NW_FORMAT[formatcode][3][1]
flexible1 = NW_FORMAT[formatcode][2][2]
flexible2 = NW_FORMAT[formatcode][3][2]
if converterFn1 == str:
FIRST_MATCH = '(' + _NAME_RE + ')'
elif converterFn1 == float:
FIRST_MATCH = '(' + _FLOAT_RE + ')'
elif converterFn1 is None:
FIRST_MATCH = '()'
if converterFn2 == str:
SECOND_MATCH = '(:' + _NAME_RE + ')'
elif converterFn2 == float:
SECOND_MATCH = '(:' + _FLOAT_RE + ')'
elif converterFn2 is None:
SECOND_MATCH = '()'
if flexible1 and node_type != 'leaf':
FIRST_MATCH += '?'
if flexible2:
SECOND_MATCH += '?'
matcher_str = '^\\s*%s\\s*%s\\s*(%s)?\\s*$' % (FIRST_MATCH,
SECOND_MATCH, _NHX_RE)
compiled_matcher = re.compile(matcher_str)
matchers[node_type] = [container1, container2, converterFn1,
converterFn2, compiled_matcher]
return matchers
|
compile_matchers
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(formatcode):\n matchers = {}\n for node_type in ['leaf', 'single', 'internal']:\n if node_type == 'leaf' or node_type == 'single':\n container1 = NW_FORMAT[formatcode][0][0]\n container2 = NW_FORMAT[formatcode][1][0]\n converterFn1 = NW_FORMAT[formatcode][0][1]\n converterFn2 = NW_FORMAT[formatcode][1][1]\n flexible1 = NW_FORMAT[formatcode][0][2]\n flexible2 = NW_FORMAT[formatcode][1][2]\n else:\n container1 = NW_FORMAT[formatcode][2][0]\n container2 = NW_FORMAT[formatcode][3][0]\n converterFn1 = NW_FORMAT[formatcode][2][1]\n converterFn2 = NW_FORMAT[formatcode][3][1]\n flexible1 = NW_FORMAT[formatcode][2][2]\n flexible2 = NW_FORMAT[formatcode][3][2]\n if converterFn1 == str:\n FIRST_MATCH = '(' + _NAME_RE + ')'\n elif converterFn1 == float:\n FIRST_MATCH = '(' + _FLOAT_RE + ')'\n elif converterFn1 is None:\n FIRST_MATCH = '()'\n if converterFn2 == str:\n SECOND_MATCH = '(:' + _NAME_RE + ')'\n elif converterFn2 == float:\n SECOND_MATCH = '(:' + _FLOAT_RE + ')'\n elif converterFn2 is None:\n SECOND_MATCH = '()'\n if flexible1 and node_type != 'leaf':\n FIRST_MATCH += '?'\n if flexible2:\n SECOND_MATCH += '?'\n matcher_str = '^\\\\s*%s\\\\s*%s\\\\s*(%s)?\\\\s*$' % (FIRST_MATCH,\n SECOND_MATCH, _NHX_RE)\n compiled_matcher = re.compile(matcher_str)\n matchers[node_type] = [container1, container2, converterFn1,\n converterFn2, compiled_matcher]\n return matchers\n",
"role": "user"
},
{
"content": "compile_matchers",
"role": "assistant"
}
] |
def x(subnw, current_node, node_type, matcher, formatcode):
if node_type == 'leaf' or node_type == 'single':
if node_type == 'leaf':
node = current_node.add_child()
else:
node = current_node
else:
node = current_node
subnw = subnw.strip()
if not subnw and node_type == 'leaf' and formatcode != 100:
raise NewickError('Empty leaf node found')
elif not subnw:
return
(container1, container2, converterFn1, converterFn2, compiled_matcher
) = matcher[node_type]
data = re.match(compiled_matcher, subnw)
if data:
data = data.groups()
if subnw and data[0] is None and data[1] is None and data[2] is None:
raise NewickError("Unexpected newick format '%s'" % subnw)
if data[0] is not None and data[0] != '':
node.add_feature(container1, converterFn1(data[0].strip()))
if data[1] is not None and data[1] != '':
node.add_feature(container2, converterFn2(data[1][1:].strip()))
if data[2] is not None and data[2].startswith('[&&NHX'):
_parse_extra_features(node, data[2])
else:
raise NewickError("Unexpected newick format '%s' " % subnw[0:50])
return
|
read_node_data
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(subnw, current_node, node_type, matcher, formatcode):\n if node_type == 'leaf' or node_type == 'single':\n if node_type == 'leaf':\n node = current_node.add_child()\n else:\n node = current_node\n else:\n node = current_node\n subnw = subnw.strip()\n if not subnw and node_type == 'leaf' and formatcode != 100:\n raise NewickError('Empty leaf node found')\n elif not subnw:\n return\n (container1, container2, converterFn1, converterFn2, compiled_matcher\n ) = matcher[node_type]\n data = re.match(compiled_matcher, subnw)\n if data:\n data = data.groups()\n if subnw and data[0] is None and data[1] is None and data[2] is None:\n raise NewickError(\"Unexpected newick format '%s'\" % subnw)\n if data[0] is not None and data[0] != '':\n node.add_feature(container1, converterFn1(data[0].strip()))\n if data[1] is not None and data[1] != '':\n node.add_feature(container2, converterFn2(data[1][1:].strip()))\n if data[2] is not None and data[2].startswith('[&&NHX'):\n _parse_extra_features(node, data[2])\n else:\n raise NewickError(\"Unexpected newick format '%s' \" % subnw[0:50])\n return\n",
"role": "user"
},
{
"content": "read_node_data",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.