source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(self, filelist): if isinstance(filelist, basestring): self.link(href=filelist, rel='stylesheet', type='text/css', media='all' ) else: for file in filelist: self.link(href=file, rel='stylesheet', type='text/css', media='all' )
css
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, filelist):\n if isinstance(filelist, basestring):\n self.link(href=filelist, rel='stylesheet', type='text/css', media='all'\n )\n else:\n for file in filelist:\n self.link(href=file, rel='stylesheet', type='text/css', media='all'\n )\n", "role": "user" }, { "content": "css", "role": "assistant" } ]
def x(self, mydict): if isinstance(mydict, dict): for name, content in list(mydict.items()): self.meta(name=name, content=content) else: raise TypeError( 'Metainfo should be called with a dictionary argument of name:content pairs.' )
metainfo
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, mydict):\n if isinstance(mydict, dict):\n for name, content in list(mydict.items()):\n self.meta(name=name, content=content)\n else:\n raise TypeError(\n 'Metainfo should be called with a dictionary argument of name:content pairs.'\n )\n", "role": "user" }, { "content": "metainfo", "role": "assistant" } ]
def x(self, mydict): if isinstance(mydict, dict): for src, type in list(mydict.items()): self.script('', src=src, type='text/%s' % type) else: try: for src in mydict: self.script('', src=src, type='text/javascript') except: raise TypeError( "Script should be given a dictionary of src:type pairs or a list of javascript src's." )
scripts
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, mydict):\n if isinstance(mydict, dict):\n for src, type in list(mydict.items()):\n self.script('', src=src, type='text/%s' % type)\n else:\n try:\n for src in mydict:\n self.script('', src=src, type='text/javascript')\n except:\n raise TypeError(\n \"Script should be given a dictionary of src:type pairs or a list of javascript src's.\"\n )\n", "role": "user" }, { "content": "scripts", "role": "assistant" } ]
def x(*sequences): if len(sequences) > 1: head = tuple((x,) for x in sequences[0]) for t in MultiIter(*sequences[1:]): for h in head: yield h + t elif sequences: for t in sequences[0]: yield t,
MultiIter
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(*sequences):\n if len(sequences) > 1:\n head = tuple((x,) for x in sequences[0])\n for t in MultiIter(*sequences[1:]):\n for h in head:\n yield h + t\n elif sequences:\n for t in sequences[0]:\n yield t,\n", "role": "user" }, { "content": "MultiIter", "role": "assistant" } ]
def x(vals, n): if n == len(vals): yield tuple(vals) elif n > 1: n -= 1 for i, v in enumerate(vals[:-n]): v = v, for c in choices(vals[i + 1:], n): yield v + c elif n == 1: for v in vals: yield v, elif n == 0: yield () else: raise ValueError(n)
choices
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(vals, n):\n if n == len(vals):\n yield tuple(vals)\n elif n > 1:\n n -= 1\n for i, v in enumerate(vals[:-n]):\n v = v,\n for c in choices(vals[i + 1:], n):\n yield v + c\n elif n == 1:\n for v in vals:\n yield v,\n elif n == 0:\n yield ()\n else:\n raise ValueError(n)\n", "role": "user" }, { "content": "choices", "role": "assistant" } ]
def x(iterable): temp_dict = {} for e in iterable: if e not in temp_dict: yield temp_dict.setdefault(e, e)
uniq
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(iterable):\n temp_dict = {}\n for e in iterable:\n if e not in temp_dict:\n yield temp_dict.setdefault(e, e)\n", "role": "user" }, { "content": "uniq", "role": "assistant" } ]
def x(iterable): temp_dict = {} for e in iterable: if e in temp_dict: yield e temp_dict.setdefault(e, e)
nonuniq
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(iterable):\n temp_dict = {}\n for e in iterable:\n if e in temp_dict:\n yield e\n temp_dict.setdefault(e, e)\n", "role": "user" }, { "content": "nonuniq", "role": "assistant" } ]
def x(sequence, levels=1): if levels == 0: for x in sequence: yield x else: for x in sequence: for y in flatten(x, levels - 1): yield y
flatten
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(sequence, levels=1):\n if levels == 0:\n for x in sequence:\n yield x\n else:\n for x in sequence:\n for y in flatten(x, levels - 1):\n yield y\n", "role": "user" }, { "content": "flatten", "role": "assistant" } ]
def x(func, sequence): target = 0 for source in xrange(len(sequence)): if func(sequence[source]): sequence[target] = sequence[source] target += 1 del sequence[target:]
inplace_filter
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(func, sequence):\n target = 0\n for source in xrange(len(sequence)):\n if func(sequence[source]):\n sequence[target] = sequence[source]\n target += 1\n del sequence[target:]\n", "role": "user" }, { "content": "inplace_filter", "role": "assistant" } ]
def x(*iterables, **kwargs): reverse = kwargs.pop('reverse', False) keyfunc = kwargs.pop('key', lambda x: x) if kwargs: raise TypeError("invalid keyword argument '%s'" % kwargs.keys()[0]) nextvals = {} for iterable in iterables: next = iter(iterable).next try: nextval = next() nextvals[next] = keyfunc(nextval), nextval, next except StopIteration: pass if not nextvals: return if reverse: select = max else: select = min values = nextvals.itervalues if len(nextvals) > 1: while 1: _, val, next = select(values()) yield val try: nextval = next() nextvals[next] = keyfunc(nextval), nextval, next except StopIteration: del nextvals[next] if len(nextvals) < 2: break (_, val, next), = values() yield val while 1: yield next()
inorder
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(*iterables, **kwargs):\n reverse = kwargs.pop('reverse', False)\n keyfunc = kwargs.pop('key', lambda x: x)\n if kwargs:\n raise TypeError(\"invalid keyword argument '%s'\" % kwargs.keys()[0])\n nextvals = {}\n for iterable in iterables:\n next = iter(iterable).next\n try:\n nextval = next()\n nextvals[next] = keyfunc(nextval), nextval, next\n except StopIteration:\n pass\n if not nextvals:\n return\n if reverse:\n select = max\n else:\n select = min\n values = nextvals.itervalues\n if len(nextvals) > 1:\n while 1:\n _, val, next = select(values())\n yield val\n try:\n nextval = next()\n nextvals[next] = keyfunc(nextval), nextval, next\n except StopIteration:\n del nextvals[next]\n if len(nextvals) < 2:\n break\n (_, val, next), = values()\n yield val\n while 1:\n yield next()\n", "role": "user" }, { "content": "inorder", "role": "assistant" } ]
def x(lo, hi, n=1.0): if not 0 <= lo < hi: raise ValueError('require 0 <= lo < hi: lo = %d, hi = %d' % (lo, hi)) if n <= 0.0: raise ValueError('n <= 0: %g' % n) elif n == 1.0: try: lnP = math.log(1.0 / (hi - lo)) except ValueError: raise ValueError('[lo, hi) domain error') hi -= 1 rnd = random.randint while 1: yield rnd(lo, hi), lnP lnP = numpy.arange(lo, hi + 1, dtype='double') ** n lnP -= lnP[0] lnP /= lnP[-1] lnP = tuple(numpy.log(lnP[1:] - lnP[:-1])) if numpy.isinf(lnP).any(): raise ValueError('[lo, hi) domain error') beta = lo ** n / (hi ** n - lo ** n) n = 1.0 / n alpha = hi / (1.0 + beta) ** n flr = math.floor rnd = random.random while 1: index = int(flr(alpha * (rnd() + beta) ** n)) assert index >= lo yield index, lnP[index - lo]
randindex
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(lo, hi, n=1.0):\n if not 0 <= lo < hi:\n raise ValueError('require 0 <= lo < hi: lo = %d, hi = %d' % (lo, hi))\n if n <= 0.0:\n raise ValueError('n <= 0: %g' % n)\n elif n == 1.0:\n try:\n lnP = math.log(1.0 / (hi - lo))\n except ValueError:\n raise ValueError('[lo, hi) domain error')\n hi -= 1\n rnd = random.randint\n while 1:\n yield rnd(lo, hi), lnP\n lnP = numpy.arange(lo, hi + 1, dtype='double') ** n\n lnP -= lnP[0]\n lnP /= lnP[-1]\n lnP = tuple(numpy.log(lnP[1:] - lnP[:-1]))\n if numpy.isinf(lnP).any():\n raise ValueError('[lo, hi) domain error')\n beta = lo ** n / (hi ** n - lo ** n)\n n = 1.0 / n\n alpha = hi / (1.0 + beta) ** n\n flr = math.floor\n rnd = random.random\n while 1:\n index = int(flr(alpha * (rnd() + beta) ** n))\n assert index >= lo\n yield index, lnP[index - lo]\n", "role": "user" }, { "content": "randindex", "role": "assistant" } ]
def x(self, x): return tuple.__new__(self.__class__, (self[0] + x, self[1] + x))
shift
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, x):\n return tuple.__new__(self.__class__, (self[0] + x, self[1] + x))\n", "role": "user" }, { "content": "shift", "role": "assistant" } ]
def x(self): if not len(self): raise ValueError('empty list') min, max = self[0] for lo, hi in self: if min > lo: min = lo if max < hi: max = hi return segment(min, max)
extent
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if not len(self):\n raise ValueError('empty list')\n min, max = self[0]\n for lo, hi in self:\n if min > lo:\n min = lo\n if max < hi:\n max = hi\n return segment(min, max)\n", "role": "user" }, { "content": "extent", "role": "assistant" } ]
def x(self, item): for i, seg in enumerate(self): if item in seg: return i raise ValueError(item)
find
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, item):\n for i, seg in enumerate(self):\n if item in seg:\n return i\n raise ValueError(item)\n", "role": "user" }, { "content": "find", "role": "assistant" } ]
def x(self, other): i = _bisect_left(self, other) return i != 0 and other[0] < self[i - 1][1] or i != len(self) and other[1 ] > self[i][0]
intersects_segment
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, other):\n i = _bisect_left(self, other)\n return i != 0 and other[0] < self[i - 1][1] or i != len(self) and other[1\n ] > self[i][0]\n", "role": "user" }, { "content": "intersects_segment", "role": "assistant" } ]
def x(self, other): if not (self and other): return False i = j = 0 seg = self[0] otherseg = other[0] while True: if seg[1] <= otherseg[0]: i += 1 if i >= len(self): return False seg = self[i] elif otherseg[1] <= seg[0]: j += 1 if j >= len(other): return False otherseg = other[j] else: return True
intersects
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, other):\n if not (self and other):\n return False\n i = j = 0\n seg = self[0]\n otherseg = other[0]\n while True:\n if seg[1] <= otherseg[0]:\n i += 1\n if i >= len(self):\n return False\n seg = self[i]\n elif otherseg[1] <= seg[0]:\n j += 1\n if j >= len(other):\n return False\n otherseg = other[j]\n else:\n return True\n", "role": "user" }, { "content": "intersects", "role": "assistant" } ]
def x(self): self.sort() i = j = 0 n = len(self) while j < n: lo, hi = self[j] j += 1 while j < n and hi >= self[j][0]: hi = max(hi, self[j][1]) j += 1 if lo != hi: self[i] = segment(lo, hi) i += 1 del self[i:] return self
coalesce
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.sort()\n i = j = 0\n n = len(self)\n while j < n:\n lo, hi = self[j]\n j += 1\n while j < n and hi >= self[j][0]:\n hi = max(hi, self[j][1])\n j += 1\n if lo != hi:\n self[i] = segment(lo, hi)\n i += 1\n del self[i:]\n return self\n", "role": "user" }, { "content": "coalesce", "role": "assistant" } ]
def x(self, x): for i in xrange(len(self)): self[i] = self[i].protract(x) return self.coalesce()
protract
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, x):\n for i in xrange(len(self)):\n self[i] = self[i].protract(x)\n return self.coalesce()\n", "role": "user" }, { "content": "protract", "role": "assistant" } ]
def x(self, x): for i in xrange(len(self)): self[i] = self[i].contract(x) return self.coalesce()
contract
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, x):\n for i in xrange(len(self)):\n self[i] = self[i].contract(x)\n return self.coalesce()\n", "role": "user" }, { "content": "contract", "role": "assistant" } ]
def x(self, x): for i in xrange(len(self)): self[i] = self[i].shift(x) return self
shift
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, x):\n for i in xrange(len(self)):\n self[i] = self[i].shift(x)\n return self\n", "role": "user" }, { "content": "shift", "role": "assistant" } ]
def x(self, d): for key, value in d.iteritems(): if key in self: self[key] = value
update
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, d):\n for key, value in d.iteritems():\n if key in self:\n self[key] = value\n", "role": "user" }, { "content": "update", "role": "assistant" } ]
def x(self, keys=None): if keys is None: keys = self new = self.__class__() for key in keys: new[key] = _shallowcopy(self[key]) dict.__setitem__(new.offsets, key, self.offsets[key]) return new
copy
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, keys=None):\n if keys is None:\n keys = self\n new = self.__class__()\n for key in keys:\n new[key] = _shallowcopy(self[key])\n dict.__setitem__(new.offsets, key, self.offsets[key])\n return new\n", "role": "user" }, { "content": "copy", "role": "assistant" } ]
def x(self, func): return dict((key, func(value)) for key, value in self.iteritems())
map
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, func):\n return dict((key, func(value)) for key, value in self.iteritems())\n", "role": "user" }, { "content": "map", "role": "assistant" } ]
def x(self): segs = tuple(seglist.extent() for seglist in self.values() if seglist) if not segs: raise ValueError('empty list') return segment(min(seg[0] for seg in segs), max(seg[1] for seg in segs))
extent_all
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n segs = tuple(seglist.extent() for seglist in self.values() if seglist)\n if not segs:\n raise ValueError('empty list')\n return segment(min(seg[0] for seg in segs), max(seg[1] for seg in segs))\n", "role": "user" }, { "content": "extent_all", "role": "assistant" } ]
def x(self, x): return [key for key, segs in self.items() if x in segs]
keys_at
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, x):\n return [key for key, segs in self.items() if x in segs]\n", "role": "user" }, { "content": "keys_at", "role": "assistant" } ]
def x(self, seg): return any(value.intersects_segment(seg) for value in self.itervalues())
intersects_segment
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, seg):\n return any(value.intersects_segment(seg) for value in self.itervalues())\n", "role": "user" }, { "content": "intersects_segment", "role": "assistant" } ]
def x(self, other): return any(key in self and self[key].intersects(value) for key, value in other.iteritems())
intersects
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, other):\n return any(key in self and self[key].intersects(value) for key, value in\n other.iteritems())\n", "role": "user" }, { "content": "intersects", "role": "assistant" } ]
def x(self, other): return all(key in self and self[key].intersects(value) for key, value in other.iteritems()) and bool(other)
intersects_all
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, other):\n return all(key in self and self[key].intersects(value) for key, value in\n other.iteritems()) and bool(other)\n", "role": "user" }, { "content": "intersects_all", "role": "assistant" } ]
def x(self, other): return set(self) == set(other) and all(other[key].intersects(value) for key, value in self.iteritems()) and bool(self)
all_intersects_all
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, other):\n return set(self) == set(other) and all(other[key].intersects(value) for\n key, value in self.iteritems()) and bool(self)\n", "role": "user" }, { "content": "all_intersects_all", "role": "assistant" } ]
def x(self, other): for key, value in other.iteritems(): if key not in self: self[key] = _shallowcopy(value) else: self[key].extend(value)
extend
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, other):\n for key, value in other.iteritems():\n if key not in self:\n self[key] = _shallowcopy(value)\n else:\n self[key].extend(value)\n", "role": "user" }, { "content": "extend", "role": "assistant" } ]
def x(self, x): for value in self.itervalues(): value.contract(x) return self
contract
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, x):\n for value in self.itervalues():\n value.contract(x)\n return self\n", "role": "user" }, { "content": "contract", "role": "assistant" } ]
def x(self, x): for value in self.itervalues(): value.protract(x) return self
protract
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, x):\n for value in self.itervalues():\n value.protract(x)\n return self\n", "role": "user" }, { "content": "protract", "role": "assistant" } ]
def x(self, keys): keys = set(keys) new = self.__class__() intersection = self.intersection(keys) for key in keys: dict.__setitem__(new, key, _shallowcopy(intersection)) dict.__setitem__(new.offsets, key, self.offsets[key]) return new
extract_common
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, keys):\n keys = set(keys)\n new = self.__class__()\n intersection = self.intersection(keys)\n for key in keys:\n dict.__setitem__(new, key, _shallowcopy(intersection))\n dict.__setitem__(new.offsets, key, self.offsets[key])\n return new\n", "role": "user" }, { "content": "extract_common", "role": "assistant" } ]
def x(self, other, keys=None): if keys is not None: keys = set(keys) self = tuple(self[key] for key in set(self) & keys) other = tuple(other[key] for key in set(other) & keys) else: self = tuple(self.values()) other = tuple(other.values()) if len(self) < len(other): self, other = other, self return any(a.intersects(b) for a in self for b in other)
is_coincident
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, other, keys=None):\n if keys is not None:\n keys = set(keys)\n self = tuple(self[key] for key in set(self) & keys)\n other = tuple(other[key] for key in set(other) & keys)\n else:\n self = tuple(self.values())\n other = tuple(other.values())\n if len(self) < len(other):\n self, other = other, self\n return any(a.intersects(b) for a in self for b in other)\n", "role": "user" }, { "content": "is_coincident", "role": "assistant" } ]
def x(self, keys): keys = set(keys) if not keys: return segmentlist() seglist = _shallowcopy(self[keys.pop()]) for key in keys: seglist &= self[key] return seglist
intersection
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, keys):\n keys = set(keys)\n if not keys:\n return segmentlist()\n seglist = _shallowcopy(self[keys.pop()])\n for key in keys:\n seglist &= self[key]\n return seglist\n", "role": "user" }, { "content": "intersection", "role": "assistant" } ]
def x(connection, xmldoc, verbose=False): table_elems = xmldoc.getElementsByTagName(ligolw.Table.tagName) for i, tbl in enumerate(table_elems): if verbose: print >> sys.stderr, 'updating IDs: %d%%\r' % (100.0 * i / len( table_elems)) tbl.applyKeyMapping() if verbose: print >> sys.stderr, 'updating IDs: 100%' dbtables.idmap_reset(connection)
update_ids
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(connection, xmldoc, verbose=False):\n table_elems = xmldoc.getElementsByTagName(ligolw.Table.tagName)\n for i, tbl in enumerate(table_elems):\n if verbose:\n print >> sys.stderr, 'updating IDs: %d%%\\r' % (100.0 * i / len(\n table_elems))\n tbl.applyKeyMapping()\n if verbose:\n print >> sys.stderr, 'updating IDs: 100%'\n dbtables.idmap_reset(connection)\n", "role": "user" }, { "content": "update_ids", "role": "assistant" } ]
def x(url, preserve_ids=False, verbose=False, contenthandler=None): orig_DBTable_append = dbtables.DBTable.append if not preserve_ids: try: dbtables.idmap_create(contenthandler.connection) except sqlite3.OperationalError: pass dbtables.idmap_sync(contenthandler.connection) dbtables.DBTable.append = dbtables.DBTable._remapping_append else: dbtables.DBTable.append = dbtables.DBTable._append try: xmldoc = ligolw_utils.load_url(url, verbose=verbose, contenthandler =contenthandler) if not preserve_ids: update_ids(contenthandler.connection, xmldoc, verbose=verbose) finally: dbtables.DBTable.append = orig_DBTable_append contenthandler.connection.commit() xmldoc.unlink()
insert_from_url
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(url, preserve_ids=False, verbose=False, contenthandler=None):\n orig_DBTable_append = dbtables.DBTable.append\n if not preserve_ids:\n try:\n dbtables.idmap_create(contenthandler.connection)\n except sqlite3.OperationalError:\n pass\n dbtables.idmap_sync(contenthandler.connection)\n dbtables.DBTable.append = dbtables.DBTable._remapping_append\n else:\n dbtables.DBTable.append = dbtables.DBTable._append\n try:\n xmldoc = ligolw_utils.load_url(url, verbose=verbose, contenthandler\n =contenthandler)\n if not preserve_ids:\n update_ids(contenthandler.connection, xmldoc, verbose=verbose)\n finally:\n dbtables.DBTable.append = orig_DBTable_append\n contenthandler.connection.commit()\n xmldoc.unlink()\n", "role": "user" }, { "content": "insert_from_url", "role": "assistant" } ]
def x(connection, source_xmldoc, preserve_ids=False, verbose=False): orig_DBTable_append = dbtables.DBTable.append if not preserve_ids: try: dbtables.idmap_create(connection) except sqlite3.OperationalError: pass dbtables.idmap_sync(connection) dbtables.DBTable.append = dbtables.DBTable._remapping_append else: dbtables.DBTable.append = dbtables.DBTable._append try: xmldoc = ligolw.Document() xmldoc.appendChild(ligolw.LIGO_LW()) for tbl in source_xmldoc.getElementsByTagName(ligolw.Table.tagName): name = tbl.Name try: cls = dbtables.TableByName[name] except KeyError: cls = dbtables.DBTable dbtbl = xmldoc.childNodes[-1].appendChild(cls(tbl.attributes, connection=connection)) for elem in tbl.childNodes: if elem.tagName == ligolw.Stream.tagName: dbtbl._end_of_columns() dbtbl.appendChild(type(elem)(elem.attributes)) for row in tbl: dbtbl.append(row) dbtbl._end_of_rows() if not preserve_ids: update_ids(connection, xmldoc, verbose=verbose) finally: dbtables.DBTable.append = orig_DBTable_append connection.commit() xmldoc.unlink()
insert_from_xmldoc
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(connection, source_xmldoc, preserve_ids=False, verbose=False):\n orig_DBTable_append = dbtables.DBTable.append\n if not preserve_ids:\n try:\n dbtables.idmap_create(connection)\n except sqlite3.OperationalError:\n pass\n dbtables.idmap_sync(connection)\n dbtables.DBTable.append = dbtables.DBTable._remapping_append\n else:\n dbtables.DBTable.append = dbtables.DBTable._append\n try:\n xmldoc = ligolw.Document()\n xmldoc.appendChild(ligolw.LIGO_LW())\n for tbl in source_xmldoc.getElementsByTagName(ligolw.Table.tagName):\n name = tbl.Name\n try:\n cls = dbtables.TableByName[name]\n except KeyError:\n cls = dbtables.DBTable\n dbtbl = xmldoc.childNodes[-1].appendChild(cls(tbl.attributes,\n connection=connection))\n for elem in tbl.childNodes:\n if elem.tagName == ligolw.Stream.tagName:\n dbtbl._end_of_columns()\n dbtbl.appendChild(type(elem)(elem.attributes))\n for row in tbl:\n dbtbl.append(row)\n dbtbl._end_of_rows()\n if not preserve_ids:\n update_ids(connection, xmldoc, verbose=verbose)\n finally:\n dbtables.DBTable.append = orig_DBTable_append\n connection.commit()\n xmldoc.unlink()\n", "role": "user" }, { "content": "insert_from_xmldoc", "role": "assistant" } ]
def x(urls, contenthandler, **kwargs): verbose = kwargs.get('verbose', False) for n, url in enumerate(urls, 1): if verbose: print >> sys.stderr, '%d/%d:' % (n, len(urls)) insert_from_url(url, contenthandler=contenthandler, **kwargs) dbtables.build_indexes(contenthandler.connection, verbose)
insert_from_urls
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(urls, contenthandler, **kwargs):\n verbose = kwargs.get('verbose', False)\n for n, url in enumerate(urls, 1):\n if verbose:\n print >> sys.stderr, '%d/%d:' % (n, len(urls))\n insert_from_url(url, contenthandler=contenthandler, **kwargs)\n dbtables.build_indexes(contenthandler.connection, verbose)\n", "role": "user" }, { "content": "insert_from_urls", "role": "assistant" } ]
def x(connection, filename, table_names=None, verbose=False, xsl_file=None): xmldoc = ligolw.Document() xmldoc.appendChild(dbtables.get_xml(connection, table_names)) ligolw_utils.write_filename(xmldoc, filename, gz=(filename or 'stdout') .endswith('.gz'), verbose=verbose, xsl_file=xsl_file) xmldoc.unlink()
extract
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(connection, filename, table_names=None, verbose=False, xsl_file=None):\n xmldoc = ligolw.Document()\n xmldoc.appendChild(dbtables.get_xml(connection, table_names))\n ligolw_utils.write_filename(xmldoc, filename, gz=(filename or 'stdout')\n .endswith('.gz'), verbose=verbose, xsl_file=xsl_file)\n xmldoc.unlink()\n", "role": "user" }, { "content": "extract", "role": "assistant" } ]
def x(xmldoc, process, shared_object='standalone', lalwrapper_cvs_tag='', lal_cvs_tag='', comment=None, ifos=None, inseg=None, outseg=None, nevents=0, nnodes=1): row = lsctables.SearchSummary() row.process_id = process.process_id row.shared_object = shared_object row.lalwrapper_cvs_tag = lalwrapper_cvs_tag row.lal_cvs_tag = lal_cvs_tag row.comment = comment or process.comment row.instruments = ifos if ifos is not None else process.instruments row.in_segment = inseg row.out_segment = outseg row.nevents = nevents row.nnodes = nnodes try: tbl = lsctables.SearchSummaryTable.get_table(xmldoc) except ValueError: tbl = xmldoc.childNodes[0].appendChild(lsctables.New(lsctables. SearchSummaryTable)) tbl.append(row) return row
append_search_summary
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(xmldoc, process, shared_object='standalone', lalwrapper_cvs_tag='',\n lal_cvs_tag='', comment=None, ifos=None, inseg=None, outseg=None,\n nevents=0, nnodes=1):\n row = lsctables.SearchSummary()\n row.process_id = process.process_id\n row.shared_object = shared_object\n row.lalwrapper_cvs_tag = lalwrapper_cvs_tag\n row.lal_cvs_tag = lal_cvs_tag\n row.comment = comment or process.comment\n row.instruments = ifos if ifos is not None else process.instruments\n row.in_segment = inseg\n row.out_segment = outseg\n row.nevents = nevents\n row.nnodes = nnodes\n try:\n tbl = lsctables.SearchSummaryTable.get_table(xmldoc)\n except ValueError:\n tbl = xmldoc.childNodes[0].appendChild(lsctables.New(lsctables.\n SearchSummaryTable))\n tbl.append(row)\n return row\n", "role": "user" }, { "content": "append_search_summary", "role": "assistant" } ]
def x(xmldoc, program=None): stbl = lsctables.SearchSummaryTable.get_table(xmldoc) ptbl = lsctables.ProcessTable.get_table(xmldoc) return stbl.get_in_segmentlistdict(program and ptbl.get_ids_by_program( program))
segmentlistdict_fromsearchsummary_in
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(xmldoc, program=None):\n stbl = lsctables.SearchSummaryTable.get_table(xmldoc)\n ptbl = lsctables.ProcessTable.get_table(xmldoc)\n return stbl.get_in_segmentlistdict(program and ptbl.get_ids_by_program(\n program))\n", "role": "user" }, { "content": "segmentlistdict_fromsearchsummary_in", "role": "assistant" } ]
def x(xmldoc, program=None): stbl = lsctables.SearchSummaryTable.get_table(xmldoc) ptbl = lsctables.ProcessTable.get_table(xmldoc) return stbl.get_out_segmentlistdict(program and ptbl.get_ids_by_program (program))
segmentlistdict_fromsearchsummary_out
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(xmldoc, program=None):\n stbl = lsctables.SearchSummaryTable.get_table(xmldoc)\n ptbl = lsctables.ProcessTable.get_table(xmldoc)\n return stbl.get_out_segmentlistdict(program and ptbl.get_ids_by_program\n (program))\n", "role": "user" }, { "content": "segmentlistdict_fromsearchsummary_out", "role": "assistant" } ]
def x(func): def x(ctx, param, value): return PRESETS.get(value, (None, None)) def x(ctx, param, value): return hex_from_b64(value) if value else None func = click.option('--private', default=None, help='Private.', callback=parse_private)(func) func = click.option('--preset', default=None, help= 'Preset ID defining prime and generator pair.', type=click.Choice( PRESETS.keys()), callback=parse_preset)(func) return func
common_options
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(func):\n\n def x(ctx, param, value):\n return PRESETS.get(value, (None, None))\n\n def x(ctx, param, value):\n return hex_from_b64(value) if value else None\n func = click.option('--private', default=None, help='Private.',\n callback=parse_private)(func)\n func = click.option('--preset', default=None, help=\n 'Preset ID defining prime and generator pair.', type=click.Choice(\n PRESETS.keys()), callback=parse_preset)(func)\n return func\n", "role": "user" }, { "content": "common_options", "role": "assistant" } ]
def x(username, password_verifier, private, preset): session = SRPServerSession(SRPContext(username, prime=preset[0], generator=preset[1]), hex_from_b64(password_verifier), private=private) click.secho('Server private: %s' % session.private_b64) click.secho('Server public: %s' % session.public_b64)
get_private_and_public
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(username, password_verifier, private, preset):\n session = SRPServerSession(SRPContext(username, prime=preset[0],\n generator=preset[1]), hex_from_b64(password_verifier), private=private)\n click.secho('Server private: %s' % session.private_b64)\n click.secho('Server public: %s' % session.public_b64)\n", "role": "user" }, { "content": "get_private_and_public", "role": "assistant" } ]
def x(username, password_verifier, salt, client_public, private, preset): session = SRPServerSession(SRPContext(username, prime=preset[0], generator=preset[1]), hex_from_b64(password_verifier), private=private) session.process(client_public, salt, base64=True) click.secho('Server session key: %s' % session.key_b64) click.secho('Server session key proof: %s' % session.key_proof_b64) click.secho('Server session key hash: %s' % session.key_proof_hash_b64)
get_session_data
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(username, password_verifier, salt, client_public, private, preset):\n session = SRPServerSession(SRPContext(username, prime=preset[0],\n generator=preset[1]), hex_from_b64(password_verifier), private=private)\n session.process(client_public, salt, base64=True)\n click.secho('Server session key: %s' % session.key_b64)\n click.secho('Server session key proof: %s' % session.key_proof_b64)\n click.secho('Server session key hash: %s' % session.key_proof_hash_b64)\n", "role": "user" }, { "content": "get_session_data", "role": "assistant" } ]
def x(ctx, username, password, private, preset): session = SRPClientSession(SRPContext(username, password, prime=preset[ 0], generator=preset[1]), private=private) click.secho('Client private: %s' % session.private_b64) click.secho('Client public: %s' % session.public_b64)
get_private_and_public
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(ctx, username, password, private, preset):\n session = SRPClientSession(SRPContext(username, password, prime=preset[\n 0], generator=preset[1]), private=private)\n click.secho('Client private: %s' % session.private_b64)\n click.secho('Client public: %s' % session.public_b64)\n", "role": "user" }, { "content": "get_private_and_public", "role": "assistant" } ]
def x(ctx, username, password, salt, server_public, private, preset): session = SRPClientSession(SRPContext(username, password, prime=preset[ 0], generator=preset[1]), private=private) session.process(server_public, salt, base64=True) click.secho('Client session key: %s' % session.key_b64) click.secho('Client session key proof: %s' % session.key_proof_b64) click.secho('Client session key hash: %s' % session.key_proof_hash_b64)
get_session_data
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(ctx, username, password, salt, server_public, private, preset):\n session = SRPClientSession(SRPContext(username, password, prime=preset[\n 0], generator=preset[1]), private=private)\n session.process(server_public, salt, base64=True)\n click.secho('Client session key: %s' % session.key_b64)\n click.secho('Client session key proof: %s' % session.key_proof_b64)\n click.secho('Client session key hash: %s' % session.key_proof_hash_b64)\n", "role": "user" }, { "content": "get_session_data", "role": "assistant" } ]
def x(username, password): context = SRPContext(username, password) username, password_verifier, salt = context.get_user_data_triplet(base64 =True) click.secho('Username: %s' % username) click.secho('Password verifier: %s' % password_verifier) click.secho('Salt: %s' % salt)
get_user_data_triplet
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(username, password):\n context = SRPContext(username, password)\n username, password_verifier, salt = context.get_user_data_triplet(base64\n =True)\n click.secho('Username: %s' % username)\n click.secho('Password verifier: %s' % password_verifier)\n click.secho('Salt: %s' % salt)\n", "role": "user" }, { "content": "get_user_data_triplet", "role": "assistant" } ]
def x(func): def x(*args, **kw): cur_dir = os.getcwd() found = False for arg in sys.argv: if arg.endswith('.rst'): found = arg break if found: directory = os.path.dirname(found) if directory: os.chdir(directory) data = func(*args, **kw) os.chdir(cur_dir) return data return wrapper
cwd_decorator
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(func):\n\n def x(*args, **kw):\n cur_dir = os.getcwd()\n found = False\n for arg in sys.argv:\n if arg.endswith('.rst'):\n found = arg\n break\n if found:\n directory = os.path.dirname(found)\n if directory:\n os.chdir(directory)\n data = func(*args, **kw)\n os.chdir(cur_dir)\n return data\n return wrapper\n", "role": "user" }, { "content": "cwd_decorator", "role": "assistant" } ]
def x(node, pretty=False): fout = Sio() etree = et.ElementTree(node) etree.write(fout) xml = fout.getvalue() if pretty: xml = pretty_xml(xml, True) return xml
to_xml
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(node, pretty=False):\n fout = Sio()\n etree = et.ElementTree(node)\n etree.write(fout)\n xml = fout.getvalue()\n if pretty:\n xml = pretty_xml(xml, True)\n return xml\n", "role": "user" }, { "content": "to_xml", "role": "assistant" } ]
def x(string_input, add_ns=False): if add_ns: elem = '<foo ' for key, value in DOC_CONTENT_ATTRIB.items(): elem += ' %s="%s"' % (key, value) string_input = elem + '>' + string_input + '</foo>' doc = minidom.parseString(string_input) if add_ns: s1 = doc.childNodes[0].childNodes[0].toprettyxml(' ') else: s1 = doc.toprettyxml(' ') return s1
pretty_xml
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(string_input, add_ns=False):\n if add_ns:\n elem = '<foo '\n for key, value in DOC_CONTENT_ATTRIB.items():\n elem += ' %s=\"%s\"' % (key, value)\n string_input = elem + '>' + string_input + '</foo>'\n doc = minidom.parseString(string_input)\n if add_ns:\n s1 = doc.childNodes[0].childNodes[0].toprettyxml(' ')\n else:\n s1 = doc.toprettyxml(' ')\n return s1\n", "role": "user" }, { "content": "pretty_xml", "role": "assistant" } ]
def x(preso, pos, width, height, padding=1, top_margin=4, left_margin=2): available_width = SLIDE_WIDTH available_width -= left_margin * 2 available_width -= padding * (width - 1) column_width = available_width / width avail_height = SLIDE_HEIGHT avail_height -= top_margin avail_height -= padding * (height - 1) column_height = avail_height / height col_pos = int((pos - 1) % width) row_pos = int((pos - 1) / width) w = '{}cm'.format(column_width) h = '{}cm'.format(column_height) x = '{}cm'.format(left_margin + (col_pos * column_width + col_pos * padding)) y = '{}cm'.format(top_margin + (row_pos * column_height + row_pos * padding)) attr = {'presentation:class': 'outline', 'presentation:style-name': 'Default-outline1', 'svg:width': w, 'svg:height': h, 'svg:x': x, 'svg:y': y} preso.slides[-1].add_text_frame(attr) preso.slides[-1].grid_w_h_x_y = w, h, x, y
add_cell
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(preso, pos, width, height, padding=1, top_margin=4, left_margin=2):\n available_width = SLIDE_WIDTH\n available_width -= left_margin * 2\n available_width -= padding * (width - 1)\n column_width = available_width / width\n avail_height = SLIDE_HEIGHT\n avail_height -= top_margin\n avail_height -= padding * (height - 1)\n column_height = avail_height / height\n col_pos = int((pos - 1) % width)\n row_pos = int((pos - 1) / width)\n w = '{}cm'.format(column_width)\n h = '{}cm'.format(column_height)\n x = '{}cm'.format(left_margin + (col_pos * column_width + col_pos *\n padding))\n y = '{}cm'.format(top_margin + (row_pos * column_height + row_pos *\n padding))\n attr = {'presentation:class': 'outline', 'presentation:style-name':\n 'Default-outline1', 'svg:width': w, 'svg:height': h, 'svg:x': x,\n 'svg:y': y}\n preso.slides[-1].add_text_frame(attr)\n preso.slides[-1].grid_w_h_x_y = w, h, x, y\n", "role": "user" }, { "content": "add_cell", "role": "assistant" } ]
def x(preso, x1, y1, x2, y2, width='3pt', color='red'): marker_end_ratio = 0.459 / 3 marker_start_ratio = 0.359 / 3 stroke_ratio = 0.106 / 3 w = float(width[0:width.index('pt')]) sw = w * stroke_ratio mew = w * marker_end_ratio msw = w * marker_start_ratio attribs = {'svg:stroke-width': '{}cm'.format(sw), 'svg:stroke-color': color, 'draw:marker-start-width': '{}cm'.format(msw), 'draw:marker-end': 'Arrow', 'draw:marker-end-width': '{}cm'.format( mew), 'draw:fill': 'none', 'draw:textarea-vertical-align': 'middle'} style = LineStyle(**attribs) preso.add_style(style) line_attrib = {'draw:style-name': style.name, 'draw:layer': 'layout', 'svg:x1': x1, 'svg:y1': y1, 'svg:x2': x2, 'svg:y2': y2} line_node = el('draw:line', attrib=line_attrib) preso.slides[-1]._page.append(line_node)
add_line
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(preso, x1, y1, x2, y2, width='3pt', color='red'):\n marker_end_ratio = 0.459 / 3\n marker_start_ratio = 0.359 / 3\n stroke_ratio = 0.106 / 3\n w = float(width[0:width.index('pt')])\n sw = w * stroke_ratio\n mew = w * marker_end_ratio\n msw = w * marker_start_ratio\n attribs = {'svg:stroke-width': '{}cm'.format(sw), 'svg:stroke-color':\n color, 'draw:marker-start-width': '{}cm'.format(msw),\n 'draw:marker-end': 'Arrow', 'draw:marker-end-width': '{}cm'.format(\n mew), 'draw:fill': 'none', 'draw:textarea-vertical-align': 'middle'}\n style = LineStyle(**attribs)\n preso.add_style(style)\n line_attrib = {'draw:style-name': style.name, 'draw:layer': 'layout',\n 'svg:x1': x1, 'svg:y1': y1, 'svg:x2': x2, 'svg:y2': y2}\n line_node = el('draw:line', attrib=line_attrib)\n preso.slides[-1]._page.append(line_node)\n", "role": "user" }, { "content": "add_line", "role": "assistant" } ]
def x(self, zip_odp, style_file): style = zipwrap.Zippier(style_file) for picture_file in style.ls('Pictures'): zip_odp.write(picture_file, style.cat(picture_file, True)) xml_data = style.cat('styles.xml', False) xml_data = self.override_styles(xml_data) zip_odp.write('styles.xml', xml_data)
add_otp_style
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, zip_odp, style_file):\n style = zipwrap.Zippier(style_file)\n for picture_file in style.ls('Pictures'):\n zip_odp.write(picture_file, style.cat(picture_file, True))\n xml_data = style.cat('styles.xml', False)\n xml_data = self.override_styles(xml_data)\n zip_odp.write('styles.xml', xml_data)\n", "role": "user" }, { "content": "add_otp_style", "role": "assistant" } ]
def x(self, filename=None, write_style=True): out = zipwrap.Zippier(filename, 'w') out.write('mimetype', self.mime_type) for p in self._pictures: out.write('Pictures/%s' % p.internal_name, p.get_data()) out.write('content.xml', self.to_xml()) if write_style: out.write('styles.xml', self.styles_xml()) out.write('meta.xml', self.meta_xml()) out.write('settings.xml', self.settings_xml()) out.write('META-INF/manifest.xml', self.manifest_xml(out)) return out
to_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, filename=None, write_style=True):\n out = zipwrap.Zippier(filename, 'w')\n out.write('mimetype', self.mime_type)\n for p in self._pictures:\n out.write('Pictures/%s' % p.internal_name, p.get_data())\n out.write('content.xml', self.to_xml())\n if write_style:\n out.write('styles.xml', self.styles_xml())\n out.write('meta.xml', self.meta_xml())\n out.write('settings.xml', self.settings_xml())\n out.write('META-INF/manifest.xml', self.manifest_xml(out))\n return out\n", "role": "user" }, { "content": "to_file", "role": "assistant" } ]
def x(self): par = el('anim:par', attrib={'smil:begin': 'next'}) par2 = sub_el(par, 'anim:par', attrib={'smil:begin': '0s'}) par3 = sub_el(par2, 'anim:par', attrib={'smil:begin': '0s', 'smil:fill': 'hold', 'presentation:node-type': 'on-click', 'presentation:preset-class': 'entrance', 'presentation:preset-id': 'ooo-entrance-appear'}) if self.ids: for id in self.ids: sub_el(par3, 'anim:set', attrib={'smil:begin': '0s', 'smil:dur': '0.001s', 'smil:fill': 'hold', 'smil:targetElement': id, 'anim:sub-item': 'text', 'smil:attributeName': 'visibility', 'smil:to': 'visible'}) else: sub_el(par3, 'anim:set', attrib={'smil:begin': '0s', 'smil:dur': '0.001s', 'smil:fill': 'hold', 'smil:targetElement': self.id, 'anim:sub-item': 'text', 'smil:attributeName': 'visibility', 'smil:to': 'visible'}) return par
get_node
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n par = el('anim:par', attrib={'smil:begin': 'next'})\n par2 = sub_el(par, 'anim:par', attrib={'smil:begin': '0s'})\n par3 = sub_el(par2, 'anim:par', attrib={'smil:begin': '0s', 'smil:fill':\n 'hold', 'presentation:node-type': 'on-click',\n 'presentation:preset-class': 'entrance', 'presentation:preset-id':\n 'ooo-entrance-appear'})\n if self.ids:\n for id in self.ids:\n sub_el(par3, 'anim:set', attrib={'smil:begin': '0s', 'smil:dur':\n '0.001s', 'smil:fill': 'hold', 'smil:targetElement': id,\n 'anim:sub-item': 'text', 'smil:attributeName': 'visibility',\n 'smil:to': 'visible'})\n else:\n sub_el(par3, 'anim:set', attrib={'smil:begin': '0s', 'smil:dur':\n '0.001s', 'smil:fill': 'hold', 'smil:targetElement': self.id,\n 'anim:sub-item': 'text', 'smil:attributeName': 'visibility',\n 'smil:to': 'visible'})\n return par\n", "role": "user" }, { "content": "get_node", "role": "assistant" } ]
def x(self, attrib): if 'align' in self.user_defined: align = self.user_defined['align'] if 'top' in align: attrib['style:vertical-pos'] = 'top' if 'right' in align: attrib['style:horizontal-pos'] = 'right' return attrib
update_frame_attributes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, attrib):\n if 'align' in self.user_defined:\n align = self.user_defined['align']\n if 'top' in align:\n attrib['style:vertical-pos'] = 'top'\n if 'right' in align:\n attrib['style:horizontal-pos'] = 'right'\n return attrib\n", "role": "user" }, { "content": "update_frame_attributes", "role": "assistant" } ]
def x(self, mapping): default = {'presentation:background-visible': 'true', 'presentation:background-objects-visible': 'true', 'draw:fill': 'solid', 'draw:fill-color': '#772953', 'draw:fill-image-width': '0cm', 'draw:fill-image-height': '0cm', 'presentation:display-footer': 'true', 'presentation:display-page-number': 'false', 'presentation:display-date-time': 'true'} default.update(mapping) style = PageStyle(**default) node = style.style_node() self.preso._auto_styles.append(node) self._page.set(ns('draw', 'style-name'), node.attrib[ns('style', 'name')])
update_style
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, mapping):\n default = {'presentation:background-visible': 'true',\n 'presentation:background-objects-visible': 'true', 'draw:fill':\n 'solid', 'draw:fill-color': '#772953', 'draw:fill-image-width':\n '0cm', 'draw:fill-image-height': '0cm',\n 'presentation:display-footer': 'true',\n 'presentation:display-page-number': 'false',\n 'presentation:display-date-time': 'true'}\n default.update(mapping)\n style = PageStyle(**default)\n node = style.style_node()\n self.preso._auto_styles.append(node)\n self._page.set(ns('draw', 'style-name'), node.attrib[ns('style', 'name')])\n", "role": "user" }, { "content": "update_style", "role": "assistant" } ]
def x(self, name, attr): if self.cur_element is None: self.add_text_frame() self.cur_element.pending_nodes.append((name, attr))
push_pending_node
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name, attr):\n if self.cur_element is None:\n self.add_text_frame()\n self.cur_element.pending_nodes.append((name, attr))\n", "role": "user" }, { "content": "push_pending_node", "role": "assistant" } ]
def x(self, p): self.pic_frame = PictureFrame(self, p) self.pic_frame.add_node('draw:image', attrib={'xlink:href': 'Pictures/' + p.internal_name, 'xlink:type': 'simple', 'xlink:show': 'embed', 'xlink:actuate': 'onLoad'}) self._preso._pictures.append(p) node = self.pic_frame.get_node() self._page.append(node)
add_picture
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, p):\n self.pic_frame = PictureFrame(self, p)\n self.pic_frame.add_node('draw:image', attrib={'xlink:href': 'Pictures/' +\n p.internal_name, 'xlink:type': 'simple', 'xlink:show': 'embed',\n 'xlink:actuate': 'onLoad'})\n self._preso._pictures.append(p)\n node = self.pic_frame.get_node()\n self._page.append(node)\n", "role": "user" }, { "content": "add_picture", "role": "assistant" } ]
def x(self): ins = copy.copy(self) ins._fire_page_number(self.page_number + 1) return ins
copy
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n ins = copy.copy(self)\n ins._fire_page_number(self.page_number + 1)\n return ins\n", "role": "user" }, { "content": "copy", "role": "assistant" } ]
def x(self): if self.animations: anim_par = el('anim:par', attrib={'presentation:node-type': 'timing-root'}) self._page.append(anim_par) anim_seq = sub_el(anim_par, 'anim:seq', attrib={ 'presentation:node-type': 'main-sequence'}) for a in self.animations: a_node = a.get_node() anim_seq.append(a_node) if self.notes_frame: notes = self.notes_frame.get_node() self._page.append(notes) if self.footer: self._page.attrib[ns('presentation', 'use-footer-name') ] = self.footer.name return self._page
get_node
[ { "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.animations:\n anim_par = el('anim:par', attrib={'presentation:node-type':\n 'timing-root'})\n self._page.append(anim_par)\n anim_seq = sub_el(anim_par, 'anim:seq', attrib={\n 'presentation:node-type': 'main-sequence'})\n for a in self.animations:\n a_node = a.get_node()\n anim_seq.append(a_node)\n if self.notes_frame:\n notes = self.notes_frame.get_node()\n self._page.append(notes)\n if self.footer:\n self._page.attrib[ns('presentation', 'use-footer-name')\n ] = self.footer.name\n return self._page\n", "role": "user" }, { "content": "get_node", "role": "assistant" } ]
def x(self, bl): if self.cur_element is None: self.add_text_frame() self.push_element() self.cur_element._text_box.append(bl.node) style = bl.style_name if style not in self._preso._styles_added: self._preso._styles_added[style] = 1 content = bl.default_styles_root()[0] self._preso._auto_styles.append(content) self.cur_element = bl
add_list
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, bl):\n if self.cur_element is None:\n self.add_text_frame()\n self.push_element()\n self.cur_element._text_box.append(bl.node)\n style = bl.style_name\n if style not in self._preso._styles_added:\n self._preso._styles_added[style] = 1\n content = bl.default_styles_root()[0]\n self._preso._auto_styles.append(content)\n self.cur_element = bl\n", "role": "user" }, { "content": "add_list", "role": "assistant" } ]
def x(self, t): self.push_element() self._page.append(t.node) self.cur_element = t
add_table
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, t):\n self.push_element()\n self._page.append(t.node)\n self.cur_element = t\n", "role": "user" }, { "content": "add_table", "role": "assistant" } ]
def x(self, mapping): found = False for node in self._page.iter('*'): if node.text or node.tail: for old, new in mapping.items(): if node.text and old in node.text: node.text = node.text.replace(old, new) found = True if node.tail and old in node.tail: node.tail = node.tail.replace(old, new) found = True if not found: raise KeyError('Updating text failed with mapping:{}'.format(mapping))
update_text
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, mapping):\n found = False\n for node in self._page.iter('*'):\n if node.text or node.tail:\n for old, new in mapping.items():\n if node.text and old in node.text:\n node.text = node.text.replace(old, new)\n found = True\n if node.tail and old in node.tail:\n node.tail = node.tail.replace(old, new)\n found = True\n if not found:\n raise KeyError('Updating text failed with mapping:{}'.format(mapping))\n", "role": "user" }, { "content": "update_text", "role": "assistant" } ]
def x(self, name): if not self._in_tag(name): return node = self.cur_node while node.tag != name: node = node.getparent() self.cur_node = node.getparent()
parent_of
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name):\n if not self._in_tag(name):\n return\n node = self.cur_node\n while node.tag != name:\n node = node.getparent()\n self.cur_node = node.getparent()\n", "role": "user" }, { "content": "parent_of", "role": "assistant" } ]
def x(self, tagname, attributes=None): children = self.cur_node.getchildren() if children: result = self._is_node(tagname, attributes, node=children[-1]) return result return False
is_last_child
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, tagname, attributes=None):\n children = self.cur_node.getchildren()\n if children:\n result = self._is_node(tagname, attributes, node=children[-1])\n return result\n return False\n", "role": "user" }, { "content": "is_last_child", "role": "assistant" } ]
def x(self, tagname, attributes=None): node = self.cur_node while not node is None: if node.tag == tagname: if attributes and node.attrib == attributes: return True elif attributes: return False return True node = node.getparent() return False
in_tag
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, tagname, attributes=None):\n node = self.cur_node\n while not node is None:\n if node.tag == tagname:\n if attributes and node.attrib == attributes:\n return True\n elif attributes:\n return False\n return True\n node = node.getparent()\n return False\n", "role": "user" }, { "content": "in_tag", "role": "assistant" } ]
def x(self, parent, name): if name == ns('text', 'a'): if parent.tag == ns('draw', 'text-box'): return False return True
check_add_node
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, parent, name):\n if name == ns('text', 'a'):\n if parent.tag == ns('draw', 'text-box'):\n return False\n return True\n", "role": "user" }, { "content": "check_add_node", "role": "assistant" } ]
def x(self, add_paragraph=True, add_text=True): p_styles = self.get_para_styles() t_styles = self.get_span_styles() for s in self.slide.pending_styles: if isinstance(s, ParagraphStyle): p_styles.update(s.styles) elif isinstance(s, TextStyle): t_styles.update(s.styles) para = ParagraphStyle(**p_styles) if add_paragraph or self.slide.paragraph_attribs: p_attrib = {ns('text', 'style-name'): para.name} p_attrib.update(self.slide.paragraph_attribs) if not self._in_tag(ns('text', 'p'), p_attrib): self.parent_of(ns('text', 'p')) self.slide._preso.add_style(para) self.add_node('text:p', attrib=p_attrib) if add_text and t_styles: text = TextStyle(**t_styles) children = self.cur_node.getchildren() if children: last = children[-1] if last.tag == ns('text', 'span') and last.attrib[ns('text', 'style-name')] == text.name and last.tail is None: self.cur_node = children[-1] return if not self._is_node(ns('text', 'span'), {ns('text', 'style-name'): text.name}): self.slide._preso.add_style(text) self.add_node('text:span', attrib={'text:style-name': text.name})
add_styles
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, add_paragraph=True, add_text=True):\n p_styles = self.get_para_styles()\n t_styles = self.get_span_styles()\n for s in self.slide.pending_styles:\n if isinstance(s, ParagraphStyle):\n p_styles.update(s.styles)\n elif isinstance(s, TextStyle):\n t_styles.update(s.styles)\n para = ParagraphStyle(**p_styles)\n if add_paragraph or self.slide.paragraph_attribs:\n p_attrib = {ns('text', 'style-name'): para.name}\n p_attrib.update(self.slide.paragraph_attribs)\n if not self._in_tag(ns('text', 'p'), p_attrib):\n self.parent_of(ns('text', 'p'))\n self.slide._preso.add_style(para)\n self.add_node('text:p', attrib=p_attrib)\n if add_text and t_styles:\n text = TextStyle(**t_styles)\n children = self.cur_node.getchildren()\n if children:\n last = children[-1]\n if last.tag == ns('text', 'span') and last.attrib[ns('text',\n 'style-name')] == text.name and last.tail is None:\n self.cur_node = children[-1]\n return\n if not self._is_node(ns('text', 'span'), {ns('text', 'style-name'):\n text.name}):\n self.slide._preso.add_style(text)\n self.add_node('text:span', attrib={'text:style-name': text.name})\n", "role": "user" }, { "content": "add_styles", "role": "assistant" } ]
def x(self): for i in range(self.slide.insert_line_break): if not self._in_tag(ns('text', 'p')): self.add_node(ns('text', 'p')) self.add_node(ns('text', 'line-break')) self.pop_node() if self.cur_node.tag == ns('text', 'p'): return if self.cur_node.getparent().tag != ns('text', 'p'): self.pop_node() self.slide.insert_line_break = 0
line_break
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n for i in range(self.slide.insert_line_break):\n if not self._in_tag(ns('text', 'p')):\n self.add_node(ns('text', 'p'))\n self.add_node(ns('text', 'line-break'))\n self.pop_node()\n if self.cur_node.tag == ns('text', 'p'):\n return\n if self.cur_node.getparent().tag != ns('text', 'p'):\n self.pop_node()\n self.slide.insert_line_break = 0\n", "role": "user" }, { "content": "line_break", "role": "assistant" } ]
def x(self, text, add_p_style=True, add_t_style=True): self._add_styles(add_p_style, add_t_style) self._add_pending_nodes() spaces = [] for i, letter in enumerate(text): if letter == ' ': spaces.append(letter) continue elif len(spaces) == 1: self._write(' ') self._write(letter) spaces = [] continue elif spaces: num_spaces = len(spaces) - 1 self._write(' ') if num_spaces > 1: self.add_node('text:s', {'text:c': str(num_spaces)}) else: self.add_node('text:s') self.pop_node() self._write(letter) spaces = [] continue self._write(letter) if spaces: num_spaces = len(spaces) if num_spaces > 1: self.add_node('text:s', {'text:c': str(num_spaces)}) else: self.add_node('text:s') self.pop_node()
write
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, text, add_p_style=True, add_t_style=True):\n self._add_styles(add_p_style, add_t_style)\n self._add_pending_nodes()\n spaces = []\n for i, letter in enumerate(text):\n if letter == ' ':\n spaces.append(letter)\n continue\n elif len(spaces) == 1:\n self._write(' ')\n self._write(letter)\n spaces = []\n continue\n elif spaces:\n num_spaces = len(spaces) - 1\n self._write(' ')\n if num_spaces > 1:\n self.add_node('text:s', {'text:c': str(num_spaces)})\n else:\n self.add_node('text:s')\n self.pop_node()\n self._write(letter)\n spaces = []\n continue\n self._write(letter)\n if spaces:\n num_spaces = len(spaces)\n if num_spaces > 1:\n self.add_node('text:s', {'text:c': str(num_spaces)})\n else:\n self.add_node('text:s')\n self.pop_node()\n", "role": "user" }, { "content": "write", "role": "assistant" } ]
def x(self, additional_style_attrib=None): style_attrib = {'style:name': self.name, 'style:family': self.FAMILY} if additional_style_attrib: style_attrib.update(additional_style_attrib) if self.PARENT_STYLE_DICT: style_attrib.update(self.PARENT_STYLE_DICT) node = el('style:style', attrib=style_attrib) props = sub_el(node, self.STYLE_PROP, attrib=self.styles) return node
style_node
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, additional_style_attrib=None):\n style_attrib = {'style:name': self.name, 'style:family': self.FAMILY}\n if additional_style_attrib:\n style_attrib.update(additional_style_attrib)\n if self.PARENT_STYLE_DICT:\n style_attrib.update(self.PARENT_STYLE_DICT)\n node = el('style:style', attrib=style_attrib)\n props = sub_el(node, self.STYLE_PROP, attrib=self.styles)\n return node\n", "role": "user" }, { "content": "style_node", "role": "assistant" } ]
def x(outdoc, filenames, use_segment_table, operation, preserve=True): proc_id = table.get_table(outdoc, lsctables.ProcessTable.tableName)[0 ].process_id xmldocs = [ligolw_add.ligolw_add(ligolw.Document(), [fname]) for fname in filenames] segment_definers = {} def x(seg_def): key = seg_def.ifos, seg_def.name, seg_def.version segment_definers[key] = True return key for xmldoc in xmldocs: seg_def_table = table.get_table(xmldoc, lsctables.SegmentDefTable. tableName) map(register_definer, seg_def_table) for ifo, name, version in segment_definers: if operation == INTERSECT: result = pycbc_glue.segments.segmentlist([pycbc_glue.segments. segment(-pycbc_glue.segments.infinity(), pycbc_glue. segments.infinity())]) for xmldoc in xmldocs: result &= find_segments(xmldoc, '%s:%s:%d' % (ifo, name, version), use_segment_table) elif operation == UNION: result = pycbc_glue.segments.segmentlist([]) for xmldoc in xmldocs: result |= find_segments(xmldoc, '%s:%s:%d' % (ifo, name, version), use_segment_table) elif operation == DIFF: result = find_segments(xmldocs[0], '%s:%s:%d' % (ifo, name, version), use_segment_table) for xmldoc in xmldocs[1:]: result -= find_segments(xmldoc, '%s:%s:%d' % (ifo, name, version), use_segment_table) else: raise NameError( '%s is not a known operation (intersect, union or diff)' % operation) seg_def_id = add_to_segment_definer(outdoc, proc_id, ifo, name, version ) if use_segment_table: add_to_segment(outdoc, proc_id, seg_def_id, result) else: add_to_segment_summary(outdoc, proc_id, seg_def_id, result) if preserve: map(lambda x: outdoc.appendChild(x.childNodes[0]), xmldocs) ligolw_add.merge_ligolws(outdoc) ligolw_add.merge_compatible_tables(outdoc) return outdoc, abs(result)
run_file_operation
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(outdoc, filenames, use_segment_table, operation, preserve=True):\n proc_id = table.get_table(outdoc, lsctables.ProcessTable.tableName)[0\n ].process_id\n xmldocs = [ligolw_add.ligolw_add(ligolw.Document(), [fname]) for fname in\n filenames]\n segment_definers = {}\n\n def x(seg_def):\n key = seg_def.ifos, seg_def.name, seg_def.version\n segment_definers[key] = True\n return key\n for xmldoc in xmldocs:\n seg_def_table = table.get_table(xmldoc, lsctables.SegmentDefTable.\n tableName)\n map(register_definer, seg_def_table)\n for ifo, name, version in segment_definers:\n if operation == INTERSECT:\n result = pycbc_glue.segments.segmentlist([pycbc_glue.segments.\n segment(-pycbc_glue.segments.infinity(), pycbc_glue.\n segments.infinity())])\n for xmldoc in xmldocs:\n result &= find_segments(xmldoc, '%s:%s:%d' % (ifo, name,\n version), use_segment_table)\n elif operation == UNION:\n result = pycbc_glue.segments.segmentlist([])\n for xmldoc in xmldocs:\n result |= find_segments(xmldoc, '%s:%s:%d' % (ifo, name,\n version), use_segment_table)\n elif operation == DIFF:\n result = find_segments(xmldocs[0], '%s:%s:%d' % (ifo, name,\n version), use_segment_table)\n for xmldoc in xmldocs[1:]:\n result -= find_segments(xmldoc, '%s:%s:%d' % (ifo, name,\n version), use_segment_table)\n else:\n raise NameError(\n '%s is not a known operation (intersect, union or diff)' %\n operation)\n seg_def_id = add_to_segment_definer(outdoc, proc_id, ifo, name, version\n )\n if use_segment_table:\n add_to_segment(outdoc, proc_id, seg_def_id, result)\n else:\n add_to_segment_summary(outdoc, proc_id, seg_def_id, result)\n if preserve:\n map(lambda x: outdoc.appendChild(x.childNodes[0]), xmldocs)\n ligolw_add.merge_ligolws(outdoc)\n ligolw_add.merge_compatible_tables(outdoc)\n return outdoc, abs(result)\n", "role": "user" }, { "content": "run_file_operation", "role": "assistant" } ]
def x(outdoc, filenames, segments, use_segment_table, operation, result_name='RESULT', preserve=True): proc_id = table.get_table(outdoc, lsctables.ProcessTable.tableName)[0 ].process_id if preserve: indoc = ligolw_add.ligolw_add(outdoc, filenames) else: indoc = ligolw_add.ligolw_add(ligolw.Document(), filenames) keys = segments.split(',') if operation == INTERSECT: sgmntlist = pycbc_glue.segments.segmentlist([pycbc_glue.segments. segment(-pycbc_glue.segments.infinity(), pycbc_glue.segments. infinity())]) for key in keys: sgmntlist &= find_segments(indoc, key, use_segment_table) elif operation == UNION: sgmntlist = pycbc_glue.segments.segmentlist([]) for key in keys: sgmntlist |= find_segments(indoc, key, use_segment_table) elif operation == DIFF: sgmntlist = find_segments(indoc, keys[0], use_segment_table) for key in keys[1:]: sgmntlist -= find_segments(indoc, key, use_segment_table) else: raise NameError( '%s is not a known operation (intersect, union or diff)' % operation) seg_def_id = add_to_segment_definer(outdoc, proc_id, '', result_name, 1) if use_segment_table: add_to_segment(outdoc, proc_id, seg_def_id, sgmntlist) else: add_to_segment_summary(outdoc, proc_id, seg_def_id, sgmntlist) return outdoc, abs(sgmntlist)
run_segment_operation
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(outdoc, filenames, segments, use_segment_table, operation,\n result_name='RESULT', preserve=True):\n proc_id = table.get_table(outdoc, lsctables.ProcessTable.tableName)[0\n ].process_id\n if preserve:\n indoc = ligolw_add.ligolw_add(outdoc, filenames)\n else:\n indoc = ligolw_add.ligolw_add(ligolw.Document(), filenames)\n keys = segments.split(',')\n if operation == INTERSECT:\n sgmntlist = pycbc_glue.segments.segmentlist([pycbc_glue.segments.\n segment(-pycbc_glue.segments.infinity(), pycbc_glue.segments.\n infinity())])\n for key in keys:\n sgmntlist &= find_segments(indoc, key, use_segment_table)\n elif operation == UNION:\n sgmntlist = pycbc_glue.segments.segmentlist([])\n for key in keys:\n sgmntlist |= find_segments(indoc, key, use_segment_table)\n elif operation == DIFF:\n sgmntlist = find_segments(indoc, keys[0], use_segment_table)\n for key in keys[1:]:\n sgmntlist -= find_segments(indoc, key, use_segment_table)\n else:\n raise NameError(\n '%s is not a known operation (intersect, union or diff)' %\n operation)\n seg_def_id = add_to_segment_definer(outdoc, proc_id, '', result_name, 1)\n if use_segment_table:\n add_to_segment(outdoc, proc_id, seg_def_id, sgmntlist)\n else:\n add_to_segment_summary(outdoc, proc_id, seg_def_id, sgmntlist)\n return outdoc, abs(sgmntlist)\n", "role": "user" }, { "content": "run_segment_operation", "role": "assistant" } ]
def x(self, value): errors = [] if not value is str and not value.split(): errors.append('wildcardSymbol_ERROR : Symbol : must be char or string!' ) else: self.__wildcardSymbol = value if errors: view.Tli.showErrors('SymbolError', errors)
setWildcardSymbol
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, value):\n errors = []\n if not value is str and not value.split():\n errors.append('wildcardSymbol_ERROR : Symbol : must be char or string!'\n )\n else:\n self.__wildcardSymbol = value\n if errors:\n view.Tli.showErrors('SymbolError', errors)\n", "role": "user" }, { "content": "setWildcardSymbol", "role": "assistant" } ]
def x(self, value): errors = [] if not value is str and not value.split(): errors.append('parentSymbol_ERROR : Symbol : must be char or string!') else: self.__parentSymbol = value if errors: view.Tli.showErrors('SymbolError', errors)
setParentSymbol
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, value):\n errors = []\n if not value is str and not value.split():\n errors.append('parentSymbol_ERROR : Symbol : must be char or string!')\n else:\n self.__parentSymbol = value\n if errors:\n view.Tli.showErrors('SymbolError', errors)\n", "role": "user" }, { "content": "setParentSymbol", "role": "assistant" } ]
def x(self, tableString): error = [] header = [] decisions = [] if tableString.split() == []: error.append('Table variable is empty!') else: tableString = tableString.split('\n') newData = [] for element in tableString: if element.strip(): newData.append(element) for element in newData[0].split(): if not element in header: header.append(element) else: error.append('Header element: ' + element + ' is not unique!') for i, tableString in enumerate(newData[2:]): split = tableString.split() if len(split) == len(header): decisions.append(split) else: error.append('Row: {}==> missing: {} data'.format(str(i). ljust(4), str(len(header) - len(split)).ljust(2))) if error: view.Tli.showErrors('TableStringError', error) else: return [header, decisions]
tableStringParser
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, tableString):\n error = []\n header = []\n decisions = []\n if tableString.split() == []:\n error.append('Table variable is empty!')\n else:\n tableString = tableString.split('\\n')\n newData = []\n for element in tableString:\n if element.strip():\n newData.append(element)\n for element in newData[0].split():\n if not element in header:\n header.append(element)\n else:\n error.append('Header element: ' + element + ' is not unique!')\n for i, tableString in enumerate(newData[2:]):\n split = tableString.split()\n if len(split) == len(header):\n decisions.append(split)\n else:\n error.append('Row: {}==> missing: {} data'.format(str(i).\n ljust(4), str(len(header) - len(split)).ljust(2)))\n if error:\n view.Tli.showErrors('TableStringError', error)\n else:\n return [header, decisions]\n", "role": "user" }, { "content": "tableStringParser", "role": "assistant" } ]
def x(self, decisions): error = [] for row, line in enumerate(decisions): if '.' in line: for i, element in enumerate(line): if row == 0: error.append("Row: {}colume: {}==> don't have parent value" .format(str(row).ljust(4), str(i).ljust(4))) if element == self.__parentSymbol: if decisions[row - 1][i] == '.': error.append( "Row: {}Colume: {}==> don't have parent value". format(str(row).ljust(4), str(i).ljust(4))) decisions[row][i] = decisions[row - 1][i] if error: view.Tli.showErrors('ReplaceSpecialValuesError', error) else: return decisions
replaceSpecialValues
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, decisions):\n error = []\n for row, line in enumerate(decisions):\n if '.' in line:\n for i, element in enumerate(line):\n if row == 0:\n error.append(\"Row: {}colume: {}==> don't have parent value\"\n .format(str(row).ljust(4), str(i).ljust(4)))\n if element == self.__parentSymbol:\n if decisions[row - 1][i] == '.':\n error.append(\n \"Row: {}Colume: {}==> don't have parent value\".\n format(str(row).ljust(4), str(i).ljust(4)))\n decisions[row][i] = decisions[row - 1][i]\n if error:\n view.Tli.showErrors('ReplaceSpecialValuesError', error)\n else:\n return decisions\n", "role": "user" }, { "content": "replaceSpecialValues", "role": "assistant" } ]
def x(self, values): for key in values: if not values[key] is str: values[key] = str(values[key]) return values
toString
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, values):\n for key in values:\n if not values[key] is str:\n values[key] = str(values[key])\n return values\n", "role": "user" }, { "content": "toString", "role": "assistant" } ]
def x(self, values): machingIndexes = {} for index, name in enumerate(self.header): if name in values: machingIndexes[index] = values[name] return machingIndexes
valueKeyWithHeaderIndex
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, values):\n machingIndexes = {}\n for index, name in enumerate(self.header):\n if name in values:\n machingIndexes[index] = values[name]\n return machingIndexes\n", "role": "user" }, { "content": "valueKeyWithHeaderIndex", "role": "assistant" } ]
def x(self, result, **values): error = [] if not result: error.append( 'Function parameter (result array) should contain one or more header string!' ) if not values: error.append( 'Function parameter (values variables) should contain one or more variable' ) for header in result: if not header in self.header: error.append('String (' + header + ') in result is not in header!') for header in values: if not header in self.header: error.append('Variable (' + header + ') in values is not in header!') elif not values[header].split(): error.append('Variable (' + header + ') in values is empty string') if error: return error
checkDecisionParameters
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, result, **values):\n error = []\n if not result:\n error.append(\n 'Function parameter (result array) should contain one or more header string!'\n )\n if not values:\n error.append(\n 'Function parameter (values variables) should contain one or more variable'\n )\n for header in result:\n if not header in self.header:\n error.append('String (' + header + ') in result is not in header!')\n for header in values:\n if not header in self.header:\n error.append('Variable (' + header +\n ') in values is not in header!')\n elif not values[header].split():\n error.append('Variable (' + header + ') in values is empty string')\n if error:\n return error\n", "role": "user" }, { "content": "checkDecisionParameters", "role": "assistant" } ]
def x(self, result, multiple=False, **values): values = self.__toString(values) __valueKeyWithHeaderIndex = self.__valueKeyWithHeaderIndex(values) errors = self.__checkDecisionParameters(result, **values) if errors: view.Tli.showErrors('ParametersError', errors) machingData = {} for line in self.decisions: match = True for index in __valueKeyWithHeaderIndex: if line[index] != __valueKeyWithHeaderIndex[index]: if line[index] != self.__wildcardSymbol: match = False break if match: if multiple: for header in result: if header not in machingData: machingData[header] = [line[self.header.index(header)]] else: machingData[header].append(line[self.header.index( header)]) else: for header in result: machingData[header] = line[self.header.index(header)] return machingData if multiple: if machingData: return machingData return dict((key, None) for key in result)
getDecision
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, result, multiple=False, **values):\n values = self.__toString(values)\n __valueKeyWithHeaderIndex = self.__valueKeyWithHeaderIndex(values)\n errors = self.__checkDecisionParameters(result, **values)\n if errors:\n view.Tli.showErrors('ParametersError', errors)\n machingData = {}\n for line in self.decisions:\n match = True\n for index in __valueKeyWithHeaderIndex:\n if line[index] != __valueKeyWithHeaderIndex[index]:\n if line[index] != self.__wildcardSymbol:\n match = False\n break\n if match:\n if multiple:\n for header in result:\n if header not in machingData:\n machingData[header] = [line[self.header.index(header)]]\n else:\n machingData[header].append(line[self.header.index(\n header)])\n else:\n for header in result:\n machingData[header] = line[self.header.index(header)]\n return machingData\n if multiple:\n if machingData:\n return machingData\n return dict((key, None) for key in result)\n", "role": "user" }, { "content": "getDecision", "role": "assistant" } ]
def x(self, callback, result, **values): callback(**self.__getDecision(result, **values))
decisionCall
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, callback, result, **values):\n callback(**self.__getDecision(result, **values))\n", "role": "user" }, { "content": "decisionCall", "role": "assistant" } ]
def x(self, result, **values): data = self.__getDecision(result, **values) data = [data[value] for value in result] if len(data) == 1: return data[0] else: return data
decision
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, result, **values):\n data = self.__getDecision(result, **values)\n data = [data[value] for value in result]\n if len(data) == 1:\n return data[0]\n else:\n return data\n", "role": "user" }, { "content": "decision", "role": "assistant" } ]
def x(self, result, **values): data = self.__getDecision(result, multiple=True, **values) data = [data[value] for value in result] if len(data) == 1: return data[0] else: return data
allDecisions
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, result, **values):\n data = self.__getDecision(result, multiple=True, **values)\n data = [data[value] for value in result]\n if len(data) == 1:\n return data[0]\n else:\n return data\n", "role": "user" }, { "content": "allDecisions", "role": "assistant" } ]
def x(region='EU-London', mode=None): if mode: region = '%s:%s' % (region, mode) opener = urllib.request.build_opener() opener.addheaders = default_headers data = '%s\n%s' % (region, handshake_version) return opener.open('http://m.agar.io/', data=data.encode()).read().decode( ).split('\n')[0:2]
find_server
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(region='EU-London', mode=None):\n if mode:\n region = '%s:%s' % (region, mode)\n opener = urllib.request.build_opener()\n opener.addheaders = default_headers\n data = '%s\\n%s' % (region, handshake_version)\n return opener.open('http://m.agar.io/', data=data.encode()).read().decode(\n ).split('\\n')[0:2]\n", "role": "user" }, { "content": "find_server", "role": "assistant" } ]
def x(party_token): opener = urllib.request.build_opener() opener.addheaders = default_headers try: data = party_token.encode() return opener.open('http://m.agar.io/getToken', data=data).read( ).decode().split('\n')[0] except urllib.error.HTTPError: raise ValueError( 'Invalid token "%s" (maybe timed out, try creating a new one)' % party_token)
get_party_address
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(party_token):\n opener = urllib.request.build_opener()\n opener.addheaders = default_headers\n try:\n data = party_token.encode()\n return opener.open('http://m.agar.io/getToken', data=data).read(\n ).decode().split('\\n')[0]\n except urllib.error.HTTPError:\n raise ValueError(\n 'Invalid token \"%s\" (maybe timed out, try creating a new one)' %\n party_token)\n", "role": "user" }, { "content": "get_party_address", "role": "assistant" } ]
def x(self, draw, n_line, width, height): line_num = randint(n_line[0], n_line[1]) for i in range(line_num): begin = randint(0, width), randint(0, height) end = randint(0, width), randint(0, height) draw.line([begin, end], fill=(0, 0, 0))
create_lines
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, draw, n_line, width, height):\n line_num = randint(n_line[0], n_line[1])\n for i in range(line_num):\n begin = randint(0, width), randint(0, height)\n end = randint(0, width), randint(0, height)\n draw.line([begin, end], fill=(0, 0, 0))\n", "role": "user" }, { "content": "create_lines", "role": "assistant" } ]
def x(self, draw, point_chance, width, height): chance = min(100, max(0, int(point_chance))) for w in range(width): for h in range(height): tmp = randint(0, 100) if tmp > 100 - chance: draw.point((w, h), fill=(0, 0, 0))
create_points
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, draw, point_chance, width, height):\n chance = min(100, max(0, int(point_chance)))\n for w in range(width):\n for h in range(height):\n tmp = randint(0, 100)\n if tmp > 100 - chance:\n draw.point((w, h), fill=(0, 0, 0))\n", "role": "user" }, { "content": "create_points", "role": "assistant" } ]
def x(command): p = subprocess.Popen(command, stdout=subprocess.PIPE, stderr=subprocess .PIPE) out, _ = p.communicate() return p.returncode, out.strip()
call_out
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(command):\n p = subprocess.Popen(command, stdout=subprocess.PIPE, stderr=subprocess\n .PIPE)\n out, _ = p.communicate()\n return p.returncode, out.strip()\n", "role": "user" }, { "content": "call_out", "role": "assistant" } ]
def x(): save_stdout = sys.stdout sys.stdout = DevNull() yield sys.stdout = save_stdout
suppress_stdout
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n save_stdout = sys.stdout\n sys.stdout = DevNull()\n yield\n sys.stdout = save_stdout\n", "role": "user" }, { "content": "suppress_stdout", "role": "assistant" } ]
def x(url): if not validate_url(url): raise WrongUrlError(f"Couldn't match domain name of this url: {url}") ext = tldextract.extract(url) return f'{ext.domain}.{ext.suffix}'
get_domain_name
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(url):\n if not validate_url(url):\n raise WrongUrlError(f\"Couldn't match domain name of this url: {url}\")\n ext = tldextract.extract(url)\n return f'{ext.domain}.{ext.suffix}'\n", "role": "user" }, { "content": "get_domain_name", "role": "assistant" } ]
def x(_data): data = _data.copy() title = data.get('title') if title: data['title'] = clean_title(title) return data
clean_video_data
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(_data):\n data = _data.copy()\n title = data.get('title')\n if title:\n data['title'] = clean_title(title)\n return data\n", "role": "user" }, { "content": "clean_video_data", "role": "assistant" } ]
def x(title): date_pattern = re.compile( '\\W*\\d{1,2}[/\\-.]\\d{1,2}[/\\-.](?=\\d*)(?:.{4}|.{2})\\W*') title = date_pattern.sub(' ', title) title = re.sub('\\s{2,}', ' ', title) title = title.strip() return title
clean_title
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(title):\n date_pattern = re.compile(\n '\\\\W*\\\\d{1,2}[/\\\\-.]\\\\d{1,2}[/\\\\-.](?=\\\\d*)(?:.{4}|.{2})\\\\W*')\n title = date_pattern.sub(' ', title)\n title = re.sub('\\\\s{2,}', ' ', title)\n title = title.strip()\n return title\n", "role": "user" }, { "content": "clean_title", "role": "assistant" } ]
def x(url): parsed = urllib.parse.urlparse(url) root, ext = os.path.splitext(parsed.path) return ext.lstrip('.')
get_ext
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(url):\n parsed = urllib.parse.urlparse(url)\n root, ext = os.path.splitext(parsed.path)\n return ext.lstrip('.')\n", "role": "user" }, { "content": "get_ext", "role": "assistant" } ]
def x(self, model, onIndex): return self._joinOnAsPriv(model, onIndex, model.__name__)
joinOn
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, model, onIndex):\n return self._joinOnAsPriv(model, onIndex, model.__name__)\n", "role": "user" }, { "content": "joinOn", "role": "assistant" } ]
def x(self, model, onIndex, whatAs): return self._joinOnAsPriv(model, onIndex, whatAs)
joinOnAs
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, model, onIndex, whatAs):\n return self._joinOnAsPriv(model, onIndex, whatAs)\n", "role": "user" }, { "content": "joinOnAs", "role": "assistant" } ]
def x(self, model, onIndex, whatAs): if self._join: raise Exception('Already joined with a table!') self._join = model self._joinedField = whatAs table = model.table self._query = self._query.eq_join(onIndex, r.table(table)) return self
joinOnAsPriv
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, model, onIndex, whatAs):\n if self._join:\n raise Exception('Already joined with a table!')\n self._join = model\n self._joinedField = whatAs\n table = model.table\n self._query = self._query.eq_join(onIndex, r.table(table))\n return self\n", "role": "user" }, { "content": "joinOnAsPriv", "role": "assistant" } ]