source_code
stringlengths 45
7.24k
| function_name
stringlengths 1
111
| messages
list |
|---|---|---|
def x(d, allowManyToOne=False):
res = dict(izip(d.itervalues(), d.iterkeys()))
if not allowManyToOne and len(res) != len(d):
raise ValueError("d can't be inverted!")
return res
|
invertDict
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(d, allowManyToOne=False):\n res = dict(izip(d.itervalues(), d.iterkeys()))\n if not allowManyToOne and len(res) != len(d):\n raise ValueError(\"d can't be inverted!\")\n return res\n",
"role": "user"
},
{
"content": "invertDict",
"role": "assistant"
}
] |
def x(seq, isSeq=isSeq):
for elt in seq:
if isSeq(elt):
for x in iflatten(elt, isSeq):
yield x
else:
yield elt
|
iflatten
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(seq, isSeq=isSeq):\n for elt in seq:\n if isSeq(elt):\n for x in iflatten(elt, isSeq):\n yield x\n else:\n yield elt\n",
"role": "user"
},
{
"content": "iflatten",
"role": "assistant"
}
] |
def x(seq, isSeq=isSeq):
return [a for elt in seq for a in isSeq(elt) and flatten(elt, isSeq) or
[elt]]
|
flatten
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(seq, isSeq=isSeq):\n return [a for elt in seq for a in isSeq(elt) and flatten(elt, isSeq) or\n [elt]]\n",
"role": "user"
},
{
"content": "flatten",
"role": "assistant"
}
] |
def x(pred, seq):
for i, e in enumerate(seq):
if pred(e):
return i
return -1
|
positionIf
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pred, seq):\n for i, e in enumerate(seq):\n if pred(e):\n return i\n return -1\n",
"role": "user"
},
{
"content": "positionIf",
"role": "assistant"
}
] |
def x(seq1=(), *seqs):
if not seqs:
return list(seq1)
res = set(seq1)
for seq in seqs:
res.update(set(seq))
return list(res)
|
union
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(seq1=(), *seqs):\n if not seqs:\n return list(seq1)\n res = set(seq1)\n for seq in seqs:\n res.update(set(seq))\n return list(res)\n",
"role": "user"
},
{
"content": "union",
"role": "assistant"
}
] |
def x(seq1, seq2):
if isSet(seq2):
d2 = seq2
else:
d2 = set(seq2)
return [elt for elt in seq1 if elt not in d2]
|
without
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(seq1, seq2):\n if isSet(seq2):\n d2 = seq2\n else:\n d2 = set(seq2)\n return [elt for elt in seq1 if elt not in d2]\n",
"role": "user"
},
{
"content": "without",
"role": "assistant"
}
] |
def x(predicate, *seqs):
try:
if len(seqs) == 1:
return ifilter(bool, imap(predicate, seqs[0])).next()
else:
return ifilter(bool, starmap(predicate, izip(*seqs))).next()
except StopIteration:
return False
|
some
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(predicate, *seqs):\n try:\n if len(seqs) == 1:\n return ifilter(bool, imap(predicate, seqs[0])).next()\n else:\n return ifilter(bool, starmap(predicate, izip(*seqs))).next()\n except StopIteration:\n return False\n",
"role": "user"
},
{
"content": "some",
"role": "assistant"
}
] |
def x(predicate, *iterables):
try:
if len(iterables) == 1:
ifilterfalse(predicate, iterables[0]).next()
else:
ifilterfalse(bool, starmap(predicate, izip(*iterables))).next()
except StopIteration:
return True
else:
return False
|
every
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(predicate, *iterables):\n try:\n if len(iterables) == 1:\n ifilterfalse(predicate, iterables[0]).next()\n else:\n ifilterfalse(bool, starmap(predicate, izip(*iterables))).next()\n except StopIteration:\n return True\n else:\n return False\n",
"role": "user"
},
{
"content": "every",
"role": "assistant"
}
] |
def x(n, f, *args, **kwargs):
for i in xrange(n):
f(*args, **kwargs)
|
nTimes
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(n, f, *args, **kwargs):\n for i in xrange(n):\n f(*args, **kwargs)\n",
"role": "user"
},
{
"content": "nTimes",
"role": "assistant"
}
] |
def x(*funcAndArgs, **kwargs):
func, args = funcAndArgs[0], funcAndArgs[1:]
start = time.time()
func(*args, **kwargs)
return time.time() - start
|
timeCall
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*funcAndArgs, **kwargs):\n func, args = funcAndArgs[0], funcAndArgs[1:]\n start = time.time()\n func(*args, **kwargs)\n return time.time() - start\n",
"role": "user"
},
{
"content": "timeCall",
"role": "assistant"
}
] |
def x(s, *args):
if args == ():
return s
mapping = dict((frm, to) for frm, to in args)
return re.sub('|'.join(map(re.escape, mapping.keys())), lambda match:
mapping[match.group(0)], s)
|
replaceStrs
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(s, *args):\n if args == ():\n return s\n mapping = dict((frm, to) for frm, to in args)\n return re.sub('|'.join(map(re.escape, mapping.keys())), lambda match:\n mapping[match.group(0)], s)\n",
"role": "user"
},
{
"content": "replaceStrs",
"role": "assistant"
}
] |
def x(s):
if re.search('(?<!\\\\)\\\\(\\\\\\\\)*[uU]', s) or isinstance(s, unicode):
return unescapeUnicode(s)
else:
return unescapeAscii(s)
|
unescape
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(s):\n if re.search('(?<!\\\\\\\\)\\\\\\\\(\\\\\\\\\\\\\\\\)*[uU]', s) or isinstance(s, unicode):\n return unescapeUnicode(s)\n else:\n return unescapeAscii(s)\n",
"role": "user"
},
{
"content": "unescape",
"role": "assistant"
}
] |
def x(s, pos):
if pos >= len(s):
raise IndexError('`pos` %d not in string' % pos)
line = s.count('\n', 0, pos)
if line:
return line + 1, pos - s.rfind('\n', 0, pos) - 1
else:
return 1, pos
|
lineAndColumnAt
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(s, pos):\n if pos >= len(s):\n raise IndexError('`pos` %d not in string' % pos)\n line = s.count('\\n', 0, pos)\n if line:\n return line + 1, pos - s.rfind('\\n', 0, pos) - 1\n else:\n return 1, pos\n",
"role": "user"
},
{
"content": "lineAndColumnAt",
"role": "assistant"
}
] |
def x(*args, **kwargs):
print >> kwargs.get('out', None), ' '.join([str(arg) for arg in args])
|
prin
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*args, **kwargs):\n print >> kwargs.get('out', None), ' '.join([str(arg) for arg in args])\n",
"role": "user"
},
{
"content": "prin",
"role": "assistant"
}
] |
def x(s, maxCol=79, newlineReplacement=None):
assert isString(s)
if '\n' in s:
if newlineReplacement is None:
s = s[:s.index('\n')]
else:
s = s.replace('\n', newlineReplacement)
if maxCol is not None and len(s) > maxCol:
s = '%s...' % s[:maxCol - 3]
return s
|
fitString
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(s, maxCol=79, newlineReplacement=None):\n assert isString(s)\n if '\\n' in s:\n if newlineReplacement is None:\n s = s[:s.index('\\n')]\n else:\n s = s.replace('\\n', newlineReplacement)\n if maxCol is not None and len(s) > maxCol:\n s = '%s...' % s[:maxCol - 3]\n return s\n",
"role": "user"
},
{
"content": "fitString",
"role": "assistant"
}
] |
def x(filename, varNamesStr, outOf=None):
filename, varnames, outOf = __saveVarsHelper(filename, varNamesStr, outOf)
f = None
try:
f = open(filename, 'rb')
h = cPickle.load(f)
f.close()
h.update(dict(zip(varnames, atIndices(outOf, varnames))))
f = open(filename, 'wb')
cPickle.dump(h, f, 1)
finally:
if f:
f.close()
|
addVars
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename, varNamesStr, outOf=None):\n filename, varnames, outOf = __saveVarsHelper(filename, varNamesStr, outOf)\n f = None\n try:\n f = open(filename, 'rb')\n h = cPickle.load(f)\n f.close()\n h.update(dict(zip(varnames, atIndices(outOf, varnames))))\n f = open(filename, 'wb')\n cPickle.dump(h, f, 1)\n finally:\n if f:\n f.close()\n",
"role": "user"
},
{
"content": "addVars",
"role": "assistant"
}
] |
def x(filename):
filename = os.path.expanduser(filename)
if not splitext(filename)[1]:
filename += '.bpickle'
f = None
try:
f = open(filename, 'rb')
varH = cPickle.load(f)
finally:
if f:
f.close()
return varH
|
loadDict
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename):\n filename = os.path.expanduser(filename)\n if not splitext(filename)[1]:\n filename += '.bpickle'\n f = None\n try:\n f = open(filename, 'rb')\n varH = cPickle.load(f)\n finally:\n if f:\n f.close()\n return varH\n",
"role": "user"
},
{
"content": "loadDict",
"role": "assistant"
}
] |
def x(prog=None, vers=None, date=None, user=None, dir=None, args=None):
return (
"%(prog)s %(vers)s; run %(date)s by %(usr)s in %(dir)s with: %(args)s'n"
% mkDict(prog=prog or sys.argv[0], vers=vers or magicGlobals().get
('__version__', ''), date=date or isoDateTimeStr(), usr=user or
getpass.getuser(), dir=dir or os.getcwd(), args=' '.join(args or
sys.argv)))
|
runInfo
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(prog=None, vers=None, date=None, user=None, dir=None, args=None):\n return (\n \"%(prog)s %(vers)s; run %(date)s by %(usr)s in %(dir)s with: %(args)s'n\"\n % mkDict(prog=prog or sys.argv[0], vers=vers or magicGlobals().get\n ('__version__', ''), date=date or isoDateTimeStr(), usr=user or\n getpass.getuser(), dir=dir or os.getcwd(), args=' '.join(args or\n sys.argv)))\n",
"role": "user"
},
{
"content": "runInfo",
"role": "assistant"
}
] |
def x(pre='', post='', out=None):
def x(arg):
myArgs = [pre, arg, post]
prin(*myArgs, **{'out': out})
return arg
return printReturner
|
makePrintReturner
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pre='', post='', out=None):\n\n def x(arg):\n myArgs = [pre, arg, post]\n prin(*myArgs, **{'out': out})\n return arg\n return printReturner\n",
"role": "user"
},
{
"content": "makePrintReturner",
"role": "assistant"
}
] |
def x(cont, onGet=None, onSet=None, onDel=None):
class VerboseContainer(type(cont)):
if onGet:
def x(self, key):
onGet(self, key)
return super(VerboseContainer, self).__getitem__(key)
if onSet:
def x(self, key, value):
onSet(self, key, value)
return super(VerboseContainer, self).__setitem__(key, value)
if onDel:
def x(self, key):
onDel(self, key)
return super(VerboseContainer, self).__delitem__(key)
return VerboseContainer(cont)
|
asVerboseContainer
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cont, onGet=None, onSet=None, onDel=None):\n\n\n class VerboseContainer(type(cont)):\n if onGet:\n\n def x(self, key):\n onGet(self, key)\n return super(VerboseContainer, self).__getitem__(key)\n if onSet:\n\n def x(self, key, value):\n onSet(self, key, value)\n return super(VerboseContainer, self).__setitem__(key, value)\n if onDel:\n\n def x(self, key):\n onDel(self, key)\n return super(VerboseContainer, self).__delitem__(key)\n return VerboseContainer(cont)\n",
"role": "user"
},
{
"content": "asVerboseContainer",
"role": "assistant"
}
] |
def x(instance, *argls, **kwargs):
width = 79
maxIndent = 15
minIndent = 2
args = map(repr, argls) + [('%s=%r' % (k, v)) for k, v in sorted(kwargs
.items())] or ['']
if instance is not None:
start = '%s(' % instance.__class__.__name__
args[-1] += ')'
else:
start = ''
if len(start) <= maxIndent and len(start) + len(args[0]) <= width and max(
map(len, args)) <= width:
indent = len(start)
args[0] = start + args[0]
if sum(map(len, args)) + 2 * (len(args) - 1) <= width:
return ', '.join(args)
else:
indent = minIndent
args[0] = start + '\n' + ' ' * indent + args[0]
return (',\n' + ' ' * indent).join(args)
|
mkRepr
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(instance, *argls, **kwargs):\n width = 79\n maxIndent = 15\n minIndent = 2\n args = map(repr, argls) + [('%s=%r' % (k, v)) for k, v in sorted(kwargs\n .items())] or ['']\n if instance is not None:\n start = '%s(' % instance.__class__.__name__\n args[-1] += ')'\n else:\n start = ''\n if len(start) <= maxIndent and len(start) + len(args[0]) <= width and max(\n map(len, args)) <= width:\n indent = len(start)\n args[0] = start + args[0]\n if sum(map(len, args)) + 2 * (len(args) - 1) <= width:\n return ', '.join(args)\n else:\n indent = minIndent\n args[0] = start + '\\n' + ' ' * indent + args[0]\n return (',\\n' + ' ' * indent).join(args)\n",
"role": "user"
},
{
"content": "mkRepr",
"role": "assistant"
}
] |
def x(*args, **kwargs):
(d, self), args = args[:2], args[2:]
if args[0] == 'all!':
assert len(args) == 1
for k in d:
setattr(self, k, d[k])
else:
if len(args) != len(set(args)) or set(kwargs) & set(args):
raise ValueError('Duplicate keys: %s' % list(notUnique(args)) +
list(set(kwargs) & set(args)))
for k in args:
if k in kwargs:
raise ValueError('%s specified twice' % k)
setattr(self, k, d[k])
for dk in kwargs:
setattr(self, dk, d.get(dk, kwargs[dk]))
|
d2attrs
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*args, **kwargs):\n (d, self), args = args[:2], args[2:]\n if args[0] == 'all!':\n assert len(args) == 1\n for k in d:\n setattr(self, k, d[k])\n else:\n if len(args) != len(set(args)) or set(kwargs) & set(args):\n raise ValueError('Duplicate keys: %s' % list(notUnique(args)) +\n list(set(kwargs) & set(args)))\n for k in args:\n if k in kwargs:\n raise ValueError('%s specified twice' % k)\n setattr(self, k, d[k])\n for dk in kwargs:\n setattr(self, dk, d.get(dk, kwargs[dk]))\n",
"role": "user"
},
{
"content": "d2attrs",
"role": "assistant"
}
] |
def x(fun, v):
if not hasattr(v, 'shape'):
return list(ipairwise(fun, v))
else:
return fun(v[:-1], v[1:])
|
pairwise
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(fun, v):\n if not hasattr(v, 'shape'):\n return list(ipairwise(fun, v))\n else:\n return fun(v[:-1], v[1:])\n",
"role": "user"
},
{
"content": "pairwise",
"role": "assistant"
}
] |
def x(iterable, key=None, both=False):
if key is not None:
it = imap(key, iterable)
else:
it = iter(iterable)
score, argmax = reduce(max, izip(it, count()))
if both:
return argmax, score
return argmax
|
argmax
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(iterable, key=None, both=False):\n if key is not None:\n it = imap(key, iterable)\n else:\n it = iter(iterable)\n score, argmax = reduce(max, izip(it, count()))\n if both:\n return argmax, score\n return argmax\n",
"role": "user"
},
{
"content": "argmax",
"role": "assistant"
}
] |
def x(iterable, key=None, both=False):
if key is not None:
it = imap(key, iterable)
else:
it = iter(iterable)
score, argmin = reduce(min, izip(it, count()))
if both:
return argmin, score
return argmin
|
argmin
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(iterable, key=None, both=False):\n if key is not None:\n it = imap(key, iterable)\n else:\n it = iter(iterable)\n score, argmin = reduce(min, izip(it, count()))\n if both:\n return argmin, score\n return argmin\n",
"role": "user"
},
{
"content": "argmin",
"role": "assistant"
}
] |
def x(num):
try:
len(num)
except:
try:
return (num - math.floor(num) == 0) == True
except:
return False
else:
return False
|
isInt
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(num):\n try:\n len(num)\n except:\n try:\n return (num - math.floor(num) == 0) == True\n except:\n return False\n else:\n return False\n",
"role": "user"
},
{
"content": "isInt",
"role": "assistant"
}
] |
def x(func, *iterables):
return [e for l in imap(func, *iterables) for e in l]
|
mapConcat
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(func, *iterables):\n return [e for l in imap(func, *iterables) for e in l]\n",
"role": "user"
},
{
"content": "mapConcat",
"role": "assistant"
}
] |
def x(seed, by, last=__unique):
while True:
seed, val = by(seed)
if last == seed:
return
last = seed
yield val
|
unfold
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(seed, by, last=__unique):\n while True:\n seed, val = by(seed)\n if last == seed:\n return\n last = seed\n yield val\n",
"role": "user"
},
{
"content": "unfold",
"role": "assistant"
}
] |
def x(f, sequence, initial=__unique):
try:
rev = reversed(sequence)
except TypeError:
rev = reversed(list(sequence))
if initial is __unique:
return reduce(lambda x, y: f(y, x), rev)
else:
return reduce(lambda x, y: f(y, x), rev, initial)
|
reduceR
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(f, sequence, initial=__unique):\n try:\n rev = reversed(sequence)\n except TypeError:\n rev = reversed(list(sequence))\n if initial is __unique:\n return reduce(lambda x, y: f(y, x), rev)\n else:\n return reduce(lambda x, y: f(y, x), rev, initial)\n",
"role": "user"
},
{
"content": "reduceR",
"role": "assistant"
}
] |
def x(*funcs):
if len(funcs) == 2:
f0, f1 = funcs
return lambda *a, **kw: f0(f1(*a, **kw))
elif len(funcs) == 3:
f0, f1, f2 = funcs
return lambda *a, **kw: f0(f1(f2(*a, **kw)))
elif len(funcs) == 0:
return lambda x: x
elif len(funcs) == 1:
return funcs[0]
else:
def x(*args, **kwargs):
y = funcs[-1](*args, **kwargs)
for f in funcs[:0:-1]:
y = f(y)
return y
return composed
|
compose
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*funcs):\n if len(funcs) == 2:\n f0, f1 = funcs\n return lambda *a, **kw: f0(f1(*a, **kw))\n elif len(funcs) == 3:\n f0, f1, f2 = funcs\n return lambda *a, **kw: f0(f1(f2(*a, **kw)))\n elif len(funcs) == 0:\n return lambda x: x\n elif len(funcs) == 1:\n return funcs[0]\n else:\n\n def x(*args, **kwargs):\n y = funcs[-1](*args, **kwargs)\n for f in funcs[:0:-1]:\n y = f(y)\n return y\n return composed\n",
"role": "user"
},
{
"content": "compose",
"role": "assistant"
}
] |
def x(n):
if 0 > n > 4000:
raise ValueError('``n`` must lie between 1 and 3999: %d' % n)
roman = 'I IV V IX X XL L XC C CD D CM M'.split()
arabic = [1, 4, 5, 9, 10, 40, 50, 90, 100, 400, 500, 900, 1000]
res = []
while n > 0:
pos = bisect.bisect_right(arabic, n) - 1
fit = n // arabic[pos]
res.append(roman[pos] * fit)
n -= fit * arabic[pos]
return ''.join(res)
|
romanNumeral
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(n):\n if 0 > n > 4000:\n raise ValueError('``n`` must lie between 1 and 3999: %d' % n)\n roman = 'I IV V IX X XL L XC C CD D CM M'.split()\n arabic = [1, 4, 5, 9, 10, 40, 50, 90, 100, 400, 500, 900, 1000]\n res = []\n while n > 0:\n pos = bisect.bisect_right(arabic, n) - 1\n fit = n // arabic[pos]\n res.append(roman[pos] * fit)\n n -= fit * arabic[pos]\n return ''.join(res)\n",
"role": "user"
},
{
"content": "romanNumeral",
"role": "assistant"
}
] |
def x(n, it, constructor=list):
return constructor(itertools.islice(it, n))
|
first
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(n, it, constructor=list):\n return constructor(itertools.islice(it, n))\n",
"role": "user"
},
{
"content": "first",
"role": "assistant"
}
] |
def x(n, it, constructor=list):
return constructor(itertools.islice(it, n, None))
|
drop
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(n, it, constructor=list):\n return constructor(itertools.islice(it, n, None))\n",
"role": "user"
},
{
"content": "drop",
"role": "assistant"
}
] |
def x(self, func, *args, **kwargs):
if self.dry:
return self.dryRun(func, *args, **kwargs)
else:
return self.wetRun(func, *args, **kwargs)
|
run
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, func, *args, **kwargs):\n if self.dry:\n return self.dryRun(func, *args, **kwargs)\n else:\n return self.wetRun(func, *args, **kwargs)\n",
"role": "user"
},
{
"content": "run",
"role": "assistant"
}
] |
def x(self, func, *args, **kwargs):
print >> self.out, self.formatterDict.get(func, self.defaultFormatter)(func
, *args, **kwargs)
|
dryRun
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, func, *args, **kwargs):\n print >> self.out, self.formatterDict.get(func, self.defaultFormatter)(func\n , *args, **kwargs)\n",
"role": "user"
},
{
"content": "dryRun",
"role": "assistant"
}
] |
def x():
net_files = os.listdir(SYSFS_NET_PATH)
for d in net_files:
path = os.path.join(SYSFS_NET_PATH, d)
if not os.path.isdir(path):
continue
if os.path.exists(os.path.join(path, b'bridge')):
yield Bridge(d)
|
iterbridges
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n net_files = os.listdir(SYSFS_NET_PATH)\n for d in net_files:\n path = os.path.join(SYSFS_NET_PATH, d)\n if not os.path.isdir(path):\n continue\n if os.path.exists(os.path.join(path, b'bridge')):\n yield Bridge(d)\n",
"role": "user"
},
{
"content": "iterbridges",
"role": "assistant"
}
] |
def x(name):
fcntl.ioctl(ifconfig.sockfd, SIOCBRADDBR, name)
return Bridge(name)
|
addbr
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name):\n fcntl.ioctl(ifconfig.sockfd, SIOCBRADDBR, name)\n return Bridge(name)\n",
"role": "user"
},
{
"content": "addbr",
"role": "assistant"
}
] |
def x(self):
if_path = os.path.join(SYSFS_NET_PATH, self.name, b'brif')
net_files = os.listdir(if_path)
for iface in net_files:
yield iface
|
iterifs
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if_path = os.path.join(SYSFS_NET_PATH, self.name, b'brif')\n net_files = os.listdir(if_path)\n for iface in net_files:\n yield iface\n",
"role": "user"
},
{
"content": "iterifs",
"role": "assistant"
}
] |
def x(self, iface):
if type(iface) == ifconfig.Interface:
devindex = iface.index
else:
devindex = ifconfig.Interface(iface).index
ifreq = struct.pack('16si', self.name, devindex)
fcntl.ioctl(ifconfig.sockfd, SIOCBRADDIF, ifreq)
return self
|
addif
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, iface):\n if type(iface) == ifconfig.Interface:\n devindex = iface.index\n else:\n devindex = ifconfig.Interface(iface).index\n ifreq = struct.pack('16si', self.name, devindex)\n fcntl.ioctl(ifconfig.sockfd, SIOCBRADDIF, ifreq)\n return self\n",
"role": "user"
},
{
"content": "addif",
"role": "assistant"
}
] |
def x(self, iface):
if type(iface) == ifconfig.Interface:
devindex = iface.index
else:
devindex = ifconfig.Interface(iface).index
ifreq = struct.pack('16si', self.name, devindex)
fcntl.ioctl(ifconfig.sockfd, SIOCBRDELIF, ifreq)
return self
|
delif
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, iface):\n if type(iface) == ifconfig.Interface:\n devindex = iface.index\n else:\n devindex = ifconfig.Interface(iface).index\n ifreq = struct.pack('16si', self.name, devindex)\n fcntl.ioctl(ifconfig.sockfd, SIOCBRDELIF, ifreq)\n return self\n",
"role": "user"
},
{
"content": "delif",
"role": "assistant"
}
] |
def x(self):
self.down()
fcntl.ioctl(ifconfig.sockfd, SIOCBRDELBR, self.name)
return self
|
delete
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.down()\n fcntl.ioctl(ifconfig.sockfd, SIOCBRDELBR, self.name)\n return self\n",
"role": "user"
},
{
"content": "delete",
"role": "assistant"
}
] |
def x():
symbols = string.ascii_uppercase + string.ascii_lowercase + string.digits
return ''.join(random.choice(symbols) for _ in range(15))
|
get_random_id
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n symbols = string.ascii_uppercase + string.ascii_lowercase + string.digits\n return ''.join(random.choice(symbols) for _ in range(15))\n",
"role": "user"
},
{
"content": "get_random_id",
"role": "assistant"
}
] |
def x(category, name):
base_dir = os.path.dirname(os.path.abspath(__file__))
if category == 'js':
filename = os.path.join('js', '{0}.js'.format(name))
elif category == 'css':
filename = os.path.join('css', '{0}.css'.format(name))
elif category == 'html':
filename = os.path.join('html', '{0}.html'.format(name))
else:
raise ValueError('Unknown category')
return os.path.join(base_dir, 'lib', filename)
|
get_lib_filename
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(category, name):\n base_dir = os.path.dirname(os.path.abspath(__file__))\n if category == 'js':\n filename = os.path.join('js', '{0}.js'.format(name))\n elif category == 'css':\n filename = os.path.join('css', '{0}.css'.format(name))\n elif category == 'html':\n filename = os.path.join('html', '{0}.html'.format(name))\n else:\n raise ValueError('Unknown category')\n return os.path.join(base_dir, 'lib', filename)\n",
"role": "user"
},
{
"content": "get_lib_filename",
"role": "assistant"
}
] |
def x(d3js_url='//d3js.org/d3.v3.min', requirejs_url=
'//cdnjs.cloudflare.com/ajax/libs/require.js/2.1.10/require.min.js',
html_template=None):
if html_template is None:
html_template = read_lib('html', 'setup')
setup_html = populate_template(html_template, d3js=d3js_url, requirejs=
requirejs_url)
display_html(setup_html)
return
|
output_notebook
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(d3js_url='//d3js.org/d3.v3.min', requirejs_url=\n '//cdnjs.cloudflare.com/ajax/libs/require.js/2.1.10/require.min.js',\n html_template=None):\n if html_template is None:\n html_template = read_lib('html', 'setup')\n setup_html = populate_template(html_template, d3js=d3js_url, requirejs=\n requirejs_url)\n display_html(setup_html)\n return\n",
"role": "user"
},
{
"content": "output_notebook",
"role": "assistant"
}
] |
def x(js_template, css_template, html_template=None):
if html_template is None:
html_template = read_lib('html', 'graph')
graph_id = 'graph-{0}'.format(_get_random_id())
js = populate_template(js_template, graph_id=graph_id)
css = populate_template(css_template, graph_id=graph_id)
return populate_template(html_template, graph_id=graph_id, css=css, js=js)
|
create_graph_html
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(js_template, css_template, html_template=None):\n if html_template is None:\n html_template = read_lib('html', 'graph')\n graph_id = 'graph-{0}'.format(_get_random_id())\n js = populate_template(js_template, graph_id=graph_id)\n css = populate_template(css_template, graph_id=graph_id)\n return populate_template(html_template, graph_id=graph_id, css=css, js=js)\n",
"role": "user"
},
{
"content": "create_graph_html",
"role": "assistant"
}
] |
def x():
java_path = find_executable('java')
if not java_path:
return JAVA_6_COMPATIBLE_VERSION
output = subprocess.check_output([java_path, '-version'], stderr=
subprocess.STDOUT, universal_newlines=True)
match = re.search(
'^java version "(?P<major1>\\d+)\\.(?P<major2>\\d+)\\.[^"]+"$',
output, re.MULTILINE)
if not match:
raise SystemExit('Could not parse Java version from """{}""".'.
format(output))
java_version = int(match.group('major1')), int(match.group('major2'))
if java_version >= (1, 7):
return LATEST_VERSION
elif java_version >= (1, 6):
warn(
'grammar-check would be able to use a newer version of LanguageTool if you had Java 7 or newer installed'
)
return JAVA_6_COMPATIBLE_VERSION
else:
raise SystemExit('You need at least Java 6 to use grammar-check')
|
get_newest_possible_languagetool_version
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n java_path = find_executable('java')\n if not java_path:\n return JAVA_6_COMPATIBLE_VERSION\n output = subprocess.check_output([java_path, '-version'], stderr=\n subprocess.STDOUT, universal_newlines=True)\n match = re.search(\n '^java version \"(?P<major1>\\\\d+)\\\\.(?P<major2>\\\\d+)\\\\.[^\"]+\"$',\n output, re.MULTILINE)\n if not match:\n raise SystemExit('Could not parse Java version from \"\"\"{}\"\"\".'.\n format(output))\n java_version = int(match.group('major1')), int(match.group('major2'))\n if java_version >= (1, 7):\n return LATEST_VERSION\n elif java_version >= (1, 6):\n warn(\n 'grammar-check would be able to use a newer version of LanguageTool if you had Java 7 or newer installed'\n )\n return JAVA_6_COMPATIBLE_VERSION\n else:\n raise SystemExit('You need at least Java 6 to use grammar-check')\n",
"role": "user"
},
{
"content": "get_newest_possible_languagetool_version",
"role": "assistant"
}
] |
def x(physical=True):
net_files = os.listdir(SYSFS_NET_PATH)
interfaces = set()
virtual = set()
for d in net_files:
path = os.path.join(SYSFS_NET_PATH, d)
if not os.path.isdir(path):
continue
if not os.path.exists(os.path.join(path, b'device')):
virtual.add(d)
interfaces.add(d)
if not physical:
ifreqs = array.array('B', b'\x00' * SIZE_OF_IFREQ * 30)
buf_addr, _buf_len = ifreqs.buffer_info()
ifconf = struct.pack('iP', SIZE_OF_IFREQ * 30, buf_addr)
ifconf_res = fcntl.ioctl(sockfd, SIOCGIFCONF, ifconf)
ifreqs_len, _ = struct.unpack('iP', ifconf_res)
assert ifreqs_len % SIZE_OF_IFREQ == 0, "Unexpected amount of data returned from ioctl. You're probably running on an unexpected architecture"
res = ifreqs.tostring()
for i in range(0, ifreqs_len, SIZE_OF_IFREQ):
d = res[i:i + 16].strip(b'\x00')
interfaces.add(d)
results = interfaces - virtual if physical else interfaces
for d in results:
yield Interface(d)
|
iterifs
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(physical=True):\n net_files = os.listdir(SYSFS_NET_PATH)\n interfaces = set()\n virtual = set()\n for d in net_files:\n path = os.path.join(SYSFS_NET_PATH, d)\n if not os.path.isdir(path):\n continue\n if not os.path.exists(os.path.join(path, b'device')):\n virtual.add(d)\n interfaces.add(d)\n if not physical:\n ifreqs = array.array('B', b'\\x00' * SIZE_OF_IFREQ * 30)\n buf_addr, _buf_len = ifreqs.buffer_info()\n ifconf = struct.pack('iP', SIZE_OF_IFREQ * 30, buf_addr)\n ifconf_res = fcntl.ioctl(sockfd, SIOCGIFCONF, ifconf)\n ifreqs_len, _ = struct.unpack('iP', ifconf_res)\n assert ifreqs_len % SIZE_OF_IFREQ == 0, \"Unexpected amount of data returned from ioctl. You're probably running on an unexpected architecture\"\n res = ifreqs.tostring()\n for i in range(0, ifreqs_len, SIZE_OF_IFREQ):\n d = res[i:i + 16].strip(b'\\x00')\n interfaces.add(d)\n results = interfaces - virtual if physical else interfaces\n for d in results:\n yield Interface(d)\n",
"role": "user"
},
{
"content": "iterifs",
"role": "assistant"
}
] |
def x():
globals()['sock'] = socket.socket(socket.AF_INET, socket.SOCK_STREAM)
globals()['sockfd'] = globals()['sock'].fileno()
|
init
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n globals()['sock'] = socket.socket(socket.AF_INET, socket.SOCK_STREAM)\n globals()['sockfd'] = globals()['sock'].fileno()\n",
"role": "user"
},
{
"content": "init",
"role": "assistant"
}
] |
def x(self):
ifreq = struct.pack('16sh', self.name, 0)
flags = struct.unpack('16sh', fcntl.ioctl(sockfd, SIOCGIFFLAGS, ifreq))[1]
flags = flags | IFF_UP
ifreq = struct.pack('16sh', self.name, flags)
fcntl.ioctl(sockfd, SIOCSIFFLAGS, ifreq)
|
up
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n ifreq = struct.pack('16sh', self.name, 0)\n flags = struct.unpack('16sh', fcntl.ioctl(sockfd, SIOCGIFFLAGS, ifreq))[1]\n flags = flags | IFF_UP\n ifreq = struct.pack('16sh', self.name, flags)\n fcntl.ioctl(sockfd, SIOCSIFFLAGS, ifreq)\n",
"role": "user"
},
{
"content": "up",
"role": "assistant"
}
] |
def x(self):
ifreq = struct.pack('16sh', self.name, 0)
flags = struct.unpack('16sh', fcntl.ioctl(sockfd, SIOCGIFFLAGS, ifreq))[1]
if flags & IFF_UP:
return True
else:
return False
|
is_up
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n ifreq = struct.pack('16sh', self.name, 0)\n flags = struct.unpack('16sh', fcntl.ioctl(sockfd, SIOCGIFFLAGS, ifreq))[1]\n if flags & IFF_UP:\n return True\n else:\n return False\n",
"role": "user"
},
{
"content": "is_up",
"role": "assistant"
}
] |
def x(self):
ifreq = struct.pack('16sH14s', self.name, AF_UNIX, b'\x00' * 14)
res = fcntl.ioctl(sockfd, SIOCGIFHWADDR, ifreq)
address = struct.unpack('16sH14s', res)[2]
mac = struct.unpack('6B8x', address)
return ':'.join([('%02X' % i) for i in mac])
|
get_mac
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n ifreq = struct.pack('16sH14s', self.name, AF_UNIX, b'\\x00' * 14)\n res = fcntl.ioctl(sockfd, SIOCGIFHWADDR, ifreq)\n address = struct.unpack('16sH14s', res)[2]\n mac = struct.unpack('6B8x', address)\n return ':'.join([('%02X' % i) for i in mac])\n",
"role": "user"
},
{
"content": "get_mac",
"role": "assistant"
}
] |
def x(self, newmac):
macbytes = [int(i, 16) for i in newmac.split(':')]
ifreq = struct.pack('16sH6B8x', self.name, AF_UNIX, *macbytes)
fcntl.ioctl(sockfd, SIOCSIFHWADDR, ifreq)
|
set_mac
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, newmac):\n macbytes = [int(i, 16) for i in newmac.split(':')]\n ifreq = struct.pack('16sH6B8x', self.name, AF_UNIX, *macbytes)\n fcntl.ioctl(sockfd, SIOCSIFHWADDR, ifreq)\n",
"role": "user"
},
{
"content": "set_mac",
"role": "assistant"
}
] |
def x(self):
ifreq = struct.pack('16si', self.name, 0)
res = fcntl.ioctl(sockfd, SIOCGIFINDEX, ifreq)
return struct.unpack('16si', res)[1]
|
get_index
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n ifreq = struct.pack('16si', self.name, 0)\n res = fcntl.ioctl(sockfd, SIOCGIFINDEX, ifreq)\n return struct.unpack('16si', res)[1]\n",
"role": "user"
},
{
"content": "get_index",
"role": "assistant"
}
] |
def x(self, autoneg, rx_pause, tx_pause):
ecmd = array.array('B', struct.pack('IIII', ETHTOOL_SPAUSEPARAM, bool(
autoneg), bool(rx_pause), bool(tx_pause)))
buf_addr, _buf_len = ecmd.buffer_info()
ifreq = struct.pack('16sP', self.name, buf_addr)
fcntl.ioctl(sockfd, SIOCETHTOOL, ifreq)
|
set_pause_param
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, autoneg, rx_pause, tx_pause):\n ecmd = array.array('B', struct.pack('IIII', ETHTOOL_SPAUSEPARAM, bool(\n autoneg), bool(rx_pause), bool(tx_pause)))\n buf_addr, _buf_len = ecmd.buffer_info()\n ifreq = struct.pack('16sP', self.name, buf_addr)\n fcntl.ioctl(sockfd, SIOCETHTOOL, ifreq)\n",
"role": "user"
},
{
"content": "set_pause_param",
"role": "assistant"
}
] |
def x():
with io.open('grammar_check/__init__.py', encoding='utf-8') as input_file:
for line in input_file:
if line.startswith('__version__'):
return ast.parse(line).body[0].value.s
|
get_version
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n with io.open('grammar_check/__init__.py', encoding='utf-8') as input_file:\n for line in input_file:\n if line.startswith('__version__'):\n return ast.parse(line).body[0].value.s\n",
"role": "user"
},
{
"content": "get_version",
"role": "assistant"
}
] |
def x(value):
l = [v.strip() for v in value.split(',')]
if len(l) == 1:
l = value.split()
return l
|
split_elements
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value):\n l = [v.strip() for v in value.split(',')]\n if len(l) == 1:\n l = value.split()\n return l\n",
"role": "user"
},
{
"content": "split_elements",
"role": "assistant"
}
] |
def x(config, py2k_dir=PY2K_DIR, run_tests=False):
def x(src, dst):
if not os.path.isfile(dst) or os.path.getmtime(src) > os.path.getmtime(
dst):
shutil.copy(src, dst)
return dst
return None
def x(src, dst):
if not os.path.isfile(dst) or os.path.getmtime(src) > os.path.getmtime(
dst) or os.path.getsize(src) != os.path.getsize(dst):
shutil.copy(src, dst)
return dst
return None
copied_py_files = []
test_scripts = []
if not os.path.isdir(py2k_dir):
os.makedirs(py2k_dir)
packages_root = get_cfg_value(config, 'files', 'packages_root')
for name in get_cfg_value(config, 'files', 'packages'):
name = name.replace('.', os.path.sep)
py3k_path = os.path.join(packages_root, name)
py2k_path = os.path.join(py2k_dir, py3k_path)
if not os.path.isdir(py2k_path):
os.makedirs(py2k_path)
for fn in os.listdir(py3k_path):
path = os.path.join(py3k_path, fn)
if not os.path.isfile(path):
continue
if not os.path.splitext(path)[1].lower() == '.py':
continue
new_path = os.path.join(py2k_path, fn)
if copy(path, new_path):
copied_py_files.append(new_path)
for name in get_cfg_value(config, 'files', 'modules'):
name = name.replace('.', os.path.sep) + '.py'
py3k_path = os.path.join(packages_root, name)
py2k_path = os.path.join(py2k_dir, py3k_path)
dirname = os.path.dirname(py2k_path)
if not os.path.isdir(dirname):
os.makedirs(dirname)
if copy(py3k_path, py2k_path):
copied_py_files.append(py2k_path)
for name in get_cfg_value(config, 'files', 'scripts'):
py3k_path = os.path.join(packages_root, name)
py2k_path = os.path.join(py2k_dir, py3k_path)
dirname = os.path.dirname(py2k_path)
if not os.path.isdir(dirname):
os.makedirs(dirname)
if copy(py3k_path, py2k_path):
copied_py_files.append(py2k_path)
setup_py_path = os.path.abspath(__file__)
for pattern in get_cfg_value(config, 'files', 'extra_files'):
for path in glob.glob(pattern):
if os.path.abspath(path) == setup_py_path:
continue
py2k_path = os.path.join(py2k_dir, path)
py2k_dirname = os.path.dirname(py2k_path)
if not os.path.isdir(py2k_dirname):
os.makedirs(py2k_dirname)
filename = os.path.split(path)[1]
ext = os.path.splitext(filename)[1].lower()
if ext == '.py':
if copy(path, py2k_path):
copied_py_files.append(py2k_path)
else:
copy_data(path, py2k_path)
if os.access(py2k_path, os.X_OK) and re.search(
'\\btest\\b|_test\\b|\\btest_', filename):
test_scripts.append(py2k_path)
for package, patterns in get_package_data(get_cfg_value(config, 'files',
'package_data')).items():
for pattern in patterns:
py3k_pattern = os.path.join(packages_root, package, pattern)
for py3k_path in glob.glob(py3k_pattern):
py2k_path = os.path.join(py2k_dir, py3k_path)
py2k_dirname = os.path.dirname(py2k_path)
if not os.path.isdir(py2k_dirname):
os.makedirs(py2k_dirname)
copy_data(py3k_path, py2k_path)
if copied_py_files:
copied_py_files.sort()
try:
run_3to2(copied_py_files)
write_py2k_header(copied_py_files)
except:
shutil.rmtree(py2k_dir)
raise
if run_tests:
for script in test_scripts:
subprocess.check_call([script])
|
generate_py2k
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(config, py2k_dir=PY2K_DIR, run_tests=False):\n\n def x(src, dst):\n if not os.path.isfile(dst) or os.path.getmtime(src) > os.path.getmtime(\n dst):\n shutil.copy(src, dst)\n return dst\n return None\n\n def x(src, dst):\n if not os.path.isfile(dst) or os.path.getmtime(src) > os.path.getmtime(\n dst) or os.path.getsize(src) != os.path.getsize(dst):\n shutil.copy(src, dst)\n return dst\n return None\n copied_py_files = []\n test_scripts = []\n if not os.path.isdir(py2k_dir):\n os.makedirs(py2k_dir)\n packages_root = get_cfg_value(config, 'files', 'packages_root')\n for name in get_cfg_value(config, 'files', 'packages'):\n name = name.replace('.', os.path.sep)\n py3k_path = os.path.join(packages_root, name)\n py2k_path = os.path.join(py2k_dir, py3k_path)\n if not os.path.isdir(py2k_path):\n os.makedirs(py2k_path)\n for fn in os.listdir(py3k_path):\n path = os.path.join(py3k_path, fn)\n if not os.path.isfile(path):\n continue\n if not os.path.splitext(path)[1].lower() == '.py':\n continue\n new_path = os.path.join(py2k_path, fn)\n if copy(path, new_path):\n copied_py_files.append(new_path)\n for name in get_cfg_value(config, 'files', 'modules'):\n name = name.replace('.', os.path.sep) + '.py'\n py3k_path = os.path.join(packages_root, name)\n py2k_path = os.path.join(py2k_dir, py3k_path)\n dirname = os.path.dirname(py2k_path)\n if not os.path.isdir(dirname):\n os.makedirs(dirname)\n if copy(py3k_path, py2k_path):\n copied_py_files.append(py2k_path)\n for name in get_cfg_value(config, 'files', 'scripts'):\n py3k_path = os.path.join(packages_root, name)\n py2k_path = os.path.join(py2k_dir, py3k_path)\n dirname = os.path.dirname(py2k_path)\n if not os.path.isdir(dirname):\n os.makedirs(dirname)\n if copy(py3k_path, py2k_path):\n copied_py_files.append(py2k_path)\n setup_py_path = os.path.abspath(__file__)\n for pattern in get_cfg_value(config, 'files', 'extra_files'):\n for path in glob.glob(pattern):\n if os.path.abspath(path) == setup_py_path:\n continue\n py2k_path = os.path.join(py2k_dir, path)\n py2k_dirname = os.path.dirname(py2k_path)\n if not os.path.isdir(py2k_dirname):\n os.makedirs(py2k_dirname)\n filename = os.path.split(path)[1]\n ext = os.path.splitext(filename)[1].lower()\n if ext == '.py':\n if copy(path, py2k_path):\n copied_py_files.append(py2k_path)\n else:\n copy_data(path, py2k_path)\n if os.access(py2k_path, os.X_OK) and re.search(\n '\\\\btest\\\\b|_test\\\\b|\\\\btest_', filename):\n test_scripts.append(py2k_path)\n for package, patterns in get_package_data(get_cfg_value(config, 'files',\n 'package_data')).items():\n for pattern in patterns:\n py3k_pattern = os.path.join(packages_root, package, pattern)\n for py3k_path in glob.glob(py3k_pattern):\n py2k_path = os.path.join(py2k_dir, py3k_path)\n py2k_dirname = os.path.dirname(py2k_path)\n if not os.path.isdir(py2k_dirname):\n os.makedirs(py2k_dirname)\n copy_data(py3k_path, py2k_path)\n if copied_py_files:\n copied_py_files.sort()\n try:\n run_3to2(copied_py_files)\n write_py2k_header(copied_py_files)\n except:\n shutil.rmtree(py2k_dir)\n raise\n if run_tests:\n for script in test_scripts:\n subprocess.check_call([script])\n",
"role": "user"
},
{
"content": "generate_py2k",
"role": "assistant"
}
] |
def x(config):
if any(arg.startswith('bdist') for arg in sys.argv) and os.path.isdir(
PY2K_DIR) != IS_PY2K and os.path.isdir(LIB_DIR):
shutil.rmtree(LIB_DIR)
if IS_PY2K and any(arg.startswith('install') or arg.startswith('build') or
arg.startswith('bdist') for arg in sys.argv):
generate_py2k(config)
packages_root = get_cfg_value(config, 'files', 'packages_root')
packages_root = os.path.join(PY2K_DIR, packages_root)
set_cfg_value(config, 'files', 'packages_root', packages_root)
|
default_hook
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(config):\n if any(arg.startswith('bdist') for arg in sys.argv) and os.path.isdir(\n PY2K_DIR) != IS_PY2K and os.path.isdir(LIB_DIR):\n shutil.rmtree(LIB_DIR)\n if IS_PY2K and any(arg.startswith('install') or arg.startswith('build') or\n arg.startswith('bdist') for arg in sys.argv):\n generate_py2k(config)\n packages_root = get_cfg_value(config, 'files', 'packages_root')\n packages_root = os.path.join(PY2K_DIR, packages_root)\n set_cfg_value(config, 'files', 'packages_root', packages_root)\n",
"role": "user"
},
{
"content": "default_hook",
"role": "assistant"
}
] |
def x():
f = open('/proc/net/route', 'r')
for line in f:
words = line.split()
dest = words[1]
try:
if int(dest) == 0:
interf = words[0]
break
except ValueError:
pass
return interf
|
get_default_if
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n f = open('/proc/net/route', 'r')\n for line in f:\n words = line.split()\n dest = words[1]\n try:\n if int(dest) == 0:\n interf = words[0]\n break\n except ValueError:\n pass\n return interf\n",
"role": "user"
},
{
"content": "get_default_if",
"role": "assistant"
}
] |
def x():
octet_list = []
gw_from_route = None
f = open('/proc/net/route', 'r')
for line in f:
words = line.split()
dest = words[1]
try:
if int(dest) == 0:
gw_from_route = words[2]
break
except ValueError:
pass
if not gw_from_route:
return None
for i in range(8, 1, -2):
octet = gw_from_route[i - 2:i]
octet = int(octet, 16)
octet_list.append(str(octet))
gw_ip = '.'.join(octet_list)
return gw_ip
|
get_default_gw
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n octet_list = []\n gw_from_route = None\n f = open('/proc/net/route', 'r')\n for line in f:\n words = line.split()\n dest = words[1]\n try:\n if int(dest) == 0:\n gw_from_route = words[2]\n break\n except ValueError:\n pass\n if not gw_from_route:\n return None\n for i in range(8, 1, -2):\n octet = gw_from_route[i - 2:i]\n octet = int(octet, 16)\n octet_list.append(str(octet))\n gw_ip = '.'.join(octet_list)\n return gw_ip\n",
"role": "user"
},
{
"content": "get_default_gw",
"role": "assistant"
}
] |
def x(init_type='plaintext_tcp', *args, **kwargs):
global _module_instance
reset()
validate_init_types = ['plaintext_tcp', 'plaintext', 'pickle_tcp',
'pickle', 'plain']
if init_type not in validate_init_types:
raise GraphiteSendException(
"Invalid init_type '%s', must be one of: %s" % (init_type, ', '
.join(validate_init_types)))
if init_type in ['plaintext_tcp', 'plaintext', 'plain']:
_module_instance = GraphiteClient(*args, **kwargs)
if init_type in ['pickle_tcp', 'pickle']:
_module_instance = GraphitePickleClient(*args, **kwargs)
return _module_instance
|
init
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(init_type='plaintext_tcp', *args, **kwargs):\n global _module_instance\n reset()\n validate_init_types = ['plaintext_tcp', 'plaintext', 'pickle_tcp',\n 'pickle', 'plain']\n if init_type not in validate_init_types:\n raise GraphiteSendException(\n \"Invalid init_type '%s', must be one of: %s\" % (init_type, ', '\n .join(validate_init_types)))\n if init_type in ['plaintext_tcp', 'plaintext', 'plain']:\n _module_instance = GraphiteClient(*args, **kwargs)\n if init_type in ['pickle_tcp', 'pickle']:\n _module_instance = GraphitePickleClient(*args, **kwargs)\n return _module_instance\n",
"role": "user"
},
{
"content": "init",
"role": "assistant"
}
] |
def x(*args, **kwargs):
if not _module_instance:
raise GraphiteSendException(
'Must call graphitesend.init() before sending')
_module_instance.send(*args, **kwargs)
return _module_instance
|
send
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*args, **kwargs):\n if not _module_instance:\n raise GraphiteSendException(\n 'Must call graphitesend.init() before sending')\n _module_instance.send(*args, **kwargs)\n return _module_instance\n",
"role": "user"
},
{
"content": "send",
"role": "assistant"
}
] |
def x(*args, **kwargs):
if not _module_instance:
raise GraphiteSendException(
'Must call graphitesend.init() before sending')
_module_instance.send_dict(*args, **kwargs)
return _module_instance
|
send_dict
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*args, **kwargs):\n if not _module_instance:\n raise GraphiteSendException(\n 'Must call graphitesend.init() before sending')\n _module_instance.send_dict(*args, **kwargs)\n return _module_instance\n",
"role": "user"
},
{
"content": "send_dict",
"role": "assistant"
}
] |
def x(*args, **kwargs):
if not _module_instance:
raise GraphiteSendException(
'Must call graphitesend.init() before sending')
_module_instance.send_list(*args, **kwargs)
return _module_instance
|
send_list
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*args, **kwargs):\n if not _module_instance:\n raise GraphiteSendException(\n 'Must call graphitesend.init() before sending')\n _module_instance.send_list(*args, **kwargs)\n return _module_instance\n",
"role": "user"
},
{
"content": "send_list",
"role": "assistant"
}
] |
def x():
import argparse
parser = argparse.ArgumentParser(description='Send data to graphite')
parser.add_argument('metric', metavar='metric', type=str, help=
'name.of.metric')
parser.add_argument('value', metavar='value', type=int, help=
'value of metric as int')
args = parser.parse_args()
metric = args.metric
value = args.value
graphitesend_instance = init()
graphitesend_instance.send(metric, value)
|
cli
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n import argparse\n parser = argparse.ArgumentParser(description='Send data to graphite')\n parser.add_argument('metric', metavar='metric', type=str, help=\n 'name.of.metric')\n parser.add_argument('value', metavar='value', type=int, help=\n 'value of metric as int')\n args = parser.parse_args()\n metric = args.metric\n value = args.value\n graphitesend_instance = init()\n graphitesend_instance.send(metric, value)\n",
"role": "user"
},
{
"content": "cli",
"role": "assistant"
}
] |
def x(self):
self.socket = socket.socket()
self.socket.settimeout(self.timeout_in_seconds)
try:
self.socket.connect(self.addr)
except socket.timeout:
raise GraphiteSendException(
'Took over %d second(s) to connect to %s' % (self.
timeout_in_seconds, self.addr))
except socket.gaierror:
raise GraphiteSendException(
'No address associated with hostname %s:%s' % self.addr)
except Exception as error:
raise GraphiteSendException(
'unknown exception while connecting to %s - %s' % (self.addr,
error))
return self.socket
|
connect
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.socket = socket.socket()\n self.socket.settimeout(self.timeout_in_seconds)\n try:\n self.socket.connect(self.addr)\n except socket.timeout:\n raise GraphiteSendException(\n 'Took over %d second(s) to connect to %s' % (self.\n timeout_in_seconds, self.addr))\n except socket.gaierror:\n raise GraphiteSendException(\n 'No address associated with hostname %s:%s' % self.addr)\n except Exception as error:\n raise GraphiteSendException(\n 'unknown exception while connecting to %s - %s' % (self.addr,\n error))\n return self.socket\n",
"role": "user"
},
{
"content": "connect",
"role": "assistant"
}
] |
def x(self, sleep=1, attempt=3, exponential=True, jitter=5):
p = 0
while attempt is None or attempt > 0:
try:
self.reconnect()
return True
except GraphiteSendException:
if exponential:
p += 1
time.sleep(pow(sleep, p) + random.randint(1, jitter))
else:
time.sleep(sleep)
attempt -= 1
return False
|
autoreconnect
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sleep=1, attempt=3, exponential=True, jitter=5):\n p = 0\n while attempt is None or attempt > 0:\n try:\n self.reconnect()\n return True\n except GraphiteSendException:\n if exponential:\n p += 1\n time.sleep(pow(sleep, p) + random.randint(1, jitter))\n else:\n time.sleep(sleep)\n attempt -= 1\n return False\n",
"role": "user"
},
{
"content": "autoreconnect",
"role": "assistant"
}
] |
def x(self):
try:
self.socket.shutdown(1)
except AttributeError:
self.socket = None
except Exception:
self.socket = None
finally:
self.socket = None
|
disconnect
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n try:\n self.socket.shutdown(1)\n except AttributeError:\n self.socket = None\n except Exception:\n self.socket = None\n finally:\n self.socket = None\n",
"role": "user"
},
{
"content": "disconnect",
"role": "assistant"
}
] |
def x(self, message):
if self.dryrun:
return message
if not self.socket:
raise GraphiteSendException('Socket was not created before send')
sending_function = self._send
if self._autoreconnect:
sending_function = self._send_and_reconnect
try:
if self.asynchronous and gevent:
gevent.spawn(sending_function, message)
else:
sending_function(message)
except Exception as e:
self._handle_send_error(e)
return 'sent {0} long message: {1}'.format(len(message), message[:75])
|
dispatch_send
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, message):\n if self.dryrun:\n return message\n if not self.socket:\n raise GraphiteSendException('Socket was not created before send')\n sending_function = self._send\n if self._autoreconnect:\n sending_function = self._send_and_reconnect\n try:\n if self.asynchronous and gevent:\n gevent.spawn(sending_function, message)\n else:\n sending_function(message)\n except Exception as e:\n self._handle_send_error(e)\n return 'sent {0} long message: {1}'.format(len(message), message[:75])\n",
"role": "user"
},
{
"content": "dispatch_send",
"role": "assistant"
}
] |
def x(self, message):
try:
self.socket.sendall(message.encode('ascii'))
except (AttributeError, socket.error):
if not self.autoreconnect():
raise
else:
self.socket.sendall(message.encode('ascii'))
|
send_and_reconnect
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, message):\n try:\n self.socket.sendall(message.encode('ascii'))\n except (AttributeError, socket.error):\n if not self.autoreconnect():\n raise\n else:\n self.socket.sendall(message.encode('ascii'))\n",
"role": "user"
},
{
"content": "send_and_reconnect",
"role": "assistant"
}
] |
def x(self, metric, value, timestamp=None, formatter=None):
if formatter is None:
formatter = self.formatter
message = formatter(metric, value, timestamp)
message = self._presend(message)
return self._dispatch_send(message)
|
send
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, metric, value, timestamp=None, formatter=None):\n if formatter is None:\n formatter = self.formatter\n message = formatter(metric, value, timestamp)\n message = self._presend(message)\n return self._dispatch_send(message)\n",
"role": "user"
},
{
"content": "send",
"role": "assistant"
}
] |
def x(self, data, timestamp=None, formatter=None):
if formatter is None:
formatter = self.formatter
metric_list = []
for metric, value in data.items():
tmp_message = formatter(metric, value, timestamp)
metric_list.append(tmp_message)
message = ''.join(metric_list)
return self._dispatch_send(message)
|
send_dict
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data, timestamp=None, formatter=None):\n if formatter is None:\n formatter = self.formatter\n metric_list = []\n for metric, value in data.items():\n tmp_message = formatter(metric, value, timestamp)\n metric_list.append(tmp_message)\n message = ''.join(metric_list)\n return self._dispatch_send(message)\n",
"role": "user"
},
{
"content": "send_dict",
"role": "assistant"
}
] |
def x(self):
def x():
try:
from gevent import monkey, socket
except ImportError:
return False
if hasattr(monkey, 'saved'):
return 'socket' in monkey.saved
return gevent.socket.socket == socket.socket
if not is_monkey_patched():
raise Exception(
'To activate asynchonoucity, please monkey patch the socket module with gevent'
)
return True
|
enable_asynchronous
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n\n def x():\n try:\n from gevent import monkey, socket\n except ImportError:\n return False\n if hasattr(monkey, 'saved'):\n return 'socket' in monkey.saved\n return gevent.socket.socket == socket.socket\n if not is_monkey_patched():\n raise Exception(\n 'To activate asynchonoucity, please monkey patch the socket module with gevent'\n )\n return True\n",
"role": "user"
},
{
"content": "enable_asynchronous",
"role": "assistant"
}
] |
def x(self, string_message):
if type(string_message).__name__ not in ('str', 'unicode'):
raise TypeError('Must provide a string or unicode')
if not string_message.endswith('\n'):
string_message += '\n'
tpl_list = []
for line in string_message.split('\n'):
line = line.strip()
if not line:
continue
path, metric, timestamp = None, None, None
try:
path, metric, timestamp = line.split()
except ValueError:
raise ValueError(
"message must contain - metric_name, value and timestamp '%s'"
% line)
try:
timestamp = float(timestamp)
except ValueError:
raise ValueError('Timestamp must be float or int')
tpl_list.append((path, (timestamp, metric)))
if len(tpl_list) == 0:
raise GraphiteSendException('No messages to send')
payload = pickle.dumps(tpl_list)
header = struct.pack('!L', len(payload))
message = header + payload
return message
|
str2listtuple
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, string_message):\n if type(string_message).__name__ not in ('str', 'unicode'):\n raise TypeError('Must provide a string or unicode')\n if not string_message.endswith('\\n'):\n string_message += '\\n'\n tpl_list = []\n for line in string_message.split('\\n'):\n line = line.strip()\n if not line:\n continue\n path, metric, timestamp = None, None, None\n try:\n path, metric, timestamp = line.split()\n except ValueError:\n raise ValueError(\n \"message must contain - metric_name, value and timestamp '%s'\"\n % line)\n try:\n timestamp = float(timestamp)\n except ValueError:\n raise ValueError('Timestamp must be float or int')\n tpl_list.append((path, (timestamp, metric)))\n if len(tpl_list) == 0:\n raise GraphiteSendException('No messages to send')\n payload = pickle.dumps(tpl_list)\n header = struct.pack('!L', len(payload))\n message = header + payload\n return message\n",
"role": "user"
},
{
"content": "str2listtuple",
"role": "assistant"
}
] |
def x(self, message):
if self.lowercase_metric_names:
message = message.lower()
message = self.str2listtuple(message)
try:
self.socket.sendall(message)
except socket.gaierror as error:
raise GraphiteSendException(
'Failed to send data to %s, with error: %s' % (self.addr, error))
except socket.error as error:
raise GraphiteSendException(
'Socket closed before able to send data to %s, with error: %s' %
(self.addr, error))
except Exception as error:
raise GraphiteSendException(
'Unknown error while trying to send data down socket to %s, error: %s'
% (self.addr, error))
return 'sent %d long pickled message' % len(message)
|
send
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, message):\n if self.lowercase_metric_names:\n message = message.lower()\n message = self.str2listtuple(message)\n try:\n self.socket.sendall(message)\n except socket.gaierror as error:\n raise GraphiteSendException(\n 'Failed to send data to %s, with error: %s' % (self.addr, error))\n except socket.error as error:\n raise GraphiteSendException(\n 'Socket closed before able to send data to %s, with error: %s' %\n (self.addr, error))\n except Exception as error:\n raise GraphiteSendException(\n 'Unknown error while trying to send data down socket to %s, error: %s'\n % (self.addr, error))\n return 'sent %d long pickled message' % len(message)\n",
"role": "user"
},
{
"content": "send",
"role": "assistant"
}
] |
def x(self, metric_name):
if not self._clean_metric_name:
return metric_name
metric_name = str(metric_name)
for _from, _to in self.cleaning_replacement_list:
metric_name = metric_name.replace(_from, _to)
return metric_name
|
clean_metric_name
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, metric_name):\n if not self._clean_metric_name:\n return metric_name\n metric_name = str(metric_name)\n for _from, _to in self.cleaning_replacement_list:\n metric_name = metric_name.replace(_from, _to)\n return metric_name\n",
"role": "user"
},
{
"content": "clean_metric_name",
"role": "assistant"
}
] |
def x(cls) ->set:
if not cls._server_is_alive():
cls._start_server_on_free_port()
url = urllib.parse.urljoin(cls._url, 'Languages')
languages = set()
for e in cls._get_root(url, num_tries=1):
languages.add(e.get('abbr'))
languages.add(e.get('abbrWithVariant'))
return languages
|
get_languages
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls) ->set:\n if not cls._server_is_alive():\n cls._start_server_on_free_port()\n url = urllib.parse.urljoin(cls._url, 'Languages')\n languages = set()\n for e in cls._get_root(url, num_tries=1):\n languages.add(e.get('abbr'))\n languages.add(e.get('abbrWithVariant'))\n return languages\n",
"role": "user"
},
{
"content": "get_languages",
"role": "assistant"
}
] |
def x(cls):
if not cls._server_is_alive():
cls._start_server_on_free_port()
params = {'language': FAILSAFE_LANGUAGE, 'text': ''}
data = urllib.parse.urlencode(params).encode()
root = cls._get_root(cls._url, data, num_tries=1)
return root.attrib
|
get_attrib
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls):\n if not cls._server_is_alive():\n cls._start_server_on_free_port()\n params = {'language': FAILSAFE_LANGUAGE, 'text': ''}\n data = urllib.parse.urlencode(params).encode()\n root = cls._get_root(cls._url, data, num_tries=1)\n return root.attrib\n",
"role": "user"
},
{
"content": "get_attrib",
"role": "assistant"
}
] |
def x(self, request, obj=None, **kwargs):
language = get_language_from_request(request, obj)
form = _BASE_PAGEADMIN__GET_FORM(self, request, obj, **kwargs)
if not obj or not obj.get_meta_description(language=language):
form.base_fields.pop('meta_description', None)
return form
|
get_form
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request, obj=None, **kwargs):\n language = get_language_from_request(request, obj)\n form = _BASE_PAGEADMIN__GET_FORM(self, request, obj, **kwargs)\n if not obj or not obj.get_meta_description(language=language):\n form.base_fields.pop('meta_description', None)\n return form\n",
"role": "user"
},
{
"content": "get_form",
"role": "assistant"
}
] |
def x(page, language):
from cms.cache import _get_cache_key
try:
site_id = page.node.site_id
except AttributeError:
site_id = page.site_id
return _get_cache_key('page_meta', page, language, site_id)
|
get_cache_key
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(page, language):\n from cms.cache import _get_cache_key\n try:\n site_id = page.node.site_id\n except AttributeError:\n site_id = page.site_id\n return _get_cache_key('page_meta', page, language, site_id)\n",
"role": "user"
},
{
"content": "get_cache_key",
"role": "assistant"
}
] |
def x(page, language):
from django.core.cache import cache
from meta.views import Meta
from .models import PageMeta, TitleMeta
try:
meta_key = get_cache_key(page, language)
except AttributeError:
return None
gplus_server = 'https://plus.google.com'
meta = cache.get(meta_key)
if not meta:
meta = Meta()
title = page.get_title_obj(language)
meta.extra_custom_props = []
meta.title = page.get_page_title(language)
if not meta.title:
meta.title = page.get_title(language)
if title.meta_description:
meta.description = title.meta_description.strip()
try:
titlemeta = title.titlemeta
if titlemeta.description:
meta.description = titlemeta.description.strip()
if titlemeta.keywords:
meta.keywords = titlemeta.keywords.strip().split(',')
meta.locale = titlemeta.locale
meta.og_description = titlemeta.og_description.strip()
if not meta.og_description:
meta.og_description = meta.description
meta.twitter_description = titlemeta.twitter_description.strip()
if not meta.twitter_description:
meta.twitter_description = meta.description
meta.gplus_description = titlemeta.gplus_description.strip()
if not meta.gplus_description:
meta.gplus_description = meta.description
if titlemeta.image:
meta.image = (title.titlemeta.image.canonical_url or title.
titlemeta.image.url)
for item in titlemeta.extra.all():
attribute = item.attribute
if not attribute:
attribute = item.DEFAULT_ATTRIBUTE
meta.extra_custom_props.append((attribute, item.name, item.
value))
except (TitleMeta.DoesNotExist, AttributeError):
if meta.description:
meta.og_description = meta.description
meta.twitter_description = meta.description
meta.gplus_description = meta.description
defaults = {'object_type': meta_settings.FB_TYPE, 'og_type':
meta_settings.FB_TYPE, 'og_app_id': meta_settings.FB_APPID,
'fb_pages': meta_settings.FB_PAGES, 'og_profile_id':
meta_settings.FB_PROFILE_ID, 'og_publisher': meta_settings.
FB_PUBLISHER, 'og_author_url': meta_settings.FB_AUTHOR_URL,
'twitter_type': meta_settings.TWITTER_TYPE, 'twitter_site':
meta_settings.TWITTER_SITE, 'twitter_author': meta_settings.
TWITTER_AUTHOR, 'gplus_type': meta_settings.GPLUS_TYPE,
'gplus_author': meta_settings.GPLUS_AUTHOR}
try:
pagemeta = page.pagemeta
meta.object_type = pagemeta.og_type
meta.og_type = pagemeta.og_type
meta.og_app_id = pagemeta.og_app_id
meta.fb_pages = pagemeta.fb_pages
meta.og_profile_id = pagemeta.og_author_fbid
meta.twitter_type = pagemeta.twitter_type
meta.twitter_site = pagemeta.twitter_site
meta.twitter_author = pagemeta.twitter_author
meta.gplus_type = pagemeta.gplus_type
meta.gplus_author = pagemeta.gplus_author
if meta.og_type == 'article':
meta.og_publisher = pagemeta.og_publisher
meta.og_author_url = pagemeta.og_author_url
try:
from djangocms_page_tags.utils import get_title_tags, get_page_tags
tags = list(get_title_tags(page, language))
tags += list(get_page_tags(page))
meta.tag = ','.join([tag.name for tag in tags])
except ImportError:
pass
if not meta.image and pagemeta.image:
meta.image = pagemeta.image.canonical_url or pagemeta.image.url
for item in pagemeta.extra.all():
attribute = item.attribute
if not attribute:
attribute = item.DEFAULT_ATTRIBUTE
meta.extra_custom_props.append((attribute, item.name, item.
value))
except PageMeta.DoesNotExist:
pass
if meta.gplus_author and not meta.gplus_author.startswith('http'):
if not meta.gplus_author.startswith('/'):
meta.gplus_author = '{0}/{1}'.format(gplus_server, meta.
gplus_author)
else:
meta.gplus_author = '{0}{1}'.format(gplus_server, meta.
gplus_author)
if page.publication_date:
meta.published_time = page.publication_date.isoformat()
if page.changed_date:
meta.modified_time = page.changed_date.isoformat()
if page.publication_end_date:
meta.expiration_time = page.publication_end_date.isoformat()
for attr, val in defaults.items():
if not getattr(meta, attr, '') and val:
setattr(meta, attr, val)
meta.url = page.get_absolute_url(language)
return meta
|
get_page_meta
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(page, language):\n from django.core.cache import cache\n from meta.views import Meta\n from .models import PageMeta, TitleMeta\n try:\n meta_key = get_cache_key(page, language)\n except AttributeError:\n return None\n gplus_server = 'https://plus.google.com'\n meta = cache.get(meta_key)\n if not meta:\n meta = Meta()\n title = page.get_title_obj(language)\n meta.extra_custom_props = []\n meta.title = page.get_page_title(language)\n if not meta.title:\n meta.title = page.get_title(language)\n if title.meta_description:\n meta.description = title.meta_description.strip()\n try:\n titlemeta = title.titlemeta\n if titlemeta.description:\n meta.description = titlemeta.description.strip()\n if titlemeta.keywords:\n meta.keywords = titlemeta.keywords.strip().split(',')\n meta.locale = titlemeta.locale\n meta.og_description = titlemeta.og_description.strip()\n if not meta.og_description:\n meta.og_description = meta.description\n meta.twitter_description = titlemeta.twitter_description.strip()\n if not meta.twitter_description:\n meta.twitter_description = meta.description\n meta.gplus_description = titlemeta.gplus_description.strip()\n if not meta.gplus_description:\n meta.gplus_description = meta.description\n if titlemeta.image:\n meta.image = (title.titlemeta.image.canonical_url or title.\n titlemeta.image.url)\n for item in titlemeta.extra.all():\n attribute = item.attribute\n if not attribute:\n attribute = item.DEFAULT_ATTRIBUTE\n meta.extra_custom_props.append((attribute, item.name, item.\n value))\n except (TitleMeta.DoesNotExist, AttributeError):\n if meta.description:\n meta.og_description = meta.description\n meta.twitter_description = meta.description\n meta.gplus_description = meta.description\n defaults = {'object_type': meta_settings.FB_TYPE, 'og_type':\n meta_settings.FB_TYPE, 'og_app_id': meta_settings.FB_APPID,\n 'fb_pages': meta_settings.FB_PAGES, 'og_profile_id':\n meta_settings.FB_PROFILE_ID, 'og_publisher': meta_settings.\n FB_PUBLISHER, 'og_author_url': meta_settings.FB_AUTHOR_URL,\n 'twitter_type': meta_settings.TWITTER_TYPE, 'twitter_site':\n meta_settings.TWITTER_SITE, 'twitter_author': meta_settings.\n TWITTER_AUTHOR, 'gplus_type': meta_settings.GPLUS_TYPE,\n 'gplus_author': meta_settings.GPLUS_AUTHOR}\n try:\n pagemeta = page.pagemeta\n meta.object_type = pagemeta.og_type\n meta.og_type = pagemeta.og_type\n meta.og_app_id = pagemeta.og_app_id\n meta.fb_pages = pagemeta.fb_pages\n meta.og_profile_id = pagemeta.og_author_fbid\n meta.twitter_type = pagemeta.twitter_type\n meta.twitter_site = pagemeta.twitter_site\n meta.twitter_author = pagemeta.twitter_author\n meta.gplus_type = pagemeta.gplus_type\n meta.gplus_author = pagemeta.gplus_author\n if meta.og_type == 'article':\n meta.og_publisher = pagemeta.og_publisher\n meta.og_author_url = pagemeta.og_author_url\n try:\n from djangocms_page_tags.utils import get_title_tags, get_page_tags\n tags = list(get_title_tags(page, language))\n tags += list(get_page_tags(page))\n meta.tag = ','.join([tag.name for tag in tags])\n except ImportError:\n pass\n if not meta.image and pagemeta.image:\n meta.image = pagemeta.image.canonical_url or pagemeta.image.url\n for item in pagemeta.extra.all():\n attribute = item.attribute\n if not attribute:\n attribute = item.DEFAULT_ATTRIBUTE\n meta.extra_custom_props.append((attribute, item.name, item.\n value))\n except PageMeta.DoesNotExist:\n pass\n if meta.gplus_author and not meta.gplus_author.startswith('http'):\n if not meta.gplus_author.startswith('/'):\n meta.gplus_author = '{0}/{1}'.format(gplus_server, meta.\n gplus_author)\n else:\n meta.gplus_author = '{0}{1}'.format(gplus_server, meta.\n gplus_author)\n if page.publication_date:\n meta.published_time = page.publication_date.isoformat()\n if page.changed_date:\n meta.modified_time = page.changed_date.isoformat()\n if page.publication_end_date:\n meta.expiration_time = page.publication_end_date.isoformat()\n for attr, val in defaults.items():\n if not getattr(meta, attr, '') and val:\n setattr(meta, attr, val)\n meta.url = page.get_absolute_url(language)\n return meta\n",
"role": "user"
},
{
"content": "get_page_meta",
"role": "assistant"
}
] |
def x(self, address=MPR121_I2CADDR_DEFAULT, i2c=None, **kwargs):
if i2c is None:
import Adafruit_GPIO.I2C as I2C
i2c = I2C
I2C.require_repeated_start()
self._device = i2c.get_i2c_device(address, **kwargs)
return self._reset()
|
begin
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, address=MPR121_I2CADDR_DEFAULT, i2c=None, **kwargs):\n if i2c is None:\n import Adafruit_GPIO.I2C as I2C\n i2c = I2C\n I2C.require_repeated_start()\n self._device = i2c.get_i2c_device(address, **kwargs)\n return self._reset()\n",
"role": "user"
},
{
"content": "begin",
"role": "assistant"
}
] |
def x(self, touch, release):
assert touch >= 0 and touch <= 255, 'touch must be between 0-255 (inclusive)'
assert release >= 0 and release <= 255, 'release must be between 0-255 (inclusive)'
for i in range(12):
self._i2c_retry(self._device.write8, MPR121_TOUCHTH_0 + 2 * i, touch)
self._i2c_retry(self._device.write8, MPR121_RELEASETH_0 + 2 * i,
release)
|
set_thresholds
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, touch, release):\n assert touch >= 0 and touch <= 255, 'touch must be between 0-255 (inclusive)'\n assert release >= 0 and release <= 255, 'release must be between 0-255 (inclusive)'\n for i in range(12):\n self._i2c_retry(self._device.write8, MPR121_TOUCHTH_0 + 2 * i, touch)\n self._i2c_retry(self._device.write8, MPR121_RELEASETH_0 + 2 * i,\n release)\n",
"role": "user"
},
{
"content": "set_thresholds",
"role": "assistant"
}
] |
def x(self, pin):
assert pin >= 0 and pin < 12, 'pin must be between 0-11 (inclusive)'
return self._i2c_retry(self._device.readU16LE, MPR121_FILTDATA_0L + pin * 2
)
|
filtered_data
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, pin):\n assert pin >= 0 and pin < 12, 'pin must be between 0-11 (inclusive)'\n return self._i2c_retry(self._device.readU16LE, MPR121_FILTDATA_0L + pin * 2\n )\n",
"role": "user"
},
{
"content": "filtered_data",
"role": "assistant"
}
] |
def x(self, pin):
assert pin >= 0 and pin < 12, 'pin must be between 0-11 (inclusive)'
bl = self._i2c_retry(self._device.readU8, MPR121_BASELINE_0 + pin)
return bl << 2
|
baseline_data
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, pin):\n assert pin >= 0 and pin < 12, 'pin must be between 0-11 (inclusive)'\n bl = self._i2c_retry(self._device.readU8, MPR121_BASELINE_0 + pin)\n return bl << 2\n",
"role": "user"
},
{
"content": "baseline_data",
"role": "assistant"
}
] |
def x(self):
t = self._i2c_retry(self._device.readU16LE, MPR121_TOUCHSTATUS_L)
return t & 4095
|
touched
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n t = self._i2c_retry(self._device.readU16LE, MPR121_TOUCHSTATUS_L)\n return t & 4095\n",
"role": "user"
},
{
"content": "touched",
"role": "assistant"
}
] |
def x(self, pin):
assert pin >= 0 and pin < 12, 'pin must be between 0-11 (inclusive)'
t = self.touched()
return t & 1 << pin > 0
|
is_touched
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, pin):\n assert pin >= 0 and pin < 12, 'pin must be between 0-11 (inclusive)'\n t = self.touched()\n return t & 1 << pin > 0\n",
"role": "user"
},
{
"content": "is_touched",
"role": "assistant"
}
] |
def x(func):
def x(*args, **kwargs):
datafn = func.__name__ + '.profile'
prof = cProfile.Profile()
prof.enable()
retval = prof.runcall(func, *args, **kwargs)
prof.disable()
stats = pstats.Stats(prof)
try:
stats.sort_stats('cumtime').print_stats()
except KeyError:
pass
return retval
return wrapper
|
profileit
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(func):\n\n def x(*args, **kwargs):\n datafn = func.__name__ + '.profile'\n prof = cProfile.Profile()\n prof.enable()\n retval = prof.runcall(func, *args, **kwargs)\n prof.disable()\n stats = pstats.Stats(prof)\n try:\n stats.sort_stats('cumtime').print_stats()\n except KeyError:\n pass\n return retval\n return wrapper\n",
"role": "user"
},
{
"content": "profileit",
"role": "assistant"
}
] |
def x(ip_range):
def x(log_line):
ip = log_line.get_ip()
if ip:
return ip.startswith(ip_range)
return filter_func
|
filter_ip_range
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ip_range):\n\n def x(log_line):\n ip = log_line.get_ip()\n if ip:\n return ip.startswith(ip_range)\n return filter_func\n",
"role": "user"
},
{
"content": "filter_ip_range",
"role": "assistant"
}
] |
def x(slowness):
def x(log_line):
slowness_int = int(slowness)
return slowness_int <= log_line.time_wait_response
return filter_func
|
filter_slow_requests
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(slowness):\n\n def x(log_line):\n slowness_int = int(slowness)\n return slowness_int <= log_line.time_wait_response\n return filter_func\n",
"role": "user"
},
{
"content": "filter_slow_requests",
"role": "assistant"
}
] |
def x(max_waiting):
def x(log_line):
waiting = int(max_waiting)
return waiting >= log_line.time_wait_queues
return filter_func
|
filter_wait_on_queues
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(max_waiting):\n\n def x(log_line):\n waiting = int(max_waiting)\n return waiting >= log_line.time_wait_queues\n return filter_func\n",
"role": "user"
},
{
"content": "filter_wait_on_queues",
"role": "assistant"
}
] |
def x(start, delta):
start_value = start
delta_value = delta
end_value = None
if start_value is not '':
start_value = _date_str_to_datetime(start_value)
if delta_value is not '':
delta_value = _delta_str_to_timedelta(delta_value)
if start_value is not '' and delta_value is not '':
end_value = start_value + delta_value
def x(log_line):
if start_value is '':
return True
elif start_value > log_line.accept_date:
return False
if end_value is None:
return True
elif end_value < log_line.accept_date:
return False
return True
return filter_func
|
filter_time_frame
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(start, delta):\n start_value = start\n delta_value = delta\n end_value = None\n if start_value is not '':\n start_value = _date_str_to_datetime(start_value)\n if delta_value is not '':\n delta_value = _delta_str_to_timedelta(delta_value)\n if start_value is not '' and delta_value is not '':\n end_value = start_value + delta_value\n\n def x(log_line):\n if start_value is '':\n return True\n elif start_value > log_line.accept_date:\n return False\n if end_value is None:\n return True\n elif end_value < log_line.accept_date:\n return False\n return True\n return filter_func\n",
"role": "user"
},
{
"content": "filter_time_frame",
"role": "assistant"
}
] |
def x(size):
if size.startswith('+'):
size_value = int(size[1:])
else:
size_value = int(size)
def x(log_line):
bytes_read = log_line.bytes_read
if bytes_read.startswith('+'):
bytes_read = int(bytes_read[1:])
else:
bytes_read = int(bytes_read)
return bytes_read >= size_value
return filter_func
|
filter_response_size
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(size):\n if size.startswith('+'):\n size_value = int(size[1:])\n else:\n size_value = int(size)\n\n def x(log_line):\n bytes_read = log_line.bytes_read\n if bytes_read.startswith('+'):\n bytes_read = int(bytes_read[1:])\n else:\n bytes_read = int(bytes_read)\n return bytes_read >= size_value\n return filter_func\n",
"role": "user"
},
{
"content": "filter_response_size",
"role": "assistant"
}
] |
def x(model):
fields = []
for name in model._sa_class_manager:
prop = getattr(model, name)
if isinstance(prop.property, RelationshipProperty):
for pk in prop.property.mapper.primary_key:
fields.append('{0}.{1}'.format(name, pk.name))
else:
fields.append(name)
return tuple(fields)
|
get_fields_for_model
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(model):\n fields = []\n for name in model._sa_class_manager:\n prop = getattr(model, name)\n if isinstance(prop.property, RelationshipProperty):\n for pk in prop.property.mapper.primary_key:\n fields.append('{0}.{1}'.format(name, pk.name))\n else:\n fields.append(name)\n return tuple(fields)\n",
"role": "user"
},
{
"content": "get_fields_for_model",
"role": "assistant"
}
] |
def x(model):
relationships = []
for name, relationship in inspect(model).relationships.items():
class_ = relationship.mapper.class_
if relationship.uselist:
rel = ListRelationship(name, relation=class_.__name__)
else:
rel = Relationship(name, relation=class_.__name__)
relationships.append(rel)
return tuple(relationships)
|
get_relationships
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(model):\n relationships = []\n for name, relationship in inspect(model).relationships.items():\n class_ = relationship.mapper.class_\n if relationship.uselist:\n rel = ListRelationship(name, relation=class_.__name__)\n else:\n rel = Relationship(name, relation=class_.__name__)\n relationships.append(rel)\n return tuple(relationships)\n",
"role": "user"
},
{
"content": "get_relationships",
"role": "assistant"
}
] |
def x(model, session_handler, resource_bases=(CRUDL,), relationships=None,
links=None, preprocessors=None, postprocessors=None, fields=None,
paginate_by=100, auto_relationships=True, pks=None, create_fields=None,
update_fields=None, list_fields=None, append_slash=False):
relationships = relationships or tuple()
if auto_relationships:
relationships += _get_relationships(model)
links = links or tuple()
preprocessors = preprocessors or tuple()
postprocessors = postprocessors or tuple()
pks = pks or _get_pks(model)
fields = fields or _get_fields_for_model(model)
list_fields = list_fields or fields
create_fields = create_fields or [x for x in fields if x not in set(pks)]
update_fields = update_fields or [x for x in fields if x not in set(pks)]
manager_cls_attrs = dict(paginate_by=paginate_by, fields=fields, model=
model, list_fields=list_fields, create_fields=create_fields,
update_fields=update_fields)
manager_class = type(str(model.__name__), (AlchemyManager,),
manager_cls_attrs)
manager = manager_class(session_handler)
resource_cls_attrs = dict(preprocessors=preprocessors, postprocessors=
postprocessors, _relationships=relationships, _links=links, pks=pks,
manager=manager, append_slash=append_slash)
res_class = ResourceMetaClass(str(model.__name__), resource_bases,
resource_cls_attrs)
return res_class
|
create_resource
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(model, session_handler, resource_bases=(CRUDL,), relationships=None,\n links=None, preprocessors=None, postprocessors=None, fields=None,\n paginate_by=100, auto_relationships=True, pks=None, create_fields=None,\n update_fields=None, list_fields=None, append_slash=False):\n relationships = relationships or tuple()\n if auto_relationships:\n relationships += _get_relationships(model)\n links = links or tuple()\n preprocessors = preprocessors or tuple()\n postprocessors = postprocessors or tuple()\n pks = pks or _get_pks(model)\n fields = fields or _get_fields_for_model(model)\n list_fields = list_fields or fields\n create_fields = create_fields or [x for x in fields if x not in set(pks)]\n update_fields = update_fields or [x for x in fields if x not in set(pks)]\n manager_cls_attrs = dict(paginate_by=paginate_by, fields=fields, model=\n model, list_fields=list_fields, create_fields=create_fields,\n update_fields=update_fields)\n manager_class = type(str(model.__name__), (AlchemyManager,),\n manager_cls_attrs)\n manager = manager_class(session_handler)\n resource_cls_attrs = dict(preprocessors=preprocessors, postprocessors=\n postprocessors, _relationships=relationships, _links=links, pks=pks,\n manager=manager, append_slash=append_slash)\n res_class = ResourceMetaClass(str(model.__name__), resource_bases,\n resource_cls_attrs)\n return res_class\n",
"role": "user"
},
{
"content": "create_resource",
"role": "assistant"
}
] |
def x(self):
if not os.path.exists(self._pickle_file):
return False
else:
file_mtime = os.path.getmtime(self.logfile)
pickle_mtime = os.path.getmtime(self._pickle_file)
if file_mtime > pickle_mtime:
return False
return True
|
is_pickle_valid
|
[
{
"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 os.path.exists(self._pickle_file):\n return False\n else:\n file_mtime = os.path.getmtime(self.logfile)\n pickle_mtime = os.path.getmtime(self._pickle_file)\n if file_mtime > pickle_mtime:\n return False\n return True\n",
"role": "user"
},
{
"content": "is_pickle_valid",
"role": "assistant"
}
] |
def x(self):
with open(self._pickle_file, 'rb') as source:
pickler = pickle.Unpickler(source)
for attribute in self._pickle_attributes:
pickle_data = pickler.load()
setattr(self, attribute, pickle_data)
|
load
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n with open(self._pickle_file, 'rb') as source:\n pickler = pickle.Unpickler(source)\n for attribute in self._pickle_attributes:\n pickle_data = pickler.load()\n setattr(self, attribute, pickle_data)\n",
"role": "user"
},
{
"content": "load",
"role": "assistant"
}
] |
def x(self):
with open(self._pickle_file, 'wb') as source:
pickler = pickle.Pickler(source, pickle.HIGHEST_PROTOCOL)
for attribute in self._pickle_attributes:
attr = getattr(self, attribute, None)
pickler.dump(attr)
|
save
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n with open(self._pickle_file, 'wb') as source:\n pickler = pickle.Pickler(source, pickle.HIGHEST_PROTOCOL)\n for attribute in self._pickle_attributes:\n attr = getattr(self, attribute, None)\n pickler.dump(attr)\n",
"role": "user"
},
{
"content": "save",
"role": "assistant"
}
] |
def x(self, logfile):
for line in logfile:
stripped_line = line.strip()
parsed_line = Line(stripped_line)
if parsed_line.valid:
self._valid_lines.append(parsed_line)
else:
self._invalid_lines.append(stripped_line)
self.total_lines = len(self._valid_lines) + len(self._invalid_lines)
|
parse_data
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, logfile):\n for line in logfile:\n stripped_line = line.strip()\n parsed_line = Line(stripped_line)\n if parsed_line.valid:\n self._valid_lines.append(parsed_line)\n else:\n self._invalid_lines.append(stripped_line)\n self.total_lines = len(self._valid_lines) + len(self._invalid_lines)\n",
"role": "user"
},
{
"content": "parse_data",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.