source_code
stringlengths 45
7.24k
| function_name
stringlengths 1
111
| messages
list |
|---|---|---|
async def sysinfo(dev: Device):
"""Print out system information (version, MAC addrs)."""
click.echo(await dev.get_system_info())
click.echo(await dev.get_interface_information())
|
sysinfo
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def sysinfo(dev: Device):\n \"\"\"Print out system information (version, MAC addrs).\"\"\"\n click.echo(await dev.get_system_info())\n click.echo(await dev.get_interface_information())\n",
"role": "user"
},
{
"content": "sysinfo",
"role": "assistant"
}
] |
async def settings(dev: Device):
"""Print out all possible settings."""
settings_tree = await dev.get_settings()
for module in settings_tree:
await traverse_settings(dev, module.usage, module.settings)
|
settings
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def settings(dev: Device):\n \"\"\"Print out all possible settings.\"\"\"\n settings_tree = await dev.get_settings()\n for module in settings_tree:\n await traverse_settings(dev, module.usage, module.settings)\n",
"role": "user"
},
{
"content": "settings",
"role": "assistant"
}
] |
async def storage(dev: Device):
"""Print storage information."""
storages = await dev.get_storage_list()
for storage in storages:
click.echo(storage)
|
storage
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def storage(dev: Device):\n \"\"\"Print storage information.\"\"\"\n storages = await dev.get_storage_list()\n for storage in storages:\n click.echo(storage)\n",
"role": "user"
},
{
"content": "storage",
"role": "assistant"
}
] |
async def sound(dev: Device, target, value):
"""Get or set sound settings."""
if target and value:
click.echo('Setting %s to %s' % (target, value))
click.echo(await dev.set_sound_settings(target, value))
print_settings(await dev.get_sound_settings())
|
sound
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def sound(dev: Device, target, value):\n \"\"\"Get or set sound settings.\"\"\"\n if target and value:\n click.echo('Setting %s to %s' % (target, value))\n click.echo(await dev.set_sound_settings(target, value))\n print_settings(await dev.get_sound_settings())\n",
"role": "user"
},
{
"content": "sound",
"role": "assistant"
}
] |
async def soundfield(dev: Device, soundfield: str):
"""Get or set sound field."""
if soundfield is not None:
await dev.set_sound_settings('soundField', soundfield)
soundfields = await dev.get_sound_settings('soundField')
print_settings(soundfields)
|
soundfield
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def soundfield(dev: Device, soundfield: str):\n \"\"\"Get or set sound field.\"\"\"\n if soundfield is not None:\n await dev.set_sound_settings('soundField', soundfield)\n soundfields = await dev.get_sound_settings('soundField')\n print_settings(soundfields)\n",
"role": "user"
},
{
"content": "soundfield",
"role": "assistant"
}
] |
async def playback(dev: Device, cmd, target, value):
"""Get and set playback settings, e.g. repeat and shuffle.."""
if target and value:
dev.set_playback_settings(target, value)
if cmd == 'support':
click.echo('Supported playback functions:')
supported = await dev.get_supported_playback_functions('storage:usb1')
for i in supported:
print(i)
elif cmd == 'settings':
print_settings(await dev.get_playback_settings())
else:
click.echo('Currently playing: %s' % await dev.get_play_info())
|
playback
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def playback(dev: Device, cmd, target, value):\n \"\"\"Get and set playback settings, e.g. repeat and shuffle..\"\"\"\n if target and value:\n dev.set_playback_settings(target, value)\n if cmd == 'support':\n click.echo('Supported playback functions:')\n supported = await dev.get_supported_playback_functions('storage:usb1')\n for i in supported:\n print(i)\n elif cmd == 'settings':\n print_settings(await dev.get_playback_settings())\n else:\n click.echo('Currently playing: %s' % await dev.get_play_info())\n",
"role": "user"
},
{
"content": "playback",
"role": "assistant"
}
] |
async def speaker(dev: Device, target, value):
"""Get and set external speaker settings."""
if target and value:
click.echo('Setting %s to %s' % (target, value))
await dev.set_speaker_settings(target, value)
print_settings(await dev.get_speaker_settings())
|
speaker
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def speaker(dev: Device, target, value):\n \"\"\"Get and set external speaker settings.\"\"\"\n if target and value:\n click.echo('Setting %s to %s' % (target, value))\n await dev.set_speaker_settings(target, value)\n print_settings(await dev.get_speaker_settings())\n",
"role": "user"
},
{
"content": "speaker",
"role": "assistant"
}
] |
async def notifications(dev: Device, notification: str, listen_all: bool):
"""List available notifications and listen to them.
Using --listen-all [notification] allows to listen to all notifications
from the given subsystem.
If the subsystem is omited, notifications from all subsystems are
requested.
"""
notifications = await dev.get_notifications()
async def handle_notification(x):
click.echo('got notification: %s' % x)
if listen_all:
if notification is not None:
await dev.services[notification].listen_all_notifications(
handle_notification)
else:
click.echo('Listening to all possible notifications')
await dev.listen_notifications(fallback_callback=
handle_notification)
elif notification:
click.echo('Subscribing to notification %s' % notification)
for notif in notifications:
if notif.name == notification:
await notif.activate(handle_notification)
click.echo('Unable to find notification %s' % notification)
else:
click.echo(click.style('Available notifications', bold=True))
for notification in notifications:
click.echo('* %s' % notification)
|
notifications
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def notifications(dev: Device, notification: str, listen_all: bool):\n \"\"\"List available notifications and listen to them.\n\n Using --listen-all [notification] allows to listen to all notifications\n from the given subsystem.\n If the subsystem is omited, notifications from all subsystems are\n requested.\n \"\"\"\n notifications = await dev.get_notifications()\n\n async def handle_notification(x):\n click.echo('got notification: %s' % x)\n if listen_all:\n if notification is not None:\n await dev.services[notification].listen_all_notifications(\n handle_notification)\n else:\n click.echo('Listening to all possible notifications')\n await dev.listen_notifications(fallback_callback=\n handle_notification)\n elif notification:\n click.echo('Subscribing to notification %s' % notification)\n for notif in notifications:\n if notif.name == notification:\n await notif.activate(handle_notification)\n click.echo('Unable to find notification %s' % notification)\n else:\n click.echo(click.style('Available notifications', bold=True))\n for notification in notifications:\n click.echo('* %s' % notification)\n",
"role": "user"
},
{
"content": "notifications",
"role": "assistant"
}
] |
def x(dev: Device):
for name, service in dev.services.items():
click.echo(click.style('\nService %s' % name, bold=True))
for method in service.methods:
click.echo(' %s' % method.name)
|
list_all
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dev: Device):\n for name, service in dev.services.items():\n click.echo(click.style('\\nService %s' % name, bold=True))\n for method in service.methods:\n click.echo(' %s' % method.name)\n",
"role": "user"
},
{
"content": "list_all",
"role": "assistant"
}
] |
async def command(dev, service, method, parameters):
"""Run a raw command."""
params = None
if parameters is not None:
params = ast.literal_eval(parameters)
click.echo('Calling %s.%s with params %s' % (service, method, params))
res = await dev.raw_command(service, method, params)
click.echo(res)
|
command
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def command(dev, service, method, parameters):\n \"\"\"Run a raw command.\"\"\"\n params = None\n if parameters is not None:\n params = ast.literal_eval(parameters)\n click.echo('Calling %s.%s with params %s' % (service, method, params))\n res = await dev.raw_command(service, method, params)\n click.echo(res)\n",
"role": "user"
},
{
"content": "command",
"role": "assistant"
}
] |
async def dump_devinfo(dev: Device, file):
"""Dump developer information.
Pass `file` to write the results directly into a file.
"""
import attr
methods = await dev.get_supported_methods()
res = {'supported_methods': {k: v.asdict() for k, v in methods.items()},
'settings': [attr.asdict(x) for x in await dev.get_settings()],
'sysinfo': attr.asdict(await dev.get_system_info()),
'interface_info': attr.asdict(await dev.get_interface_information())}
if file:
click.echo('Saving to file: %s' % file.name)
json.dump(res, file, sort_keys=True, indent=4)
else:
click.echo(json.dumps(res, sort_keys=True, indent=4))
|
dump_devinfo
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def dump_devinfo(dev: Device, file):\n \"\"\"Dump developer information.\n\n Pass `file` to write the results directly into a file.\n \"\"\"\n import attr\n methods = await dev.get_supported_methods()\n res = {'supported_methods': {k: v.asdict() for k, v in methods.items()},\n 'settings': [attr.asdict(x) for x in await dev.get_settings()],\n 'sysinfo': attr.asdict(await dev.get_system_info()),\n 'interface_info': attr.asdict(await dev.get_interface_information())}\n if file:\n click.echo('Saving to file: %s' % file.name)\n json.dump(res, file, sort_keys=True, indent=4)\n else:\n click.echo(json.dumps(res, sort_keys=True, indent=4))\n",
"role": "user"
},
{
"content": "dump_devinfo",
"role": "assistant"
}
] |
async def state(gc: GroupControl):
"""Current group state."""
state = await gc.state()
click.echo(state)
click.echo('Full state info: %s' % repr(state))
|
state
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def state(gc: GroupControl):\n \"\"\"Current group state.\"\"\"\n state = await gc.state()\n click.echo(state)\n click.echo('Full state info: %s' % repr(state))\n",
"role": "user"
},
{
"content": "state",
"role": "assistant"
}
] |
async def create(gc: GroupControl, name, slaves):
"""Create new group"""
click.echo('Creating group %s with slaves: %s' % (name, slaves))
click.echo(await gc.create(name, slaves))
|
create
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def create(gc: GroupControl, name, slaves):\n \"\"\"Create new group\"\"\"\n click.echo('Creating group %s with slaves: %s' % (name, slaves))\n click.echo(await gc.create(name, slaves))\n",
"role": "user"
},
{
"content": "create",
"role": "assistant"
}
] |
async def add(gc: GroupControl, slaves):
"""Add speakers to group."""
click.echo('Adding to existing group: %s' % slaves)
click.echo(await gc.add(slaves))
|
add
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def add(gc: GroupControl, slaves):\n \"\"\"Add speakers to group.\"\"\"\n click.echo('Adding to existing group: %s' % slaves)\n click.echo(await gc.add(slaves))\n",
"role": "user"
},
{
"content": "add",
"role": "assistant"
}
] |
async def remove(gc: GroupControl, slaves):
"""Remove speakers from group."""
click.echo('Removing from existing group: %s' % slaves)
click.echo(await gc.remove(slaves))
|
remove
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def remove(gc: GroupControl, slaves):\n \"\"\"Remove speakers from group.\"\"\"\n click.echo('Removing from existing group: %s' % slaves)\n click.echo(await gc.remove(slaves))\n",
"role": "user"
},
{
"content": "remove",
"role": "assistant"
}
] |
async def volume(gc: GroupControl, volume):
"""Adjust volume [-100, 100]"""
click.echo('Setting volume to %s' % volume)
click.echo(await gc.set_group_volume(volume))
|
volume
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def volume(gc: GroupControl, volume):\n \"\"\"Adjust volume [-100, 100]\"\"\"\n click.echo('Setting volume to %s' % volume)\n click.echo(await gc.set_group_volume(volume))\n",
"role": "user"
},
{
"content": "volume",
"role": "assistant"
}
] |
async def mute(gc: GroupControl, mute):
"""(Un)mute group."""
click.echo('Muting group: %s' % mute)
click.echo(await gc.set_mute(mute))
|
mute
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def mute(gc: GroupControl, mute):\n \"\"\"(Un)mute group.\"\"\"\n click.echo('Muting group: %s' % mute)\n click.echo(await gc.set_mute(mute))\n",
"role": "user"
},
{
"content": "mute",
"role": "assistant"
}
] |
async def discover(timeout, debug=0, callback=None):
"""Discover supported devices."""
ST = 'urn:schemas-sony-com:service:ScalarWebAPI:1'
_LOGGER.info('Discovering for %s seconds' % timeout)
from async_upnp_client import UpnpFactory
from async_upnp_client.aiohttp import AiohttpRequester
async def parse_device(device):
requester = AiohttpRequester()
factory = UpnpFactory(requester)
url = device['location']
device = await factory.async_create_device(url)
if debug > 0:
print(etree.ElementTree.tostring(device.xml).decode())
NS = {'av': 'urn:schemas-sony-com:av'}
info = device.xml.find('.//av:X_ScalarWebAPI_DeviceInfo', NS)
if not info:
_LOGGER.error('Unable to find X_ScalaerWebAPI_DeviceInfo')
return
endpoint = info.find('.//av:X_ScalarWebAPI_BaseURL', NS).text
version = info.find('.//av:X_ScalarWebAPI_Version', NS).text
services = [x.text for x in info.findall(
'.//av:X_ScalarWebAPI_ServiceType', NS)]
dev = DiscoveredDevice(name=device.name, model_number=device.
model_number, udn=device.udn, endpoint=endpoint, version=
version, services=services, upnp_services=list(device.services.
keys()), upnp_location=url)
_LOGGER.debug('Discovered: %s' % dev)
if callback is not None:
await callback(dev)
await async_search(timeout=timeout, service_type=ST, async_callback=
parse_device)
|
discover
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def discover(timeout, debug=0, callback=None):\n \"\"\"Discover supported devices.\"\"\"\n ST = 'urn:schemas-sony-com:service:ScalarWebAPI:1'\n _LOGGER.info('Discovering for %s seconds' % timeout)\n from async_upnp_client import UpnpFactory\n from async_upnp_client.aiohttp import AiohttpRequester\n\n async def parse_device(device):\n requester = AiohttpRequester()\n factory = UpnpFactory(requester)\n url = device['location']\n device = await factory.async_create_device(url)\n if debug > 0:\n print(etree.ElementTree.tostring(device.xml).decode())\n NS = {'av': 'urn:schemas-sony-com:av'}\n info = device.xml.find('.//av:X_ScalarWebAPI_DeviceInfo', NS)\n if not info:\n _LOGGER.error('Unable to find X_ScalaerWebAPI_DeviceInfo')\n return\n endpoint = info.find('.//av:X_ScalarWebAPI_BaseURL', NS).text\n version = info.find('.//av:X_ScalarWebAPI_Version', NS).text\n services = [x.text for x in info.findall(\n './/av:X_ScalarWebAPI_ServiceType', NS)]\n dev = DiscoveredDevice(name=device.name, model_number=device.\n model_number, udn=device.udn, endpoint=endpoint, version=\n version, services=services, upnp_services=list(device.services.\n keys()), upnp_location=url)\n _LOGGER.debug('Discovered: %s' % dev)\n if callback is not None:\n await callback(dev)\n await async_search(timeout=timeout, service_type=ST, async_callback=\n parse_device)\n",
"role": "user"
},
{
"content": "discover",
"role": "assistant"
}
] |
def x(self, method, **kwargs):
payload = {'id': 1, 'jsonrpc': '2.0', 'method': method, 'params': kwargs}
credentials = base64.b64encode('{}:{}'.format(self._username, self.
_password).encode())
auth_header_prefix = ('Basic ' if self._auth_header ==
DEFAULT_AUTH_HEADER else '')
headers = {self._auth_header: auth_header_prefix + credentials.decode(),
'Content-Type': 'application/json'}
return self._do_request(headers, payload)
|
execute
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, method, **kwargs):\n payload = {'id': 1, 'jsonrpc': '2.0', 'method': method, 'params': kwargs}\n credentials = base64.b64encode('{}:{}'.format(self._username, self.\n _password).encode())\n auth_header_prefix = ('Basic ' if self._auth_header ==\n DEFAULT_AUTH_HEADER else '')\n headers = {self._auth_header: auth_header_prefix + credentials.decode(),\n 'Content-Type': 'application/json'}\n return self._do_request(headers, payload)\n",
"role": "user"
},
{
"content": "execute",
"role": "assistant"
}
] |
def x(g):
ret = {}
for scc in tarjan(g):
ws = set()
ews = set()
for v in scc:
ws.update(g[v])
for w in ws:
assert w in ret or w in scc
ews.add(w)
ews.update(ret.get(w, ()))
if len(scc) > 1:
ews.update(scc)
ews = tuple(ews)
for v in scc:
ret[v] = ews
return ret
|
tc
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(g):\n ret = {}\n for scc in tarjan(g):\n ws = set()\n ews = set()\n for v in scc:\n ws.update(g[v])\n for w in ws:\n assert w in ret or w in scc\n ews.add(w)\n ews.update(ret.get(w, ()))\n if len(scc) > 1:\n ews.update(scc)\n ews = tuple(ews)\n for v in scc:\n ret[v] = ews\n return ret\n",
"role": "user"
},
{
"content": "tc",
"role": "assistant"
}
] |
def x(self):
feeds = configparser.ConfigParser()
feeds.read(self.data_filename)
return feeds.sections()
|
list_feeds
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n feeds = configparser.ConfigParser()\n feeds.read(self.data_filename)\n return feeds.sections()\n",
"role": "user"
},
{
"content": "list_feeds",
"role": "assistant"
}
] |
def x(self):
try:
if self.args['configfile']:
return self.args['configfile']
except KeyError:
pass
return os.path.expanduser('~/.config/greg/greg.conf')
|
retrieve_config_file
|
[
{
"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 if self.args['configfile']:\n return self.args['configfile']\n except KeyError:\n pass\n return os.path.expanduser('~/.config/greg/greg.conf')\n",
"role": "user"
},
{
"content": "retrieve_config_file",
"role": "assistant"
}
] |
def x(self):
args = self.args
try:
if args['datadirectory']:
aux.ensure_dir(args['datadirectory'])
return args['datadirectory']
except KeyError:
pass
config = configparser.ConfigParser()
config.read([config_filename_global, self.config_filename_user])
section = config.default_section
data_path = config.get(section, 'Data directory', fallback=
'~/.local/share/greg')
data_path_expanded = os.path.expanduser(data_path)
aux.ensure_dir(data_path_expanded)
return os.path.expanduser(data_path_expanded)
|
retrieve_data_directory
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n args = self.args\n try:\n if args['datadirectory']:\n aux.ensure_dir(args['datadirectory'])\n return args['datadirectory']\n except KeyError:\n pass\n config = configparser.ConfigParser()\n config.read([config_filename_global, self.config_filename_user])\n section = config.default_section\n data_path = config.get(section, 'Data directory', fallback=\n '~/.local/share/greg')\n data_path_expanded = os.path.expanduser(data_path)\n aux.ensure_dir(data_path_expanded)\n return os.path.expanduser(data_path_expanded)\n",
"role": "user"
},
{
"content": "retrieve_data_directory",
"role": "assistant"
}
] |
def x(self, value, default):
args = self.args
name = self.name
try:
if args[value]:
return args[value]
except KeyError:
pass
section = name if self.config.has_section(name
) else self.config.default_section
answer = self.config.get(section, value, fallback=default)
return answer
|
retrieve_config
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value, default):\n args = self.args\n name = self.name\n try:\n if args[value]:\n return args[value]\n except KeyError:\n pass\n section = name if self.config.has_section(name\n ) else self.config.default_section\n answer = self.config.get(section, value, fallback=default)\n return answer\n",
"role": "user"
},
{
"content": "retrieve_config",
"role": "assistant"
}
] |
def x(self):
section = self.name if self.config.has_section(self.name
) else self.config.default_section
download_path = self.config.get(section, 'Download directory', fallback
='~/Podcasts')
subdirectory = self.config.get(section, 'Create subdirectories',
fallback='no')
return [os.path.expanduser(download_path), subdirectory]
|
retrieve_download_path
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n section = self.name if self.config.has_section(self.name\n ) else self.config.default_section\n download_path = self.config.get(section, 'Download directory', fallback\n ='~/Podcasts')\n subdirectory = self.config.get(section, 'Create subdirectories',\n fallback='no')\n return [os.path.expanduser(download_path), subdirectory]\n",
"role": "user"
},
{
"content": "retrieve_download_path",
"role": "assistant"
}
] |
def x(self):
wanttags = self.retrieve_config('Tag', 'no')
if wanttags == 'yes':
if aux.staggerexists:
willtag = True
else:
willtag = False
print(
'You want me to tag {0}, but you have not installed the Stagger module. I cannot honour your request.'
.format(self.name), file=sys.stderr, flush=True)
else:
willtag = False
return willtag
|
will_tag
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n wanttags = self.retrieve_config('Tag', 'no')\n if wanttags == 'yes':\n if aux.staggerexists:\n willtag = True\n else:\n willtag = False\n print(\n 'You want me to tag {0}, but you have not installed the Stagger module. I cannot honour your request.'\n .format(self.name), file=sys.stderr, flush=True)\n else:\n willtag = False\n return willtag\n",
"role": "user"
},
{
"content": "will_tag",
"role": "assistant"
}
] |
def x(self):
if self.linkdates != []:
if max(self.linkdates) <= list(time.localtime()):
currentdate = max(self.linkdates)
else:
currentdate = list(time.localtime())
print(
'This entry has its date set in the future. I will use your current local time as its date instead.'
, file=sys.stderr, flush=True)
stop = sys.maxsize
else:
currentdate = [1, 1, 1, 0, 0]
firstsync = self.retrieve_config('firstsync', '1')
if firstsync == 'all':
stop = sys.maxsize
else:
stop = int(firstsync)
return currentdate, stop
|
how_many
|
[
{
"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.linkdates != []:\n if max(self.linkdates) <= list(time.localtime()):\n currentdate = max(self.linkdates)\n else:\n currentdate = list(time.localtime())\n print(\n 'This entry has its date set in the future. I will use your current local time as its date instead.'\n , file=sys.stderr, flush=True)\n stop = sys.maxsize\n else:\n currentdate = [1, 1, 1, 0, 0]\n firstsync = self.retrieve_config('firstsync', '1')\n if firstsync == 'all':\n stop = sys.maxsize\n else:\n stop = int(firstsync)\n return currentdate, stop\n",
"role": "user"
},
{
"content": "how_many",
"role": "assistant"
}
] |
def x(self, entry):
if self.sync_by_date:
try:
entry.linkdate = list(entry.published_parsed)
self.linkdate = list(entry.published_parsed)
except (AttributeError, TypeError):
try:
entry.linkdate = list(entry.updated_parsed)
self.linkdate = list(entry.updated_parsed)
except (AttributeError, TypeError):
print(
"This entry doesn't seem to have a parseable date. I will use your local time instead."
, file=sys.stderr, flush=True)
entry.linkdate = list(time.localtime())
self.linkdate = list(time.localtime())
else:
entry.linkdate = list(time.localtime())
|
fix_linkdate
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, entry):\n if self.sync_by_date:\n try:\n entry.linkdate = list(entry.published_parsed)\n self.linkdate = list(entry.published_parsed)\n except (AttributeError, TypeError):\n try:\n entry.linkdate = list(entry.updated_parsed)\n self.linkdate = list(entry.updated_parsed)\n except (AttributeError, TypeError):\n print(\n \"This entry doesn't seem to have a parseable date. I will use your local time instead.\"\n , file=sys.stderr, flush=True)\n entry.linkdate = list(time.localtime())\n self.linkdate = list(time.localtime())\n else:\n entry.linkdate = list(time.localtime())\n",
"role": "user"
},
{
"content": "fix_linkdate",
"role": "assistant"
}
] |
def x(self):
mime = self.retrieve_config('mime', 'audio')
mimedict = {'number': mime}
return aux.parse_for_download(mimedict)
|
retrieve_mime
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n mime = self.retrieve_config('mime', 'audio')\n mimedict = {'number': mime}\n return aux.parse_for_download(mimedict)\n",
"role": "user"
},
{
"content": "retrieve_mime",
"role": "assistant"
}
] |
def x(self, entry):
downloadlinks = {}
downloaded = False
ignoreenclosures = self.retrieve_config('ignoreenclosures', 'no')
notype = self.retrieve_config('notype', 'no')
if ignoreenclosures == 'no':
for enclosure in entry.enclosures:
if notype == 'yes':
downloadlinks[urlparse(enclosure['href']).path.split('/')[-1]
] = enclosure['href']
else:
try:
if any([(mimetype in enclosure['type']) for mimetype in
self.mime]):
downloadlinks[urlparse(enclosure['href']).path.
split('/')[-1]] = enclosure['href']
except KeyError:
print(
'This podcast carries no information about enclosure types. Try using the notype option in your greg.conf'
, file=sys.stderr, flush=True)
else:
downloadlinks[urlparse(entry.link).query.split('/')[-1]] = entry.link
for podname in downloadlinks:
if (podname, entry.linkdate) not in zip(self.entrylinks, self.linkdates
):
try:
title = entry.title
except:
title = podname
try:
sanitizedsummary = aux.html_to_text(entry.summary)
if sanitizedsummary == '':
sanitizedsummary = 'No summary available'
except:
sanitizedsummary = 'No summary available'
try:
placeholders = Placeholders(self, entry, downloadlinks[
podname], podname, title, sanitizedsummary)
placeholders = aux.check_directory(placeholders)
condition = aux.filtercond(placeholders)
if condition:
print('Downloading {} -- {}'.format(title, podname))
aux.download_handler(self, placeholders)
if self.willtag:
aux.tag(placeholders)
downloaded = True
else:
print('Skipping {} -- {}'.format(title, podname))
downloaded = False
if self.info:
with open(self.info, 'a') as current:
current.write(''.join([podname, ' ', str(entry.
linkdate), '\n']))
except URLError:
sys.exit(
'... something went wrong. Are you connected to the internet?'
)
return downloaded
|
download_entry
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, entry):\n downloadlinks = {}\n downloaded = False\n ignoreenclosures = self.retrieve_config('ignoreenclosures', 'no')\n notype = self.retrieve_config('notype', 'no')\n if ignoreenclosures == 'no':\n for enclosure in entry.enclosures:\n if notype == 'yes':\n downloadlinks[urlparse(enclosure['href']).path.split('/')[-1]\n ] = enclosure['href']\n else:\n try:\n if any([(mimetype in enclosure['type']) for mimetype in\n self.mime]):\n downloadlinks[urlparse(enclosure['href']).path.\n split('/')[-1]] = enclosure['href']\n except KeyError:\n print(\n 'This podcast carries no information about enclosure types. Try using the notype option in your greg.conf'\n , file=sys.stderr, flush=True)\n else:\n downloadlinks[urlparse(entry.link).query.split('/')[-1]] = entry.link\n for podname in downloadlinks:\n if (podname, entry.linkdate) not in zip(self.entrylinks, self.linkdates\n ):\n try:\n title = entry.title\n except:\n title = podname\n try:\n sanitizedsummary = aux.html_to_text(entry.summary)\n if sanitizedsummary == '':\n sanitizedsummary = 'No summary available'\n except:\n sanitizedsummary = 'No summary available'\n try:\n placeholders = Placeholders(self, entry, downloadlinks[\n podname], podname, title, sanitizedsummary)\n placeholders = aux.check_directory(placeholders)\n condition = aux.filtercond(placeholders)\n if condition:\n print('Downloading {} -- {}'.format(title, podname))\n aux.download_handler(self, placeholders)\n if self.willtag:\n aux.tag(placeholders)\n downloaded = True\n else:\n print('Skipping {} -- {}'.format(title, podname))\n downloaded = False\n if self.info:\n with open(self.info, 'a') as current:\n current.write(''.join([podname, ' ', str(entry.\n linkdate), '\\n']))\n except URLError:\n sys.exit(\n '... something went wrong. Are you connected to the internet?'\n )\n return downloaded\n",
"role": "user"
},
{
"content": "download_entry",
"role": "assistant"
}
] |
def x():
args = parser.parse_args()
try:
function = args.func
except AttributeError:
parser.print_usage()
parser.exit(1)
function(vars(args))
|
main
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n args = parser.parse_args()\n try:\n function = args.func\n except AttributeError:\n parser.print_usage()\n parser.exit(1)\n function(vars(args))\n",
"role": "user"
},
{
"content": "main",
"role": "assistant"
}
] |
def x(args):
session = c.Session(args)
if args['name'] in session.feeds.sections():
sys.exit('You already have a feed with that name.')
if args['name'] in ['all', 'DEFAULT']:
sys.exit(
'greg uses {} for a special purpose.Please choose another name for your feed.'
.format(args['name']))
entry = {}
for key, value in args.items():
if value is not None and key != 'func' and key != 'name':
entry[key] = value
session.feeds[args['name']] = entry
with open(session.data_filename, 'w') as configfile:
session.feeds.write(configfile)
|
add
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(args):\n session = c.Session(args)\n if args['name'] in session.feeds.sections():\n sys.exit('You already have a feed with that name.')\n if args['name'] in ['all', 'DEFAULT']:\n sys.exit(\n 'greg uses {} for a special purpose.Please choose another name for your feed.'\n .format(args['name']))\n entry = {}\n for key, value in args.items():\n if value is not None and key != 'func' and key != 'name':\n entry[key] = value\n session.feeds[args['name']] = entry\n with open(session.data_filename, 'w') as configfile:\n session.feeds.write(configfile)\n",
"role": "user"
},
{
"content": "add",
"role": "assistant"
}
] |
def x(args):
session = c.Session(args)
if not args['name'] in session.feeds:
sys.exit("You don't have a feed with that name.")
inputtext = 'Are you sure you want to remove the {} feed? (y/N) '.format(
args['name'])
reply = input(inputtext)
if reply != 'y' and reply != 'Y':
return 0
else:
session.feeds.remove_section(args['name'])
with open(session.data_filename, 'w') as configfile:
session.feeds.write(configfile)
try:
os.remove(os.path.join(session.data_dir, args['name']))
except FileNotFoundError:
pass
|
remove
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(args):\n session = c.Session(args)\n if not args['name'] in session.feeds:\n sys.exit(\"You don't have a feed with that name.\")\n inputtext = 'Are you sure you want to remove the {} feed? (y/N) '.format(\n args['name'])\n reply = input(inputtext)\n if reply != 'y' and reply != 'Y':\n return 0\n else:\n session.feeds.remove_section(args['name'])\n with open(session.data_filename, 'w') as configfile:\n session.feeds.write(configfile)\n try:\n os.remove(os.path.join(session.data_dir, args['name']))\n except FileNotFoundError:\n pass\n",
"role": "user"
},
{
"content": "remove",
"role": "assistant"
}
] |
def x(args):
session = c.Session(args)
if 'all' in args['names']:
feeds = session.list_feeds()
else:
feeds = args['names']
for feed in feeds:
aux.pretty_print(session, feed)
|
info
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(args):\n session = c.Session(args)\n if 'all' in args['names']:\n feeds = session.list_feeds()\n else:\n feeds = args['names']\n for feed in feeds:\n aux.pretty_print(session, feed)\n",
"role": "user"
},
{
"content": "info",
"role": "assistant"
}
] |
def x(args):
import operator
session = c.Session(args)
if 'all' in args['names']:
targetfeeds = session.list_feeds()
else:
targetfeeds = []
for name in args['names']:
if name not in session.feeds:
print("You don't have a feed called {}.".format(name), file
=sys.stderr, flush=True)
else:
targetfeeds.append(name)
for target in targetfeeds:
feed = c.Feed(session, target, None)
if not feed.wentwrong:
try:
title = feed.podcast.target.title
except AttributeError:
title = target
print('Checking', title, end='...\n')
currentdate, stop = feed.how_many()
entrycounter = 0
entries_to_download = feed.podcast.entries
for entry in entries_to_download:
feed.fix_linkdate(entry)
if stop >= len(entries_to_download):
entries_to_download.sort(key=operator.attrgetter('linkdate'
), reverse=False)
for entry in entries_to_download:
if entry.linkdate > currentdate:
downloaded = feed.download_entry(entry)
entrycounter += downloaded
if entrycounter >= stop:
break
print('Done')
else:
msg = ''.join(['I cannot sync ', feed,
' just now. Are you connected to the internet?'])
print(msg, file=sys.stderr, flush=True)
|
sync
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(args):\n import operator\n session = c.Session(args)\n if 'all' in args['names']:\n targetfeeds = session.list_feeds()\n else:\n targetfeeds = []\n for name in args['names']:\n if name not in session.feeds:\n print(\"You don't have a feed called {}.\".format(name), file\n =sys.stderr, flush=True)\n else:\n targetfeeds.append(name)\n for target in targetfeeds:\n feed = c.Feed(session, target, None)\n if not feed.wentwrong:\n try:\n title = feed.podcast.target.title\n except AttributeError:\n title = target\n print('Checking', title, end='...\\n')\n currentdate, stop = feed.how_many()\n entrycounter = 0\n entries_to_download = feed.podcast.entries\n for entry in entries_to_download:\n feed.fix_linkdate(entry)\n if stop >= len(entries_to_download):\n entries_to_download.sort(key=operator.attrgetter('linkdate'\n ), reverse=False)\n for entry in entries_to_download:\n if entry.linkdate > currentdate:\n downloaded = feed.download_entry(entry)\n entrycounter += downloaded\n if entrycounter >= stop:\n break\n print('Done')\n else:\n msg = ''.join(['I cannot sync ', feed,\n ' just now. Are you connected to the internet?'])\n print(msg, file=sys.stderr, flush=True)\n",
"role": "user"
},
{
"content": "sync",
"role": "assistant"
}
] |
def x(args):
session = c.Session(args)
if str(args['url']) != 'None':
url = args['url']
name = 'DEFAULT'
else:
try:
url = session.feeds[args['feed']]['url']
name = args['feed']
except KeyError:
sys.exit("You don't appear to have a feed with that name.")
podcast = aux.parse_podcast(url)
for entry in enumerate(podcast.entries):
listentry = list(entry)
print(listentry[0], end=': ')
try:
print(listentry[1]['title'], end=' (')
except:
print(listentry[1]['link'], end=' (')
try:
print(listentry[1]['updated'], end=')')
except:
print('', end=')')
print()
dumpfilename = os.path.join(session.data_dir, 'feeddump')
with open(dumpfilename, mode='wb') as dumpfile:
dump = [name, podcast]
pickle.dump(dump, dumpfile)
|
check
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(args):\n session = c.Session(args)\n if str(args['url']) != 'None':\n url = args['url']\n name = 'DEFAULT'\n else:\n try:\n url = session.feeds[args['feed']]['url']\n name = args['feed']\n except KeyError:\n sys.exit(\"You don't appear to have a feed with that name.\")\n podcast = aux.parse_podcast(url)\n for entry in enumerate(podcast.entries):\n listentry = list(entry)\n print(listentry[0], end=': ')\n try:\n print(listentry[1]['title'], end=' (')\n except:\n print(listentry[1]['link'], end=' (')\n try:\n print(listentry[1]['updated'], end=')')\n except:\n print('', end=')')\n print()\n dumpfilename = os.path.join(session.data_dir, 'feeddump')\n with open(dumpfilename, mode='wb') as dumpfile:\n dump = [name, podcast]\n pickle.dump(dump, dumpfile)\n",
"role": "user"
},
{
"content": "check",
"role": "assistant"
}
] |
def x(args):
session = c.Session(args)
issues = aux.parse_for_download(args)
if issues == ['']:
sys.exit('You need to give a list of issues, of the form a, b-c, d...')
dumpfilename = os.path.join(session.data_dir, 'feeddump')
if not os.path.isfile(dumpfilename):
sys.exit('You need to run greg check<feed> before using greg download.'
)
with open(dumpfilename, mode='rb') as dumpfile:
dump = pickle.load(dumpfile)
try:
feed = c.Feed(session, dump[0], dump[1])
except Exception:
sys.exit(
'... something went wrong.Are you sure your last greg check went well?'
)
for number in issues:
entry = dump[1].entries[eval(number)]
feed.info = []
feed.entrylinks = []
feed.fix_linkdate(entry)
feed.download_entry(entry)
|
download
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(args):\n session = c.Session(args)\n issues = aux.parse_for_download(args)\n if issues == ['']:\n sys.exit('You need to give a list of issues, of the form a, b-c, d...')\n dumpfilename = os.path.join(session.data_dir, 'feeddump')\n if not os.path.isfile(dumpfilename):\n sys.exit('You need to run greg check<feed> before using greg download.'\n )\n with open(dumpfilename, mode='rb') as dumpfile:\n dump = pickle.load(dumpfile)\n try:\n feed = c.Feed(session, dump[0], dump[1])\n except Exception:\n sys.exit(\n '... something went wrong.Are you sure your last greg check went well?'\n )\n for number in issues:\n entry = dump[1].entries[eval(number)]\n feed.info = []\n feed.entrylinks = []\n feed.fix_linkdate(entry)\n feed.download_entry(entry)\n",
"role": "user"
},
{
"content": "download",
"role": "assistant"
}
] |
def x(url):
try:
podcast = feedparser.parse(url)
wentwrong = 'urlopen' in str(podcast['bozo_exception'])
except KeyError:
wentwrong = False
if wentwrong:
print('Error: ', url, ': ', str(podcast['bozo_exception']))
return podcast
|
parse_podcast
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(url):\n try:\n podcast = feedparser.parse(url)\n wentwrong = 'urlopen' in str(podcast['bozo_exception'])\n except KeyError:\n wentwrong = False\n if wentwrong:\n print('Error: ', url, ': ', str(podcast['bozo_exception']))\n return podcast\n",
"role": "user"
},
{
"content": "parse_podcast",
"role": "assistant"
}
] |
def x(placeholders):
feed = placeholders.feed
args = feed.args
placeholders.directory = 'This very directory'
placeholders.fullpath = os.path.join(placeholders.directory,
placeholders.filename)
try:
if args['downloaddirectory']:
ensure_dir(args['downloaddirectory'])
placeholders.directory = args['downloaddirectory']
except KeyError:
pass
download_path = os.path.expanduser(feed.retrieve_config(
'Download Directory', '~/Podcasts'))
subdirectory = feed.retrieve_config('Create subdirectory', 'no')
if 'no' in subdirectory:
placeholders.directory = download_path
elif 'yes' in subdirectory:
subdnametemplate = feed.retrieve_config('subdirectory_name',
'{podcasttitle}')
subdname = substitute_placeholders(subdnametemplate, placeholders)
placeholders.directory = os.path.join(download_path, subdname)
ensure_dir(placeholders.directory)
placeholders.fullpath = os.path.join(placeholders.directory,
placeholders.filename)
return placeholders
|
check_directory
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(placeholders):\n feed = placeholders.feed\n args = feed.args\n placeholders.directory = 'This very directory'\n placeholders.fullpath = os.path.join(placeholders.directory,\n placeholders.filename)\n try:\n if args['downloaddirectory']:\n ensure_dir(args['downloaddirectory'])\n placeholders.directory = args['downloaddirectory']\n except KeyError:\n pass\n download_path = os.path.expanduser(feed.retrieve_config(\n 'Download Directory', '~/Podcasts'))\n subdirectory = feed.retrieve_config('Create subdirectory', 'no')\n if 'no' in subdirectory:\n placeholders.directory = download_path\n elif 'yes' in subdirectory:\n subdnametemplate = feed.retrieve_config('subdirectory_name',\n '{podcasttitle}')\n subdname = substitute_placeholders(subdnametemplate, placeholders)\n placeholders.directory = os.path.join(download_path, subdname)\n ensure_dir(placeholders.directory)\n placeholders.fullpath = os.path.join(placeholders.directory,\n placeholders.filename)\n return placeholders\n",
"role": "user"
},
{
"content": "check_directory",
"role": "assistant"
}
] |
def x(args):
single_arg = ''
list_of_feeds = []
for arg in args['number']:
single_arg = ''.join([single_arg, ' ', arg])
single_arg = single_arg.translate({(32): None})
for group in single_arg.split(sep=','):
if not '-' in group:
list_of_feeds.append(group)
else:
extremes = group.split(sep='-')
list_of_feeds = list_of_feeds + [str(x) for x in range(eval(
extremes[0]), eval(extremes[1]) + 1)]
return list_of_feeds
|
parse_for_download
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(args):\n single_arg = ''\n list_of_feeds = []\n for arg in args['number']:\n single_arg = ''.join([single_arg, ' ', arg])\n single_arg = single_arg.translate({(32): None})\n for group in single_arg.split(sep=','):\n if not '-' in group:\n list_of_feeds.append(group)\n else:\n extremes = group.split(sep='-')\n list_of_feeds = list_of_feeds + [str(x) for x in range(eval(\n extremes[0]), eval(extremes[1]) + 1)]\n return list_of_feeds\n",
"role": "user"
},
{
"content": "parse_for_download",
"role": "assistant"
}
] |
def x(placeholders):
template = placeholders.feed.retrieve_config('file_to_tag', '{filename}')
filename = substitute_placeholders(template, placeholders)
podpath = os.path.join(placeholders.directory, filename)
tagdict = placeholders.feed.defaulttagdict
try:
feedoptions = placeholders.feed.config.options(placeholders.name)
tags = [[option.replace('tag_', ''), placeholders.feed.config[
placeholders.name][option]] for option in feedoptions if 'tag_' in
option]
if tags:
for tag in tags:
tagdict[tag[0]] = tag[1]
except configparser.NoSectionError:
pass
for tag in tagdict:
metadata = substitute_placeholders(tagdict[tag], placeholders)
if metadata:
stagger.util.set_frames(podpath, {tag: metadata})
else:
stagger.util.remove_frames(podpath, tag)
|
tag
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(placeholders):\n template = placeholders.feed.retrieve_config('file_to_tag', '{filename}')\n filename = substitute_placeholders(template, placeholders)\n podpath = os.path.join(placeholders.directory, filename)\n tagdict = placeholders.feed.defaulttagdict\n try:\n feedoptions = placeholders.feed.config.options(placeholders.name)\n tags = [[option.replace('tag_', ''), placeholders.feed.config[\n placeholders.name][option]] for option in feedoptions if 'tag_' in\n option]\n if tags:\n for tag in tags:\n tagdict[tag[0]] = tag[1]\n except configparser.NoSectionError:\n pass\n for tag in tagdict:\n metadata = substitute_placeholders(tagdict[tag], placeholders)\n if metadata:\n stagger.util.set_frames(podpath, {tag: metadata})\n else:\n stagger.util.remove_frames(podpath, tag)\n",
"role": "user"
},
{
"content": "tag",
"role": "assistant"
}
] |
def x(feed, placeholders):
import shlex
"""
Parse and execute the download handler
"""
value = feed.retrieve_config('downloadhandler', 'greg')
if value == 'greg':
while os.path.isfile(placeholders.fullpath):
placeholders.fullpath = placeholders.fullpath + '_'
placeholders.filename = placeholders.filename + '_'
urlretrieve(placeholders.link, placeholders.fullpath)
else:
value_list = shlex.split(value)
instruction_list = [substitute_placeholders(part, placeholders) for
part in value_list]
returncode = subprocess.call(instruction_list)
if returncode:
raise URLError
|
download_handler
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(feed, placeholders):\n import shlex\n \"\"\"\n Parse and execute the download handler\n \"\"\"\n value = feed.retrieve_config('downloadhandler', 'greg')\n if value == 'greg':\n while os.path.isfile(placeholders.fullpath):\n placeholders.fullpath = placeholders.fullpath + '_'\n placeholders.filename = placeholders.filename + '_'\n urlretrieve(placeholders.link, placeholders.fullpath)\n else:\n value_list = shlex.split(value)\n instruction_list = [substitute_placeholders(part, placeholders) for\n part in value_list]\n returncode = subprocess.call(instruction_list)\n if returncode:\n raise URLError\n",
"role": "user"
},
{
"content": "download_handler",
"role": "assistant"
}
] |
def x(infofile):
entrylinks = []
linkdates = []
try:
with open(infofile, 'r') as previous:
for line in previous:
entrylinks.append(line.split(sep=' ')[0])
linkdates.append(eval(line.split(sep=' ', maxsplit=1)[1]))
except FileNotFoundError:
pass
return entrylinks, linkdates
|
parse_feed_info
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(infofile):\n entrylinks = []\n linkdates = []\n try:\n with open(infofile, 'r') as previous:\n for line in previous:\n entrylinks.append(line.split(sep=' ')[0])\n linkdates.append(eval(line.split(sep=' ', maxsplit=1)[1]))\n except FileNotFoundError:\n pass\n return entrylinks, linkdates\n",
"role": "user"
},
{
"content": "parse_feed_info",
"role": "assistant"
}
] |
def x(session, feed):
if feed in session.feeds:
print()
feed_info = os.path.join(session.data_dir, feed)
entrylinks, linkdates = parse_feed_info(feed_info)
print(feed)
print('-' * len(feed))
print(''.join([' url: ', session.feeds[feed]['url']]))
if linkdates != []:
print(''.join([' Next sync will download from: ', time.
strftime('%d %b %Y %H:%M:%S', tuple(max(linkdates))), '.']))
else:
print("You don't have a feed called {}.".format(feed), file=sys.
stderr, flush=True)
|
pretty_print
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(session, feed):\n if feed in session.feeds:\n print()\n feed_info = os.path.join(session.data_dir, feed)\n entrylinks, linkdates = parse_feed_info(feed_info)\n print(feed)\n print('-' * len(feed))\n print(''.join([' url: ', session.feeds[feed]['url']]))\n if linkdates != []:\n print(''.join([' Next sync will download from: ', time.\n strftime('%d %b %Y %H:%M:%S', tuple(max(linkdates))), '.']))\n else:\n print(\"You don't have a feed called {}.\".format(feed), file=sys.\n stderr, flush=True)\n",
"role": "user"
},
{
"content": "pretty_print",
"role": "assistant"
}
] |
def x(inputstring, placeholders):
newst = inputstring.format(link=placeholders.link, filename=
placeholders.filename, directory=placeholders.directory, fullpath=
placeholders.fullpath, title=placeholders.title, filename_title=
placeholders.filename_title, date=placeholders.date_string(),
podcasttitle=placeholders.podcasttitle, filename_podcasttitle=
placeholders.filename_podcasttitle, name=placeholders.name,
subtitle=placeholders.sanitizedsubtitle, entrysummary=placeholders.
entrysummary)
return newst
|
substitute_placeholders
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(inputstring, placeholders):\n newst = inputstring.format(link=placeholders.link, filename=\n placeholders.filename, directory=placeholders.directory, fullpath=\n placeholders.fullpath, title=placeholders.title, filename_title=\n placeholders.filename_title, date=placeholders.date_string(),\n podcasttitle=placeholders.podcasttitle, filename_podcasttitle=\n placeholders.filename_podcasttitle, name=placeholders.name,\n subtitle=placeholders.sanitizedsubtitle, entrysummary=placeholders.\n entrysummary)\n return newst\n",
"role": "user"
},
{
"content": "substitute_placeholders",
"role": "assistant"
}
] |
def x(ctx, v):
ctx.index[v] = len(ctx.index)
ctx.lowlink[v] = ctx.index[v]
ctx.S.append(v)
ctx.S_set.add(v)
it = iter(ctx.g.get(v, ()))
ctx.T.append((it, False, v, None))
|
tarjan_head
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ctx, v):\n ctx.index[v] = len(ctx.index)\n ctx.lowlink[v] = ctx.index[v]\n ctx.S.append(v)\n ctx.S_set.add(v)\n it = iter(ctx.g.get(v, ()))\n ctx.T.append((it, False, v, None))\n",
"role": "user"
},
{
"content": "tarjan_head",
"role": "assistant"
}
] |
def x(ctx, it, v):
for w in it:
if w not in ctx.index:
ctx.T.append((it, True, v, w))
_tarjan_head(ctx, w)
return
if w in ctx.S_set:
ctx.lowlink[v] = min(ctx.lowlink[v], ctx.index[w])
if ctx.lowlink[v] == ctx.index[v]:
scc = []
w = None
while v != w:
w = ctx.S.pop()
scc.append(w)
ctx.S_set.remove(w)
ctx.ret.append(scc)
|
tarjan_body
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ctx, it, v):\n for w in it:\n if w not in ctx.index:\n ctx.T.append((it, True, v, w))\n _tarjan_head(ctx, w)\n return\n if w in ctx.S_set:\n ctx.lowlink[v] = min(ctx.lowlink[v], ctx.index[w])\n if ctx.lowlink[v] == ctx.index[v]:\n scc = []\n w = None\n while v != w:\n w = ctx.S.pop()\n scc.append(w)\n ctx.S_set.remove(w)\n ctx.ret.append(scc)\n",
"role": "user"
},
{
"content": "tarjan_body",
"role": "assistant"
}
] |
def x(g):
ctx = TarjanContext(g=g, S=[], S_set=set(), index={}, lowlink={}, T=[],
ret=[])
main_iter = iter(g)
while True:
try:
v = next(main_iter)
except StopIteration:
return
if v not in ctx.index:
_tarjan_head(ctx, v)
while ctx.T:
it, inside, v, w = ctx.T.pop()
if inside:
ctx.lowlink[v] = min(ctx.lowlink[w], ctx.lowlink[v])
_tarjan_body(ctx, it, v)
if ctx.ret:
assert len(ctx.ret) == 1
yield ctx.ret.pop()
|
tarjan_iter
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(g):\n ctx = TarjanContext(g=g, S=[], S_set=set(), index={}, lowlink={}, T=[],\n ret=[])\n main_iter = iter(g)\n while True:\n try:\n v = next(main_iter)\n except StopIteration:\n return\n if v not in ctx.index:\n _tarjan_head(ctx, v)\n while ctx.T:\n it, inside, v, w = ctx.T.pop()\n if inside:\n ctx.lowlink[v] = min(ctx.lowlink[w], ctx.lowlink[v])\n _tarjan_body(ctx, it, v)\n if ctx.ret:\n assert len(ctx.ret) == 1\n yield ctx.ret.pop()\n",
"role": "user"
},
{
"content": "tarjan_iter",
"role": "assistant"
}
] |
def x(g):
S = []
S_set = set()
index = {}
lowlink = {}
ret = []
def x(v):
index[v] = len(index)
lowlink[v] = index[v]
S.append(v)
S_set.add(v)
for w in g.get(v, ()):
if w not in index:
visit(w)
lowlink[v] = min(lowlink[w], lowlink[v])
elif w in S_set:
lowlink[v] = min(lowlink[v], index[w])
if lowlink[v] == index[v]:
scc = []
w = None
while v != w:
w = S.pop()
scc.append(w)
S_set.remove(w)
ret.append(scc)
for v in g:
if not v in index:
visit(v)
return ret
|
tarjan_recursive
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(g):\n S = []\n S_set = set()\n index = {}\n lowlink = {}\n ret = []\n\n def x(v):\n index[v] = len(index)\n lowlink[v] = index[v]\n S.append(v)\n S_set.add(v)\n for w in g.get(v, ()):\n if w not in index:\n visit(w)\n lowlink[v] = min(lowlink[w], lowlink[v])\n elif w in S_set:\n lowlink[v] = min(lowlink[v], index[w])\n if lowlink[v] == index[v]:\n scc = []\n w = None\n while v != w:\n w = S.pop()\n scc.append(w)\n S_set.remove(w)\n ret.append(scc)\n for v in g:\n if not v in index:\n visit(v)\n return ret\n",
"role": "user"
},
{
"content": "tarjan_recursive",
"role": "assistant"
}
] |
def x(H_diag, H_upper_diag, v):
T, D, _ = H_diag.shape
assert H_diag.ndim == 3 and H_diag.shape[2] == D
assert H_upper_diag.shape == (T - 1, D, D)
assert v.shape == (T, D)
out = np.matmul(H_diag, v[:, :, None])[:, :, 0]
out[:-1] += np.matmul(H_upper_diag, v[1:][:, :, None])[:, :, 0]
out[1:] += np.matmul(np.swapaxes(H_upper_diag, -2, -1), v[:-1][:, :, None]
)[:, :, 0]
return out
|
symm_block_tridiag_matmul
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(H_diag, H_upper_diag, v):\n T, D, _ = H_diag.shape\n assert H_diag.ndim == 3 and H_diag.shape[2] == D\n assert H_upper_diag.shape == (T - 1, D, D)\n assert v.shape == (T, D)\n out = np.matmul(H_diag, v[:, :, None])[:, :, 0]\n out[:-1] += np.matmul(H_upper_diag, v[1:][:, :, None])[:, :, 0]\n out[1:] += np.matmul(np.swapaxes(H_upper_diag, -2, -1), v[:-1][:, :, None]\n )[:, :, 0]\n return out\n",
"role": "user"
},
{
"content": "symm_block_tridiag_matmul",
"role": "assistant"
}
] |
def x(H_diag, H_upper_diag, lower=True):
T, D, _ = H_diag.shape
assert H_diag.ndim == 3 and H_diag.shape[2] == D
assert H_upper_diag.shape == (T - 1, D, D)
H_lower_diag = np.swapaxes(H_upper_diag, -2, -1)
ab = np.zeros((2 * D, T * D))
for d in range(D):
i = np.arange(d, D)
j = np.arange(0, D - d)
h = np.column_stack((H_diag[:, i, j], np.zeros((T, d))))
ab[d] = h.ravel()
for d in range(0, D):
i = np.arange(d, D)
j = np.arange(0, D - d)
h = np.column_stack((H_lower_diag[:, i, j], np.zeros((T - 1, d))))
ab[D + d, :D * (T - 1)] = h.ravel()
for d in range(1, D):
i = np.arange(0, D - d)
j = np.arange(d, D)
h = np.column_stack((np.zeros((T - 1, d)), H_lower_diag[:, i, j]))
ab[D - d, :D * (T - 1)] += h.ravel()
return ab if lower else transpose_lower_banded_matrix(ab)
|
convert_block_tridiag_to_banded
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(H_diag, H_upper_diag, lower=True):\n T, D, _ = H_diag.shape\n assert H_diag.ndim == 3 and H_diag.shape[2] == D\n assert H_upper_diag.shape == (T - 1, D, D)\n H_lower_diag = np.swapaxes(H_upper_diag, -2, -1)\n ab = np.zeros((2 * D, T * D))\n for d in range(D):\n i = np.arange(d, D)\n j = np.arange(0, D - d)\n h = np.column_stack((H_diag[:, i, j], np.zeros((T, d))))\n ab[d] = h.ravel()\n for d in range(0, D):\n i = np.arange(d, D)\n j = np.arange(0, D - d)\n h = np.column_stack((H_lower_diag[:, i, j], np.zeros((T - 1, d))))\n ab[D + d, :D * (T - 1)] = h.ravel()\n for d in range(1, D):\n i = np.arange(0, D - d)\n j = np.arange(d, D)\n h = np.column_stack((np.zeros((T - 1, d)), H_lower_diag[:, i, j]))\n ab[D - d, :D * (T - 1)] += h.ravel()\n return ab if lower else transpose_lower_banded_matrix(ab)\n",
"role": "user"
},
{
"content": "convert_block_tridiag_to_banded",
"role": "assistant"
}
] |
def x(H_diag, H_upper_diag, v, ab=None):
from scipy.linalg import solveh_banded
ab = convert_block_tridiag_to_banded(H_diag, H_upper_diag
) if ab is None else ab
x = solveh_banded(ab, v.ravel(), lower=True)
return x.reshape(v.shape)
|
scipy_solve_symm_block_tridiag
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(H_diag, H_upper_diag, v, ab=None):\n from scipy.linalg import solveh_banded\n ab = convert_block_tridiag_to_banded(H_diag, H_upper_diag\n ) if ab is None else ab\n x = solveh_banded(ab, v.ravel(), lower=True)\n return x.reshape(v.shape)\n",
"role": "user"
},
{
"content": "scipy_solve_symm_block_tridiag",
"role": "assistant"
}
] |
def x(H_diag, H_upper_diag):
T, D, _ = H_diag.shape
assert H_diag.ndim == 3 and H_diag.shape[2] == D
assert H_upper_diag.shape == (T - 1, D, D)
J_init = J_11 = J_22 = np.zeros((D, D))
h_init = h_1 = h_2 = np.zeros((D,))
J_21 = np.swapaxes(H_upper_diag, -1, -2)
J_node = H_diag
h_node = np.zeros((T, D))
y = info_sample(J_init, h_init, 0, J_11, J_21, J_22, h_1, h_2, np.zeros
(T - 1), J_node, h_node, np.zeros(T))
return y
|
sample_block_tridiag
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(H_diag, H_upper_diag):\n T, D, _ = H_diag.shape\n assert H_diag.ndim == 3 and H_diag.shape[2] == D\n assert H_upper_diag.shape == (T - 1, D, D)\n J_init = J_11 = J_22 = np.zeros((D, D))\n h_init = h_1 = h_2 = np.zeros((D,))\n J_21 = np.swapaxes(H_upper_diag, -1, -2)\n J_node = H_diag\n h_node = np.zeros((T, D))\n y = info_sample(J_init, h_init, 0, J_11, J_21, J_22, h_1, h_2, np.zeros\n (T - 1), J_node, h_node, np.zeros(T))\n return y\n",
"role": "user"
},
{
"content": "sample_block_tridiag",
"role": "assistant"
}
] |
def x(H_diag, H_upper_diag):
T, D, _ = H_diag.shape
assert H_diag.ndim == 3 and H_diag.shape[2] == D
assert H_upper_diag.shape == (T - 1, D, D)
J_init = J_11 = J_22 = np.zeros((D, D))
h_init = h_1 = h_2 = np.zeros((D,))
log_Z_init = 0
J_21 = np.swapaxes(H_upper_diag, -1, -2)
log_Z_pair = 0
J_node = H_diag
h_node = np.zeros((T, D))
log_Z_node = 0
logZ, _, _ = kalman_info_filter(J_init, h_init, log_Z_init, J_11, J_21,
J_22, h_1, h_2, log_Z_pair, J_node, h_node, log_Z_node)
logdetJ = -2 * (logZ - T * D / 2 * np.log(2 * np.pi))
return logdetJ
|
logdet_symm_block_tridiag
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(H_diag, H_upper_diag):\n T, D, _ = H_diag.shape\n assert H_diag.ndim == 3 and H_diag.shape[2] == D\n assert H_upper_diag.shape == (T - 1, D, D)\n J_init = J_11 = J_22 = np.zeros((D, D))\n h_init = h_1 = h_2 = np.zeros((D,))\n log_Z_init = 0\n J_21 = np.swapaxes(H_upper_diag, -1, -2)\n log_Z_pair = 0\n J_node = H_diag\n h_node = np.zeros((T, D))\n log_Z_node = 0\n logZ, _, _ = kalman_info_filter(J_init, h_init, log_Z_init, J_11, J_21,\n J_22, h_1, h_2, log_Z_pair, J_node, h_node, log_Z_node)\n logdetJ = -2 * (logZ - T * D / 2 * np.log(2 * np.pi))\n return logdetJ\n",
"role": "user"
},
{
"content": "logdet_symm_block_tridiag",
"role": "assistant"
}
] |
def x(H_diag, H_upper_diag):
T, D, _ = H_diag.shape
assert H_diag.ndim == 3 and H_diag.shape[2] == D
assert H_upper_diag.shape == (T - 1, D, D)
J_init = J_11 = J_22 = np.zeros((D, D))
h_init = h_1 = h_2 = np.zeros((D,))
J_21 = np.swapaxes(H_upper_diag, -1, -2)
J_node = H_diag
h_node = np.zeros((T, D))
_, _, sigmas, E_xt_xtp1 = info_E_step(J_init, h_init, 0, J_11, J_21,
J_22, h_1, h_2, np.zeros(T - 1), J_node, h_node, np.zeros(T))
return sigmas, E_xt_xtp1
|
compute_symm_block_tridiag_covariances
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(H_diag, H_upper_diag):\n T, D, _ = H_diag.shape\n assert H_diag.ndim == 3 and H_diag.shape[2] == D\n assert H_upper_diag.shape == (T - 1, D, D)\n J_init = J_11 = J_22 = np.zeros((D, D))\n h_init = h_1 = h_2 = np.zeros((D,))\n J_21 = np.swapaxes(H_upper_diag, -1, -2)\n J_node = H_diag\n h_node = np.zeros((T, D))\n _, _, sigmas, E_xt_xtp1 = info_E_step(J_init, h_init, 0, J_11, J_21,\n J_22, h_1, h_2, np.zeros(T - 1), J_node, h_node, np.zeros(T))\n return sigmas, E_xt_xtp1\n",
"role": "user"
},
{
"content": "compute_symm_block_tridiag_covariances",
"role": "assistant"
}
] |
def x(self):
T, N, C, D, b = (self.T, self.D_emission, self.C, self.D, self.
emission_distn.b)
indptr = [0]
indices = []
vals = []
offset = 0
X = np.hstack((self.gaussian_states, self.inputs))
for t in range(T):
y_t = np.zeros(N)
ns_t = self.data.indices[self.data.indptr[t]:self.data.indptr[t + 1]]
y_t[ns_t] = self.data.data[self.data.indptr[t]:self.data.indptr[t + 1]]
ll = self.emission_distn._elementwise_log_likelihood((X[t], y_t))
ll = ll.ravel()
log_p_exposed = np.log(self.rho) + ll
log_p_exposed -= np.log(np.exp(log_p_exposed) + (1 - self.rho) * (
y_t == 0))
z_t = np.random.rand(N) < np.exp(log_p_exposed)
t_inds = np.where(z_t)[0]
indices.append(t_inds)
vals.append(y_t[t_inds])
offset += t_inds.size
indptr.append(offset)
vals = np.concatenate(vals)
indices = np.concatenate(indices)
indptr = np.array(indptr)
self.masked_data = csr_matrix((vals, indices, indptr), shape=(T, N))
|
resample_zeroinflation_variables
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n T, N, C, D, b = (self.T, self.D_emission, self.C, self.D, self.\n emission_distn.b)\n indptr = [0]\n indices = []\n vals = []\n offset = 0\n X = np.hstack((self.gaussian_states, self.inputs))\n for t in range(T):\n y_t = np.zeros(N)\n ns_t = self.data.indices[self.data.indptr[t]:self.data.indptr[t + 1]]\n y_t[ns_t] = self.data.data[self.data.indptr[t]:self.data.indptr[t + 1]]\n ll = self.emission_distn._elementwise_log_likelihood((X[t], y_t))\n ll = ll.ravel()\n log_p_exposed = np.log(self.rho) + ll\n log_p_exposed -= np.log(np.exp(log_p_exposed) + (1 - self.rho) * (\n y_t == 0))\n z_t = np.random.rand(N) < np.exp(log_p_exposed)\n t_inds = np.where(z_t)[0]\n indices.append(t_inds)\n vals.append(y_t[t_inds])\n offset += t_inds.size\n indptr.append(offset)\n vals = np.concatenate(vals)\n indices = np.concatenate(indices)\n indptr = np.array(indptr)\n self.masked_data = csr_matrix((vals, indices, indptr), shape=(T, N))\n",
"role": "user"
},
{
"content": "resample_zeroinflation_variables",
"role": "assistant"
}
] |
def x(self, mus, sigmas, y):
T = mus.shape[0]
D = self.D_in
sigs_vec = sigmas.reshape((T, D ** 2))
ll = np.zeros((T, self.D_out))
for n in range(self.D_out):
an = self.A[n]
E_loglmbda = np.dot(mus, an)
ll[:, n] += y[:, n] * E_loglmbda
aa_vec = np.outer(an, an).reshape((D ** 2,))
ll[:, n] = -np.exp(E_loglmbda + 0.5 * np.dot(sigs_vec, aa_vec))
return ll
|
expected_log_likelihood
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, mus, sigmas, y):\n T = mus.shape[0]\n D = self.D_in\n sigs_vec = sigmas.reshape((T, D ** 2))\n ll = np.zeros((T, self.D_out))\n for n in range(self.D_out):\n an = self.A[n]\n E_loglmbda = np.dot(mus, an)\n ll[:, n] += y[:, n] * E_loglmbda\n aa_vec = np.outer(an, an).reshape((D ** 2,))\n ll[:, n] = -np.exp(E_loglmbda + 0.5 * np.dot(sigs_vec, aa_vec))\n return ll\n",
"role": "user"
},
{
"content": "expected_log_likelihood",
"role": "assistant"
}
] |
def x(self, data, weights=None, stats=None):
if isinstance(data, list):
x = np.vstack([d[0] for d in data])
y = np.vstack([d[1] for d in data])
elif isinstance(data, tuple):
assert len(data) == 2
elif isinstance(data, np.ndarray):
x, y = data[:, :self.D_in], data[:, self.D_in:]
else:
raise Exception('Invalid data type')
from sklearn.linear_model import LogisticRegression
for n in progprint_xrange(self.D_out):
lr = LogisticRegression(fit_intercept=False)
lr.fit(x, y[:, n])
self.A[n] = lr.coef_
|
max_likelihood
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data, weights=None, stats=None):\n if isinstance(data, list):\n x = np.vstack([d[0] for d in data])\n y = np.vstack([d[1] for d in data])\n elif isinstance(data, tuple):\n assert len(data) == 2\n elif isinstance(data, np.ndarray):\n x, y = data[:, :self.D_in], data[:, self.D_in:]\n else:\n raise Exception('Invalid data type')\n from sklearn.linear_model import LogisticRegression\n for n in progprint_xrange(self.D_out):\n lr = LogisticRegression(fit_intercept=False)\n lr.fit(x, y[:, n])\n self.A[n] = lr.coef_\n",
"role": "user"
},
{
"content": "max_likelihood",
"role": "assistant"
}
] |
def x(self, x):
T, D = self.T, self.D_latent
assert x.shape == (T, D)
ll = 0
for t in range(self.T):
ll += self.local_log_likelihood(x[t], self.data[t], self.inputs[t])
return ll
|
log_conditional_likelihood
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, x):\n T, D = self.T, self.D_latent\n assert x.shape == (T, D)\n ll = 0\n for t in range(self.T):\n ll += self.local_log_likelihood(x[t], self.data[t], self.inputs[t])\n return ll\n",
"role": "user"
},
{
"content": "log_conditional_likelihood",
"role": "assistant"
}
] |
def x(self, x):
T, D = self.T, self.D_latent
assert x.shape == (T, D)
gfun = grad(self.local_log_likelihood)
g = np.zeros((T, D))
for t in range(T):
g[t] += gfun(x[t], self.data[t], self.inputs[t])
return g
|
grad_local_log_likelihood
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, x):\n T, D = self.T, self.D_latent\n assert x.shape == (T, D)\n gfun = grad(self.local_log_likelihood)\n g = np.zeros((T, D))\n for t in range(T):\n g[t] += gfun(x[t], self.data[t], self.inputs[t])\n return g\n",
"role": "user"
},
{
"content": "grad_local_log_likelihood",
"role": "assistant"
}
] |
def x(self, x):
T, D = self.T, self.D_latent
assert x.shape == (T, D)
hfun = hessian(self.local_log_likelihood)
H_diag = np.zeros((T, D, D))
for t in range(T):
H_diag[t] = hfun(x[t], self.data[t], self.inputs[t])
return H_diag
|
hessian_local_log_likelihood
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, x):\n T, D = self.T, self.D_latent\n assert x.shape == (T, D)\n hfun = hessian(self.local_log_likelihood)\n H_diag = np.zeros((T, D, D))\n for t in range(T):\n H_diag[t] = hfun(x[t], self.data[t], self.inputs[t])\n return H_diag\n",
"role": "user"
},
{
"content": "hessian_local_log_likelihood",
"role": "assistant"
}
] |
def x(self, x):
T, D = self.T, self.D_latent
assert x.shape == (T, D)
J_diag, J_upper_diag = self.sparse_J_prior
lp = -0.5 * np.sum(x * symm_block_tridiag_matmul(J_diag, J_upper_diag, x))
_, h_init, log_Z_init = self.info_init_params
_, _, _, h1, h2, log_Z_dyn = self.info_dynamics_params
lp += x[0].dot(h_init)
lp += np.sum(x[:-1] * h1)
lp += np.sum(x[1:] * h2)
lp += log_Z_init
lp += np.sum(log_Z_dyn)
lp += self.log_conditional_likelihood(x)
return lp
|
log_joint
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, x):\n T, D = self.T, self.D_latent\n assert x.shape == (T, D)\n J_diag, J_upper_diag = self.sparse_J_prior\n lp = -0.5 * np.sum(x * symm_block_tridiag_matmul(J_diag, J_upper_diag, x))\n _, h_init, log_Z_init = self.info_init_params\n _, _, _, h1, h2, log_Z_dyn = self.info_dynamics_params\n lp += x[0].dot(h_init)\n lp += np.sum(x[:-1] * h1)\n lp += np.sum(x[1:] * h2)\n lp += log_Z_init\n lp += np.sum(log_Z_dyn)\n lp += self.log_conditional_likelihood(x)\n return lp\n",
"role": "user"
},
{
"content": "log_joint",
"role": "assistant"
}
] |
def x(self, x):
T, D = self.T, self.D_latent
assert x.shape == (T, D)
J_diag, J_upper_diag = self.sparse_J_prior
H_diag, H_upper_diag = -J_diag, -J_upper_diag
H_diag += self.hessian_local_log_likelihood(x)
H_diag -= 1e-08 * np.eye(D)
return H_diag, H_upper_diag
|
sparse_hessian_log_joint
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, x):\n T, D = self.T, self.D_latent\n assert x.shape == (T, D)\n J_diag, J_upper_diag = self.sparse_J_prior\n H_diag, H_upper_diag = -J_diag, -J_upper_diag\n H_diag += self.hessian_local_log_likelihood(x)\n H_diag -= 1e-08 * np.eye(D)\n return H_diag, H_upper_diag\n",
"role": "user"
},
{
"content": "sparse_hessian_log_joint",
"role": "assistant"
}
] |
def x(self, x):
T, D = self.T, self.D_latent
assert x.shape == (T, D)
_, h_init, _ = self.info_init_params
_, _, _, h1, h2, _ = self.info_dynamics_params
H_diag, H_upper_diag = self.sparse_J_prior
g = -1 * symm_block_tridiag_matmul(H_diag, H_upper_diag, x)
g[0] += h_init
g[:-1] += h1
g[1:] += h2
g += self.grad_local_log_likelihood(x)
return g
|
gradient_log_joint
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, x):\n T, D = self.T, self.D_latent\n assert x.shape == (T, D)\n _, h_init, _ = self.info_init_params\n _, _, _, h1, h2, _ = self.info_dynamics_params\n H_diag, H_upper_diag = self.sparse_J_prior\n g = -1 * symm_block_tridiag_matmul(H_diag, H_upper_diag, x)\n g[0] += h_init\n g[:-1] += h1\n g[1:] += h2\n g += self.grad_local_log_likelihood(x)\n return g\n",
"role": "user"
},
{
"content": "gradient_log_joint",
"role": "assistant"
}
] |
def x(self, tol=1e-06, stepsz=0.9, verbose=False):
from pylds.util import solve_symm_block_tridiag, scipy_solve_symm_block_tridiag
scale = self.T * self.D_emission
def x(x, stepsz):
assert 0 <= stepsz <= 1
g = self.gradient_log_joint(x)
H_diag, H_upper_diag = self.sparse_hessian_log_joint(x)
Hinv_g = -scipy_solve_symm_block_tridiag(-H_diag / scale, -
H_upper_diag / scale, g / scale)
return x - stepsz * Hinv_g
if verbose:
print('Fitting Laplace approximation')
itr = [0]
def x(x):
print('Iteration: ', itr[0], '\tObjective: ', (self.log_joint(x) /
scale).round(4), '\tAvg Grad: ', (self.gradient_log_joint(x).
mean() / scale).round(4))
itr[0] += 1
x = self.gaussian_states
dx = np.inf
while dx >= tol:
xnew = newton_step(x, stepsz)
dx = np.mean(abs(xnew - x))
x = xnew
if verbose:
cbk(x)
assert np.all(np.isfinite(x))
if verbose:
print('Done')
return x
|
laplace_approximation_newton
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, tol=1e-06, stepsz=0.9, verbose=False):\n from pylds.util import solve_symm_block_tridiag, scipy_solve_symm_block_tridiag\n scale = self.T * self.D_emission\n\n def x(x, stepsz):\n assert 0 <= stepsz <= 1\n g = self.gradient_log_joint(x)\n H_diag, H_upper_diag = self.sparse_hessian_log_joint(x)\n Hinv_g = -scipy_solve_symm_block_tridiag(-H_diag / scale, -\n H_upper_diag / scale, g / scale)\n return x - stepsz * Hinv_g\n if verbose:\n print('Fitting Laplace approximation')\n itr = [0]\n\n def x(x):\n print('Iteration: ', itr[0], '\\tObjective: ', (self.log_joint(x) /\n scale).round(4), '\\tAvg Grad: ', (self.gradient_log_joint(x).\n mean() / scale).round(4))\n itr[0] += 1\n x = self.gaussian_states\n dx = np.inf\n while dx >= tol:\n xnew = newton_step(x, stepsz)\n dx = np.mean(abs(xnew - x))\n x = xnew\n if verbose:\n cbk(x)\n assert np.all(np.isfinite(x))\n if verbose:\n print('Done')\n return x\n",
"role": "user"
},
{
"content": "laplace_approximation_newton",
"role": "assistant"
}
] |
def x(self, x):
lmbda = np.exp(np.dot(x, self.C.T) + np.dot(self.inputs, self.D.T))
return (self.data - lmbda).dot(self.C)
|
grad_local_log_likelihood
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, x):\n lmbda = np.exp(np.dot(x, self.C.T) + np.dot(self.inputs, self.D.T))\n return (self.data - lmbda).dot(self.C)\n",
"role": "user"
},
{
"content": "grad_local_log_likelihood",
"role": "assistant"
}
] |
def x(self, x):
lmbda = np.exp(np.dot(x, self.C.T) + np.dot(self.inputs, self.D.T))
return np.einsum('tn, ni, nj ->tij', -lmbda, self.C, self.C)
|
hessian_local_log_likelihood
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, x):\n lmbda = np.exp(np.dot(x, self.C.T) + np.dot(self.inputs, self.D.T))\n return np.einsum('tn, ni, nj ->tij', -lmbda, self.C, self.C)\n",
"role": "user"
},
{
"content": "hessian_local_log_likelihood",
"role": "assistant"
}
] |
def x(self, x):
C, D, u, y = self.C, self.D, self.inputs, self.data
psi = x.dot(C.T) + u.dot(D.T)
p = 1.0 / (1 + np.exp(-psi))
return (y - p).dot(C)
|
grad_local_log_likelihood
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, x):\n C, D, u, y = self.C, self.D, self.inputs, self.data\n psi = x.dot(C.T) + u.dot(D.T)\n p = 1.0 / (1 + np.exp(-psi))\n return (y - p).dot(C)\n",
"role": "user"
},
{
"content": "grad_local_log_likelihood",
"role": "assistant"
}
] |
def x(self, x):
C, D, u, y = self.C, self.D, self.inputs, self.data
psi = x.dot(C.T) + u.dot(D.T)
p = 1.0 / (1 + np.exp(-psi))
dp_dpsi = p * (1 - p)
return np.einsum('tn, ni, nj ->tij', -dp_dpsi, self.C, self.C)
|
hessian_local_log_likelihood
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, x):\n C, D, u, y = self.C, self.D, self.inputs, self.data\n psi = x.dot(C.T) + u.dot(D.T)\n p = 1.0 / (1 + np.exp(-psi))\n dp_dpsi = p * (1 - p)\n return np.einsum('tn, ni, nj ->tij', -dp_dpsi, self.C, self.C)\n",
"role": "user"
},
{
"content": "hessian_local_log_likelihood",
"role": "assistant"
}
] |
def x(self):
masked_datas = [s.masked_data.tocsc() for s in self.states_list]
xs = [np.hstack((s.gaussian_states, s.inputs)) for s in self.states_list]
for n in range(self.D_obs):
rowns = [md.indices[md.indptr[n]:md.indptr[n + 1]] for md in
masked_datas]
xns = [x[r] for x, r in zip(xs, rowns)]
yns = [s.masked_data.getcol(n).data for s in self.states_list]
maskns = [np.ones_like(y, dtype=bool) for y in yns]
omegans = [s.omega.getcol(n).data for s in self.states_list]
self.emission_distn._resample_row_of_emission_matrix(n, xns, yns,
maskns, omegans)
|
resample_emission_distn
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n masked_datas = [s.masked_data.tocsc() for s in self.states_list]\n xs = [np.hstack((s.gaussian_states, s.inputs)) for s in self.states_list]\n for n in range(self.D_obs):\n rowns = [md.indices[md.indptr[n]:md.indptr[n + 1]] for md in\n masked_datas]\n xns = [x[r] for x, r in zip(xs, rowns)]\n yns = [s.masked_data.getcol(n).data for s in self.states_list]\n maskns = [np.ones_like(y, dtype=bool) for y in yns]\n omegans = [s.omega.getcol(n).data for s in self.states_list]\n self.emission_distn._resample_row_of_emission_matrix(n, xns, yns,\n maskns, omegans)\n",
"role": "user"
},
{
"content": "resample_emission_distn",
"role": "assistant"
}
] |
def x(self, username, password, service='login', encoding='utf-8',
resetcreds=True):
@conv_func
def x(n_messages, messages, p_response, app_data):
addr = calloc(n_messages, sizeof(PamResponse))
response = cast(addr, POINTER(PamResponse))
p_response[0] = response
for i in range(n_messages):
if messages[i].contents.msg_style == PAM_PROMPT_ECHO_OFF:
dst = calloc(len(password) + 1, sizeof(c_char))
memmove(dst, cpassword, len(password))
response[i].resp = dst
response[i].resp_retcode = 0
return 0
if sys.version_info >= (3,):
if isinstance(username, str):
username = username.encode(encoding)
if isinstance(password, str):
password = password.encode(encoding)
if isinstance(service, str):
service = service.encode(encoding)
else:
if isinstance(username, unicode):
username = username.encode(encoding)
if isinstance(password, unicode):
password = password.encode(encoding)
if isinstance(service, unicode):
service = service.encode(encoding)
if b'\x00' in username or b'\x00' in password or b'\x00' in service:
self.code = 4
self.reason = 'strings may not contain NUL'
return False
cpassword = c_char_p(password)
handle = PamHandle()
conv = PamConv(my_conv, 0)
retval = pam_start(service, username, byref(conv), byref(handle))
if retval != 0:
self.code = retval
self.reason = 'pam_start() failed'
return False
retval = pam_authenticate(handle, 0)
auth_success = retval == 0
if auth_success and resetcreds:
retval = pam_setcred(handle, PAM_REINITIALIZE_CRED)
self.code = retval
self.reason = pam_strerror(handle, retval)
if sys.version_info >= (3,):
self.reason = self.reason.decode(encoding)
if hasattr(libpam, 'pam_end'):
pam_end(handle, retval)
return auth_success
|
authenticate
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, username, password, service='login', encoding='utf-8',\n resetcreds=True):\n\n @conv_func\n def x(n_messages, messages, p_response, app_data):\n addr = calloc(n_messages, sizeof(PamResponse))\n response = cast(addr, POINTER(PamResponse))\n p_response[0] = response\n for i in range(n_messages):\n if messages[i].contents.msg_style == PAM_PROMPT_ECHO_OFF:\n dst = calloc(len(password) + 1, sizeof(c_char))\n memmove(dst, cpassword, len(password))\n response[i].resp = dst\n response[i].resp_retcode = 0\n return 0\n if sys.version_info >= (3,):\n if isinstance(username, str):\n username = username.encode(encoding)\n if isinstance(password, str):\n password = password.encode(encoding)\n if isinstance(service, str):\n service = service.encode(encoding)\n else:\n if isinstance(username, unicode):\n username = username.encode(encoding)\n if isinstance(password, unicode):\n password = password.encode(encoding)\n if isinstance(service, unicode):\n service = service.encode(encoding)\n if b'\\x00' in username or b'\\x00' in password or b'\\x00' in service:\n self.code = 4\n self.reason = 'strings may not contain NUL'\n return False\n cpassword = c_char_p(password)\n handle = PamHandle()\n conv = PamConv(my_conv, 0)\n retval = pam_start(service, username, byref(conv), byref(handle))\n if retval != 0:\n self.code = retval\n self.reason = 'pam_start() failed'\n return False\n retval = pam_authenticate(handle, 0)\n auth_success = retval == 0\n if auth_success and resetcreds:\n retval = pam_setcred(handle, PAM_REINITIALIZE_CRED)\n self.code = retval\n self.reason = pam_strerror(handle, retval)\n if sys.version_info >= (3,):\n self.reason = self.reason.decode(encoding)\n if hasattr(libpam, 'pam_end'):\n pam_end(handle, retval)\n return auth_success\n",
"role": "user"
},
{
"content": "authenticate",
"role": "assistant"
}
] |
def x(self):
found_names = []
with open(self.filename) as f:
content = f.readlines()
for line in content:
line = line.strip()
if ' ' in line:
attribute, value = line.split(' ', 1)
attribute = attribute.strip()
value = value.strip()
if attribute.lower() in ['host']:
found_names.append(value)
return found_names
|
names
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n found_names = []\n with open(self.filename) as f:\n content = f.readlines()\n for line in content:\n line = line.strip()\n if ' ' in line:\n attribute, value = line.split(' ', 1)\n attribute = attribute.strip()\n value = value.strip()\n if attribute.lower() in ['host']:\n found_names.append(value)\n return found_names\n",
"role": "user"
},
{
"content": "names",
"role": "assistant"
}
] |
def x(self):
with open(self.filename) as f:
content = f.readlines()
content = [' '.join(x.split()).strip('\n').lstrip().split(' ', 1) for x in
content]
hosts = {}
host = 'NA'
for line in content:
if line[0].startswith('#') or line[0] is '':
pass
else:
attribute = line[0]
value = line[1]
if attribute.lower().strip() in ['Host', 'host']:
host = value
hosts[host] = {'host': host}
elif host in hosts:
hosts[host][attribute] = value
self.hosts = hosts
|
load
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n with open(self.filename) as f:\n content = f.readlines()\n content = [' '.join(x.split()).strip('\\n').lstrip().split(' ', 1) for x in\n content]\n hosts = {}\n host = 'NA'\n for line in content:\n if line[0].startswith('#') or line[0] is '':\n pass\n else:\n attribute = line[0]\n value = line[1]\n if attribute.lower().strip() in ['Host', 'host']:\n host = value\n hosts[host] = {'host': host}\n elif host in hosts:\n hosts[host][attribute] = value\n self.hosts = hosts\n",
"role": "user"
},
{
"content": "load",
"role": "assistant"
}
] |
def x(self, name, command):
if name in ['localhost']:
r = '\n'.join(Shell.sh('-c', command).split()[-1:])
else:
r = '\n'.join(Shell.ssh(name, command).split()[-1:])
return r
|
execute
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, command):\n if name in ['localhost']:\n r = '\\n'.join(Shell.sh('-c', command).split()[-1:])\n else:\n r = '\\n'.join(Shell.ssh(name, command).split()[-1:])\n return r\n",
"role": "user"
},
{
"content": "execute",
"role": "assistant"
}
] |
def x(self, key='india', host='india.futuresystems.org', username=None,
force=False, verbose=False):
data = {'host': host, 'key': key, 'username': username}
if verbose and key in self.names():
Console.error('{key} already in ~/.ssh/config'.format(**data),
traceflag=False)
return ''
else:
entry = dedent(
"""
Host {key}
Hostname {host}
User {username}
"""
.format(**data))
try:
with open(self.filename, 'a') as config_ssh:
config_ssh.write(entry)
config_ssh.close()
self.load()
if verbose:
Console.ok('Added india to ~/.ssh/config')
except Exception as e:
if verbose:
Console.error(e.message)
|
generate
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key='india', host='india.futuresystems.org', username=None,\n force=False, verbose=False):\n data = {'host': host, 'key': key, 'username': username}\n if verbose and key in self.names():\n Console.error('{key} already in ~/.ssh/config'.format(**data),\n traceflag=False)\n return ''\n else:\n entry = dedent(\n \"\"\"\n Host {key}\n Hostname {host}\n User {username}\n \"\"\"\n .format(**data))\n try:\n with open(self.filename, 'a') as config_ssh:\n config_ssh.write(entry)\n config_ssh.close()\n self.load()\n if verbose:\n Console.ok('Added india to ~/.ssh/config')\n except Exception as e:\n if verbose:\n Console.error(e.message)\n",
"role": "user"
},
{
"content": "generate",
"role": "assistant"
}
] |
def x(filename):
pwd = os.getcwd()
name = filename.replace(pwd, '$PWD')
try:
first, name = name.split('site-packages')
name += '... site'
except:
pass
loglevel = logging.CRITICAL
try:
level = grep('loglevel:', config_file('/cloudmesh_debug.yaml')).strip(
).split(':')[1].strip().lower()
if level.upper() == 'DEBUG':
loglevel = logging.DEBUG
elif level.upper() == 'INFO':
loglevel = logging.INFO
elif level.upper() == 'WARNING':
loglevel = logging.WARNING
elif level.upper() == 'ERROR':
loglevel = logging.ERROR
else:
level = logging.CRITICAL
except:
loglevel = logging.DEBUG
log = logging.getLogger(name)
log.setLevel(loglevel)
formatter = logging.Formatter(
'CM {0:>50}:%(lineno)s: %(levelname)6s - %(message)s'.format(name))
handler = logging.StreamHandler()
handler.setFormatter(formatter)
log.addHandler(handler)
return log
|
LOGGER
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename):\n pwd = os.getcwd()\n name = filename.replace(pwd, '$PWD')\n try:\n first, name = name.split('site-packages')\n name += '... site'\n except:\n pass\n loglevel = logging.CRITICAL\n try:\n level = grep('loglevel:', config_file('/cloudmesh_debug.yaml')).strip(\n ).split(':')[1].strip().lower()\n if level.upper() == 'DEBUG':\n loglevel = logging.DEBUG\n elif level.upper() == 'INFO':\n loglevel = logging.INFO\n elif level.upper() == 'WARNING':\n loglevel = logging.WARNING\n elif level.upper() == 'ERROR':\n loglevel = logging.ERROR\n else:\n level = logging.CRITICAL\n except:\n loglevel = logging.DEBUG\n log = logging.getLogger(name)\n log.setLevel(loglevel)\n formatter = logging.Formatter(\n 'CM {0:>50}:%(lineno)s: %(levelname)6s - %(message)s'.format(name))\n handler = logging.StreamHandler()\n handler.setFormatter(formatter)\n log.addHandler(handler)\n return log\n",
"role": "user"
},
{
"content": "LOGGER",
"role": "assistant"
}
] |
def x(d, prefix, new_prefix=''):
items = []
for k, v in d.items():
new_key = k
for p in prefix:
new_key = new_key.replace(p, new_prefix, 1)
items.append((new_key, v))
return dict(items)
|
key_prefix_replace
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(d, prefix, new_prefix=''):\n items = []\n for k, v in d.items():\n new_key = k\n for p in prefix:\n new_key = new_key.replace(p, new_prefix, 1)\n items.append((new_key, v))\n return dict(items)\n",
"role": "user"
},
{
"content": "key_prefix_replace",
"role": "assistant"
}
] |
def x(d, parent_key='', sep='__'):
if type(d) == list:
flat = []
for entry in d:
flat.append(flatten(entry, parent_key=parent_key, sep=sep))
return flat
else:
items = []
for k, v in d.items():
new_key = parent_key + sep + k if parent_key else k
if isinstance(v, collectionsAbc.MutableMapping):
items.extend(flatten(v, new_key, sep=sep).items())
else:
items.append((new_key, v))
return dict(items)
|
flatten
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(d, parent_key='', sep='__'):\n if type(d) == list:\n flat = []\n for entry in d:\n flat.append(flatten(entry, parent_key=parent_key, sep=sep))\n return flat\n else:\n items = []\n for k, v in d.items():\n new_key = parent_key + sep + k if parent_key else k\n if isinstance(v, collectionsAbc.MutableMapping):\n items.extend(flatten(v, new_key, sep=sep).items())\n else:\n items.append((new_key, v))\n return dict(items)\n",
"role": "user"
},
{
"content": "flatten",
"role": "assistant"
}
] |
def x(cls, obj, flatten=True):
dict_result = cls.object_to_dict(obj)
if flatten:
dict_result = FlatDict(dict_result)
return dict_result
|
convert
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, obj, flatten=True):\n dict_result = cls.object_to_dict(obj)\n if flatten:\n dict_result = FlatDict(dict_result)\n return dict_result\n",
"role": "user"
},
{
"content": "convert",
"role": "assistant"
}
] |
def x(cls, obj):
dict_obj = dict()
if obj is not None:
if type(obj) == list:
dict_list = []
for inst in obj:
dict_list.append(cls.object_to_dict(inst))
dict_obj['list'] = dict_list
elif not cls.is_primitive(obj):
for key in obj.__dict__:
if type(obj.__dict__[key]) == list:
dict_list = []
for inst in obj.__dict__[key]:
dict_list.append(cls.object_to_dict(inst))
dict_obj[key] = dict_list
elif not cls.is_primitive(obj.__dict__[key]):
temp_dict = cls.object_to_dict(obj.__dict__[key])
dict_obj[key] = temp_dict
else:
dict_obj[key] = obj.__dict__[key]
elif cls.is_primitive(obj):
return obj
return dict_obj
|
object_to_dict
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, obj):\n dict_obj = dict()\n if obj is not None:\n if type(obj) == list:\n dict_list = []\n for inst in obj:\n dict_list.append(cls.object_to_dict(inst))\n dict_obj['list'] = dict_list\n elif not cls.is_primitive(obj):\n for key in obj.__dict__:\n if type(obj.__dict__[key]) == list:\n dict_list = []\n for inst in obj.__dict__[key]:\n dict_list.append(cls.object_to_dict(inst))\n dict_obj[key] = dict_list\n elif not cls.is_primitive(obj.__dict__[key]):\n temp_dict = cls.object_to_dict(obj.__dict__[key])\n dict_obj[key] = temp_dict\n else:\n dict_obj[key] = obj.__dict__[key]\n elif cls.is_primitive(obj):\n return obj\n return dict_obj\n",
"role": "user"
},
{
"content": "object_to_dict",
"role": "assistant"
}
] |
def x(cls, error=None, debug=True, trace=True):
if debug and error is not None:
print(error)
if trace:
print(traceback.format_exc())
|
msg
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, error=None, debug=True, trace=True):\n if debug and error is not None:\n print(error)\n if trace:\n print(traceback.format_exc())\n",
"role": "user"
},
{
"content": "msg",
"role": "assistant"
}
] |
def x(cls, error=None, debug=True, trace=True):
Error.msg(error=error, debug=debug, trace=trace)
|
traceback
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, error=None, debug=True, trace=True):\n Error.msg(error=error, debug=debug, trace=trace)\n",
"role": "user"
},
{
"content": "traceback",
"role": "assistant"
}
] |
def x(text, indent=2, width=128):
return '\n'.join(textwrap.wrap(text, width=width, initial_indent=' ' *
indent, subsequent_indent=' ' * indent))
|
indent
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(text, indent=2, width=128):\n return '\\n'.join(textwrap.wrap(text, width=width, initial_indent=' ' *\n indent, subsequent_indent=' ' * indent))\n",
"role": "user"
},
{
"content": "indent",
"role": "assistant"
}
] |
def x(color=True):
if color:
Console.theme = Console.theme_color
else:
Console.theme = Console.theme_bw
Console.color = color
|
set_theme
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(color=True):\n if color:\n Console.theme = Console.theme_color\n else:\n Console.theme = Console.theme_bw\n Console.color = color\n",
"role": "user"
},
{
"content": "set_theme",
"role": "assistant"
}
] |
def x(cls, message, prefix=True, traceflag=False):
message = message or ''
if prefix:
text = 'ERROR: '
else:
text = ''
if cls.color:
cls.cprint('FAIL', text, str(message))
else:
print(cls.txt_msg(text + str(message)))
if traceflag and cls.debug:
trace = traceback.format_exc().strip()
if trace:
print()
print('Trace:')
print('\n '.join(str(trace).splitlines()))
print()
|
error
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, message, prefix=True, traceflag=False):\n message = message or ''\n if prefix:\n text = 'ERROR: '\n else:\n text = ''\n if cls.color:\n cls.cprint('FAIL', text, str(message))\n else:\n print(cls.txt_msg(text + str(message)))\n if traceflag and cls.debug:\n trace = traceback.format_exc().strip()\n if trace:\n print()\n print('Trace:')\n print('\\n '.join(str(trace).splitlines()))\n print()\n",
"role": "user"
},
{
"content": "error",
"role": "assistant"
}
] |
def x(message, prefix=True, traceflag=True):
message = message or ''
if prefix:
text = 'TODO: '
else:
text = ''
if Console.color:
Console.cprint('FAIL', text, str(message))
else:
print(Console.msg(text + str(message)))
trace = traceback.format_exc().strip()
if traceflag and trace != 'None':
print()
print('\n'.join(str(trace).splitlines()))
print()
|
TODO
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(message, prefix=True, traceflag=True):\n message = message or ''\n if prefix:\n text = 'TODO: '\n else:\n text = ''\n if Console.color:\n Console.cprint('FAIL', text, str(message))\n else:\n print(Console.msg(text + str(message)))\n trace = traceback.format_exc().strip()\n if traceflag and trace != 'None':\n print()\n print('\\n'.join(str(trace).splitlines()))\n print()\n",
"role": "user"
},
{
"content": "TODO",
"role": "assistant"
}
] |
def x(message):
message = message or ''
if Console.color:
Console.cprint('RED', 'DEBUG: ', message)
else:
print(Console.msg('DEBUG: ' + message))
|
debug_msg
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(message):\n message = message or ''\n if Console.color:\n Console.cprint('RED', 'DEBUG: ', message)\n else:\n print(Console.msg('DEBUG: ' + message))\n",
"role": "user"
},
{
"content": "debug_msg",
"role": "assistant"
}
] |
def x(message):
message = message or ''
if Console.color:
Console.cprint('OKBLUE', 'INFO: ', message)
else:
print(Console.msg('INFO: ' + message))
|
info
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(message):\n message = message or ''\n if Console.color:\n Console.cprint('OKBLUE', 'INFO: ', message)\n else:\n print(Console.msg('INFO: ' + message))\n",
"role": "user"
},
{
"content": "info",
"role": "assistant"
}
] |
def x(message):
message = message or ''
if Console.color:
Console.cprint('WARNING', 'WARNING: ', message)
else:
print(Console.msg('WARNING: ' + message))
|
warning
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(message):\n message = message or ''\n if Console.color:\n Console.cprint('WARNING', 'WARNING: ', message)\n else:\n print(Console.msg('WARNING: ' + message))\n",
"role": "user"
},
{
"content": "warning",
"role": "assistant"
}
] |
def x(message):
message = message or ''
if Console.color:
Console.cprint('OKGREEN', '', message)
else:
print(Console.msg(message))
|
ok
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(message):\n message = message or ''\n if Console.color:\n Console.cprint('OKGREEN', '', message)\n else:\n print(Console.msg(message))\n",
"role": "user"
},
{
"content": "ok",
"role": "assistant"
}
] |
def x(color, prefix, message):
message = message or ''
prefix = prefix or ''
print(Console.theme[color] + prefix + message + Console.theme['ENDC'])
|
cprint
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(color, prefix, message):\n message = message or ''\n prefix = prefix or ''\n print(Console.theme[color] + prefix + message + Console.theme['ENDC'])\n",
"role": "user"
},
{
"content": "cprint",
"role": "assistant"
}
] |
def x(cls, name):
if cls.debug:
print('Timer', name, 'started ...')
cls.timer_start[name] = time.time()
|
start
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, name):\n if cls.debug:\n print('Timer', name, 'started ...')\n cls.timer_start[name] = time.time()\n",
"role": "user"
},
{
"content": "start",
"role": "assistant"
}
] |
def x(cls, name):
cls.timer_end[name] = time.time()
if cls.debug:
print('Timer', name, 'stopped ...')
|
stop
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, name):\n cls.timer_end[name] = time.time()\n if cls.debug:\n print('Timer', name, 'stopped ...')\n",
"role": "user"
},
{
"content": "stop",
"role": "assistant"
}
] |
def x(cls, name):
if name in cls.timer_end:
cls.timer_elapsed[name] = cls.timer_end[name] - cls.timer_start[name]
return cls.timer_elapsed[name]
else:
return 'undefined'
|
get
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, name):\n if name in cls.timer_end:\n cls.timer_elapsed[name] = cls.timer_end[name] - cls.timer_start[name]\n return cls.timer_elapsed[name]\n else:\n return 'undefined'\n",
"role": "user"
},
{
"content": "get",
"role": "assistant"
}
] |
def x(cls, *args):
if cls.verbose:
if len(args) == 2:
print(args[0], str('{0:.2f}'.format(cls.get(args[1]))), 's')
else:
raise Exception('StopWatch: wrong number of arguments')
|
print
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, *args):\n if cls.verbose:\n if len(args) == 2:\n print(args[0], str('{0:.2f}'.format(cls.get(args[1]))), 's')\n else:\n raise Exception('StopWatch: wrong number of arguments')\n",
"role": "user"
},
{
"content": "print",
"role": "assistant"
}
] |
def x(cls, sysinfo=True):
if sysinfo:
data_platform = systeminfo()
print(Printer.attribute(data_platform, ['Machine Arribute', 'Time/s']))
timers = StopWatch.keys()
data_timers = {}
for timer in timers:
data_timers[timer] = {'time': round(StopWatch.get(timer), 2),
'timer': timer}
for attribute in ['node', 'system', 'machine', 'mac_version',
'win_version']:
data_timers[timer][attribute] = data_platform[attribute]
print(Printer.write(data_timers, order=['timer', 'time', 'node',
'system', 'mac_version', 'win_version']))
print()
print(Printer.write(data_timers, order=['timer', 'time', 'node',
'system', 'mac_version', 'win_version'], output='csv'))
|
benchmark
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, sysinfo=True):\n if sysinfo:\n data_platform = systeminfo()\n print(Printer.attribute(data_platform, ['Machine Arribute', 'Time/s']))\n timers = StopWatch.keys()\n data_timers = {}\n for timer in timers:\n data_timers[timer] = {'time': round(StopWatch.get(timer), 2),\n 'timer': timer}\n for attribute in ['node', 'system', 'machine', 'mac_version',\n 'win_version']:\n data_timers[timer][attribute] = data_platform[attribute]\n print(Printer.write(data_timers, order=['timer', 'time', 'node',\n 'system', 'mac_version', 'win_version']))\n print()\n print(Printer.write(data_timers, order=['timer', 'time', 'node',\n 'system', 'mac_version', 'win_version'], output='csv'))\n",
"role": "user"
},
{
"content": "benchmark",
"role": "assistant"
}
] |
def x(OD, mode='dict', s='', indent=' ' * 4, level=0):
def x(s):
try:
float(s)
return True
except ValueError:
return False
def x(s):
return s if is_number(s) else '"%s"' % s
if mode != 'dict':
kv_tpl = '("%s", %s)'
ST = 'OrderedDict([\n'
END = '])'
else:
kv_tpl = '"%s": %s'
ST = '{\n'
END = '}'
for i, k in enumerate(OD.keys()):
if type(OD[k]) in [dict, OrderedDict]:
level += 1
s += (level - 1) * indent + kv_tpl % (k, ST + dprint(OD[k],
mode=mode, indent=indent, level=level) + (level - 1) *
indent + END)
level -= 1
else:
s += level * indent + kv_tpl % (k, fstr(OD[k]))
if i != len(OD) - 1:
s += ','
s += '\n'
return s
|
dprint
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(OD, mode='dict', s='', indent=' ' * 4, level=0):\n\n def x(s):\n try:\n float(s)\n return True\n except ValueError:\n return False\n\n def x(s):\n return s if is_number(s) else '\"%s\"' % s\n if mode != 'dict':\n kv_tpl = '(\"%s\", %s)'\n ST = 'OrderedDict([\\n'\n END = '])'\n else:\n kv_tpl = '\"%s\": %s'\n ST = '{\\n'\n END = '}'\n for i, k in enumerate(OD.keys()):\n if type(OD[k]) in [dict, OrderedDict]:\n level += 1\n s += (level - 1) * indent + kv_tpl % (k, ST + dprint(OD[k],\n mode=mode, indent=indent, level=level) + (level - 1) *\n indent + END)\n level -= 1\n else:\n s += level * indent + kv_tpl % (k, fstr(OD[k]))\n if i != len(OD) - 1:\n s += ','\n s += '\\n'\n return s\n",
"role": "user"
},
{
"content": "dprint",
"role": "assistant"
}
] |
def x():
d = ConfigDict('cloudmesh.yaml')
print(d, end='')
d.info()
print(d['meta'])
print(d['meta.kind'])
print(d['meta']['kind'])
d.data['cloudmesh']['profile']['firstname'] = 'ABC'
print(d)
d.save()
import os
os.system('cat cmd3.yaml')
print(d.json)
print(d.filename)
print('YAML')
print(d.yaml)
|
main
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n d = ConfigDict('cloudmesh.yaml')\n print(d, end='')\n d.info()\n print(d['meta'])\n print(d['meta.kind'])\n print(d['meta']['kind'])\n d.data['cloudmesh']['profile']['firstname'] = 'ABC'\n print(d)\n d.save()\n import os\n os.system('cat cmd3.yaml')\n print(d.json)\n print(d.filename)\n print('YAML')\n print(d.yaml)\n",
"role": "user"
},
{
"content": "main",
"role": "assistant"
}
] |
def x(cls, filename, verbose=True):
filename = path_expand(filename)
file_contains_tabs = False
with open(filename, 'r') as f:
lines = f.read().split('\n')
line_no = 1
for line in lines:
if '\t' in line:
file_contains_tabs = True
location = [i for i in range(len(line)) if line.startswith('\t', i)
]
if verbose:
print('Tab found in line', line_no, 'and column(s)', location)
line_no += 1
return file_contains_tabs
|
check_file_for_tabs
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, filename, verbose=True):\n filename = path_expand(filename)\n file_contains_tabs = False\n with open(filename, 'r') as f:\n lines = f.read().split('\\n')\n line_no = 1\n for line in lines:\n if '\\t' in line:\n file_contains_tabs = True\n location = [i for i in range(len(line)) if line.startswith('\\t', i)\n ]\n if verbose:\n print('Tab found in line', line_no, 'and column(s)', location)\n line_no += 1\n return file_contains_tabs\n",
"role": "user"
},
{
"content": "check_file_for_tabs",
"role": "assistant"
}
] |
def x(cls, path):
current_dir = '.' + os.path.sep
if path.startswith(current_dir):
cwd = str(os.getcwd())
path = path.replace(current_dir, cwd, 1)
location = os.path.expandvars(os.path.expanduser(path))
return location
|
path_expand
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, path):\n current_dir = '.' + os.path.sep\n if path.startswith(current_dir):\n cwd = str(os.getcwd())\n path = path.replace(current_dir, cwd, 1)\n location = os.path.expandvars(os.path.expanduser(path))\n return location\n",
"role": "user"
},
{
"content": "path_expand",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.