source_code
stringlengths 45
7.24k
| function_name
stringlengths 1
111
| messages
list |
|---|---|---|
def x(message, max_length):
if len(message) > max_length:
for message in textwrap.wrap(message, max_length):
yield message
else:
yield message.rstrip(STRIPPED_CHARS)
|
split_message
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(message, max_length):\n if len(message) > max_length:\n for message in textwrap.wrap(message, max_length):\n yield message\n else:\n yield message.rstrip(STRIPPED_CHARS)\n",
"role": "user"
},
{
"content": "split_message",
"role": "assistant"
}
] |
def x(main_section, *filenames):
filename = filenames[-1]
filename = os.path.abspath(filename)
here = os.path.dirname(filename)
defaults = dict(here=here, hash='#')
defaults['#'] = '#'
config = configparser.ConfigParser(defaults, allow_no_value=False,
interpolation=configparser.ExtendedInterpolation())
config.optionxform = str
config.read([os.path.expanduser('~/.irc3/passwd.ini')] + list(filenames))
value = {}
for s in config.sections():
items = {}
for k, v in config.items(s):
if '\n' in v:
v = as_list(v)
elif v.isdigit():
v = int(v)
elif v.replace('.', '').isdigit() and v.count('.') == 1:
v = float(v)
elif v in ('true', 'false'):
v = v == 'true' and True or False
items[k] = v
if s == main_section:
value.update(items)
else:
for k in ('here', 'config'):
items.pop(k, '')
value[s] = items
value.update(defaults)
value['configfiles'] = filenames
return value
|
parse_config
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(main_section, *filenames):\n filename = filenames[-1]\n filename = os.path.abspath(filename)\n here = os.path.dirname(filename)\n defaults = dict(here=here, hash='#')\n defaults['#'] = '#'\n config = configparser.ConfigParser(defaults, allow_no_value=False,\n interpolation=configparser.ExtendedInterpolation())\n config.optionxform = str\n config.read([os.path.expanduser('~/.irc3/passwd.ini')] + list(filenames))\n value = {}\n for s in config.sections():\n items = {}\n for k, v in config.items(s):\n if '\\n' in v:\n v = as_list(v)\n elif v.isdigit():\n v = int(v)\n elif v.replace('.', '').isdigit() and v.count('.') == 1:\n v = float(v)\n elif v in ('true', 'false'):\n v = v == 'true' and True or False\n items[k] = v\n if s == main_section:\n value.update(items)\n else:\n for k in ('here', 'config'):\n items.pop(k, '')\n value[s] = items\n value.update(defaults)\n value['configfiles'] = filenames\n return value\n",
"role": "user"
},
{
"content": "parse_config",
"role": "assistant"
}
] |
def x(config, prefix):
prefix = prefix.strip('.') + '.'
plen = len(prefix)
value = {}
for k, v in config.items():
if k.startswith(prefix):
value[k[plen:]] = v
return value
|
extract_config
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(config, prefix):\n prefix = prefix.strip('.') + '.'\n plen = len(prefix)\n value = {}\n for k, v in config.items():\n if k.startswith(prefix):\n value[k[plen:]] = v\n return value\n",
"role": "user"
},
{
"content": "extract_config",
"role": "assistant"
}
] |
def x(value):
if isinstance(value, (list, tuple)):
return value
if not value:
return []
for c in '\n ':
if c in value:
value = value.split(c)
return [v.strip() for v in value if v.strip()]
return [value]
|
as_list
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value):\n if isinstance(value, (list, tuple)):\n return value\n if not value:\n return []\n for c in '\\n ':\n if c in value:\n value = value.split(c)\n return [v.strip() for v in value if v.strip()]\n return [value]\n",
"role": "user"
},
{
"content": "as_list",
"role": "assistant"
}
] |
def x(modes, targets=None, noargs=''):
if not targets:
targets = []
cleaned = []
for mode in modes:
if mode in '-+':
char = mode
continue
target = targets.pop(0) if mode not in noargs else None
cleaned.append((char, mode, target))
return cleaned
|
parse_modes
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(modes, targets=None, noargs=''):\n if not targets:\n targets = []\n cleaned = []\n for mode in modes:\n if mode in '-+':\n char = mode\n continue\n target = targets.pop(0) if mode not in noargs else None\n cleaned.append((char, mode, target))\n return cleaned\n",
"role": "user"
},
{
"content": "parse_modes",
"role": "assistant"
}
] |
def x(func, context):
wrapped = functools.partial(func, context)
wrapped = functools.wraps(func)(wrapped)
if asyncio.iscoroutinefunction(func):
wrapped = asyncio.coroutine(wrapped)
return wrapped
|
wraps_with_context
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(func, context):\n wrapped = functools.partial(func, context)\n wrapped = functools.wraps(func)(wrapped)\n if asyncio.iscoroutinefunction(func):\n wrapped = asyncio.coroutine(wrapped)\n return wrapped\n",
"role": "user"
},
{
"content": "wraps_with_context",
"role": "assistant"
}
] |
def x(name):
if not name:
raise LookupError('Not able to resolve %s' % name)
if not hasattr(name, '__name__'):
try:
mod = importlib.import_module(name)
except ImportError:
attr = None
if '.' in name:
names = name.split('.')
attr = names.pop(-1)
try:
mod = maybedotted('.'.join(names))
except LookupError:
attr = None
else:
attr = getattr(mod, attr, None)
if attr is not None:
return attr
raise LookupError('Not able to resolve %s' % name)
else:
return mod
return name
|
maybedotted
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name):\n if not name:\n raise LookupError('Not able to resolve %s' % name)\n if not hasattr(name, '__name__'):\n try:\n mod = importlib.import_module(name)\n except ImportError:\n attr = None\n if '.' in name:\n names = name.split('.')\n attr = names.pop(-1)\n try:\n mod = maybedotted('.'.join(names))\n except LookupError:\n attr = None\n else:\n attr = getattr(mod, attr, None)\n if attr is not None:\n return attr\n raise LookupError('Not able to resolve %s' % name)\n else:\n return mod\n return name\n",
"role": "user"
},
{
"content": "maybedotted",
"role": "assistant"
}
] |
def x(self):
if '!' in self:
return self.split('!', 1)[0]
if not self.is_channel and not self.is_server:
return self
|
nick
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if '!' in self:\n return self.split('!', 1)[0]\n if not self.is_channel and not self.is_server:\n return self\n",
"role": "user"
},
{
"content": "nick",
"role": "assistant"
}
] |
def x(self):
tagdict = getattr(self, '_tagdict', None)
if tagdict is None:
try:
self._tagdict = tags.decode(self)
except ValueError:
self._tagdict = {}
return self._tagdict
|
tagdict
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n tagdict = getattr(self, '_tagdict', None)\n if tagdict is None:\n try:\n self._tagdict = tags.decode(self)\n except ValueError:\n self._tagdict = {}\n return self._tagdict\n",
"role": "user"
},
{
"content": "tagdict",
"role": "assistant"
}
] |
def x(self, bot, *targets):
ll = logging.getLogger('irc')
formatter = ll.handlers[0].formatter
handler = Handler(bot, *targets)
handler.setFormatter(formatter)
self.addHandler(handler)
|
set_irc_targets
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, bot, *targets):\n ll = logging.getLogger('irc')\n formatter = ll.handlers[0].formatter\n handler = Handler(bot, *targets)\n handler.setFormatter(formatter)\n self.addHandler(handler)\n",
"role": "user"
},
{
"content": "set_irc_targets",
"role": "assistant"
}
] |
def x(self, data, nowait=False):
data = data.replace('\n', ' ').replace('\r', ' ')
f = asyncio.Future(loop=self.loop)
if self.queue is not None and nowait is False:
self.queue.put_nowait((f, data))
else:
self.send(data.replace('\n', ' ').replace('\r', ' '))
f.set_result(True)
return f
|
send_line
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data, nowait=False):\n data = data.replace('\\n', ' ').replace('\\r', ' ')\n f = asyncio.Future(loop=self.loop)\n if self.queue is not None and nowait is False:\n self.queue.put_nowait((f, data))\n else:\n self.send(data.replace('\\n', ' ').replace('\\r', ' '))\n f.set_result(True)\n return f\n",
"role": "user"
},
{
"content": "send_line",
"role": "assistant"
}
] |
def x(self, target, message, nowait=False):
if message:
messages = utils.split_message(message, self.config.max_length)
if isinstance(target, DCCChat):
for message in messages:
target.send_line(message)
elif target:
f = None
for message in messages:
f = self.send_line('PRIVMSG %s :%s' % (target, message),
nowait=nowait)
return f
|
privmsg
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, target, message, nowait=False):\n if message:\n messages = utils.split_message(message, self.config.max_length)\n if isinstance(target, DCCChat):\n for message in messages:\n target.send_line(message)\n elif target:\n f = None\n for message in messages:\n f = self.send_line('PRIVMSG %s :%s' % (target, message),\n nowait=nowait)\n return f\n",
"role": "user"
},
{
"content": "privmsg",
"role": "assistant"
}
] |
def x(self, target, message, nowait=False):
if target and message:
messages = utils.split_message(message, self.config.max_length)
f = None
for message in messages:
f = self.send_line('PRIVMSG %s :\x01%s\x01' % (target, message),
nowait=nowait)
return f
|
ctcp
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, target, message, nowait=False):\n if target and message:\n messages = utils.split_message(message, self.config.max_length)\n f = None\n for message in messages:\n f = self.send_line('PRIVMSG %s :\\x01%s\\x01' % (target, message),\n nowait=nowait)\n return f\n",
"role": "user"
},
{
"content": "ctcp",
"role": "assistant"
}
] |
def x(self, target, *data):
self.send_line('MODE %s %s' % (target, ' '.join(data)), nowait=True)
|
mode
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, target, *data):\n self.send_line('MODE %s %s' % (target, ' '.join(data)), nowait=True)\n",
"role": "user"
},
{
"content": "mode",
"role": "assistant"
}
] |
def x(self, target):
password = self.config.passwords.get(target.strip(self.server_config[
'CHANTYPES']))
if password:
target += ' ' + password
self.send_line('JOIN %s' % target)
|
join
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, target):\n password = self.config.passwords.get(target.strip(self.server_config[\n 'CHANTYPES']))\n if password:\n target += ' ' + password\n self.send_line('JOIN %s' % target)\n",
"role": "user"
},
{
"content": "join",
"role": "assistant"
}
] |
def x(self, target, reason=None):
if reason:
target += ' :' + reason
self.send_line('PART %s' % target)
|
part
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, target, reason=None):\n if reason:\n target += ' :' + reason\n self.send_line('PART %s' % target)\n",
"role": "user"
},
{
"content": "part",
"role": "assistant"
}
] |
def x(self, channel, target, reason=None):
if reason:
target += ' :' + reason
self.send_line('KICK %s %s' % (channel, target), nowait=True)
|
kick
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, channel, target, reason=None):\n if reason:\n target += ' :' + reason\n self.send_line('KICK %s %s' % (channel, target), nowait=True)\n",
"role": "user"
},
{
"content": "kick",
"role": "assistant"
}
] |
def x(self, channel, topic=None):
if topic:
channel += ' :' + topic
self.send_line('TOPIC %s' % channel)
|
topic
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, channel, topic=None):\n if topic:\n channel += ' :' + topic\n self.send_line('TOPIC %s' % channel)\n",
"role": "user"
},
{
"content": "topic",
"role": "assistant"
}
] |
def x(self, message=None):
cmd = 'AWAY'
if message:
cmd += ' :' + message
self.send_line(cmd)
|
away
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, message=None):\n cmd = 'AWAY'\n if message:\n cmd += ' :' + message\n self.send_line(cmd)\n",
"role": "user"
},
{
"content": "away",
"role": "assistant"
}
] |
def x(self, reason=None):
if not reason:
reason = 'bye'
else:
reason = reason
self.send_line('QUIT :%s' % reason)
|
quit
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, reason=None):\n if not reason:\n reason = 'bye'\n else:\n reason = reason\n self.send_line('QUIT :%s' % reason)\n",
"role": "user"
},
{
"content": "quit",
"role": "assistant"
}
] |
def x(self):
if not self._ip:
if 'ip' in self.config:
ip = self.config['ip']
else:
ip = self.protocol.transport.get_extra_info('sockname')[0]
ip = ip_address(ip)
if ip.version == 4:
self._ip = ip
else:
response = urlopen('http://ipv4.icanhazip.com/')
ip = response.read().strip().decode()
ip = ip_address(ip)
self._ip = ip
return self._ip
|
ip
|
[
{
"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 self._ip:\n if 'ip' in self.config:\n ip = self.config['ip']\n else:\n ip = self.protocol.transport.get_extra_info('sockname')[0]\n ip = ip_address(ip)\n if ip.version == 4:\n self._ip = ip\n else:\n response = urlopen('http://ipv4.icanhazip.com/')\n ip = response.read().strip().decode()\n ip = ip_address(ip)\n self._ip = ip\n return self._ip\n",
"role": "user"
},
{
"content": "ip",
"role": "assistant"
}
] |
def x(self):
if self._dcc is None:
self._dcc = DCCManager(self)
return self._dcc
|
dcc
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self._dcc is None:\n self._dcc = DCCManager(self)\n return self._dcc\n",
"role": "user"
},
{
"content": "dcc",
"role": "assistant"
}
] |
def x(self, mask, host=None, port=None):
return self.dcc.create('chat', mask, host=host, port=port).ready
|
dcc_chat
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, mask, host=None, port=None):\n return self.dcc.create('chat', mask, host=host, port=port).ready\n",
"role": "user"
},
{
"content": "dcc_chat",
"role": "assistant"
}
] |
def x(self, mask, host, port, filepath, filesize=None):
return self.dcc.create('get', mask, filepath=filepath, filesize=
filesize, host=host, port=port).ready
|
dcc_get
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, mask, host, port, filepath, filesize=None):\n return self.dcc.create('get', mask, filepath=filepath, filesize=\n filesize, host=host, port=port).ready\n",
"role": "user"
},
{
"content": "dcc_get",
"role": "assistant"
}
] |
def x(self, mask, filepath):
return self.dcc.create('send', mask, filepath=filepath).ready
|
dcc_send
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, mask, filepath):\n return self.dcc.create('send', mask, filepath=filepath).ready\n",
"role": "user"
},
{
"content": "dcc_send",
"role": "assistant"
}
] |
def x(self, mask, filepath, port, pos):
return self.dcc.resume(mask, filepath, port, pos)
|
dcc_accept
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, mask, filepath, port, pos):\n return self.dcc.resume(mask, filepath, port, pos)\n",
"role": "user"
},
{
"content": "dcc_accept",
"role": "assistant"
}
] |
def x(tags):
tagstrings = []
for key, value in tags.items():
if not _valid_key.match(key):
raise ValueError('dictionary key is invalid as tag key: ' + key)
if value:
tagstrings.append(key + '=' + _escape(value))
else:
tagstrings.append(key)
return ';'.join(tagstrings)
|
encode
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(tags):\n tagstrings = []\n for key, value in tags.items():\n if not _valid_key.match(key):\n raise ValueError('dictionary key is invalid as tag key: ' + key)\n if value:\n tagstrings.append(key + '=' + _escape(value))\n else:\n tagstrings.append(key)\n return ';'.join(tagstrings)\n",
"role": "user"
},
{
"content": "encode",
"role": "assistant"
}
] |
def x(tagstring):
if not tagstring:
return {}
tags = {}
for tag in tagstring.split(';'):
key, value = (tag.split('=', 1) + [None])[:2]
if not _valid_key.match(key):
raise ValueError('invalid tag key: ' + key)
if value:
if not _valid_escaped_value.match(value):
raise ValueError('invalid escaped tag value: ' + value)
value = _unescape(value)
tags[key] = value
return tags
|
decode
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(tagstring):\n if not tagstring:\n return {}\n tags = {}\n for tag in tagstring.split(';'):\n key, value = (tag.split('=', 1) + [None])[:2]\n if not _valid_key.match(key):\n raise ValueError('invalid tag key: ' + key)\n if value:\n if not _valid_escaped_value.match(value):\n raise ValueError('invalid escaped tag value: ' + value)\n value = _unescape(value)\n tags[key] = value\n return tags\n",
"role": "user"
},
{
"content": "decode",
"role": "assistant"
}
] |
def x(username, password, challenge, lower, digest='sha256'):
def x(x):
return fdigest(x).hexdigest()
fdigest = get_digest(digest)
luser = lower(username)
tpass = password[:10].encode('ascii')
hvalue = hdig('{0}:{1}'.format(luser, hdig(tpass)).encode('ascii'))
bhvalue = hvalue.encode('ascii')
bchallenge = challenge.encode('ascii')
return hmac.HMAC(bhvalue, bchallenge, digestmod=fdigest).hexdigest()
|
challenge_auth
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(username, password, challenge, lower, digest='sha256'):\n\n def x(x):\n return fdigest(x).hexdigest()\n fdigest = get_digest(digest)\n luser = lower(username)\n tpass = password[:10].encode('ascii')\n hvalue = hdig('{0}:{1}'.format(luser, hdig(tpass)).encode('ascii'))\n bhvalue = hvalue.encode('ascii')\n bchallenge = challenge.encode('ascii')\n return hmac.HMAC(bhvalue, bchallenge, digestmod=fdigest).hexdigest()\n",
"role": "user"
},
{
"content": "challenge_auth",
"role": "assistant"
}
] |
def x(bot):
conn = bot.get_social_connection(id='twitter')
dirname = os.path.expanduser('~/.irc3/twitter/{nick}'.format(**bot.config))
if not os.path.isdir(dirname):
os.makedirs(dirname)
filename = os.path.join(dirname, 'retweeted')
if os.path.isfile(filename):
with open(filename) as fd:
retweeted = [i.strip() for i in fd.readlines()]
else:
retweeted = []
for user in ('pypi', 'gawel_'):
results = conn.search.tweets(q=user + ' AND irc3', result_type='recent'
)
for item in results.get('statuses', []):
if item['user']['screen_name'] == user:
if item['id_str'] not in retweeted:
res = conn(getattr(conn.statuses.retweet, item['id_str']))
if 'id' in res:
with open(filename, 'a+') as fd:
fd.write(item['id_str'] + '\n')
|
auto_retweet
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(bot):\n conn = bot.get_social_connection(id='twitter')\n dirname = os.path.expanduser('~/.irc3/twitter/{nick}'.format(**bot.config))\n if not os.path.isdir(dirname):\n os.makedirs(dirname)\n filename = os.path.join(dirname, 'retweeted')\n if os.path.isfile(filename):\n with open(filename) as fd:\n retweeted = [i.strip() for i in fd.readlines()]\n else:\n retweeted = []\n for user in ('pypi', 'gawel_'):\n results = conn.search.tweets(q=user + ' AND irc3', result_type='recent'\n )\n for item in results.get('statuses', []):\n if item['user']['screen_name'] == user:\n if item['id_str'] not in retweeted:\n res = conn(getattr(conn.statuses.retweet, item['id_str']))\n if 'id' in res:\n with open(filename, 'a+') as fd:\n fd.write(item['id_str'] + '\\n')\n",
"role": "user"
},
{
"content": "auto_retweet",
"role": "assistant"
}
] |
def x(self, entry):
fstate = entry.filename + '.state'
if os.path.isfile(fstate):
with open(fstate) as fd:
state = fd.read().strip()
else:
state = None
if 'failed' in entry.summary:
nstate = 'failed'
else:
nstate = 'success'
with open(fstate, 'w') as fd:
fd.write(nstate)
if state != nstate:
build = entry.title.split('#')[1]
entry['title'] = 'Build #{0} {1}'.format(build, nstate)
return True
|
filter_travis
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, entry):\n fstate = entry.filename + '.state'\n if os.path.isfile(fstate):\n with open(fstate) as fd:\n state = fd.read().strip()\n else:\n state = None\n if 'failed' in entry.summary:\n nstate = 'failed'\n else:\n nstate = 'success'\n with open(fstate, 'w') as fd:\n fd.write(nstate)\n if state != nstate:\n build = entry.title.split('#')[1]\n entry['title'] = 'Build #{0} {1}'.format(build, nstate)\n return True\n",
"role": "user"
},
{
"content": "filter_travis",
"role": "assistant"
}
] |
def x(self, entry):
for package in self.packages:
if entry.title.lower().startswith(package):
return entry
|
filter_pypi
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, entry):\n for package in self.packages:\n if entry.title.lower().startswith(package):\n return entry\n",
"role": "user"
},
{
"content": "filter_pypi",
"role": "assistant"
}
] |
def x(self, results=None, **value):
channels = []
for res in results:
channels.extend(res.pop('channels', '').split())
value.update(res)
value['channels'] = channels
value['success'] = value.get('retcode') == '318'
return value
|
process_results
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, results=None, **value):\n channels = []\n for res in results:\n channels.extend(res.pop('channels', '').split())\n value.update(res)\n value['channels'] = channels\n value['success'] = value.get('retcode') == '318'\n return value\n",
"role": "user"
},
{
"content": "process_results",
"role": "assistant"
}
] |
def x(self, results=None, **value):
for res in results:
if 'mask' in res:
res['mask'] = utils.IrcString(res['mask'])
value['success'] = res.pop('retcode', None) != '486'
value.update(res)
return value
|
process_results
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, results=None, **value):\n for res in results:\n if 'mask' in res:\n res['mask'] = utils.IrcString(res['mask'])\n value['success'] = res.pop('retcode', None) != '486'\n value.update(res)\n return value\n",
"role": "user"
},
{
"content": "process_results",
"role": "assistant"
}
] |
def x(bot, mask, target, args):
bot.send('NOTICE %(nick)s :PONG %(nick)s!' % dict(nick=mask.nick))
|
ping
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(bot, mask, target, args):\n bot.send('NOTICE %(nick)s :PONG %(nick)s!' % dict(nick=mask.nick))\n",
"role": "user"
},
{
"content": "ping",
"role": "assistant"
}
] |
def x(bot, mask, target, args):
msg = ' '.join(args['<args>'])
bot.log.info('quote> %r', msg)
bot.send(msg)
|
quote
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(bot, mask, target, args):\n msg = ' '.join(args['<args>'])\n bot.log.info('quote> %r', msg)\n bot.send(msg)\n",
"role": "user"
},
{
"content": "quote",
"role": "assistant"
}
] |
def x(bot, mask, target, args):
plugin = bot.get_plugin(utils.maybedotted('irc3.plugins.core.Core'))
bot.loop.call_soon(plugin.reconnect)
|
reconnect
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(bot, mask, target, args):\n plugin = bot.get_plugin(utils.maybedotted('irc3.plugins.core.Core'))\n bot.loop.call_soon(plugin.reconnect)\n",
"role": "user"
},
{
"content": "reconnect",
"role": "assistant"
}
] |
def x(bot, file=sys.stdout):
def x(text):
print(text, file=file)
plugin = bot.get_plugin(Commands)
title = 'Available Commands for {nick} at {host}'.format(**bot.config)
p('=' * len(title))
p(title)
p('=' * len(title))
p('')
p('.. contents::')
p('')
modules = {}
for name, (predicates, callback) in plugin.items():
commands = modules.setdefault(callback.__module__, [])
commands.append((name, callback, predicates))
for module in sorted(modules):
p(module)
p('=' * len(module))
p('')
for name, callback, predicates in sorted(modules[module]):
p(name)
p('-' * len(name))
p('')
doc = callback.__doc__
doc = doc.replace('%%', bot.config.cmd)
for line in doc.split('\n'):
line = line.strip()
if line.startswith(bot.config.cmd):
line = ' ``{}``'.format(line)
p(line)
if 'permission' in predicates:
p('*Require {0[permission]} permission.*'.format(predicates))
if predicates.get('public', True) is False:
p('*Only available in private.*')
p('')
|
print_help_page
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(bot, file=sys.stdout):\n\n def x(text):\n print(text, file=file)\n plugin = bot.get_plugin(Commands)\n title = 'Available Commands for {nick} at {host}'.format(**bot.config)\n p('=' * len(title))\n p(title)\n p('=' * len(title))\n p('')\n p('.. contents::')\n p('')\n modules = {}\n for name, (predicates, callback) in plugin.items():\n commands = modules.setdefault(callback.__module__, [])\n commands.append((name, callback, predicates))\n for module in sorted(modules):\n p(module)\n p('=' * len(module))\n p('')\n for name, callback, predicates in sorted(modules[module]):\n p(name)\n p('-' * len(name))\n p('')\n doc = callback.__doc__\n doc = doc.replace('%%', bot.config.cmd)\n for line in doc.split('\\n'):\n line = line.strip()\n if line.startswith(bot.config.cmd):\n line = ' ``{}``'.format(line)\n p(line)\n if 'permission' in predicates:\n p('*Require {0[permission]} permission.*'.format(predicates))\n if predicates.get('public', True) is False:\n p('*Only available in private.*')\n p('')\n",
"role": "user"
},
{
"content": "print_help_page",
"role": "assistant"
}
] |
def x(self, **kwargs):
self.bot.log.info('Server config: %r', self.bot.server_config)
self.bot.config['nick'] = kwargs['me']
self.bot.recompile()
self.bot.notify('server_ready')
self.bot.detach_events(*self.before_connect_events)
|
connected
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **kwargs):\n self.bot.log.info('Server config: %r', self.bot.server_config)\n self.bot.config['nick'] = kwargs['me']\n self.bot.recompile()\n self.bot.notify('server_ready')\n self.bot.detach_events(*self.before_connect_events)\n",
"role": "user"
},
{
"content": "connected",
"role": "assistant"
}
] |
def x(self, event='PONG', data='', **kw):
self.bot.log.debug('%s ping-pong (%s)', event, data)
if self.reconn_handle is not None:
self.reconn_handle.cancel()
self.reconn_handle = self.bot.loop.call_later(self.timeout, self.reconnect)
if self.ping_handle is not None:
self.ping_handle.cancel()
self.ping_handle = self.bot.loop.call_later(self.timeout - self.max_lag,
self.bot.send, 'PING :%s' % int(self.bot.loop.time()))
|
pong
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, event='PONG', data='', **kw):\n self.bot.log.debug('%s ping-pong (%s)', event, data)\n if self.reconn_handle is not None:\n self.reconn_handle.cancel()\n self.reconn_handle = self.bot.loop.call_later(self.timeout, self.reconnect)\n if self.ping_handle is not None:\n self.ping_handle.cancel()\n self.ping_handle = self.bot.loop.call_later(self.timeout - self.max_lag,\n self.bot.send, 'PING :%s' % int(self.bot.loop.time()))\n",
"role": "user"
},
{
"content": "pong",
"role": "assistant"
}
] |
def x(self, data):
self.bot.send('PONG :' + data)
self.pong(event='PING', data=data)
|
ping
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data):\n self.bot.send('PONG :' + data)\n self.pong(event='PING', data=data)\n",
"role": "user"
},
{
"content": "ping",
"role": "assistant"
}
] |
def x(self, nick=None, new_nick=None, **kw):
if self.bot.nick == nick.nick:
self.bot.config['nick'] = new_nick
self.bot.recompile()
|
recompile
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, nick=None, new_nick=None, **kw):\n if self.bot.nick == nick.nick:\n self.bot.config['nick'] = new_nick\n self.bot.recompile()\n",
"role": "user"
},
{
"content": "recompile",
"role": "assistant"
}
] |
def x(self, me=None, nick=None, **kw):
if me == '*':
self.bot.set_nick(self.bot.nick + '_')
self.bot.log.debug('Trying to regain nickname in 30s...')
self.nick_handle = self.bot.loop.call_later(30, self.bot.set_nick, self
.bot.original_nick)
|
badnick
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, me=None, nick=None, **kw):\n if me == '*':\n self.bot.set_nick(self.bot.nick + '_')\n self.bot.log.debug('Trying to regain nickname in 30s...')\n self.nick_handle = self.bot.loop.call_later(30, self.bot.set_nick, self\n .bot.original_nick)\n",
"role": "user"
},
{
"content": "badnick",
"role": "assistant"
}
] |
def x(self, data=None, **kwargs):
config = self.bot.config['server_config']
for opt in data.split(' '):
if '=' in opt:
opt, value = opt.split('=', 1)
else:
value = True
if opt.isupper():
config[opt] = value
|
set_config
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data=None, **kwargs):\n config = self.bot.config['server_config']\n for opt in data.split(' '):\n if '=' in opt:\n opt, value = opt.split('=', 1)\n else:\n value = True\n if opt.isupper():\n config[opt] = value\n",
"role": "user"
},
{
"content": "set_config",
"role": "assistant"
}
] |
def x(args):
session = args['session']
for feed, filename in zip(args['feeds'], args['filenames']):
try:
resp = session.get(feed, timeout=5)
content = resp.content
except Exception:
pass
else:
with open(filename, 'wb') as fd:
fd.write(content)
return args['name']
|
fetch
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(args):\n session = args['session']\n for feed, filename in zip(args['feeds'], args['filenames']):\n try:\n resp = session.get(feed, timeout=5)\n content = resp.content\n except Exception:\n pass\n else:\n with open(filename, 'wb') as fd:\n fd.write(content)\n return args['name']\n",
"role": "user"
},
{
"content": "fetch",
"role": "assistant"
}
] |
def x(feedparser, args):
entries = []
args = irc3.utils.Config(args)
max_date = datetime.datetime.now() - datetime.timedelta(days=2)
for filename in args['filenames']:
try:
with open(filename + '.updated') as fd:
updated = fd.read().strip()
except (OSError, IOError):
updated = '0'
feed = feedparser.parse(filename)
for e in feed.entries:
if e.updated <= updated:
continue
try:
updated_parsed = e.updated_parsed
except AttributeError:
continue
if datetime.datetime(*updated_parsed[:7]) < max_date:
continue
e['filename'] = filename
e['feed'] = args
entries.append((e.updated, e))
if entries:
entries = sorted(entries, key=itemgetter(0))
with open(filename + '.updated', 'w') as fd:
fd.write(str(entries[-1][0]))
return entries
|
parse
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(feedparser, args):\n entries = []\n args = irc3.utils.Config(args)\n max_date = datetime.datetime.now() - datetime.timedelta(days=2)\n for filename in args['filenames']:\n try:\n with open(filename + '.updated') as fd:\n updated = fd.read().strip()\n except (OSError, IOError):\n updated = '0'\n feed = feedparser.parse(filename)\n for e in feed.entries:\n if e.updated <= updated:\n continue\n try:\n updated_parsed = e.updated_parsed\n except AttributeError:\n continue\n if datetime.datetime(*updated_parsed[:7]) < max_date:\n continue\n e['filename'] = filename\n e['feed'] = args\n entries.append((e.updated, e))\n if entries:\n entries = sorted(entries, key=itemgetter(0))\n with open(filename + '.updated', 'w') as fd:\n fd.write(str(entries[-1][0]))\n return entries\n",
"role": "user"
},
{
"content": "parse",
"role": "assistant"
}
] |
def x(self, data):
self.set_timeout()
data = self.decode(data)
if self.queue:
data = self.queue.popleft() + data
lines = data.replace('\r', '').split('\n')
self.queue.append(lines.pop(-1))
for line in lines:
self.bot.dispatch(line, iotype='dcc_in', client=self)
|
data_received
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data):\n self.set_timeout()\n data = self.decode(data)\n if self.queue:\n data = self.queue.popleft() + data\n lines = data.replace('\\r', '').split('\\n')\n self.queue.append(lines.pop(-1))\n for line in lines:\n self.bot.dispatch(line, iotype='dcc_in', client=self)\n",
"role": "user"
},
{
"content": "data_received",
"role": "assistant"
}
] |
def x(func):
def x(context, name, ob):
obj = context.context
if info.scope == 'class':
@functools.wraps(func)
def x(self, *args, **kwargs):
plugin = obj.get_plugin(ob)
return getattr(plugin, func.__name__)(*args, **kwargs)
setattr(obj, func.__name__, f.__get__(obj, obj.__class__))
else:
setattr(obj, func.__name__, func.__get__(obj, obj.__class__))
info = venusian.attach(func, callback, category='irc3d.extend')
return func
|
extend
|
[
{
"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(context, name, ob):\n obj = context.context\n if info.scope == 'class':\n\n @functools.wraps(func)\n def x(self, *args, **kwargs):\n plugin = obj.get_plugin(ob)\n return getattr(plugin, func.__name__)(*args, **kwargs)\n setattr(obj, func.__name__, f.__get__(obj, obj.__class__))\n else:\n setattr(obj, func.__name__, func.__get__(obj, obj.__class__))\n info = venusian.attach(func, callback, category='irc3d.extend')\n return func\n",
"role": "user"
},
{
"content": "extend",
"role": "assistant"
}
] |
def x(self, *events, **kwargs):
reg = self.registry
insert = 'insert' in kwargs
for e in events:
cregexp = e.compile(self.config)
regexp = getattr(e.regexp, 're', e.regexp)
if regexp not in reg.events[e.iotype]:
if insert:
reg.events_re[e.iotype].insert(0, (regexp, cregexp))
else:
reg.events_re[e.iotype].append((regexp, cregexp))
if insert:
reg.events[e.iotype][regexp].insert(0, e)
else:
reg.events[e.iotype][regexp].append(e)
|
attach_events
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *events, **kwargs):\n reg = self.registry\n insert = 'insert' in kwargs\n for e in events:\n cregexp = e.compile(self.config)\n regexp = getattr(e.regexp, 're', e.regexp)\n if regexp not in reg.events[e.iotype]:\n if insert:\n reg.events_re[e.iotype].insert(0, (regexp, cregexp))\n else:\n reg.events_re[e.iotype].append((regexp, cregexp))\n if insert:\n reg.events[e.iotype][regexp].insert(0, e)\n else:\n reg.events[e.iotype][regexp].append(e)\n",
"role": "user"
},
{
"content": "attach_events",
"role": "assistant"
}
] |
def x(self, *events):
reg = self.registry
delete = defaultdict(list)
all_events = reg.events
for e in events:
regexp = getattr(e.regexp, 're', e.regexp)
iotype = e.iotype
if e in all_events[iotype].get(regexp, []):
all_events[iotype][regexp].remove(e)
if not all_events[iotype][regexp]:
del all_events[iotype][regexp]
delete[iotype].append(regexp)
for iotype, regexps in delete.items():
reg.events_re[iotype] = [r for r in reg.events_re[iotype] if r[0]
not in regexps]
|
detach_events
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *events):\n reg = self.registry\n delete = defaultdict(list)\n all_events = reg.events\n for e in events:\n regexp = getattr(e.regexp, 're', e.regexp)\n iotype = e.iotype\n if e in all_events[iotype].get(regexp, []):\n all_events[iotype][regexp].remove(e)\n if not all_events[iotype][regexp]:\n del all_events[iotype][regexp]\n delete[iotype].append(regexp)\n for iotype, regexps in delete.items():\n reg.events_re[iotype] = [r for r in reg.events_re[iotype] if r[0]\n not in regexps]\n",
"role": "user"
},
{
"content": "detach_events",
"role": "assistant"
}
] |
def x(self, *modules):
self.notify('before_reload')
if 'configfiles' in self.config:
self.log.info('Reloading configuration...')
cfg = utils.parse_config(self.server and 'server' or 'bot', *self.
config['configfiles'])
self.config.update(cfg)
self.log.info('Reloading python code...')
if not modules:
modules = self.registry.includes
scanned = list(reversed(self.registry.scanned))
self.registry.reset()
to_scan = []
for module_name, categories in scanned:
if module_name in modules:
module = utils.maybedotted(module_name)
reload_module(module)
to_scan.append((module_name, categories))
for module_name, categories in to_scan:
self.include(module_name, venusian_categories=categories)
self.registry.reloading = {}
self.notify('after_reload')
|
reload
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *modules):\n self.notify('before_reload')\n if 'configfiles' in self.config:\n self.log.info('Reloading configuration...')\n cfg = utils.parse_config(self.server and 'server' or 'bot', *self.\n config['configfiles'])\n self.config.update(cfg)\n self.log.info('Reloading python code...')\n if not modules:\n modules = self.registry.includes\n scanned = list(reversed(self.registry.scanned))\n self.registry.reset()\n to_scan = []\n for module_name, categories in scanned:\n if module_name in modules:\n module = utils.maybedotted(module_name)\n reload_module(module)\n to_scan.append((module_name, categories))\n for module_name, categories in to_scan:\n self.include(module_name, venusian_categories=categories)\n self.registry.reloading = {}\n self.notify('after_reload')\n",
"role": "user"
},
{
"content": "reload",
"role": "assistant"
}
] |
def x(self, callback, args):
if isinstance(callback, str):
callback = getattr(self, callback)
f = None
for arg in args:
f = callback(*arg)
return f
|
call_many
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, callback, args):\n if isinstance(callback, str):\n callback = getattr(self, callback)\n f = None\n for arg in args:\n f = callback(*arg)\n return f\n",
"role": "user"
},
{
"content": "call_many",
"role": "assistant"
}
] |
def x(self):
try:
self.loop.add_signal_handler(signal.SIGHUP, self.SIGHUP)
except (RuntimeError, AttributeError):
pass
try:
self.loop.add_signal_handler(signal.SIGINT, self.SIGINT)
except (RuntimeError, NotImplementedError):
pass
|
add_signal_handlers
|
[
{
"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.loop.add_signal_handler(signal.SIGHUP, self.SIGHUP)\n except (RuntimeError, AttributeError):\n pass\n try:\n self.loop.add_signal_handler(signal.SIGINT, self.SIGINT)\n except (RuntimeError, NotImplementedError):\n pass\n",
"role": "user"
},
{
"content": "add_signal_handlers",
"role": "assistant"
}
] |
def x(self, forever=True):
loop = self.create_connection()
self.add_signal_handlers()
if forever:
loop.run_forever()
|
run
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, forever=True):\n loop = self.create_connection()\n self.add_signal_handlers()\n if forever:\n loop.run_forever()\n",
"role": "user"
},
{
"content": "run",
"role": "assistant"
}
] |
def x(cls, cfg, **kwargs):
cfg = dict(cfg, **kwargs)
pythonpath = cfg.get('pythonpath', [])
if 'here' in cfg:
pythonpath.append(cfg['here'])
for path in pythonpath:
sys.path.append(os.path.expanduser(path))
prog = cls.server and 'irc3d' or 'irc3'
if cfg.get('debug'):
cls.venusian_categories.append(prog + '.debug')
if cfg.get('interactive'):
import irc3.testing
context = getattr(irc3.testing, cls.__name__)(**cfg)
else:
context = cls(**cfg)
if cfg.get('raw'):
context.include('irc3.plugins.log', venusian_categories=[prog +
'.debug'])
return context
|
from_config
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, cfg, **kwargs):\n cfg = dict(cfg, **kwargs)\n pythonpath = cfg.get('pythonpath', [])\n if 'here' in cfg:\n pythonpath.append(cfg['here'])\n for path in pythonpath:\n sys.path.append(os.path.expanduser(path))\n prog = cls.server and 'irc3d' or 'irc3'\n if cfg.get('debug'):\n cls.venusian_categories.append(prog + '.debug')\n if cfg.get('interactive'):\n import irc3.testing\n context = getattr(irc3.testing, cls.__name__)(**cfg)\n else:\n context = cls(**cfg)\n if cfg.get('raw'):\n context.include('irc3.plugins.log', venusian_categories=[prog +\n '.debug'])\n return context\n",
"role": "user"
},
{
"content": "from_config",
"role": "assistant"
}
] |
def x(self, keyword, *args, **kwargs):
handle = self._last_thread_handle
thread = self._threaded(keyword, *args, **kwargs)
thread.start()
self._thread_pool[handle] = thread
self._last_thread_handle += 1
return handle
|
async_run
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, keyword, *args, **kwargs):\n handle = self._last_thread_handle\n thread = self._threaded(keyword, *args, **kwargs)\n thread.start()\n self._thread_pool[handle] = thread\n self._last_thread_handle += 1\n return handle\n",
"role": "user"
},
{
"content": "async_run",
"role": "assistant"
}
] |
def x(self, handle):
assert handle in self._thread_pool, 'Invalid async call handle'
result = self._thread_pool[handle].result_queue.get()
del self._thread_pool[handle]
return result
|
async_get
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, handle):\n assert handle in self._thread_pool, 'Invalid async call handle'\n result = self._thread_pool[handle].result_queue.get()\n del self._thread_pool[handle]\n return result\n",
"role": "user"
},
{
"content": "async_get",
"role": "assistant"
}
] |
def x(self, keyword):
if EXECUTION_CONTEXTS.current is None:
raise RobotNotRunningError('Cannot access execution context')
return EXECUTION_CONTEXTS.current.get_handler(keyword)
|
get_handler_from_keyword
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, keyword):\n if EXECUTION_CONTEXTS.current is None:\n raise RobotNotRunningError('Cannot access execution context')\n return EXECUTION_CONTEXTS.current.get_handler(keyword)\n",
"role": "user"
},
{
"content": "get_handler_from_keyword",
"role": "assistant"
}
] |
def x(self, value):
if value is None:
setattr(self, '_PMMail__custom_headers', {})
elif isinstance(value, dict):
setattr(self, '_PMMail__custom_headers', value)
else:
raise TypeError(
'Custom headers must be a dictionary of key-value pairs')
|
set_custom_headers
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value):\n if value is None:\n setattr(self, '_PMMail__custom_headers', {})\n elif isinstance(value, dict):\n setattr(self, '_PMMail__custom_headers', value)\n else:\n raise TypeError(\n 'Custom headers must be a dictionary of key-value pairs')\n",
"role": "user"
},
{
"content": "set_custom_headers",
"role": "assistant"
}
] |
def x(self, value):
if value is None:
setattr(self, '_PMMail__metadata', {})
elif isinstance(value, dict):
for k, v in value.items():
if not isinstance(k, str) and not isinstance(k, int
) or not isinstance(v, str) and not isinstance(v, int):
raise TypeError(
'Metadata keys and values can only be strings or integers')
setattr(self, '_PMMail__metadata', value)
else:
raise TypeError('Metadata must be a dictionary of key-value pairs')
|
set_metadata
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value):\n if value is None:\n setattr(self, '_PMMail__metadata', {})\n elif isinstance(value, dict):\n for k, v in value.items():\n if not isinstance(k, str) and not isinstance(k, int\n ) or not isinstance(v, str) and not isinstance(v, int):\n raise TypeError(\n 'Metadata keys and values can only be strings or integers')\n setattr(self, '_PMMail__metadata', value)\n else:\n raise TypeError('Metadata must be a dictionary of key-value pairs')\n",
"role": "user"
},
{
"content": "set_metadata",
"role": "assistant"
}
] |
def x(self, value):
if value is None:
setattr(self, '_PMMail__attachments', [])
elif isinstance(value, list):
setattr(self, '_PMMail__attachments', value)
else:
raise TypeError('Attachments must be a list')
|
set_attachments
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value):\n if value is None:\n setattr(self, '_PMMail__attachments', [])\n elif isinstance(value, list):\n setattr(self, '_PMMail__attachments', value)\n else:\n raise TypeError('Attachments must be a list')\n",
"role": "user"
},
{
"content": "set_attachments",
"role": "assistant"
}
] |
def x(self):
if not self.__api_key:
raise PMMailMissingValueException(
'Cannot send an e-mail without a Postmark API Key')
elif not self.__sender:
raise PMMailMissingValueException(
'Cannot send an e-mail without a sender (.sender field)')
elif not self.__to:
raise PMMailMissingValueException(
'Cannot send an e-mail without at least one recipient (.to field)')
elif (self.__template_id or self.__template_model) and not all([self.
__template_id, self.__template_model]):
raise PMMailMissingValueException(
'Cannot send a template e-mail without a both template_id and template_model set'
)
elif not any([self.__template_id, self.__template_model, self.__subject]):
raise PMMailMissingValueException(
'Cannot send an e-mail without a subject')
elif not self.__html_body and not self.__text_body and not self.__template_id:
raise PMMailMissingValueException(
'Cannot send an e-mail without either an HTML or text version of your e-mail body'
)
if self.__track_opens and not self.__html_body:
print(
'WARNING: .track_opens set to True with no .html_body set. Tracking opens will not work; message will still send.'
)
|
check_values
|
[
{
"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 self.__api_key:\n raise PMMailMissingValueException(\n 'Cannot send an e-mail without a Postmark API Key')\n elif not self.__sender:\n raise PMMailMissingValueException(\n 'Cannot send an e-mail without a sender (.sender field)')\n elif not self.__to:\n raise PMMailMissingValueException(\n 'Cannot send an e-mail without at least one recipient (.to field)')\n elif (self.__template_id or self.__template_model) and not all([self.\n __template_id, self.__template_model]):\n raise PMMailMissingValueException(\n 'Cannot send a template e-mail without a both template_id and template_model set'\n )\n elif not any([self.__template_id, self.__template_model, self.__subject]):\n raise PMMailMissingValueException(\n 'Cannot send an e-mail without a subject')\n elif not self.__html_body and not self.__text_body and not self.__template_id:\n raise PMMailMissingValueException(\n 'Cannot send an e-mail without either an HTML or text version of your e-mail body'\n )\n if self.__track_opens and not self.__html_body:\n print(\n 'WARNING: .track_opens set to True with no .html_body set. Tracking opens will not work; message will still send.'\n )\n",
"role": "user"
},
{
"content": "check_values",
"role": "assistant"
}
] |
def x(self, test=None):
self._check_values()
json_message = self.to_json_message()
if test is None:
try:
from django.conf import settings as django_settings
test = getattr(django_settings, 'POSTMARK_TEST_MODE', None)
except ImportError:
pass
if test:
print('JSON message is:\n%s' % json.dumps(json_message, cls=
PMJSONEncoder))
return
if self.__template_id:
endpoint_url = __POSTMARK_URL__ + 'email/withTemplate/'
else:
endpoint_url = __POSTMARK_URL__ + 'email'
req = Request(endpoint_url, json.dumps(json_message, cls=PMJSONEncoder)
.encode('utf8'), {'Accept': 'application/json', 'Content-Type':
'application/json', 'X-Postmark-Server-Token': self.__api_key,
'User-agent': self.__user_agent})
try:
result = urlopen(req)
jsontxt = result.read().decode('utf8')
result.close()
if result.code == 200:
self.message_id = json.loads(jsontxt).get('MessageID', None)
return True
else:
raise PMMailSendException('Return code %d: %s' % (result.code,
result.msg))
except HTTPError as err:
if err.code == 401:
raise PMMailUnauthorizedException(
'Sending Unauthorized - incorrect API key.', err)
elif err.code == 422:
try:
jsontxt = err.read().decode('utf8')
jsonobj = json.loads(jsontxt)
desc = jsonobj['Message']
error_code = jsonobj['ErrorCode']
except KeyError:
raise PMMailUnprocessableEntityException(
'Unprocessable Entity: Description not given')
if error_code == 406:
raise PMMailInactiveRecipientException(
'You tried to send email to a recipient that has been marked as inactive.'
)
raise PMMailUnprocessableEntityException(
'Unprocessable Entity: %s' % desc)
elif err.code == 500:
raise PMMailServerErrorException(
'Internal server error at Postmark. Admins have been alerted.',
err)
except URLError as err:
if hasattr(err, 'reason'):
raise PMMailURLException(
'URLError: Failed to reach the server: %s (See "inner_exception" for details)'
% err.reason, err)
elif hasattr(err, 'code'):
raise PMMailURLException(
'URLError: %d: The server couldn\'t fufill the request. (See "inner_exception" for details)'
% err.code, err)
else:
raise PMMailURLException(
'URLError: The server couldn\'t fufill the request. (See "inner_exception" for details)'
, err)
|
send
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, test=None):\n self._check_values()\n json_message = self.to_json_message()\n if test is None:\n try:\n from django.conf import settings as django_settings\n test = getattr(django_settings, 'POSTMARK_TEST_MODE', None)\n except ImportError:\n pass\n if test:\n print('JSON message is:\\n%s' % json.dumps(json_message, cls=\n PMJSONEncoder))\n return\n if self.__template_id:\n endpoint_url = __POSTMARK_URL__ + 'email/withTemplate/'\n else:\n endpoint_url = __POSTMARK_URL__ + 'email'\n req = Request(endpoint_url, json.dumps(json_message, cls=PMJSONEncoder)\n .encode('utf8'), {'Accept': 'application/json', 'Content-Type':\n 'application/json', 'X-Postmark-Server-Token': self.__api_key,\n 'User-agent': self.__user_agent})\n try:\n result = urlopen(req)\n jsontxt = result.read().decode('utf8')\n result.close()\n if result.code == 200:\n self.message_id = json.loads(jsontxt).get('MessageID', None)\n return True\n else:\n raise PMMailSendException('Return code %d: %s' % (result.code,\n result.msg))\n except HTTPError as err:\n if err.code == 401:\n raise PMMailUnauthorizedException(\n 'Sending Unauthorized - incorrect API key.', err)\n elif err.code == 422:\n try:\n jsontxt = err.read().decode('utf8')\n jsonobj = json.loads(jsontxt)\n desc = jsonobj['Message']\n error_code = jsonobj['ErrorCode']\n except KeyError:\n raise PMMailUnprocessableEntityException(\n 'Unprocessable Entity: Description not given')\n if error_code == 406:\n raise PMMailInactiveRecipientException(\n 'You tried to send email to a recipient that has been marked as inactive.'\n )\n raise PMMailUnprocessableEntityException(\n 'Unprocessable Entity: %s' % desc)\n elif err.code == 500:\n raise PMMailServerErrorException(\n 'Internal server error at Postmark. Admins have been alerted.',\n err)\n except URLError as err:\n if hasattr(err, 'reason'):\n raise PMMailURLException(\n 'URLError: Failed to reach the server: %s (See \"inner_exception\" for details)'\n % err.reason, err)\n elif hasattr(err, 'code'):\n raise PMMailURLException(\n 'URLError: %d: The server couldn\\'t fufill the request. (See \"inner_exception\" for details)'\n % err.code, err)\n else:\n raise PMMailURLException(\n 'URLError: The server couldn\\'t fufill the request. (See \"inner_exception\" for details)'\n , err)\n",
"role": "user"
},
{
"content": "send",
"role": "assistant"
}
] |
def x(self, message):
if message in self.__messages:
self.__messages.remove(message)
|
remove_message
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, message):\n if message in self.__messages:\n self.__messages.remove(message)\n",
"role": "user"
},
{
"content": "remove_message",
"role": "assistant"
}
] |
def x(self):
self._check_values()
req = Request(__POSTMARK_URL__ + 'deliverystats', None, {'Accept':
'application/json', 'Content-Type': 'application/json',
'X-Postmark-Server-Token': self.__api_key, 'User-agent': self.
__user_agent})
try:
result = urlopen(req)
with closing(result):
if result.code == 200:
return json.loads(result.read())
else:
raise PMMailSendException('Return code %d: %s' % (result.
code, result.msg))
except HTTPError as err:
return err
|
delivery_stats
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self._check_values()\n req = Request(__POSTMARK_URL__ + 'deliverystats', None, {'Accept':\n 'application/json', 'Content-Type': 'application/json',\n 'X-Postmark-Server-Token': self.__api_key, 'User-agent': self.\n __user_agent})\n try:\n result = urlopen(req)\n with closing(result):\n if result.code == 200:\n return json.loads(result.read())\n else:\n raise PMMailSendException('Return code %d: %s' % (result.\n code, result.msg))\n except HTTPError as err:\n return err\n",
"role": "user"
},
{
"content": "delivery_stats",
"role": "assistant"
}
] |
def x(self, inactive='', email_filter='', tag='', count=25, offset=0):
self._check_values()
params = ('?inactive=' + inactive + '&emailFilter=' + email_filter +
'&tag=' + tag)
params += '&count=' + str(count) + '&offset=' + str(offset)
req = Request(__POSTMARK_URL__ + 'bounces' + params, None, {'Accept':
'application/json', 'Content-Type': 'application/json',
'X-Postmark-Server-Token': self.__api_key, 'User-agent': self.
__user_agent})
try:
result = urlopen(req)
with closing(result):
if result.code == 200:
return json.loads(result.read())
else:
raise PMMailSendException('Return code %d: %s' % (result.
code, result.msg))
except HTTPError as err:
return err
|
get_all
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, inactive='', email_filter='', tag='', count=25, offset=0):\n self._check_values()\n params = ('?inactive=' + inactive + '&emailFilter=' + email_filter +\n '&tag=' + tag)\n params += '&count=' + str(count) + '&offset=' + str(offset)\n req = Request(__POSTMARK_URL__ + 'bounces' + params, None, {'Accept':\n 'application/json', 'Content-Type': 'application/json',\n 'X-Postmark-Server-Token': self.__api_key, 'User-agent': self.\n __user_agent})\n try:\n result = urlopen(req)\n with closing(result):\n if result.code == 200:\n return json.loads(result.read())\n else:\n raise PMMailSendException('Return code %d: %s' % (result.\n code, result.msg))\n except HTTPError as err:\n return err\n",
"role": "user"
},
{
"content": "get_all",
"role": "assistant"
}
] |
def x(self, bounce_id):
self._check_values()
req_url = '/bounces/' + str(bounce_id) + '/activate'
h1 = HTTPConnection('api.postmarkapp.com')
dta = urlencode({'data': 'blank'}).encode('utf8')
req = h1.request('PUT', req_url, dta, {'Accept': 'application/json',
'Content-Type': 'application/json', 'X-Postmark-Server-Token': self
.__api_key, 'User-agent': self.__user_agent})
r = h1.getresponse()
return json.loads(r.read())
|
activate
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, bounce_id):\n self._check_values()\n req_url = '/bounces/' + str(bounce_id) + '/activate'\n h1 = HTTPConnection('api.postmarkapp.com')\n dta = urlencode({'data': 'blank'}).encode('utf8')\n req = h1.request('PUT', req_url, dta, {'Accept': 'application/json',\n 'Content-Type': 'application/json', 'X-Postmark-Server-Token': self\n .__api_key, 'User-agent': self.__user_agent})\n r = h1.getresponse()\n return json.loads(r.read())\n",
"role": "user"
},
{
"content": "activate",
"role": "assistant"
}
] |
def x(self, email_messages):
if not email_messages:
return
sent = self._send(email_messages)
if sent:
return len(email_messages)
return 0
|
send_messages
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, email_messages):\n if not email_messages:\n return\n sent = self._send(email_messages)\n if sent:\n return len(email_messages)\n return 0\n",
"role": "user"
},
{
"content": "send_messages",
"role": "assistant"
}
] |
def x(self, message):
if not message.recipients():
return False
recipients = ','.join(message.to)
recipients_cc = ','.join(message.cc)
recipients_bcc = ','.join(message.bcc)
text_body = message.body
html_body = None
if isinstance(message, EmailMultiAlternatives):
for alt in message.alternatives:
if alt[1] == 'text/html':
html_body = alt[0]
break
elif getattr(message, 'content_subtype', None) == 'html':
text_body = None
html_body = message.body
reply_to = ','.join(message.reply_to)
custom_headers = {}
if message.extra_headers and isinstance(message.extra_headers, dict):
if 'Reply-To' in message.extra_headers:
reply_to = message.extra_headers.pop('Reply-To')
if len(message.extra_headers):
custom_headers = message.extra_headers
attachments = []
if message.attachments and isinstance(message.attachments, list):
if len(message.attachments):
for item in message.attachments:
if isinstance(item, tuple):
f, content, m = item
content = base64.b64encode(content)
if not isinstance(content, str):
content = content.decode()
attachments.append((f, content, m))
else:
attachments.append(item)
postmark_message = PMMail(api_key=self.api_key, subject=message.subject,
sender=message.from_email, to=recipients, cc=recipients_cc, bcc=
recipients_bcc, text_body=text_body, html_body=html_body, reply_to=
reply_to, custom_headers=custom_headers, attachments=attachments)
postmark_message.tag = getattr(message, 'tag', None)
postmark_message.track_opens = getattr(message, 'track_opens', False)
return postmark_message
|
build_message
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, message):\n if not message.recipients():\n return False\n recipients = ','.join(message.to)\n recipients_cc = ','.join(message.cc)\n recipients_bcc = ','.join(message.bcc)\n text_body = message.body\n html_body = None\n if isinstance(message, EmailMultiAlternatives):\n for alt in message.alternatives:\n if alt[1] == 'text/html':\n html_body = alt[0]\n break\n elif getattr(message, 'content_subtype', None) == 'html':\n text_body = None\n html_body = message.body\n reply_to = ','.join(message.reply_to)\n custom_headers = {}\n if message.extra_headers and isinstance(message.extra_headers, dict):\n if 'Reply-To' in message.extra_headers:\n reply_to = message.extra_headers.pop('Reply-To')\n if len(message.extra_headers):\n custom_headers = message.extra_headers\n attachments = []\n if message.attachments and isinstance(message.attachments, list):\n if len(message.attachments):\n for item in message.attachments:\n if isinstance(item, tuple):\n f, content, m = item\n content = base64.b64encode(content)\n if not isinstance(content, str):\n content = content.decode()\n attachments.append((f, content, m))\n else:\n attachments.append(item)\n postmark_message = PMMail(api_key=self.api_key, subject=message.subject,\n sender=message.from_email, to=recipients, cc=recipients_cc, bcc=\n recipients_bcc, text_body=text_body, html_body=html_body, reply_to=\n reply_to, custom_headers=custom_headers, attachments=attachments)\n postmark_message.tag = getattr(message, 'tag', None)\n postmark_message.track_opens = getattr(message, 'track_opens', False)\n return postmark_message\n",
"role": "user"
},
{
"content": "build_message",
"role": "assistant"
}
] |
def x(self, messages):
if len(messages) == 1:
to_send = self._build_message(messages[0])
if to_send is False:
return False
else:
pm_messages = list(map(self._build_message, messages))
pm_messages = [m for m in pm_messages if m]
if len(pm_messages) == 0:
return False
to_send = PMBatchMail(messages=pm_messages)
try:
to_send.send(test=self.test_mode)
except:
if self.fail_silently:
return False
raise
return True
|
send
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, messages):\n if len(messages) == 1:\n to_send = self._build_message(messages[0])\n if to_send is False:\n return False\n else:\n pm_messages = list(map(self._build_message, messages))\n pm_messages = [m for m in pm_messages if m]\n if len(pm_messages) == 0:\n return False\n to_send = PMBatchMail(messages=pm_messages)\n try:\n to_send.send(test=self.test_mode)\n except:\n if self.fail_silently:\n return False\n raise\n return True\n",
"role": "user"
},
{
"content": "send",
"role": "assistant"
}
] |
def x(self, tag, attrs):
if tag == 'a' and (('class', 'download-pdf') in attrs or ('id',
'download-pdf') in attrs):
for attr in attrs:
if attr[0] == 'href':
self.download_link = 'http://www.nature.com' + attr[1]
|
handle_starttag
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, tag, attrs):\n if tag == 'a' and (('class', 'download-pdf') in attrs or ('id',\n 'download-pdf') in attrs):\n for attr in attrs:\n if attr[0] == 'href':\n self.download_link = 'http://www.nature.com' + attr[1]\n",
"role": "user"
},
{
"content": "handle_starttag",
"role": "assistant"
}
] |
def x(pattern='[\\w]{32}'):
try:
return rstr.xeger(pattern)
except re.error as e:
raise ValueError(str(e))
|
genpass
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pattern='[\\\\w]{32}'):\n try:\n return rstr.xeger(pattern)\n except re.error as e:\n raise ValueError(str(e))\n",
"role": "user"
},
{
"content": "genpass",
"role": "assistant"
}
] |
def x(self, string):
if string is None:
string = CHAR_ZERO * self.__size__
data = struct.unpack(self.__fmt__, string)
i = 0
for field in self.__fields__:
vtype, vlen = self.__fields_types__[field]
if vtype == 'char':
setattr(self, field, data[i])
i = i + 1
elif isinstance(vtype, CStructMeta):
num = int(vlen / vtype.size)
if num == 1:
sub_struct = vtype()
sub_struct.unpack(EMPTY_BYTES_STRING.join(data[i:i +
sub_struct.size]))
setattr(self, field, sub_struct)
i = i + sub_struct.size
else:
sub_structs = []
for j in range(0, num):
sub_struct = vtype()
sub_struct.unpack(EMPTY_BYTES_STRING.join(data[i:i +
sub_struct.size]))
i = i + sub_struct.size
sub_structs.append(sub_struct)
setattr(self, field, sub_structs)
elif vlen == 1:
setattr(self, field, data[i])
i = i + vlen
else:
setattr(self, field, list(data[i:i + vlen]))
i = i + vlen
|
unpack
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, string):\n if string is None:\n string = CHAR_ZERO * self.__size__\n data = struct.unpack(self.__fmt__, string)\n i = 0\n for field in self.__fields__:\n vtype, vlen = self.__fields_types__[field]\n if vtype == 'char':\n setattr(self, field, data[i])\n i = i + 1\n elif isinstance(vtype, CStructMeta):\n num = int(vlen / vtype.size)\n if num == 1:\n sub_struct = vtype()\n sub_struct.unpack(EMPTY_BYTES_STRING.join(data[i:i +\n sub_struct.size]))\n setattr(self, field, sub_struct)\n i = i + sub_struct.size\n else:\n sub_structs = []\n for j in range(0, num):\n sub_struct = vtype()\n sub_struct.unpack(EMPTY_BYTES_STRING.join(data[i:i +\n sub_struct.size]))\n i = i + sub_struct.size\n sub_structs.append(sub_struct)\n setattr(self, field, sub_structs)\n elif vlen == 1:\n setattr(self, field, data[i])\n i = i + vlen\n else:\n setattr(self, field, list(data[i:i + vlen]))\n i = i + vlen\n",
"role": "user"
},
{
"content": "unpack",
"role": "assistant"
}
] |
def x(self):
data = []
for field in self.__fields__:
vtype, vlen = self.__fields_types__[field]
if vtype == 'char':
data.append(getattr(self, field))
elif isinstance(vtype, CStructMeta):
num = int(vlen / vtype.size)
if num == 1:
v = getattr(self, field, vtype())
v = v.pack()
if sys.version_info >= (3, 0):
v = [bytes([x]) for x in v]
data.extend(v)
else:
values = getattr(self, field, [])
for j in range(0, num):
try:
v = values[j]
except:
v = vtype()
v = v.pack()
if sys.version_info >= (3, 0):
v = [bytes([x]) for x in v]
data.extend(v)
elif vlen == 1:
data.append(getattr(self, field))
else:
v = getattr(self, field)
v = v[:vlen] + [0] * (vlen - len(v))
data.extend(v)
return struct.pack(self.__fmt__, *data)
|
pack
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n data = []\n for field in self.__fields__:\n vtype, vlen = self.__fields_types__[field]\n if vtype == 'char':\n data.append(getattr(self, field))\n elif isinstance(vtype, CStructMeta):\n num = int(vlen / vtype.size)\n if num == 1:\n v = getattr(self, field, vtype())\n v = v.pack()\n if sys.version_info >= (3, 0):\n v = [bytes([x]) for x in v]\n data.extend(v)\n else:\n values = getattr(self, field, [])\n for j in range(0, num):\n try:\n v = values[j]\n except:\n v = vtype()\n v = v.pack()\n if sys.version_info >= (3, 0):\n v = [bytes([x]) for x in v]\n data.extend(v)\n elif vlen == 1:\n data.append(getattr(self, field))\n else:\n v = getattr(self, field)\n v = v[:vlen] + [0] * (vlen - len(v))\n data.extend(v)\n return struct.pack(self.__fmt__, *data)\n",
"role": "user"
},
{
"content": "pack",
"role": "assistant"
}
] |
def x(self):
""" pts/34 2013-06-12 15:04 26396 id=s/34 term=0 exit=0"""
print('%-10s %-12s %15s %15s %-8s' % (str_from_c(self.ut_user),
str_from_c(self.ut_line), time.strftime('%Y-%m-%d %H:%M', time.
gmtime(self.ut_tv.tv_sec)), self.ut_pid, str_from_c(self.ut_host) and
'(%s)' % str_from_c(self.ut_host) or str_from_c(self.ut_id) and
'id=%s' % str_from_c(self.ut_id) or ''))
|
print_info
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n \"\"\" pts/34 2013-06-12 15:04 26396 id=s/34 term=0 exit=0\"\"\"\n print('%-10s %-12s %15s %15s %-8s' % (str_from_c(self.ut_user),\n str_from_c(self.ut_line), time.strftime('%Y-%m-%d %H:%M', time.\n gmtime(self.ut_tv.tv_sec)), self.ut_pid, str_from_c(self.ut_host) and\n '(%s)' % str_from_c(self.ut_host) or str_from_c(self.ut_id) and \n 'id=%s' % str_from_c(self.ut_id) or ''))\n",
"role": "user"
},
{
"content": "print_info",
"role": "assistant"
}
] |
def x():
_import_all_importer_files()
for module in (value for key, value in globals().items() if key in __all__
):
for klass_name, klass in inspect.getmembers(module, inspect.isclass):
if klass is not BaseImporter and issubclass(klass, BaseImporter):
yield klass
for klass in _get_importers_from_entry_points():
yield klass
|
get_all
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n _import_all_importer_files()\n for module in (value for key, value in globals().items() if key in __all__\n ):\n for klass_name, klass in inspect.getmembers(module, inspect.isclass):\n if klass is not BaseImporter and issubclass(klass, BaseImporter):\n yield klass\n for klass in _get_importers_from_entry_points():\n yield klass\n",
"role": "user"
},
{
"content": "get_all",
"role": "assistant"
}
] |
def x(db):
credentials = db.credentials()
if credentials:
table = Table(db.config['headers'], table_format=db.config[
'table_format'], colors=db.config['colors'], hidden=db.config[
'hidden'], hidden_string=db.config['hidden_string'])
click.echo(table.render(credentials))
|
list_database
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(db):\n credentials = db.credentials()\n if credentials:\n table = Table(db.config['headers'], table_format=db.config[\n 'table_format'], colors=db.config['colors'], hidden=db.config[\n 'hidden'], hidden_string=db.config['hidden_string'])\n click.echo(table.render(credentials))\n",
"role": "user"
},
{
"content": "list_database",
"role": "assistant"
}
] |
def x(db, level):
if level == 'global':
configuration = config.read(config.HOMEDIR, '.passpierc')
elif level == 'local':
configuration = config.read(os.path.join(db.path))
elif level == 'current':
configuration = db.config
if configuration:
click.echo(yaml.safe_dump(configuration, default_flow_style=False))
|
check_config
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(db, level):\n if level == 'global':\n configuration = config.read(config.HOMEDIR, '.passpierc')\n elif level == 'local':\n configuration = config.read(os.path.join(db.path))\n elif level == 'current':\n configuration = db.config\n if configuration:\n click.echo(yaml.safe_dump(configuration, default_flow_style=False))\n",
"role": "user"
},
{
"content": "check_config",
"role": "assistant"
}
] |
def x(self, data=None, **kwargs):
self.data = self.handle(data, **kwargs)
return self
|
process
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data=None, **kwargs):\n self.data = self.handle(data, **kwargs)\n return self\n",
"role": "user"
},
{
"content": "process",
"role": "assistant"
}
] |
def x(self, data=None):
return super(RequestHandler, self).process(data=data or self.
get_request_data())
|
process
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data=None):\n return super(RequestHandler, self).process(data=data or self.\n get_request_data())\n",
"role": "user"
},
{
"content": "process",
"role": "assistant"
}
] |
def x(self, obj):
session = self.get_db_session()
session.add(obj)
session.commit()
return obj
|
save
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, obj):\n session = self.get_db_session()\n session.add(obj)\n session.commit()\n return obj\n",
"role": "user"
},
{
"content": "save",
"role": "assistant"
}
] |
def x(self, query):
if self.model is None:
raise ArrestedException('DBObjectMixin requires a model to be set.')
idfield = getattr(self.model, self.model_id_param, None)
if not idfield:
raise ArrestedException(
'DBObjectMixin could not find a valid Model.id.')
return query.filter(idfield == self.kwargs[self.url_id_param])
|
filter_by_id
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, query):\n if self.model is None:\n raise ArrestedException('DBObjectMixin requires a model to be set.')\n idfield = getattr(self.model, self.model_id_param, None)\n if not idfield:\n raise ArrestedException(\n 'DBObjectMixin could not find a valid Model.id.')\n return query.filter(idfield == self.kwargs[self.url_id_param])\n",
"role": "user"
},
{
"content": "filter_by_id",
"role": "assistant"
}
] |
def x(self):
query = self.get_query()
query = self.filter_by_id(query)
return self.get_result(query)
|
get_object
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n query = self.get_query()\n query = self.filter_by_id(query)\n return self.get_result(query)\n",
"role": "user"
},
{
"content": "get_object",
"role": "assistant"
}
] |
def x(self, obj):
session = self.get_db_session()
session.delete(obj)
session.commit()
|
delete_object
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, obj):\n session = self.get_db_session()\n session.delete(obj)\n session.commit()\n",
"role": "user"
},
{
"content": "delete_object",
"role": "assistant"
}
] |
def x(self, app):
self.app = app
if self.deferred:
self.register_all(self.deferred)
|
init_app
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, app):\n self.app = app\n if self.deferred:\n self.register_all(self.deferred)\n",
"role": "user"
},
{
"content": "init_app",
"role": "assistant"
}
] |
def x(self, resource, defer=False):
if defer:
self.deferred.append(resource)
else:
resource.init_api(self)
self.app.register_blueprint(resource, url_prefix=self.url_prefix)
|
register_resource
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, resource, defer=False):\n if defer:\n self.deferred.append(resource)\n else:\n resource.init_api(self)\n self.app.register_blueprint(resource, url_prefix=self.url_prefix)\n",
"role": "user"
},
{
"content": "register_resource",
"role": "assistant"
}
] |
def x(self):
hooks = []
if self.resource:
hooks.extend(self.resource.api.before_all_hooks)
hooks.extend(self.resource.before_all_hooks)
hooks.extend(self.before_all_hooks)
hooks.extend(getattr(self, 'before_{method}_hooks'.format(method=self.
meth), []))
for hook in chain(hooks):
hook(self)
|
process_before_request_hooks
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n hooks = []\n if self.resource:\n hooks.extend(self.resource.api.before_all_hooks)\n hooks.extend(self.resource.before_all_hooks)\n hooks.extend(self.before_all_hooks)\n hooks.extend(getattr(self, 'before_{method}_hooks'.format(method=self.\n meth), []))\n for hook in chain(hooks):\n hook(self)\n",
"role": "user"
},
{
"content": "process_before_request_hooks",
"role": "assistant"
}
] |
def x(self, resp):
hooks = []
meth_hooks = getattr(self, 'after_{method}_hooks'.format(method=self.
meth), [])
hooks.extend(meth_hooks)
hooks.extend(self.after_all_hooks)
if self.resource:
hooks.extend(self.resource.after_all_hooks)
hooks.extend(self.resource.api.after_all_hooks)
for hook in chain(hooks):
resp = hook(self, resp)
return resp
|
process_after_request_hooks
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, resp):\n hooks = []\n meth_hooks = getattr(self, 'after_{method}_hooks'.format(method=self.\n meth), [])\n hooks.extend(meth_hooks)\n hooks.extend(self.after_all_hooks)\n if self.resource:\n hooks.extend(self.resource.after_all_hooks)\n hooks.extend(self.resource.api.after_all_hooks)\n for hook in chain(hooks):\n resp = hook(self, resp)\n return resp\n",
"role": "user"
},
{
"content": "process_after_request_hooks",
"role": "assistant"
}
] |
def x(self, *args, **kwargs):
self.args = args
self.kwargs = kwargs
self.meth = request.method.lower()
self.resource = current_app.blueprints.get(request.blueprint, None)
if not any([self.meth in self.methods, self.meth.upper() in self.methods]):
return self.return_error(405)
self.process_before_request_hooks()
resp = super(Endpoint, self).dispatch_request(*args, **kwargs)
resp = self.make_response(resp)
resp = self.process_after_request_hooks(resp)
return resp
|
dispatch_request
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *args, **kwargs):\n self.args = args\n self.kwargs = kwargs\n self.meth = request.method.lower()\n self.resource = current_app.blueprints.get(request.blueprint, None)\n if not any([self.meth in self.methods, self.meth.upper() in self.methods]):\n return self.return_error(405)\n self.process_before_request_hooks()\n resp = super(Endpoint, self).dispatch_request(*args, **kwargs)\n resp = self.make_response(resp)\n resp = self.process_after_request_hooks(resp)\n return resp\n",
"role": "user"
},
{
"content": "dispatch_request",
"role": "assistant"
}
] |
def x(self, rv, status=200, headers=None, mime='application/json'):
if not isinstance(rv, Response):
resp = Response(response=rv, headers=headers, mimetype=mime, status
=status)
else:
resp = rv
return resp
|
make_response
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, rv, status=200, headers=None, mime='application/json'):\n if not isinstance(rv, Response):\n resp = Response(response=rv, headers=headers, mimetype=mime, status\n =status)\n else:\n resp = rv\n return resp\n",
"role": "user"
},
{
"content": "make_response",
"role": "assistant"
}
] |
def x(self):
assert self.response_handler is not None, 'Please define a response_handler for Endpoint: %s' % self.__class__.__name__
return self.response_handler(self, **self.get_response_handler_params())
|
get_response_handler
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n assert self.response_handler is not None, 'Please define a response_handler for Endpoint: %s' % self.__class__.__name__\n return self.response_handler(self, **self.get_response_handler_params())\n",
"role": "user"
},
{
"content": "get_response_handler",
"role": "assistant"
}
] |
def x(self):
assert self.request_handler is not None, 'Please define a request_handler for Endpoint: %s' % self.__class__.__name__
return self.request_handler(self, **self.get_request_handler_params())
|
get_request_handler
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n assert self.request_handler is not None, 'Please define a request_handler for Endpoint: %s' % self.__class__.__name__\n return self.request_handler(self, **self.get_request_handler_params())\n",
"role": "user"
},
{
"content": "get_request_handler",
"role": "assistant"
}
] |
def x(self, status, payload=None):
resp = None
if payload is not None:
payload = json.dumps(payload)
resp = self.make_response(payload, status=status)
if status in [405]:
abort(status)
else:
abort(status, response=resp)
|
return_error
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, status, payload=None):\n resp = None\n if payload is not None:\n payload = json.dumps(payload)\n resp = self.make_response(payload, status=status)\n if status in [405]:\n abort(status)\n else:\n abort(status, response=resp)\n",
"role": "user"
},
{
"content": "return_error",
"role": "assistant"
}
] |
def x(self, data, **kwargs):
if self.many:
return self.mapper.many(raw=self.raw, **self.mapper_kwargs).serialize(
data, role=self.role)
else:
return self.mapper(obj=data, raw=self.raw, **self.mapper_kwargs
).serialize(role=self.role)
|
handle
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data, **kwargs):\n if self.many:\n return self.mapper.many(raw=self.raw, **self.mapper_kwargs).serialize(\n data, role=self.role)\n else:\n return self.mapper(obj=data, raw=self.raw, **self.mapper_kwargs\n ).serialize(role=self.role)\n",
"role": "user"
},
{
"content": "handle",
"role": "assistant"
}
] |
def x(self, exp):
payload = {'message': 'Invalid or incomplete data provided.', 'errors':
exp.errors}
self.endpoint.return_error(self.error_status, payload=payload)
|
handle_error
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, exp):\n payload = {'message': 'Invalid or incomplete data provided.', 'errors':\n exp.errors}\n self.endpoint.return_error(self.error_status, payload=payload)\n",
"role": "user"
},
{
"content": "handle_error",
"role": "assistant"
}
] |
def x(self, data, **kwargs):
try:
if self.many:
return self.mapper.many(raw=self.raw, **self.mapper_kwargs
).marshal(data, role=self.role)
else:
return self.mapper(data=data, obj=self.obj, partial=self.
partial, **self.mapper_kwargs).marshal(role=self.role)
except MappingInvalid as e:
self.handle_error(e)
|
handle
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data, **kwargs):\n try:\n if self.many:\n return self.mapper.many(raw=self.raw, **self.mapper_kwargs\n ).marshal(data, role=self.role)\n else:\n return self.mapper(data=data, obj=self.obj, partial=self.\n partial, **self.mapper_kwargs).marshal(role=self.role)\n except MappingInvalid as e:\n self.handle_error(e)\n",
"role": "user"
},
{
"content": "handle",
"role": "assistant"
}
] |
def x(self, **params):
params = super(KimEndpoint, self).get_response_handler_params(**params)
params['mapper_class'] = self.mapper_class
params['role'] = self.serialize_role
if self._is_marshal_request():
req_params = self.get_request_handler_params()
params['many'] = req_params.get('many', self.many)
else:
params['many'] = self.many
return params
|
get_response_handler_params
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **params):\n params = super(KimEndpoint, self).get_response_handler_params(**params)\n params['mapper_class'] = self.mapper_class\n params['role'] = self.serialize_role\n if self._is_marshal_request():\n req_params = self.get_request_handler_params()\n params['many'] = req_params.get('many', self.many)\n else:\n params['many'] = self.many\n return params\n",
"role": "user"
},
{
"content": "get_response_handler_params",
"role": "assistant"
}
] |
def x(self, **params):
params = super(KimEndpoint, self).get_request_handler_params(**params)
params['mapper_class'] = self.mapper_class
params['role'] = self.marshal_role
params['many'] = False
params['obj'] = getattr(self, 'obj', None)
params['partial'] = self.is_partial()
return params
|
get_request_handler_params
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **params):\n params = super(KimEndpoint, self).get_request_handler_params(**params)\n params['mapper_class'] = self.mapper_class\n params['role'] = self.marshal_role\n params['many'] = False\n params['obj'] = getattr(self, 'obj', None)\n params['partial'] = self.is_partial()\n return params\n",
"role": "user"
},
{
"content": "get_request_handler_params",
"role": "assistant"
}
] |
def x(self, status=200):
return self._response(self.response.get_response_data(), status=status)
|
list_response
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, status=200):\n return self._response(self.response.get_response_data(), status=status)\n",
"role": "user"
},
{
"content": "list_response",
"role": "assistant"
}
] |
def x(self):
self.objects = self.get_objects()
self.response = self.get_response_handler()
self.response.process(self.objects)
return self.list_response()
|
handle_get_request
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.objects = self.get_objects()\n self.response = self.get_response_handler()\n self.response.process(self.objects)\n return self.list_response()\n",
"role": "user"
},
{
"content": "handle_get_request",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.