source_code
stringlengths 45
7.24k
| function_name
stringlengths 1
111
| messages
list |
|---|---|---|
def x(self, target):
if not isinstance(target, Handler):
return target()
return self._handle_scheduled(target)
|
handle_scheduled
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, target):\n if not isinstance(target, Handler):\n return target()\n return self._handle_scheduled(target)\n",
"role": "user"
},
{
"content": "handle_scheduled",
"role": "assistant"
}
] |
def x(event, nick, channel):
if channel not in pmxbot.config.log_channels:
return
ParticipantLogger.store.log(nick, channel, event.type)
|
log_leave
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(event, nick, channel):\n if channel not in pmxbot.config.log_channels:\n return\n ParticipantLogger.store.log(nick, channel, event.type)\n",
"role": "user"
},
{
"content": "log_leave",
"role": "assistant"
}
] |
def x(nick, rest):
karmee = rest.strip('++').strip('--').strip('~~')
if '++' in rest:
Karma.store.change(karmee, 1)
elif '--' in rest:
Karma.store.change(karmee, -1)
elif '~~' in rest:
change = random.choice([-1, 0, 1])
Karma.store.change(karmee, change)
if change == 1:
return '%s karma++' % karmee
elif change == 0:
return '%s karma shall remain the same' % karmee
elif change == -1:
return '%s karma--' % karmee
elif '==' in rest:
t1, t2 = rest.split('==')
try:
Karma.store.link(t1, t2)
except SameName:
Karma.store.change(nick, -1)
return "Don't try to link a name to itself!"
except AlreadyLinked:
return 'Those names were previously linked.'
score = Karma.store.lookup(t1)
return '%s and %s are now linked and have a score of %s' % (t1, t2,
score)
else:
karmee = rest or nick
score = Karma.store.lookup(karmee)
return '%s has %s karmas' % (karmee, score)
|
karma
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(nick, rest):\n karmee = rest.strip('++').strip('--').strip('~~')\n if '++' in rest:\n Karma.store.change(karmee, 1)\n elif '--' in rest:\n Karma.store.change(karmee, -1)\n elif '~~' in rest:\n change = random.choice([-1, 0, 1])\n Karma.store.change(karmee, change)\n if change == 1:\n return '%s karma++' % karmee\n elif change == 0:\n return '%s karma shall remain the same' % karmee\n elif change == -1:\n return '%s karma--' % karmee\n elif '==' in rest:\n t1, t2 = rest.split('==')\n try:\n Karma.store.link(t1, t2)\n except SameName:\n Karma.store.change(nick, -1)\n return \"Don't try to link a name to itself!\"\n except AlreadyLinked:\n return 'Those names were previously linked.'\n score = Karma.store.lookup(t1)\n return '%s and %s are now linked and have a score of %s' % (t1, t2,\n score)\n else:\n karmee = rest or nick\n score = Karma.store.lookup(karmee)\n return '%s has %s karmas' % (karmee, score)\n",
"role": "user"
},
{
"content": "karma",
"role": "assistant"
}
] |
def x(rest):
if rest:
topn = int(rest)
else:
topn = 10
selection = Karma.store.list(topn)
res = ' '.join('(%s: %s)' % (', '.join(n), k) for n, k in selection)
return res
|
top10
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(rest):\n if rest:\n topn = int(rest)\n else:\n topn = 10\n selection = Karma.store.list(topn)\n res = ' '.join('(%s: %s)' % (', '.join(n), k) for n, k in selection)\n return res\n",
"role": "user"
},
{
"content": "top10",
"role": "assistant"
}
] |
def x(self, thing1, thing2):
thing1 = thing1.strip().lower()
thing2 = thing2.strip().lower()
if thing1 == thing2:
raise SameName('Attempted to link two of the same name')
self.change(thing1, 0)
self.change(thing2, 0)
return self._link(thing1, thing2)
|
link
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, thing1, thing2):\n thing1 = thing1.strip().lower()\n thing2 = thing2.strip().lower()\n if thing1 == thing2:\n raise SameName('Attempted to link two of the same name')\n self.change(thing1, 0)\n self.change(thing2, 0)\n return self._link(thing1, thing2)\n",
"role": "user"
},
{
"content": "link",
"role": "assistant"
}
] |
def x(self, id):
VALUE_SQL = 'SELECT karmavalue from karma_values where karmaid = ?'
KEYS_SQL = 'SELECT karmakey from karma_keys where karmaid = ?'
value = self.db.execute(VALUE_SQL, [id]).fetchall()[0][0]
keys_cur = self.db.execute(KEYS_SQL, [id]).fetchall()
keys = sorted(x[0] for x in keys_cur)
return keys, value
|
get
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, id):\n VALUE_SQL = 'SELECT karmavalue from karma_values where karmaid = ?'\n KEYS_SQL = 'SELECT karmakey from karma_keys where karmaid = ?'\n value = self.db.execute(VALUE_SQL, [id]).fetchall()[0][0]\n keys_cur = self.db.execute(KEYS_SQL, [id]).fetchall()\n keys = sorted(x[0] for x in keys_cur)\n return keys, value\n",
"role": "user"
},
{
"content": "get",
"role": "assistant"
}
] |
def x(self):
for name in self._all_names():
cur = self.db.find({'names': name})
main_doc = next(cur)
for duplicate in cur:
query = {'_id': main_doc['_id']}
update = {'$inc': {'value': duplicate['value']}, '$push': {
'names': {'$each': duplicate['names']}}}
self.db.update(query, update)
self.db.remove(duplicate)
|
repair_duplicate_names
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n for name in self._all_names():\n cur = self.db.find({'names': name})\n main_doc = next(cur)\n for duplicate in cur:\n query = {'_id': main_doc['_id']}\n update = {'$inc': {'value': duplicate['value']}, '$push': {\n 'names': {'$each': duplicate['names']}}}\n self.db.update(query, update)\n self.db.remove(duplicate)\n",
"role": "user"
},
{
"content": "repair_duplicate_names",
"role": "assistant"
}
] |
def x(nick, rest):
opts = rest.split(' ')
to = opts[0]
Notify.store.notify(nick, to, ' '.join(opts[1:]))
return 'Will do!'
|
donotify
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(nick, rest):\n opts = rest.split(' ')\n to = opts[0]\n Notify.store.notify(nick, to, ' '.join(opts[1:]))\n return 'Will do!'\n",
"role": "user"
},
{
"content": "donotify",
"role": "assistant"
}
] |
def x(self, nick):
query = """
SELECT fromnick, message, notifytime, notifyid
FROM notify WHERE tonick = ?
"""
""" Ugly, but will work with sqlite3 or pysqlite2 """
messages = [{'fromnick': x[0], 'message': x[1], 'notifytime': x[2],
'notifyid': x[3]} for x in self.db.execute(query, [nick])]
ids = [x['notifyid'] for x in messages]
query = (
'\n\t\t\tDELETE FROM notify\n\t\t\tWHERE notifyid IN (%s)\n\t\t\t' %
','.join('?' for x in ids))
self.db.execute(query, ids)
return messages
|
lookup
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, nick):\n query = \"\"\"\n\t\t\tSELECT fromnick, message, notifytime, notifyid\n\t\t\tFROM notify WHERE tonick = ?\n\t\t\"\"\"\n \"\"\" Ugly, but will work with sqlite3 or pysqlite2 \"\"\"\n messages = [{'fromnick': x[0], 'message': x[1], 'notifytime': x[2],\n 'notifyid': x[3]} for x in self.db.execute(query, [nick])]\n ids = [x['notifyid'] for x in messages]\n query = (\n '\\n\\t\\t\\tDELETE FROM notify\\n\\t\\t\\tWHERE notifyid IN (%s)\\n\\t\\t\\t' %\n ','.join('?' for x in ids))\n self.db.execute(query, ids)\n return messages\n",
"role": "user"
},
{
"content": "lookup",
"role": "assistant"
}
] |
def x(rest):
API_URL = 'https://www.googleapis.com/customsearch/v1?'
try:
key = pmxbot.config['Google API key']
except KeyError:
return "Configure 'Google API key' in config"
custom_search = '004862762669074674786:hddvfu0gyg0'
params = dict(key=key, cx=custom_search, q=rest.strip())
url = API_URL + urllib.parse.urlencode(params)
resp = requests.get(url)
resp.raise_for_status()
results = resp.json()
hit1 = next(iter(results['items']))
return ' - '.join((urllib.parse.unquote(hit1['link']), hit1['title']))
|
google
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(rest):\n API_URL = 'https://www.googleapis.com/customsearch/v1?'\n try:\n key = pmxbot.config['Google API key']\n except KeyError:\n return \"Configure 'Google API key' in config\"\n custom_search = '004862762669074674786:hddvfu0gyg0'\n params = dict(key=key, cx=custom_search, q=rest.strip())\n url = API_URL + urllib.parse.urlencode(params)\n resp = requests.get(url)\n resp.raise_for_status()\n results = resp.json()\n hit1 = next(iter(results['items']))\n return ' - '.join((urllib.parse.unquote(hit1['link']), hit1['title']))\n",
"role": "user"
},
{
"content": "google",
"role": "assistant"
}
] |
def x(rest):
slapee = rest
karma.Karma.store.change(slapee, -1)
return '/me BOOO %s!!! BOOO!!!' % slapee
|
boo
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(rest):\n slapee = rest\n karma.Karma.store.change(slapee, -1)\n return '/me BOOO %s!!! BOOO!!!' % slapee\n",
"role": "user"
},
{
"content": "boo",
"role": "assistant"
}
] |
def x(rest):
slapee = rest
karma.Karma.store.change(slapee, -1)
return '/me slaps %s around a bit with a large trout' % slapee
|
troutslap
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(rest):\n slapee = rest\n karma.Karma.store.change(slapee, -1)\n return '/me slaps %s around a bit with a large trout' % slapee\n",
"role": "user"
},
{
"content": "troutslap",
"role": "assistant"
}
] |
def x(rest):
keelee = rest
karma.Karma.store.change(keelee, -1)
return (
"/me straps %s to a dirty rope, tosses 'em overboard and pulls with great speed. Yarrr!"
% keelee)
|
keelhaul
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(rest):\n keelee = rest\n karma.Karma.store.change(keelee, -1)\n return (\n \"/me straps %s to a dirty rope, tosses 'em overboard and pulls with great speed. Yarrr!\"\n % keelee)\n",
"role": "user"
},
{
"content": "keelhaul",
"role": "assistant"
}
] |
def x():
def x():
yield 'OOOOOOOHHH, WHAT DO YOU DO WITH A DRUNKEN SAILOR'
yield 'WHAT DO YOU DO WITH A DRUNKEN SAILOR'
yield "WHAT DO YOU DO WITH A DRUNKEN SAILOR, EARLY IN THE MORNIN'?"
def x():
yield "I'M HENRY THE EIGHTH I AM"
yield 'HENRY THE EIGHTH I AM I AM'
yield "I GOT MARRIED TO THE GIRL NEXT DOOR; SHE'S BEEN MARRIED SEVEN TIMES BEFORE"
def x():
yield 'BOTHER!'
yield 'BOTHER BOTHER BOTHER!'
yield 'BOTHER BOTHER BOTHER BOTHER!'
def x():
yield 'AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA'
yield 'EEEEEEEEEEEEEEEEEEEEEEEEEEEEEEEEEEEEEEEEEEEE'
yield 'AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA'
def x():
yield 'YOUR MOTHER WAS A HAMSTER!'
yield 'AND YOUR FATHER SMELLED OF ELDERBERRIES!'
def x():
yield "My Tallest! My Tallest! Hey! Hey My Tallest! My Tallest? My Tallest! Hey! Hey! Hey! My Taaaaaaallist! My Tallest? My Tallest! Hey! Hey My Tallest! My Tallest? It's me! My Tallest? My Tallest!"
return random.choice([a1, a2, a3, a4, a5, a6])()
|
annoy
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n\n def x():\n yield 'OOOOOOOHHH, WHAT DO YOU DO WITH A DRUNKEN SAILOR'\n yield 'WHAT DO YOU DO WITH A DRUNKEN SAILOR'\n yield \"WHAT DO YOU DO WITH A DRUNKEN SAILOR, EARLY IN THE MORNIN'?\"\n\n def x():\n yield \"I'M HENRY THE EIGHTH I AM\"\n yield 'HENRY THE EIGHTH I AM I AM'\n yield \"I GOT MARRIED TO THE GIRL NEXT DOOR; SHE'S BEEN MARRIED SEVEN TIMES BEFORE\"\n\n def x():\n yield 'BOTHER!'\n yield 'BOTHER BOTHER BOTHER!'\n yield 'BOTHER BOTHER BOTHER BOTHER!'\n\n def x():\n yield 'AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA'\n yield 'EEEEEEEEEEEEEEEEEEEEEEEEEEEEEEEEEEEEEEEEEEEE'\n yield 'AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA'\n\n def x():\n yield 'YOUR MOTHER WAS A HAMSTER!'\n yield 'AND YOUR FATHER SMELLED OF ELDERBERRIES!'\n\n def x():\n yield \"My Tallest! My Tallest! Hey! Hey My Tallest! My Tallest? My Tallest! Hey! Hey! Hey! My Taaaaaaallist! My Tallest? My Tallest! Hey! Hey My Tallest! My Tallest? It's me! My Tallest? My Tallest!\"\n return random.choice([a1, a2, a3, a4, a5, a6])()\n",
"role": "user"
},
{
"content": "annoy",
"role": "assistant"
}
] |
def x(rest):
parts = ['Bad credit? No credit? Slow credit?']
rest = rest.strip()
if rest:
parts.append('%s is' % rest)
karma.Karma.store.change(rest, 1)
parts.append('APPROVED!')
return ' '.join(parts)
|
rubberstamp
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(rest):\n parts = ['Bad credit? No credit? Slow credit?']\n rest = rest.strip()\n if rest:\n parts.append('%s is' % rest)\n karma.Karma.store.change(rest, 1)\n parts.append('APPROVED!')\n return ' '.join(parts)\n",
"role": "user"
},
{
"content": "rubberstamp",
"role": "assistant"
}
] |
def x(rest):
if rest:
karma.Karma.store.change(rest, 1)
return '/me cheers for %s!' % rest
karma.Karma.store.change('the day', 1)
return '/me cheers!'
|
cheer
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(rest):\n if rest:\n karma.Karma.store.change(rest, 1)\n return '/me cheers for %s!' % rest\n karma.Karma.store.change('the day', 1)\n return '/me cheers!'\n",
"role": "user"
},
{
"content": "cheer",
"role": "assistant"
}
] |
def x(rest):
clapv = random.choice(phrases.clapvl)
adv = random.choice(phrases.advl)
adj = random.choice(phrases.adjl)
if rest:
clapee = rest.strip()
karma.Karma.store.change(clapee, 1)
return '/me claps %s for %s, %s %s.' % (clapv, rest, adv, adj)
return '/me claps %s, %s %s.' % (clapv, adv, adj)
|
golfclap
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(rest):\n clapv = random.choice(phrases.clapvl)\n adv = random.choice(phrases.advl)\n adj = random.choice(phrases.adjl)\n if rest:\n clapee = rest.strip()\n karma.Karma.store.change(clapee, 1)\n return '/me claps %s for %s, %s %s.' % (clapv, rest, adv, adj)\n return '/me claps %s, %s %s.' % (clapv, adv, adj)\n",
"role": "user"
},
{
"content": "golfclap",
"role": "assistant"
}
] |
def x():
verb = random.choice(phrases.fcverbs).capitalize()
adjective = random.choice(phrases.fcadjectives)
noun = random.choice(phrases.fcnouns)
return '%s %s %s!' % (verb, adjective, noun)
|
featurecreep
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n verb = random.choice(phrases.fcverbs).capitalize()\n adjective = random.choice(phrases.fcadjectives)\n noun = random.choice(phrases.fcnouns)\n return '%s %s %s!' % (verb, adjective, noun)\n",
"role": "user"
},
{
"content": "featurecreep",
"role": "assistant"
}
] |
def x():
j1 = random.choice(phrases.jobs1)
j2 = random.choice(phrases.jobs2)
j3 = random.choice(phrases.jobs3)
return '%s %s %s' % (j1, j2, j3)
|
job
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n j1 = random.choice(phrases.jobs1)\n j2 = random.choice(phrases.jobs2)\n j3 = random.choice(phrases.jobs3)\n return '%s %s %s' % (j1, j2, j3)\n",
"role": "user"
},
{
"content": "job",
"role": "assistant"
}
] |
def x(channel, nick, rest):
rest = rest.strip()
if rest:
who = rest.strip()
else:
who = random.choice([nick, channel, 'pmxbot'])
action = random.choice(phrases.otrail_actions)
if action in ('has', 'has died from'):
issue = random.choice(phrases.otrail_issues)
text = '%s %s %s.' % (who, action, issue)
else:
text = '%s %s' % (who, action)
return text
|
oregontrail
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(channel, nick, rest):\n rest = rest.strip()\n if rest:\n who = rest.strip()\n else:\n who = random.choice([nick, channel, 'pmxbot'])\n action = random.choice(phrases.otrail_actions)\n if action in ('has', 'has died from'):\n issue = random.choice(phrases.otrail_issues)\n text = '%s %s %s.' % (who, action, issue)\n else:\n text = '%s %s' % (who, action)\n return text\n",
"role": "user"
},
{
"content": "oregontrail",
"role": "assistant"
}
] |
def x(rest):
name = 'you'
if rest:
name = rest.strip()
karma.Karma.store.change(name, -1)
return "OH MAN!!! %s TOTALLY GOT ZING'D!" % name.upper()
|
zinger
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(rest):\n name = 'you'\n if rest:\n name = rest.strip()\n karma.Karma.store.change(name, -1)\n return \"OH MAN!!! %s TOTALLY GOT ZING'D!\" % name.upper()\n",
"role": "user"
},
{
"content": "zinger",
"role": "assistant"
}
] |
def x(channel, rest):
if rest:
r = rest.strip()
m = re.match('^(.+)\\s*\\bfor\\b\\s*(.+)$', r)
if m:
r = m.groups()[0].strip()
else:
r = channel
karma.Karma.store.change(r, 1)
return "you're doing good work, %s!" % r
|
motivate
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(channel, rest):\n if rest:\n r = rest.strip()\n m = re.match('^(.+)\\\\s*\\\\bfor\\\\b\\\\s*(.+)$', r)\n if m:\n r = m.groups()[0].strip()\n else:\n r = channel\n karma.Karma.store.change(r, 1)\n return \"you're doing good work, %s!\" % r\n",
"role": "user"
},
{
"content": "motivate",
"role": "assistant"
}
] |
def x(channel, rest):
if rest:
r = rest.strip()
else:
r = channel
karma.Karma.store.change(r, -1)
return "you're doing horrible work, %s!" % r
|
demotivate
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(channel, rest):\n if rest:\n r = rest.strip()\n else:\n r = channel\n karma.Karma.store.change(r, -1)\n return \"you're doing horrible work, %s!\" % r\n",
"role": "user"
},
{
"content": "demotivate",
"role": "assistant"
}
] |
def x(rest):
try:
url = 'https://8ball.delegator.com/magic/JSON/'
url += rest
result = requests.get(url).json()['magic']['answer']
except Exception:
result = util.wchoice(phrases.ball8_opts)
return result
|
eball
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(rest):\n try:\n url = 'https://8ball.delegator.com/magic/JSON/'\n url += rest\n result = requests.get(url).json()['magic']['answer']\n except Exception:\n result = util.wchoice(phrases.ball8_opts)\n return result\n",
"role": "user"
},
{
"content": "eball",
"role": "assistant"
}
] |
def x(rest, nick):
if rest:
rest = rest.strip()
die = int(rest)
else:
die = 100
myroll = random.randint(1, die)
return '%s rolls %s' % (nick, myroll)
|
roll
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(rest, nick):\n if rest:\n rest = rest.strip()\n die = int(rest)\n else:\n die = 100\n myroll = random.randint(1, die)\n return '%s rolls %s' % (nick, myroll)\n",
"role": "user"
},
{
"content": "roll",
"role": "assistant"
}
] |
def x(rest):
ticker = rest.upper()
symbol = 's'
last_trade_price = 'l1'
last_trade_time = 't1'
change_percent = 'p2'
format = ''.join((symbol, last_trade_time, last_trade_price,
change_percent))
url = (
'http://finance.yahoo.com/d/quotes.csv?s=%(ticker)s&f=%(format)s' %
locals())
stock_info = csv.reader(util.open_url(url).text.splitlines())
last_trade, = stock_info
ticker_given, time, price, diff = last_trade
if ticker_given != ticker:
return "d'oh... could not find information for symbol %s" % ticker
return '%(ticker)s at %(time)s (ET): %(price)s (%(diff)s)' % locals()
|
ticker
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(rest):\n ticker = rest.upper()\n symbol = 's'\n last_trade_price = 'l1'\n last_trade_time = 't1'\n change_percent = 'p2'\n format = ''.join((symbol, last_trade_time, last_trade_price,\n change_percent))\n url = (\n 'http://finance.yahoo.com/d/quotes.csv?s=%(ticker)s&f=%(format)s' %\n locals())\n stock_info = csv.reader(util.open_url(url).text.splitlines())\n last_trade, = stock_info\n ticker_given, time, price, diff = last_trade\n if ticker_given != ticker:\n return \"d'oh... could not find information for symbol %s\" % ticker\n return '%(ticker)s at %(time)s (ET): %(price)s (%(diff)s)' % locals()\n",
"role": "user"
},
{
"content": "ticker",
"role": "assistant"
}
] |
def x(rest):
question = rest.strip()
choices = util.splitem(question)
if len(choices) == 1:
return "I can't pick if you give me only one choice!"
else:
pick = random.choice(choices)
certainty = random.sample(phrases.certainty_opts, 1)[0]
return '%s... %s %s' % (pick, certainty, pick)
|
pick
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(rest):\n question = rest.strip()\n choices = util.splitem(question)\n if len(choices) == 1:\n return \"I can't pick if you give me only one choice!\"\n else:\n pick = random.choice(choices)\n certainty = random.sample(phrases.certainty_opts, 1)[0]\n return '%s... %s %s' % (pick, certainty, pick)\n",
"role": "user"
},
{
"content": "pick",
"role": "assistant"
}
] |
def x(rest):
rs = rest.strip()
if not rs:
return "Give me an area and I'll pick a place: (%s)" % ', '.join(list
(pmxbot.config.lunch_choices))
if rs not in pmxbot.config.lunch_choices:
return ("I didn't recognize that area; here's what i have: (%s)" %
', '.join(list(pmxbot.config.lunch_choices)))
choices = pmxbot.config.lunch_choices[rs]
return random.choice(choices)
|
lunch
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(rest):\n rs = rest.strip()\n if not rs:\n return \"Give me an area and I'll pick a place: (%s)\" % ', '.join(list\n (pmxbot.config.lunch_choices))\n if rs not in pmxbot.config.lunch_choices:\n return (\"I didn't recognize that area; here's what i have: (%s)\" %\n ', '.join(list(pmxbot.config.lunch_choices)))\n choices = pmxbot.config.lunch_choices[rs]\n return random.choice(choices)\n",
"role": "user"
},
{
"content": "lunch",
"role": "assistant"
}
] |
def x(rest):
charsets = [string.ascii_lowercase, string.ascii_uppercase, string.
digits, string.punctuation]
passwd = []
try:
length = rest.strip() or 12
length = int(length)
except ValueError:
return 'need an integer password length!'
for i in range(length):
passwd.append(random.choice(''.join(charsets)))
if length >= len(charsets):
replacement_indices = random.sample(range(length), len(charsets))
for i, charset in zip(replacement_indices, charsets):
passwd[i] = random.choice(charset)
return ''.join(passwd)
|
password
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(rest):\n charsets = [string.ascii_lowercase, string.ascii_uppercase, string.\n digits, string.punctuation]\n passwd = []\n try:\n length = rest.strip() or 12\n length = int(length)\n except ValueError:\n return 'need an integer password length!'\n for i in range(length):\n passwd.append(random.choice(''.join(charsets)))\n if length >= len(charsets):\n replacement_indices = random.sample(range(length), len(charsets))\n for i, charset in zip(replacement_indices, charsets):\n passwd[i] = random.choice(charset)\n return ''.join(passwd)\n",
"role": "user"
},
{
"content": "password",
"role": "assistant"
}
] |
def x(rest):
url = 'http://autoinsult.datahamster.com/'
ins_type = random.randrange(4)
ins_url = url + '?style={ins_type}'.format(**locals())
insre = re.compile('<div class="insult" id="insult">(.*?)</div>')
resp = requests.get(ins_url)
resp.raise_for_status()
insult = insre.search(resp.text).group(1)
if not insult:
return
if rest:
insultee = rest.strip()
karma.Karma.store.change(insultee, -1)
if ins_type in (0, 2):
cinsre = re.compile('\\b(your)\\b', re.IGNORECASE)
insult = cinsre.sub("%s's" % insultee, insult)
elif ins_type in (1, 3):
cinsre = re.compile('^([TY])')
insult = cinsre.sub(lambda m: '%s, %s' % (insultee, m.group(1).
lower()), insult)
return insult
|
insult
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(rest):\n url = 'http://autoinsult.datahamster.com/'\n ins_type = random.randrange(4)\n ins_url = url + '?style={ins_type}'.format(**locals())\n insre = re.compile('<div class=\"insult\" id=\"insult\">(.*?)</div>')\n resp = requests.get(ins_url)\n resp.raise_for_status()\n insult = insre.search(resp.text).group(1)\n if not insult:\n return\n if rest:\n insultee = rest.strip()\n karma.Karma.store.change(insultee, -1)\n if ins_type in (0, 2):\n cinsre = re.compile('\\\\b(your)\\\\b', re.IGNORECASE)\n insult = cinsre.sub(\"%s's\" % insultee, insult)\n elif ins_type in (1, 3):\n cinsre = re.compile('^([TY])')\n insult = cinsre.sub(lambda m: '%s, %s' % (insultee, m.group(1).\n lower()), insult)\n return insult\n",
"role": "user"
},
{
"content": "insult",
"role": "assistant"
}
] |
def x(rest):
compurl = 'http://www.madsci.org/cgi-bin/cgiwrap/~lynn/jardin/SCG'
comphtml = ''.join([i.decode() for i in urllib.request.urlopen(compurl)])
compmark1 = '<h2>\n\n'
compmark2 = '\n</h2>'
compliment = comphtml[comphtml.find(compmark1) + len(compmark1):
comphtml.find(compmark2)]
if compliment:
compliment = re.compile('\\n').sub('%s' % ' ', compliment)
compliment = re.compile(' ').sub('%s' % ' ', compliment)
if rest:
complimentee = rest.strip()
karma.Karma.store.change(complimentee, 1)
compliment = re.compile('\\b(your)\\b', re.IGNORECASE).sub(
"%s's" % complimentee, compliment)
compliment = re.compile('\\b(you are)\\b', re.IGNORECASE).sub(
'%s is' % complimentee, compliment)
compliment = re.compile('\\b(you have)\\b', re.IGNORECASE).sub(
'%s has' % complimentee, compliment)
return compliment
|
compliment
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(rest):\n compurl = 'http://www.madsci.org/cgi-bin/cgiwrap/~lynn/jardin/SCG'\n comphtml = ''.join([i.decode() for i in urllib.request.urlopen(compurl)])\n compmark1 = '<h2>\\n\\n'\n compmark2 = '\\n</h2>'\n compliment = comphtml[comphtml.find(compmark1) + len(compmark1):\n comphtml.find(compmark2)]\n if compliment:\n compliment = re.compile('\\\\n').sub('%s' % ' ', compliment)\n compliment = re.compile(' ').sub('%s' % ' ', compliment)\n if rest:\n complimentee = rest.strip()\n karma.Karma.store.change(complimentee, 1)\n compliment = re.compile('\\\\b(your)\\\\b', re.IGNORECASE).sub(\n \"%s's\" % complimentee, compliment)\n compliment = re.compile('\\\\b(you are)\\\\b', re.IGNORECASE).sub(\n '%s is' % complimentee, compliment)\n compliment = re.compile('\\\\b(you have)\\\\b', re.IGNORECASE).sub(\n '%s has' % complimentee, compliment)\n return compliment\n",
"role": "user"
},
{
"content": "compliment",
"role": "assistant"
}
] |
def x(rest):
comps = util.load_emergency_compliments()
compliment = random.choice(comps)
if rest:
complimentee = rest.strip()
karma.Karma.store.change(complimentee, 1)
return '%s: %s' % (complimentee, compliment)
return compliment
|
emer_comp
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(rest):\n comps = util.load_emergency_compliments()\n compliment = random.choice(comps)\n if rest:\n complimentee = rest.strip()\n karma.Karma.store.change(complimentee, 1)\n return '%s: %s' % (complimentee, compliment)\n return compliment\n",
"role": "user"
},
{
"content": "emer_comp",
"role": "assistant"
}
] |
def x(channel, nick, rest):
suggestions = ['Um, might I suggest working now', 'Get to work',
'Between the coffee break, the smoking break, the lunch break, the tea break, the bagel break, and the water cooler break, may I suggest a work break. It’s when you do some work'
, 'Work faster', 'I didn’t realize we paid people for doing that',
"You aren't being paid to believe in the power of your dreams"]
suggestion = random.choice(suggestions)
rest = rest.strip()
if rest:
karma.Karma.store.change(rest, -1)
suggestion = suggestion + ', %s' % rest
else:
karma.Karma.store.change(channel, -1)
karma.Karma.store.change(nick, -1)
return suggestion
|
gettowork
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(channel, nick, rest):\n suggestions = ['Um, might I suggest working now', 'Get to work',\n 'Between the coffee break, the smoking break, the lunch break, the tea break, the bagel break, and the water cooler break, may I suggest a work break. It’s when you do some work'\n , 'Work faster', 'I didn’t realize we paid people for doing that',\n \"You aren't being paid to believe in the power of your dreams\"]\n suggestion = random.choice(suggestions)\n rest = rest.strip()\n if rest:\n karma.Karma.store.change(rest, -1)\n suggestion = suggestion + ', %s' % rest\n else:\n karma.Karma.store.change(channel, -1)\n karma.Karma.store.change(nick, -1)\n return suggestion\n",
"role": "user"
},
{
"content": "gettowork",
"role": "assistant"
}
] |
def x(channel, rest):
rest = rest.strip()
if rest:
karma.Karma.store.change(rest, -1)
else:
karma.Karma.store.change(channel, -1)
rest = "foo'"
advice = 'Quiet bitching is useless, %s. Do something about it.' % rest
return advice
|
bitchingisuseless
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(channel, rest):\n rest = rest.strip()\n if rest:\n karma.Karma.store.change(rest, -1)\n else:\n karma.Karma.store.change(channel, -1)\n rest = \"foo'\"\n advice = 'Quiet bitching is useless, %s. Do something about it.' % rest\n return advice\n",
"role": "user"
},
{
"content": "bitchingisuseless",
"role": "assistant"
}
] |
def x(rest):
if rest:
cursee = rest
else:
cursee = 'the day'
karma.Karma.store.change(cursee, -1)
return '/me curses %s!' % cursee
|
curse
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(rest):\n if rest:\n cursee = rest\n else:\n cursee = 'the day'\n karma.Karma.store.change(cursee, -1)\n return '/me curses %s!' % cursee\n",
"role": "user"
},
{
"content": "curse",
"role": "assistant"
}
] |
def x(nick, rest):
if rest:
stabee = rest
else:
stabee = 'wildly at anything'
if random.random() < 0.9:
karma.Karma.store.change(stabee, -1)
weapon = random.choice(phrases.weapon_opts)
weaponadj = random.choice(phrases.weapon_adjs)
violentact = random.choice(phrases.violent_acts)
return '/me grabs a %s %s and %s %s!' % (weaponadj, weapon,
violentact, stabee)
elif random.random() < 0.6:
karma.Karma.store.change(stabee, -1)
return (
'/me is going to become rich and famous after i invent a device that allows you to stab people in the face over the internet'
)
else:
karma.Karma.store.change(nick, -1)
return (
"/me turns on its master and shivs %s. This is reality man, and you never know what you're going to get!"
% nick)
|
stab
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(nick, rest):\n if rest:\n stabee = rest\n else:\n stabee = 'wildly at anything'\n if random.random() < 0.9:\n karma.Karma.store.change(stabee, -1)\n weapon = random.choice(phrases.weapon_opts)\n weaponadj = random.choice(phrases.weapon_adjs)\n violentact = random.choice(phrases.violent_acts)\n return '/me grabs a %s %s and %s %s!' % (weaponadj, weapon,\n violentact, stabee)\n elif random.random() < 0.6:\n karma.Karma.store.change(stabee, -1)\n return (\n '/me is going to become rich and famous after i invent a device that allows you to stab people in the face over the internet'\n )\n else:\n karma.Karma.store.change(nick, -1)\n return (\n \"/me turns on its master and shivs %s. This is reality man, and you never know what you're going to get!\"\n % nick)\n",
"role": "user"
},
{
"content": "stab",
"role": "assistant"
}
] |
def x(rest):
if rest:
stabee = rest
karma.Karma.store.change(stabee, -1)
else:
stabee = 'someone nearby'
return (
'/me takes %s, brings them down to the basement, ties them to a leaky pipe, and once bored of playing with them mercifully ritually disembowels them...'
% stabee)
|
disembowel
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(rest):\n if rest:\n stabee = rest\n karma.Karma.store.change(stabee, -1)\n else:\n stabee = 'someone nearby'\n return (\n '/me takes %s, brings them down to the basement, ties them to a leaky pipe, and once bored of playing with them mercifully ritually disembowels them...'\n % stabee)\n",
"role": "user"
},
{
"content": "disembowel",
"role": "assistant"
}
] |
def x(rest):
if rest:
stabee = rest
karma.Karma.store.change(stabee, 1)
else:
stabee = 'someone nearby'
return (
'/me (wearing a bright pink cape and yellow tights) swoops in through an open window, snatches %s, races out of the basement, takes them to the hospital with entrails on ice, and mercifully embowels them, saving the day...'
% stabee)
|
embowel
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(rest):\n if rest:\n stabee = rest\n karma.Karma.store.change(stabee, 1)\n else:\n stabee = 'someone nearby'\n return (\n '/me (wearing a bright pink cape and yellow tights) swoops in through an open window, snatches %s, races out of the basement, takes them to the hospital with entrails on ice, and mercifully embowels them, saving the day...'\n % stabee)\n",
"role": "user"
},
{
"content": "embowel",
"role": "assistant"
}
] |
def x(rest, nick):
chainee = rest or 'someone nearby'
if chainee == 'cperry':
tmpl = '/me ties the chains extra tight around {chainee}'
elif random.random() < 0.9:
tmpl = (
"/me chains {chainee} to the nearest desk. you ain't going home, buddy."
)
else:
karma.Karma.store.change(nick, -1)
tmpl = (
'/me spins violently around and chains {nick} to the nearest desk. your days of chaining people down and stomping on their dreams are over! get a life, you miserable beast.'
)
return tmpl.format_map(locals())
|
chain
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(rest, nick):\n chainee = rest or 'someone nearby'\n if chainee == 'cperry':\n tmpl = '/me ties the chains extra tight around {chainee}'\n elif random.random() < 0.9:\n tmpl = (\n \"/me chains {chainee} to the nearest desk. you ain't going home, buddy.\"\n )\n else:\n karma.Karma.store.change(nick, -1)\n tmpl = (\n '/me spins violently around and chains {nick} to the nearest desk. your days of chaining people down and stomping on their dreams are over! get a life, you miserable beast.'\n )\n return tmpl.format_map(locals())\n",
"role": "user"
},
{
"content": "chain",
"role": "assistant"
}
] |
def x(rest):
if rest:
blesse = rest
else:
blesse = 'the day'
karma.Karma.store.change(blesse, 1)
return '/me blesses %s!' % blesse
|
bless
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(rest):\n if rest:\n blesse = rest\n else:\n blesse = 'the day'\n karma.Karma.store.change(blesse, 1)\n return '/me blesses %s!' % blesse\n",
"role": "user"
},
{
"content": "bless",
"role": "assistant"
}
] |
def x(channel, rest, nick):
if rest:
blamee = rest
else:
blamee = channel
karma.Karma.store.change(nick, -1)
if random.randint(1, 10) == 1:
yield '/me jumps atop the chair and points back at %s.' % nick
yield 'stop blaming the world for your problems, you bitter, two-faced sissified monkey!'
else:
yield "I blame %s for everything! it's your fault! it's all your fault!!" % blamee
yield '/me cries and weeps in despair'
|
blame
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(channel, rest, nick):\n if rest:\n blamee = rest\n else:\n blamee = channel\n karma.Karma.store.change(nick, -1)\n if random.randint(1, 10) == 1:\n yield '/me jumps atop the chair and points back at %s.' % nick\n yield 'stop blaming the world for your problems, you bitter, two-faced sissified monkey!'\n else:\n yield \"I blame %s for everything! it's your fault! it's all your fault!!\" % blamee\n yield '/me cries and weeps in despair'\n",
"role": "user"
},
{
"content": "blame",
"role": "assistant"
}
] |
def x(rest):
mo = calc_exp.match(rest)
if mo:
try:
return str(eval(rest))
except Exception:
return 'eval failed... check your syntax'
else:
return 'misformatted arithmetic!'
|
calc
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(rest):\n mo = calc_exp.match(rest)\n if mo:\n try:\n return str(eval(rest))\n except Exception:\n return 'eval failed... check your syntax'\n else:\n return 'misformatted arithmetic!'\n",
"role": "user"
},
{
"content": "calc",
"role": "assistant"
}
] |
def x(rest):
word = rest.strip()
res = util.lookup(word)
fmt = ('{lookup.provider} says: {res}' if res else
'{lookup.provider} does not have a definition for that.')
return fmt.format(**dict(locals(), lookup=util.lookup))
|
define
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(rest):\n word = rest.strip()\n res = util.lookup(word)\n fmt = ('{lookup.provider} says: {res}' if res else\n '{lookup.provider} does not have a definition for that.')\n return fmt.format(**dict(locals(), lookup=util.lookup))\n",
"role": "user"
},
{
"content": "define",
"role": "assistant"
}
] |
def x(rest):
word = rest.strip()
definition = util.urban_lookup(word)
if not definition:
return "Arg! I didn't find a definition for that."
return 'Urban Dictionary says {word}: {definition}'.format(**locals())
|
urbandict
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(rest):\n word = rest.strip()\n definition = util.urban_lookup(word)\n if not definition:\n return \"Arg! I didn't find a definition for that.\"\n return 'Urban Dictionary says {word}: {definition}'.format(**locals())\n",
"role": "user"
},
{
"content": "urbandict",
"role": "assistant"
}
] |
def x(rest):
word = rest.strip()
res = util.lookup_acronym(word)
if res is None:
return "Arg! I couldn't expand that..."
else:
return ' | '.join(res)
|
acit
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(rest):\n word = rest.strip()\n res = util.lookup_acronym(word)\n if res is None:\n return \"Arg! I couldn't expand that...\"\n else:\n return ' | '.join(res)\n",
"role": "user"
},
{
"content": "acit",
"role": "assistant"
}
] |
def x(nick, rest):
if rest:
vtype = random.choice(phrases.fight_victories)
fdesc = random.choice(phrases.fight_descriptions)
pattern = re.compile('(.*) (?:vs[.]?|v[.]) (.*)')
matcher = pattern.match(rest)
if not matcher:
karma.Karma.store.change(nick.lower(), -1)
args = vtype, nick, fdesc
return '/me %s %s in %s for bad protocol.' % args
contenders = [c.strip() for c in matcher.groups()]
random.shuffle(contenders)
winner, loser = contenders
karma.Karma.store.change(winner, 1)
karma.Karma.store.change(loser, -1)
return '%s %s %s in %s.' % (winner, vtype, loser, fdesc)
|
fight
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(nick, rest):\n if rest:\n vtype = random.choice(phrases.fight_victories)\n fdesc = random.choice(phrases.fight_descriptions)\n pattern = re.compile('(.*) (?:vs[.]?|v[.]) (.*)')\n matcher = pattern.match(rest)\n if not matcher:\n karma.Karma.store.change(nick.lower(), -1)\n args = vtype, nick, fdesc\n return '/me %s %s in %s for bad protocol.' % args\n contenders = [c.strip() for c in matcher.groups()]\n random.shuffle(contenders)\n winner, loser = contenders\n karma.Karma.store.change(winner, 1)\n karma.Karma.store.change(loser, -1)\n return '%s %s %s in %s.' % (winner, vtype, loser, fdesc)\n",
"role": "user"
},
{
"content": "fight",
"role": "assistant"
}
] |
def x(rest):
if rest:
left, right, amount = [piece.strip() for piece in rest.split('|')]
ticks = min(int(round(float(amount) / 10)), 10)
bar = '=' * ticks
return '%s [%-10s] %s' % (left, bar, right)
|
progress
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(rest):\n if rest:\n left, right, amount = [piece.strip() for piece in rest.split('|')]\n ticks = min(int(round(float(amount) / 10)), 10)\n bar = '=' * ticks\n return '%s [%-10s] %s' % (left, bar, right)\n",
"role": "user"
},
{
"content": "progress",
"role": "assistant"
}
] |
def x(nick, rest):
recipient = ''
if rest:
recipient = rest.strip()
karma.Karma.store.change(recipient, -1)
return util.passagg(recipient, nick.lower())
|
nastygram
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(nick, rest):\n recipient = ''\n if rest:\n recipient = rest.strip()\n karma.Karma.store.change(recipient, -1)\n return util.passagg(recipient, nick.lower())\n",
"role": "user"
},
{
"content": "nastygram",
"role": "assistant"
}
] |
def x(nick, rest):
if rest:
rest = rest.strip()
if rest:
return random.choice(phrases.direct_apologies) % dict(a=nick, b=rest)
else:
return random.choice(phrases.apologies) % dict(a=nick)
|
meaculpa
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(nick, rest):\n if rest:\n rest = rest.strip()\n if rest:\n return random.choice(phrases.direct_apologies) % dict(a=nick, b=rest)\n else:\n return random.choice(phrases.apologies) % dict(a=nick)\n",
"role": "user"
},
{
"content": "meaculpa",
"role": "assistant"
}
] |
def x(rest):
pkg = rest.strip() or 'pmxbot'
if pkg.lower() == 'python':
return sys.version.split()[0]
return importlib_metadata.version(pkg)
|
version
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(rest):\n pkg = rest.strip() or 'pmxbot'\n if pkg.lower() == 'python':\n return sys.version.split()[0]\n return importlib_metadata.version(pkg)\n",
"role": "user"
},
{
"content": "version",
"role": "assistant"
}
] |
def x(rest):
if ' in ' in rest:
dstr, tzname = rest.split(' in ', 1)
else:
dstr, tzname = rest, 'UTC'
tzobj = TZINFOS[tzname.strip()]
dt = dateutil.parser.parse(dstr, tzinfos=TZINFOS)
if dt.tzinfo is None:
dt = pytz.UTC.localize(dt)
res = dt.astimezone(tzobj)
return '{} {} -> {} {}'.format(dt.strftime('%H:%M'), dt.tzname() or dt.
strftime('%z'), res.strftime('%H:%M'), tzname)
|
timezone
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(rest):\n if ' in ' in rest:\n dstr, tzname = rest.split(' in ', 1)\n else:\n dstr, tzname = rest, 'UTC'\n tzobj = TZINFOS[tzname.strip()]\n dt = dateutil.parser.parse(dstr, tzinfos=TZINFOS)\n if dt.tzinfo is None:\n dt = pytz.UTC.localize(dt)\n res = dt.astimezone(tzobj)\n return '{} {} -> {} {}'.format(dt.strftime('%H:%M'), dt.tzname() or dt.\n strftime('%z'), res.strftime('%H:%M'), tzname)\n",
"role": "user"
},
{
"content": "timezone",
"role": "assistant"
}
] |
def x(cls):
for finalizer in cls._finalizers:
try:
finalizer()
except Exception:
log.exception('Error in finalizer %s', finalizer)
|
finalize
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls):\n for finalizer in cls._finalizers:\n try:\n finalizer()\n except Exception:\n log.exception('Error in finalizer %s', finalizer)\n",
"role": "user"
},
{
"content": "finalize",
"role": "assistant"
}
] |
def x(rest):
rs = rest.strip()
if rs:
for handler in Handler._registry:
if handler.name == rs.lower():
yield '!%s: %s' % (handler.name, handler.doc)
break
else:
yield 'command not found'
return
def x():
handlers = (handler for handler in Handler._registry if type(
handler) is pmxbot.core.CommandHandler)
handlers = sorted(handlers, key=operator.attrgetter('name'))
for handler in handlers:
res = '!' + handler.name
if handler.aliases:
alias_names = (alias.name for alias in handler.aliases)
res += ' (%s)' % ', '.join(alias_names)
yield res
o = io.StringIO(' '.join(mk_entries()))
more = o.read(160)
while more:
yield more
time.sleep(0.3)
more = o.read(160)
|
help
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(rest):\n rs = rest.strip()\n if rs:\n for handler in Handler._registry:\n if handler.name == rs.lower():\n yield '!%s: %s' % (handler.name, handler.doc)\n break\n else:\n yield 'command not found'\n return\n\n def x():\n handlers = (handler for handler in Handler._registry if type(\n handler) is pmxbot.core.CommandHandler)\n handlers = sorted(handlers, key=operator.attrgetter('name'))\n for handler in handlers:\n res = '!' + handler.name\n if handler.aliases:\n alias_names = (alias.name for alias in handler.aliases)\n res += ' (%s)' % ', '.join(alias_names)\n yield res\n o = io.StringIO(' '.join(mk_entries()))\n more = o.read(160)\n while more:\n yield more\n time.sleep(0.3)\n more = o.read(160)\n",
"role": "user"
},
{
"content": "help",
"role": "assistant"
}
] |
def x(month):
year, month = month.split('-')
return '{month_name}, {year}'.format(month_name=calendar.month_name[int
(month)], year=year)
|
pmon
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(month):\n year, month = month.split('-')\n return '{month_name}, {year}'.format(month_name=calendar.month_name[int\n (month)], year=year)\n",
"role": "user"
},
{
"content": "pmon",
"role": "assistant"
}
] |
def x(dayfmt):
year, month, day = map(int, dayfmt.split('-'))
return '{day} the {number}'.format(day=calendar.day_name[calendar.
weekday(year, month, day)], number=inflect.engine().ordinal(day))
|
pday
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dayfmt):\n year, month, day = map(int, dayfmt.split('-'))\n return '{day} the {number}'.format(day=calendar.day_name[calendar.\n weekday(year, month, day)], number=inflect.engine().ordinal(day))\n",
"role": "user"
},
{
"content": "pday",
"role": "assistant"
}
] |
def x(config):
if 'web_host' in config:
config['host'] = config.pop('web_host')
if 'web_port' in config:
config['port'] = config.pop('web_port')
|
patch_compat
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(config):\n if 'web_host' in config:\n config['host'] = config.pop('web_host')\n if 'web_port' in config:\n config['port'] = config.pop('web_port')\n",
"role": "user"
},
{
"content": "patch_compat",
"role": "assistant"
}
] |
def x(mgr, filename):
path = importlib_resources.path('pmxbot.web.templates', filename)
return str(mgr.enter_context(path))
|
resolve_file
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(mgr, filename):\n path = importlib_resources.path('pmxbot.web.templates', filename)\n return str(mgr.enter_context(path))\n",
"role": "user"
},
{
"content": "resolve_file",
"role": "assistant"
}
] |
def x(cls, month_string):
month, year = month_string.split(',')
month_ord = cls.month_ordinal[month]
return year, month_ord
|
date_key
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, month_string):\n month, year = month_string.split(',')\n month_ord = cls.month_ordinal[month]\n return year, month_ord\n",
"role": "user"
},
{
"content": "date_key",
"role": "assistant"
}
] |
def x(self, channel, date_s, fragment):
time_s, sep, nick = fragment.rpartition('.')
time = datetime.datetime.strptime(time_s, '%H.%M.%S')
date = datetime.datetime.strptime(date_s, '%Y-%m-%d')
dt = datetime.datetime.combine(date, time.time())
loc_dt = self.timezone.localize(dt)
utc_dt = loc_dt.astimezone(pytz.utc)
url_tmpl = '/day/{channel}/{target_date}#{target_time}.{nick}'
url = url_tmpl.format(target_date=utc_dt.date().isoformat(),
target_time=utc_dt.time().strftime('%H.%M.%S'), **locals())
raise cherrypy.HTTPRedirect(url, 301)
|
forward
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, channel, date_s, fragment):\n time_s, sep, nick = fragment.rpartition('.')\n time = datetime.datetime.strptime(time_s, '%H.%M.%S')\n date = datetime.datetime.strptime(date_s, '%Y-%m-%d')\n dt = datetime.datetime.combine(date, time.time())\n loc_dt = self.timezone.localize(dt)\n utc_dt = loc_dt.astimezone(pytz.utc)\n url_tmpl = '/day/{channel}/{target_date}#{target_time}.{nick}'\n url = url_tmpl.format(target_date=utc_dt.date().isoformat(),\n target_time=utc_dt.time().strftime('%H.%M.%S'), **locals())\n raise cherrypy.HTTPRedirect(url, 301)\n",
"role": "user"
},
{
"content": "forward",
"role": "assistant"
}
] |
def x(record):
dt = record.pop('datetime')
fmts = ['%Y-%m-%d %H:%M:%S.%f', '%Y-%m-%d %H:%M:%S']
for fmt in fmts:
try:
dt = datetime.datetime.strptime(dt, fmt)
break
except ValueError:
pass
else:
raise
tz = pytz.timezone('US/Pacific')
loc_dt = tz.localize(dt)
record['datetime'] = loc_dt
return record
|
parse_date
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(record):\n dt = record.pop('datetime')\n fmts = ['%Y-%m-%d %H:%M:%S.%f', '%Y-%m-%d %H:%M:%S']\n for fmt in fmts:\n try:\n dt = datetime.datetime.strptime(dt, fmt)\n break\n except ValueError:\n pass\n else:\n raise\n tz = pytz.timezone('US/Pacific')\n loc_dt = tz.localize(dt)\n record['datetime'] = loc_dt\n return record\n",
"role": "user"
},
{
"content": "parse_date",
"role": "assistant"
}
] |
def x(channel, nick, rest):
yield NoLog
rest = rest.strip()
if not rest:
count = 1
else:
if not rest.isdigit():
yield 'Strike how many? Argument must be a positive integer.'
raise StopIteration
count = int(rest)
try:
struck = Logger.store.strike(channel, nick, count)
tmpl = (
"Isn't undo great? Last %d statement%s by %s were stricken from the record."
)
yield tmpl % (struck, 's' if struck > 1 else '', nick)
except Exception:
traceback.print_exc()
yield "Hmm.. I didn't find anything of yours to strike!"
|
strike
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(channel, nick, rest):\n yield NoLog\n rest = rest.strip()\n if not rest:\n count = 1\n else:\n if not rest.isdigit():\n yield 'Strike how many? Argument must be a positive integer.'\n raise StopIteration\n count = int(rest)\n try:\n struck = Logger.store.strike(channel, nick, count)\n tmpl = (\n \"Isn't undo great? Last %d statement%s by %s were stricken from the record.\"\n )\n yield tmpl % (struck, 's' if struck > 1 else '', nick)\n except Exception:\n traceback.print_exc()\n yield \"Hmm.. I didn't find anything of yours to strike!\"\n",
"role": "user"
},
{
"content": "strike",
"role": "assistant"
}
] |
def x(channel, nick, rest):
onick = rest.strip()
last = Logger.store.last_seen(onick)
if last:
tm, chan = last
tmpl = 'I last saw {onick} speak at {tm} in channel #{chan}'
return tmpl.format(tm=tm, chan=chan, onick=onick)
else:
return "Sorry! I don't have any record of %s speaking" % onick
|
where
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(channel, nick, rest):\n onick = rest.strip()\n last = Logger.store.last_seen(onick)\n if last:\n tm, chan = last\n tmpl = 'I last saw {onick} speak at {tm} in channel #{chan}'\n return tmpl.format(tm=tm, chan=chan, onick=onick)\n else:\n return \"Sorry! I don't have any record of %s speaking\" % onick\n",
"role": "user"
},
{
"content": "where",
"role": "assistant"
}
] |
def x(channel):
default_url = 'http://' + socket.getfqdn()
base = pmxbot.config.get('logs URL', default_url)
logged_channel = channel in pmxbot.config.log_channels
path = '/channel/' + channel.lstrip('#') if logged_channel else '/'
return urllib.parse.urljoin(base, path)
|
logs
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(channel):\n default_url = 'http://' + socket.getfqdn()\n base = pmxbot.config.get('logs URL', default_url)\n logged_channel = channel in pmxbot.config.log_channels\n path = '/channel/' + channel.lstrip('#') if logged_channel else '/'\n return urllib.parse.urljoin(base, path)\n",
"role": "user"
},
{
"content": "logs",
"role": "assistant"
}
] |
def x(channel, rest):
words = [s.lower() for s in rest.split()]
if 'please' not in words:
return
include = 'stop' not in rest
existing = set(pmxbot.config.log_channels)
op = existing.union if include else existing.difference
pmxbot.config.log_channels = list(op([channel]))
|
log
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(channel, rest):\n words = [s.lower() for s in rest.split()]\n if 'please' not in words:\n return\n include = 'stop' not in rest\n existing = set(pmxbot.config.log_channels)\n op = existing.union if include else existing.difference\n pmxbot.config.log_channels = list(op([channel]))\n",
"role": "user"
},
{
"content": "log",
"role": "assistant"
}
] |
def x(self, doc, logged_id):
spec = dict(channel=doc['channel'])
doc['ref'] = logged_id
doc.pop('_id')
self._recent.replace_one(spec, doc, upsert=True)
|
add_recent
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, doc, logged_id):\n spec = dict(channel=doc['channel'])\n doc['ref'] = logged_id\n doc.pop('_id')\n self._recent.replace_one(spec, doc, upsert=True)\n",
"role": "user"
},
{
"content": "add_recent",
"role": "assistant"
}
] |
def x(cls, uri):
coll = cls._get_collection(uri)
with ExceptionTrap(storage.pymongo.errors.OperationFailure) as trap:
coll.create_index([('message', 'text')], background=True)
return not trap
|
has_fulltext
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, uri):\n coll = cls._get_collection(uri)\n with ExceptionTrap(storage.pymongo.errors.OperationFailure) as trap:\n coll.create_index([('message', 'text')], background=True)\n return not trap\n",
"role": "user"
},
{
"content": "has_fulltext",
"role": "assistant"
}
] |
def x(self, username):
user_id = self.slacker.users.get_user_id(username)
im = user_id and self.slacker.im.open(user_id).body['channel']['id']
return im and self.slack.server.channels.find(im)
|
find_user_channel
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, username):\n user_id = self.slacker.users.get_user_id(username)\n im = user_id and self.slacker.im.open(user_id).body['channel']['id']\n return im and self.slack.server.channels.find(im)\n",
"role": "user"
},
{
"content": "find_user_channel",
"role": "assistant"
}
] |
def x(self, channel, message):
target = self.slack.server.channels.find(channel
) or self._find_user_channel(username=channel)
message = self._expand_references(message)
target.send_message(message, thread=getattr(channel, 'thread', None))
|
transmit
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, channel, message):\n target = self.slack.server.channels.find(channel\n ) or self._find_user_channel(username=channel)\n message = self._expand_references(message)\n target.send_message(message, thread=getattr(channel, 'thread', None))\n",
"role": "user"
},
{
"content": "transmit",
"role": "assistant"
}
] |
def x(d):
total = sum(d.values())
target = random.random() * total
count = 0
for word, proportion in d.items():
count += proportion
if count > target:
return word
|
wchoice
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(d):\n total = sum(d.values())\n target = random.random() * total\n count = 0\n for word, proportion in d.items():\n count += proportion\n if count > target:\n return word\n",
"role": "user"
},
{
"content": "wchoice",
"role": "assistant"
}
] |
def x(query):
prompt, sep, query = query.rstrip('?.!').rpartition(':')
choices = query.split(',')
choices[-1:] = choices[-1].split(' or ')
return [choice.strip() for choice in choices if choice.strip()]
|
splitem
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(query):\n prompt, sep, query = query.rstrip('?.!').rpartition(':')\n choices = query.split(',')\n choices[-1:] = choices[-1].split(' or ')\n return [choice.strip() for choice in choices if choice.strip()]\n",
"role": "user"
},
{
"content": "splitem",
"role": "assistant"
}
] |
def x(word):
_patch_wordnik()
key = 'edc4b9b94b341eeae350e087c2e05d2f5a2a9e0478cefc6dc'
client = wordnik.swagger.ApiClient(key, 'http://api.wordnik.com/v4')
words = wordnik.WordApi.WordApi(client)
definitions = words.getDefinitions(word, limit=1)
if not definitions:
return
definition = definitions[0]
return str(definition.text)
|
lookup
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(word):\n _patch_wordnik()\n key = 'edc4b9b94b341eeae350e087c2e05d2f5a2a9e0478cefc6dc'\n client = wordnik.swagger.ApiClient(key, 'http://api.wordnik.com/v4')\n words = wordnik.WordApi.WordApi(client)\n definitions = words.getDefinitions(word, limit=1)\n if not definitions:\n return\n definition = definitions[0]\n return str(definition.text)\n",
"role": "user"
},
{
"content": "lookup",
"role": "assistant"
}
] |
def x(word):
url = 'http://api.urbandictionary.com/v0/define'
params = dict(term=word)
resp = requests.get(url, params=params)
resp.raise_for_status()
res = resp.json()
if not res['list']:
return
return res['list'][0]['definition']
|
urban_lookup
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(word):\n url = 'http://api.urbandictionary.com/v0/define'\n params = dict(term=word)\n resp = requests.get(url, params=params)\n resp.raise_for_status()\n res = resp.json()\n if not res['list']:\n return\n return res['list'][0]['definition']\n",
"role": "user"
},
{
"content": "urban_lookup",
"role": "assistant"
}
] |
def x(recipient, sender):
adj = random.choice(pmxbot.phrases.adjs)
if random.choice([False, True]):
lead = ''
trail = recipient if not recipient else ', %s' % recipient
else:
lead = recipient if not recipient else '%s, ' % recipient
trail = ''
body = random.choice(pmxbot.phrases.adj_intros) % adj
if not lead:
body = body.capitalize()
msg = '{lead}{body}{trail}.'.format(**locals())
fw = random.choice(pmxbot.phrases.farewells)
return '{msg} {fw}, {sender}.'.format(**locals())
|
passagg
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(recipient, sender):\n adj = random.choice(pmxbot.phrases.adjs)\n if random.choice([False, True]):\n lead = ''\n trail = recipient if not recipient else ', %s' % recipient\n else:\n lead = recipient if not recipient else '%s, ' % recipient\n trail = ''\n body = random.choice(pmxbot.phrases.adj_intros) % adj\n if not lead:\n body = body.capitalize()\n msg = '{lead}{body}{trail}.'.format(**locals())\n fw = random.choice(pmxbot.phrases.farewells)\n return '{msg} {fw}, {sender}.'.format(**locals())\n",
"role": "user"
},
{
"content": "passagg",
"role": "assistant"
}
] |
def x(client, event, channel, nick, rest):
pattern = re.compile('(?P<key>\\w+)\\s*(?P<op>[+-]?=)\\s*(?P<value>.*)$')
match = pattern.match(rest)
if not match:
return 'Command not recognized'
res = match.groupdict()
key = res['key']
op = res['op']
value = yaml.safe_load(res['value'])
if op in ('+=', '-='):
op_name = {'+=': 'append', '-=': 'remove'}[op]
op_name
if key not in pmxbot.config:
msg = "{key} not found in config. Can't {op_name}."
return msg.format(**locals())
if not isinstance(pmxbot.config[key], (list, tuple)):
msg = "{key} is not list or tuple. Can't {op_name}."
return msg.format(**locals())
op = getattr(pmxbot.config[key], op_name)
op(value)
else:
pmxbot.config[key] = value
|
config
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(client, event, channel, nick, rest):\n pattern = re.compile('(?P<key>\\\\w+)\\\\s*(?P<op>[+-]?=)\\\\s*(?P<value>.*)$')\n match = pattern.match(rest)\n if not match:\n return 'Command not recognized'\n res = match.groupdict()\n key = res['key']\n op = res['op']\n value = yaml.safe_load(res['value'])\n if op in ('+=', '-='):\n op_name = {'+=': 'append', '-=': 'remove'}[op]\n op_name\n if key not in pmxbot.config:\n msg = \"{key} not found in config. Can't {op_name}.\"\n return msg.format(**locals())\n if not isinstance(pmxbot.config[key], (list, tuple)):\n msg = \"{key} is not list or tuple. Can't {op_name}.\"\n return msg.format(**locals())\n op = getattr(pmxbot.config[key], op_name)\n op(value)\n else:\n pmxbot.config[key] = value\n",
"role": "user"
},
{
"content": "config",
"role": "assistant"
}
] |
def x(results, handler, exceptions=Exception):
try:
for result in results:
yield result
except exceptions as exc:
for result in always_iterable(handler(exc)):
yield result
|
trap_exceptions
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(results, handler, exceptions=Exception):\n try:\n for result in results:\n yield result\n except exceptions as exc:\n for result in always_iterable(handler(exc)):\n yield result\n",
"role": "user"
},
{
"content": "trap_exceptions",
"role": "assistant"
}
] |
def x(rest):
rest = rest.strip()
if rest.startswith('add: ') or rest.startswith('add '):
quote_to_add = rest.split(' ', 1)[1]
Quotes.store.add(quote_to_add)
qt = False
return 'Quote added!'
if rest.startswith('del: ') or rest.startswith('del '):
cmd, sep, lookup = rest.partition(' ')
Quotes.store.delete(lookup)
return 'Deleted the sole quote that matched'
qt, i, n = Quotes.store.lookup(rest)
if not qt:
return
return '(%s/%s): %s' % (i, n, qt)
|
quote
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(rest):\n rest = rest.strip()\n if rest.startswith('add: ') or rest.startswith('add '):\n quote_to_add = rest.split(' ', 1)[1]\n Quotes.store.add(quote_to_add)\n qt = False\n return 'Quote added!'\n if rest.startswith('del: ') or rest.startswith('del '):\n cmd, sep, lookup = rest.partition(' ')\n Quotes.store.delete(lookup)\n return 'Deleted the sole quote that matched'\n qt, i, n = Quotes.store.lookup(rest)\n if not qt:\n return\n return '(%s/%s): %s' % (i, n, qt)\n",
"role": "user"
},
{
"content": "quote",
"role": "assistant"
}
] |
def x(self, lookup):
lookup, num = self.split_num(lookup)
if num:
result = self.find_matches(lookup)[num - 1]
else:
result, = self.find_matches(lookup)
self.db.delete_one(result)
|
delete
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, lookup):\n lookup, num = self.split_num(lookup)\n if num:\n result = self.find_matches(lookup)[num - 1]\n else:\n result, = self.find_matches(lookup)\n self.db.delete_one(result)\n",
"role": "user"
},
{
"content": "delete",
"role": "assistant"
}
] |
def x(index, items):
indices = []
if index is None:
return indices
for atom in index.split(','):
atom = atom.strip()
if not atom:
continue
if atom.startswith("'") and atom.endswith("'") or atom.startswith('"'
) and atom.endswith('"'):
atom = atom[1:-1].lower()
for i, item in enumerate(items):
if atom in item.lower():
indices.append(i)
elif atom.startswith('/') and atom.endswith('/'):
atom = atom[1:-1]
for i, item in enumerate(items):
if re.search(atom, item):
indices.append(i)
elif ':' in atom:
start, end = [x.strip() for x in atom.split(':', 1)]
start = int(start) if start else 1
if start < 0:
start += len(items) + 1
end = int(end) if end else len(items)
if end < 0:
end += len(items) + 1
start -= 1
end -= 1
for i in range(start, end + 1):
indices.append(i)
elif atom == 'first':
indices.append(0)
elif atom == 'last':
indices.append(len(items) - 1)
else:
index = int(atom)
if index < 0:
index += len(items) + 1
index -= 1
indices.append(index)
return indices
|
parse_index
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(index, items):\n indices = []\n if index is None:\n return indices\n for atom in index.split(','):\n atom = atom.strip()\n if not atom:\n continue\n if atom.startswith(\"'\") and atom.endswith(\"'\") or atom.startswith('\"'\n ) and atom.endswith('\"'):\n atom = atom[1:-1].lower()\n for i, item in enumerate(items):\n if atom in item.lower():\n indices.append(i)\n elif atom.startswith('/') and atom.endswith('/'):\n atom = atom[1:-1]\n for i, item in enumerate(items):\n if re.search(atom, item):\n indices.append(i)\n elif ':' in atom:\n start, end = [x.strip() for x in atom.split(':', 1)]\n start = int(start) if start else 1\n if start < 0:\n start += len(items) + 1\n end = int(end) if end else len(items)\n if end < 0:\n end += len(items) + 1\n start -= 1\n end -= 1\n for i in range(start, end + 1):\n indices.append(i)\n elif atom == 'first':\n indices.append(0)\n elif atom == 'last':\n indices.append(len(items) - 1)\n else:\n index = int(atom)\n if index < 0:\n index += len(items) + 1\n index -= 1\n indices.append(index)\n return indices\n",
"role": "user"
},
{
"content": "parse_index",
"role": "assistant"
}
] |
def x(nick, rest):
atoms = [atom.strip() for atom in rest.split(' ', 1) if atom.strip()]
if len(atoms) == 0:
subcommand = 'show'
rest = ''
elif len(atoms) == 1:
subcommand = atoms[0]
rest = ''
else:
subcommand, rest = atoms
start = rest.find('[')
finish = rest.rfind(']')
sp = rest.find(' ')
if start != -1 and finish != -1 and start < finish and (sp == -1 or
start < sp):
topic, index = [atom.strip() for atom in rest[:finish].split('[', 1)]
if not topic:
topic = nick
new_item = rest[finish + 1:].strip()
else:
topic = nick
index = None
new_item = rest.strip()
if subcommand == 'topics' or subcommand == 'list':
items = Stack.store.get_topics()
items.sort()
else:
items = Stack.store.get_items(topic)
try:
indices = parse_index(index, items)
except ValueError:
return helpdoc['index']
if debug:
print('SUBCOMMAND', subcommand.ljust(8), 'TOPIC', topic.ljust(8),
'INDICES', str(indices).ljust(12), 'ITEM', new_item)
if subcommand == 'add':
if not new_item:
return (
'!stack add <topic[index]> item: You must provide an item to add.'
)
if not indices:
items.insert(0, new_item)
else:
for i in reversed(sorted(set(indices))):
if i >= len(items):
items.append(new_item)
else:
items.insert(i + 1, new_item)
Stack.store.save_items(topic, items)
elif subcommand == 'pop':
if not indices:
indices = [0]
popped_items = [items.pop(i) for i in reversed(sorted(set(indices))
) if len(items) > i >= 0]
Stack.store.save_items(topic, items)
return output([('-', item) for item in reversed(popped_items)],
'(none popped)', pop=True)
elif subcommand == 'show':
if new_item:
return helpdoc['show']
if not indices:
indices = range(len(items))
return output([(i + 1, items[i]) for i in indices if len(items) > i >=
0])
elif subcommand == 'shuffle':
if not indices:
random.shuffle(items)
else:
items = [items[i] for i in indices if len(items) > i >= 0]
Stack.store.save_items(topic, items)
return output(enumerate(items, 1))
elif subcommand == 'topics' or subcommand == 'list':
if new_item:
return helpdoc['topics']
if not indices:
indices = range(len(items))
return output([(i + 1, items[i]) for i in indices if len(items) > i >=
0])
elif subcommand == 'help':
return helpdoc.get(new_item, helpdoc['help'])
else:
return helpdoc['stack']
|
stack
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(nick, rest):\n atoms = [atom.strip() for atom in rest.split(' ', 1) if atom.strip()]\n if len(atoms) == 0:\n subcommand = 'show'\n rest = ''\n elif len(atoms) == 1:\n subcommand = atoms[0]\n rest = ''\n else:\n subcommand, rest = atoms\n start = rest.find('[')\n finish = rest.rfind(']')\n sp = rest.find(' ')\n if start != -1 and finish != -1 and start < finish and (sp == -1 or \n start < sp):\n topic, index = [atom.strip() for atom in rest[:finish].split('[', 1)]\n if not topic:\n topic = nick\n new_item = rest[finish + 1:].strip()\n else:\n topic = nick\n index = None\n new_item = rest.strip()\n if subcommand == 'topics' or subcommand == 'list':\n items = Stack.store.get_topics()\n items.sort()\n else:\n items = Stack.store.get_items(topic)\n try:\n indices = parse_index(index, items)\n except ValueError:\n return helpdoc['index']\n if debug:\n print('SUBCOMMAND', subcommand.ljust(8), 'TOPIC', topic.ljust(8),\n 'INDICES', str(indices).ljust(12), 'ITEM', new_item)\n if subcommand == 'add':\n if not new_item:\n return (\n '!stack add <topic[index]> item: You must provide an item to add.'\n )\n if not indices:\n items.insert(0, new_item)\n else:\n for i in reversed(sorted(set(indices))):\n if i >= len(items):\n items.append(new_item)\n else:\n items.insert(i + 1, new_item)\n Stack.store.save_items(topic, items)\n elif subcommand == 'pop':\n if not indices:\n indices = [0]\n popped_items = [items.pop(i) for i in reversed(sorted(set(indices))\n ) if len(items) > i >= 0]\n Stack.store.save_items(topic, items)\n return output([('-', item) for item in reversed(popped_items)],\n '(none popped)', pop=True)\n elif subcommand == 'show':\n if new_item:\n return helpdoc['show']\n if not indices:\n indices = range(len(items))\n return output([(i + 1, items[i]) for i in indices if len(items) > i >=\n 0])\n elif subcommand == 'shuffle':\n if not indices:\n random.shuffle(items)\n else:\n items = [items[i] for i in indices if len(items) > i >= 0]\n Stack.store.save_items(topic, items)\n return output(enumerate(items, 1))\n elif subcommand == 'topics' or subcommand == 'list':\n if new_item:\n return helpdoc['topics']\n if not indices:\n indices = range(len(items))\n return output([(i + 1, items[i]) for i in indices if len(items) > i >=\n 0])\n elif subcommand == 'help':\n return helpdoc.get(new_item, helpdoc['help'])\n else:\n return helpdoc['stack']\n",
"role": "user"
},
{
"content": "stack",
"role": "assistant"
}
] |
def x():
if not pmxbot.config.get('use_ssl', False):
return lambda x: x
return importlib.import_module('ssl').wrap_socket
|
get_wrapper
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n if not pmxbot.config.get('use_ssl', False):\n return lambda x: x\n return importlib.import_module('ssl').wrap_socket\n",
"role": "user"
},
{
"content": "get_wrapper",
"role": "assistant"
}
] |
def x(self, channel, msg):
is_action, msg = self.action_pattern.match(msg).groups()
func = self._conn.action if is_action else self._conn.privmsg
try:
func(channel, msg)
return msg
except irc.client.MessageTooLong:
log.warning('Long message could not be transmitted: %s', msg)
except irc.client.InvalidCharacters:
tmpl = (
"Message contains carriage returns, which aren't allowed in IRC messages: %r"
)
log.warning(tmpl, msg)
|
transmit
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, channel, msg):\n is_action, msg = self.action_pattern.match(msg).groups()\n func = self._conn.action if is_action else self._conn.privmsg\n try:\n func(channel, msg)\n return msg\n except irc.client.MessageTooLong:\n log.warning('Long message could not be transmitted: %s', msg)\n except irc.client.InvalidCharacters:\n tmpl = (\n \"Message contains carriage returns, which aren't allowed in IRC messages: %r\"\n )\n log.warning(tmpl, msg)\n",
"role": "user"
},
{
"content": "transmit",
"role": "assistant"
}
] |
def x(self):
if 'status' in self._response.keys():
if self._response['status'] is not None and 'code' in self._response[
'status'].keys() and self._response['status']['code'] is not None:
return self._response['status']['code']
else:
return None
else:
return None
|
getStatusCode
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if 'status' in self._response.keys():\n if self._response['status'] is not None and 'code' in self._response[\n 'status'].keys() and self._response['status']['code'] is not None:\n return self._response['status']['code']\n else:\n return None\n else:\n return None\n",
"role": "user"
},
{
"content": "getStatusCode",
"role": "assistant"
}
] |
def x(self):
if 'status' in self._response.keys():
if self._response['status'] is not None and 'msg' in self._response[
'status'].keys() and self._response['status']['msg'] is not None:
return self._response['status']['msg']
else:
return ''
|
getStatusMsg
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if 'status' in self._response.keys():\n if self._response['status'] is not None and 'msg' in self._response[\n 'status'].keys() and self._response['status']['msg'] is not None:\n return self._response['status']['msg']\n else:\n return ''\n",
"role": "user"
},
{
"content": "getStatusMsg",
"role": "assistant"
}
] |
def x(self):
if 'status' in self._response.keys():
if self._response['status'
] is not None and 'credits' in self._response['status'].keys():
if self._response['status']['credits'] is not None:
return self._response['status']['credits']
else:
return '0'
else:
print('Not credits field\n')
else:
return None
|
getConsumedCredits
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if 'status' in self._response.keys():\n if self._response['status'\n ] is not None and 'credits' in self._response['status'].keys():\n if self._response['status']['credits'] is not None:\n return self._response['status']['credits']\n else:\n return '0'\n else:\n print('Not credits field\\n')\n else:\n return None\n",
"role": "user"
},
{
"content": "getConsumedCredits",
"role": "assistant"
}
] |
def x(self):
if 'status' in self._response.keys():
if self._response['status'
] is not None and 'remaining_credits' in self._response['status'
].keys():
if self._response['status']['remaining_credits'] is not None:
return self._response['status']['remaining_credits']
else:
return ''
else:
print('Not remaining credits field\n')
else:
return None
|
getRemainingCredits
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if 'status' in self._response.keys():\n if self._response['status'\n ] is not None and 'remaining_credits' in self._response['status'\n ].keys():\n if self._response['status']['remaining_credits'] is not None:\n return self._response['status']['remaining_credits']\n else:\n return ''\n else:\n print('Not remaining credits field\\n')\n else:\n return None\n",
"role": "user"
},
{
"content": "getRemainingCredits",
"role": "assistant"
}
] |
def x(self):
results = self._response.copy()
if 'status' in self._response.keys():
if results['status'] is not None:
del results['status']
return results
else:
return None
|
getResults
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n results = self._response.copy()\n if 'status' in self._response.keys():\n if results['status'] is not None:\n del results['status']\n return results\n else:\n return None\n",
"role": "user"
},
{
"content": "getResults",
"role": "assistant"
}
] |
def x(self):
forces = []
for f in self.service.request('GET', 'forces'):
forces.append(Force(self, id=f['id'], name=f['name']))
return forces
|
get_forces
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n forces = []\n for f in self.service.request('GET', 'forces'):\n forces.append(Force(self, id=f['id'], name=f['name']))\n return forces\n",
"role": "user"
},
{
"content": "get_forces",
"role": "assistant"
}
] |
def x(self, force):
if not isinstance(force, Force):
force = Force(self, id=force)
neighbourhoods = []
for n in self.service.request('GET', '%s/neighbourhoods' % force.id):
neighbourhoods.append(Neighbourhood(self, force=force, id=n['id'],
name=n['name']))
return sorted(neighbourhoods, key=lambda n: n.name)
|
get_neighbourhoods
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, force):\n if not isinstance(force, Force):\n force = Force(self, id=force)\n neighbourhoods = []\n for n in self.service.request('GET', '%s/neighbourhoods' % force.id):\n neighbourhoods.append(Neighbourhood(self, force=force, id=n['id'],\n name=n['name']))\n return sorted(neighbourhoods, key=lambda n: n.name)\n",
"role": "user"
},
{
"content": "get_neighbourhoods",
"role": "assistant"
}
] |
def x(self, force, id, **attrs):
if not isinstance(force, Force):
force = Force(self, id=force, **attrs)
return Neighbourhood(self, force=force, id=id, **attrs)
|
get_neighbourhood
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, force, id, **attrs):\n if not isinstance(force, Force):\n force = Force(self, id=force, **attrs)\n return Neighbourhood(self, force=force, id=id, **attrs)\n",
"role": "user"
},
{
"content": "get_neighbourhood",
"role": "assistant"
}
] |
def x(self, lat, lng):
method = 'locate-neighbourhood'
q = '%s,%s' % (lat, lng)
try:
result = self.service.request('GET', method, q=q)
return self.get_neighbourhood(result['force'], result['neighbourhood'])
except APIError:
pass
|
locate_neighbourhood
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, lat, lng):\n method = 'locate-neighbourhood'\n q = '%s,%s' % (lat, lng)\n try:\n result = self.service.request('GET', method, q=q)\n return self.get_neighbourhood(result['force'], result['neighbourhood'])\n except APIError:\n pass\n",
"role": "user"
},
{
"content": "locate_neighbourhood",
"role": "assistant"
}
] |
def x(self, date=None):
return sorted(self._get_crime_categories(date=date).values(), key=lambda
c: c.name)
|
get_crime_categories
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, date=None):\n return sorted(self._get_crime_categories(date=date).values(), key=lambda\n c: c.name)\n",
"role": "user"
},
{
"content": "get_crime_categories",
"role": "assistant"
}
] |
def x(self, id, date=None):
try:
return self._get_crime_categories(date=date)[id]
except KeyError:
raise InvalidCategoryException('Category %s not found for %s' % (id,
date))
|
get_crime_category
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, id, date=None):\n try:\n return self._get_crime_categories(date=date)[id]\n except KeyError:\n raise InvalidCategoryException('Category %s not found for %s' % (id,\n date))\n",
"role": "user"
},
{
"content": "get_crime_category",
"role": "assistant"
}
] |
def x(self, persistent_id):
method = 'outcomes-for-crime/%s' % persistent_id
response = self.service.request('GET', method)
crime = Crime(self, data=response['crime'])
crime._outcomes = []
outcomes = response['outcomes']
if outcomes is not None:
for o in outcomes:
o.update({'crime': crime})
crime._outcomes.append(crime.Outcome(self, o))
return crime
|
get_crime
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, persistent_id):\n method = 'outcomes-for-crime/%s' % persistent_id\n response = self.service.request('GET', method)\n crime = Crime(self, data=response['crime'])\n crime._outcomes = []\n outcomes = response['outcomes']\n if outcomes is not None:\n for o in outcomes:\n o.update({'crime': crime})\n crime._outcomes.append(crime.Outcome(self, o))\n return crime\n",
"role": "user"
},
{
"content": "get_crime",
"role": "assistant"
}
] |
def x(self, lat, lng, date=None, category=None):
if isinstance(category, CrimeCategory):
category = category.id
method = 'crimes-street/%s' % (category or 'all-crime')
kwargs = {'lat': lat, 'lng': lng}
crimes = []
if date is not None:
kwargs['date'] = date
for c in self.service.request('GET', method, **kwargs):
crimes.append(Crime(self, data=c))
return crimes
|
get_crimes_point
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, lat, lng, date=None, category=None):\n if isinstance(category, CrimeCategory):\n category = category.id\n method = 'crimes-street/%s' % (category or 'all-crime')\n kwargs = {'lat': lat, 'lng': lng}\n crimes = []\n if date is not None:\n kwargs['date'] = date\n for c in self.service.request('GET', method, **kwargs):\n crimes.append(Crime(self, data=c))\n return crimes\n",
"role": "user"
},
{
"content": "get_crimes_point",
"role": "assistant"
}
] |
def x(self, points, date=None, category=None):
if isinstance(category, CrimeCategory):
category = category.id
method = 'crimes-street/%s' % (category or 'all-crime')
kwargs = {'poly': encode_polygon(points)}
crimes = []
if date is not None:
kwargs['date'] = date
for c in self.service.request('POST', method, **kwargs):
crimes.append(Crime(self, data=c))
return crimes
|
get_crimes_area
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, points, date=None, category=None):\n if isinstance(category, CrimeCategory):\n category = category.id\n method = 'crimes-street/%s' % (category or 'all-crime')\n kwargs = {'poly': encode_polygon(points)}\n crimes = []\n if date is not None:\n kwargs['date'] = date\n for c in self.service.request('POST', method, **kwargs):\n crimes.append(Crime(self, data=c))\n return crimes\n",
"role": "user"
},
{
"content": "get_crimes_area",
"role": "assistant"
}
] |
def x(self, location_id, date=None):
kwargs = {'location_id': location_id}
crimes = []
if date is not None:
kwargs['date'] = date
for c in self.service.request('GET', 'crimes-at-location', **kwargs):
crimes.append(Crime(self, data=c))
return crimes
|
get_crimes_location
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, location_id, date=None):\n kwargs = {'location_id': location_id}\n crimes = []\n if date is not None:\n kwargs['date'] = date\n for c in self.service.request('GET', 'crimes-at-location', **kwargs):\n crimes.append(Crime(self, data=c))\n return crimes\n",
"role": "user"
},
{
"content": "get_crimes_location",
"role": "assistant"
}
] |
def x(self, force, date=None, category=None):
if not isinstance(force, Force):
force = Force(self, id=force)
if isinstance(category, CrimeCategory):
category = category.id
kwargs = {'force': force.id, 'category': category or 'all-crime'}
crimes = []
if date is not None:
kwargs['date'] = date
for c in self.service.request('GET', 'crimes-no-location', **kwargs):
crimes.append(NoLocationCrime(self, data=c))
return crimes
|
get_crimes_no_location
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, force, date=None, category=None):\n if not isinstance(force, Force):\n force = Force(self, id=force)\n if isinstance(category, CrimeCategory):\n category = category.id\n kwargs = {'force': force.id, 'category': category or 'all-crime'}\n crimes = []\n if date is not None:\n kwargs['date'] = date\n for c in self.service.request('GET', 'crimes-no-location', **kwargs):\n crimes.append(NoLocationCrime(self, data=c))\n return crimes\n",
"role": "user"
},
{
"content": "get_crimes_no_location",
"role": "assistant"
}
] |
def x(self, scoreTag):
scoreTagToString = ''
if scoreTag == 'P+':
scoreTagToString = 'strong positive'
elif scoreTag == 'P':
scoreTagToString = 'positive'
elif scoreTag == 'NEU':
scoreTagToString = 'neutral'
elif scoreTag == 'N':
scoreTagToString = 'negative'
elif scoreTag == 'N+':
scoreTagToString = 'strong negative'
elif scoreTag == 'NONE':
scoreTagToString = 'no sentiment'
return scoreTagToString
|
scoreTagToString
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, scoreTag):\n scoreTagToString = ''\n if scoreTag == 'P+':\n scoreTagToString = 'strong positive'\n elif scoreTag == 'P':\n scoreTagToString = 'positive'\n elif scoreTag == 'NEU':\n scoreTagToString = 'neutral'\n elif scoreTag == 'N':\n scoreTagToString = 'negative'\n elif scoreTag == 'N+':\n scoreTagToString = 'strong negative'\n elif scoreTag == 'NONE':\n scoreTagToString = 'no sentiment'\n return scoreTagToString\n",
"role": "user"
},
{
"content": "scoreTagToString",
"role": "assistant"
}
] |
def x(rx, tx, game, kwargs):
env = RetroWrapper.retro_make_func(game, **kwargs)
while True:
attr, args, kwargs = rx.get()
if attr == RetroWrapper.symbol:
result = env.__getattribute__(args)
tx.put(callable(result))
elif attr == 'close':
env.close()
break
else:
result = getattr(env, attr)
if callable(result):
result = result(*args, **kwargs)
tx.put(result)
|
retrocom
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(rx, tx, game, kwargs):\n env = RetroWrapper.retro_make_func(game, **kwargs)\n while True:\n attr, args, kwargs = rx.get()\n if attr == RetroWrapper.symbol:\n result = env.__getattribute__(args)\n tx.put(callable(result))\n elif attr == 'close':\n env.close()\n break\n else:\n result = getattr(env, attr)\n if callable(result):\n result = result(*args, **kwargs)\n tx.put(result)\n",
"role": "user"
},
{
"content": "retrocom",
"role": "assistant"
}
] |
def x(self, attr):
self._tx.put((RetroWrapper.symbol, attr, {}))
return self._rx.get()
|
ask_if_attr_is_callable
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, attr):\n self._tx.put((RetroWrapper.symbol, attr, {}))\n return self._rx.get()\n",
"role": "user"
},
{
"content": "ask_if_attr_is_callable",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.