source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(self, zconf, typ, name):
service = None
tries = 0
_LOGGER.debug('add_service %s, %s', typ, name)
while service is None and tries < 4:
try:
service = zconf.get_service_info(typ, name)
except IOError:
break
tries += 1
if not service:
_LOGGER.debug('add_service failed to add %s, %s', typ, name)
return
def x(key):
value = service.properties.get(key.encode('utf-8'))
if value is None or isinstance(value, str):
return value
return value.decode('utf-8')
ips = zconf.cache.entries_with_name(service.server.lower())
host = repr(ips[0]) if ips else service.server
model_name = get_value('md')
uuid = get_value('id')
friendly_name = get_value('fn')
if uuid:
uuid = UUID(uuid)
self.services[name] = host, service.port, uuid, model_name, friendly_name
if self.add_callback:
self.add_callback(name)
| add_service | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, zconf, typ, name):\n service = None\n tries = 0\n _LOGGER.debug('add_service %s, %s', typ, name)\n while service is None and tries < 4:\n try:\n service = zconf.get_service_info(typ, name)\n except IOError:\n break\n tries += 1\n if not service:\n _LOGGER.debug('add_service failed to add %s, %s', typ, name)\n return\n\n def x(key):\n value = service.properties.get(key.encode('utf-8'))\n if value is None or isinstance(value, str):\n return value\n return value.decode('utf-8')\n ips = zconf.cache.entries_with_name(service.server.lower())\n host = repr(ips[0]) if ips else service.server\n model_name = get_value('md')\n uuid = get_value('id')\n friendly_name = get_value('fn')\n if uuid:\n uuid = UUID(uuid)\n self.services[name] = host, service.port, uuid, model_name, friendly_name\n if self.add_callback:\n self.add_callback(name)\n",
"role": "user"
},
{
"content": "add_service",
"role": "assistant"
}
] |
def x(self, message, data):
if data['type'] == TYPE_RESPONSE_STATUS:
self.is_launched = True
return True
| receive_message | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, message, data):\n if data['type'] == TYPE_RESPONSE_STATUS:\n self.is_launched = True\n return True\n",
"role": "user"
},
{
"content": "receive_message",
"role": "assistant"
}
] |
def x(self, timeout=10):
def x():
self.send_message({'type': TYPE_STATUS, 'credentials': self.
access_token, 'expiresIn': self.expires})
self.launch(callback_function=callback)
while not self.is_launched and timeout:
time.sleep(1)
timeout -= 1
if not self.is_launched:
raise LaunchError(
'Timeout when waiting for status response from Spotify app')
| launch_app | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, timeout=10):\n\n def x():\n self.send_message({'type': TYPE_STATUS, 'credentials': self.\n access_token, 'expiresIn': self.expires})\n self.launch(callback_function=callback)\n while not self.is_launched and timeout:\n time.sleep(1)\n timeout -= 1\n if not self.is_launched:\n raise LaunchError(\n 'Timeout when waiting for status response from Spotify app')\n",
"role": "user"
},
{
"content": "launch_app",
"role": "assistant"
}
] |
def x(self, callback_function=None):
self._check_registered()
self._socket_client.receiver_controller.launch_app(self.
supporting_app_id, callback_function=callback_function)
| launch | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, callback_function=None):\n self._check_registered()\n self._socket_client.receiver_controller.launch_app(self.\n supporting_app_id, callback_function=callback_function)\n",
"role": "user"
},
{
"content": "launch",
"role": "assistant"
}
] |
def x(self, socket_client):
self._socket_client = socket_client
if self.target_platform:
self._message_func = self._socket_client.send_platform_message
else:
self._message_func = self._socket_client.send_app_message
| registered | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, socket_client):\n self._socket_client = socket_client\n if self.target_platform:\n self._message_func = self._socket_client.send_platform_message\n else:\n self._message_func = self._socket_client.send_app_message\n",
"role": "user"
},
{
"content": "registered",
"role": "assistant"
}
] |
def x(self, data, inc_session_id=False, callback_function=None):
self._check_registered()
if (not self.target_platform and self.namespace not in self.
_socket_client.app_namespaces):
if self.supporting_app_id is not None:
self.launch()
else:
raise UnsupportedNamespace(
'Namespace {} is not supported by runningapplication.'.
format(self.namespace))
return self._message_func(self.namespace, data, inc_session_id,
callback_function)
| send_message | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data, inc_session_id=False, callback_function=None):\n self._check_registered()\n if (not self.target_platform and self.namespace not in self.\n _socket_client.app_namespaces):\n if self.supporting_app_id is not None:\n self.launch()\n else:\n raise UnsupportedNamespace(\n 'Namespace {} is not supported by runningapplication.'.\n format(self.namespace))\n return self._message_func(self.namespace, data, inc_session_id,\n callback_function)\n",
"role": "user"
},
{
"content": "send_message",
"role": "assistant"
}
] |
def x(self):
if self.player_state == MEDIA_PLAYER_STATE_PLAYING:
return self.current_time + (datetime.utcnow() - self.last_updated
).total_seconds()
return self.current_time
| adjusted_current_time | [
{
"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.player_state == MEDIA_PLAYER_STATE_PLAYING:\n return self.current_time + (datetime.utcnow() - self.last_updated\n ).total_seconds()\n return self.current_time\n",
"role": "user"
},
{
"content": "adjusted_current_time",
"role": "assistant"
}
] |
def x(self):
return [MediaImage(item.get('url'), item.get('height'), item.get(
'width')) for item in self.media_metadata.get('images', [])]
| images | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return [MediaImage(item.get('url'), item.get('height'), item.get(\n 'width')) for item in self.media_metadata.get('images', [])]\n",
"role": "user"
},
{
"content": "images",
"role": "assistant"
}
] |
def x(self, data):
if not data.get('status', []):
return
status_data = data['status'][0]
media_data = status_data.get('media') or {}
volume_data = status_data.get('volume', {})
self.current_time = status_data.get('currentTime', self.current_time)
self.content_id = media_data.get('contentId', self.content_id)
self.content_type = media_data.get('contentType', self.content_type)
self.duration = media_data.get('duration', self.duration)
self.stream_type = media_data.get('streamType', self.stream_type)
self.idle_reason = status_data.get('idleReason', self.idle_reason)
self.media_session_id = status_data.get('mediaSessionId', self.
media_session_id)
self.playback_rate = status_data.get('playbackRate', self.playback_rate)
self.player_state = status_data.get('playerState', self.player_state)
self.supported_media_commands = status_data.get('supportedMediaCommands',
self.supported_media_commands)
self.volume_level = volume_data.get('level', self.volume_level)
self.volume_muted = volume_data.get('muted', self.volume_muted)
self.media_custom_data = media_data.get('customData', self.
media_custom_data)
self.media_metadata = media_data.get('metadata', self.media_metadata)
self.subtitle_tracks = media_data.get('tracks', self.subtitle_tracks)
self.current_subtitle_tracks = status_data.get('activeTrackIds', self.
current_subtitle_tracks)
self.last_updated = datetime.utcnow()
| update | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data):\n if not data.get('status', []):\n return\n status_data = data['status'][0]\n media_data = status_data.get('media') or {}\n volume_data = status_data.get('volume', {})\n self.current_time = status_data.get('currentTime', self.current_time)\n self.content_id = media_data.get('contentId', self.content_id)\n self.content_type = media_data.get('contentType', self.content_type)\n self.duration = media_data.get('duration', self.duration)\n self.stream_type = media_data.get('streamType', self.stream_type)\n self.idle_reason = status_data.get('idleReason', self.idle_reason)\n self.media_session_id = status_data.get('mediaSessionId', self.\n media_session_id)\n self.playback_rate = status_data.get('playbackRate', self.playback_rate)\n self.player_state = status_data.get('playerState', self.player_state)\n self.supported_media_commands = status_data.get('supportedMediaCommands',\n self.supported_media_commands)\n self.volume_level = volume_data.get('level', self.volume_level)\n self.volume_muted = volume_data.get('muted', self.volume_muted)\n self.media_custom_data = media_data.get('customData', self.\n media_custom_data)\n self.media_metadata = media_data.get('metadata', self.media_metadata)\n self.subtitle_tracks = media_data.get('tracks', self.subtitle_tracks)\n self.current_subtitle_tracks = status_data.get('activeTrackIds', self.\n current_subtitle_tracks)\n self.last_updated = datetime.utcnow()\n",
"role": "user"
},
{
"content": "update",
"role": "assistant"
}
] |
def x(self, message, data):
if data[MESSAGE_TYPE] == TYPE_MEDIA_STATUS:
self._process_media_status(data)
return True
return False
| receive_message | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, message, data):\n if data[MESSAGE_TYPE] == TYPE_MEDIA_STATUS:\n self._process_media_status(data)\n return True\n return False\n",
"role": "user"
},
{
"content": "receive_message",
"role": "assistant"
}
] |
def x(self, command):
if self.status is None or self.status.media_session_id is None:
self.logger.warning('%s command requested but no session is active.',
command[MESSAGE_TYPE])
return
command['mediaSessionId'] = self.status.media_session_id
self.send_message(command, inc_session_id=True)
| send_command | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, command):\n if self.status is None or self.status.media_session_id is None:\n self.logger.warning('%s command requested but no session is active.',\n command[MESSAGE_TYPE])\n return\n command['mediaSessionId'] = self.status.media_session_id\n self.send_message(command, inc_session_id=True)\n",
"role": "user"
},
{
"content": "send_command",
"role": "assistant"
}
] |
def x(self):
if not self.status:
return None
images = self.status.images
return images[0].url if images else None
| thumbnail | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if not self.status:\n return None\n images = self.status.images\n return images[0].url if images else None\n",
"role": "user"
},
{
"content": "thumbnail",
"role": "assistant"
}
] |
def x(self, data):
self.status.update(data)
self.logger.debug('Media:Received status %s', data)
if self.status.media_session_id is None:
self.session_active_event.clear()
else:
self.session_active_event.set()
self._fire_status_changed()
| process_media_status | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data):\n self.status.update(data)\n self.logger.debug('Media:Received status %s', data)\n if self.status.media_session_id is None:\n self.session_active_event.clear()\n else:\n self.session_active_event.set()\n self._fire_status_changed()\n",
"role": "user"
},
{
"content": "process_media_status",
"role": "assistant"
}
] |
def x(self):
for listener in self._status_listeners:
try:
listener.new_media_status(self.status)
except Exception:
_LOGGER.exception(
'Exception thrown when calling media status callback')
| fire_status_changed | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n for listener in self._status_listeners:\n try:\n listener.new_media_status(self.status)\n except Exception:\n _LOGGER.exception(\n 'Exception thrown when calling media status callback')\n",
"role": "user"
},
{
"content": "fire_status_changed",
"role": "assistant"
}
] |
def x(self, url, content_type, title=None, thumb=None, current_time=0,
autoplay=True, stream_type=STREAM_TYPE_BUFFERED, metadata=None,
subtitles=None, subtitles_lang='en-US', subtitles_mime='text/vtt',
subtitle_id=1):
def x():
self._send_start_play_media(url, content_type, title, thumb,
current_time, autoplay, stream_type, metadata, subtitles,
subtitles_lang, subtitles_mime, subtitle_id)
receiver_ctrl = self._socket_client.receiver_controller
receiver_ctrl.launch_app(self.app_id, callback_function=
app_launched_callback)
| play_media | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, url, content_type, title=None, thumb=None, current_time=0,\n autoplay=True, stream_type=STREAM_TYPE_BUFFERED, metadata=None,\n subtitles=None, subtitles_lang='en-US', subtitles_mime='text/vtt',\n subtitle_id=1):\n\n def x():\n self._send_start_play_media(url, content_type, title, thumb,\n current_time, autoplay, stream_type, metadata, subtitles,\n subtitles_lang, subtitles_mime, subtitle_id)\n receiver_ctrl = self._socket_client.receiver_controller\n receiver_ctrl.launch_app(self.app_id, callback_function=\n app_launched_callback)\n",
"role": "user"
},
{
"content": "play_media",
"role": "assistant"
}
] |
def x():
try:
req = requests.get(
'https://clients3.google.com/cast/chromecast/device/baseconfig')
data = json.loads(req.text[4:])
return [app['app_id'] for app in data['applications']] + data[
'enabled_app_ids']
except ValueError:
return []
| get_possible_app_ids | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n try:\n req = requests.get(\n 'https://clients3.google.com/cast/chromecast/device/baseconfig')\n data = json.loads(req.text[4:])\n return [app['app_id'] for app in data['applications']] + data[\n 'enabled_app_ids']\n except ValueError:\n return []\n",
"role": "user"
},
{
"content": "get_possible_app_ids",
"role": "assistant"
}
] |
def x(app_id):
try:
req = requests.get(
'https://clients3.google.com/cast/chromecast/device/app?a={}'.
format(app_id))
return json.loads(req.text[4:]) if req.status_code == 200 else {}
except ValueError:
return {}
| get_app_config | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(app_id):\n try:\n req = requests.get(\n 'https://clients3.google.com/cast/chromecast/device/app?a={}'.\n format(app_id))\n return json.loads(req.text[4:]) if req.status_code == 200 else {}\n except ValueError:\n return {}\n",
"role": "user"
},
{
"content": "get_app_config",
"role": "assistant"
}
] |
def x(self, path):
try:
if not os.path.exists(path):
raise ConfigurationError('specified path does not exist %s' % path)
with open(path) as f:
data = f.read()
return data
except (IOError, OSError) as exc:
raise ConfigurationError('error trying to load file contents: %s' % exc
)
| get_contents | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, path):\n try:\n if not os.path.exists(path):\n raise ConfigurationError('specified path does not exist %s' % path)\n with open(path) as f:\n data = f.read()\n return data\n except (IOError, OSError) as exc:\n raise ConfigurationError('error trying to load file contents: %s' % exc\n )\n",
"role": "user"
},
{
"content": "get_contents",
"role": "assistant"
}
] |
def x(self, path):
if not path.startswith(os.path.sep) or path.startswith('~'):
path = os.path.expanduser(os.path.join(self.base_path, path))
return path
| abspath | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, path):\n if not path.startswith(os.path.sep) or path.startswith('~'):\n path = os.path.expanduser(os.path.join(self.base_path, path))\n return path\n",
"role": "user"
},
{
"content": "abspath",
"role": "assistant"
}
] |
def x(self, path, objtype=None, encoding='utf-8'):
path = self.abspath(path)
debug('file path is %s' % path)
if path in self._cache:
return self._cache[path]
try:
debug('cache miss, attempting to load file from disk: %s' % path)
contents = parsed_data = self.get_contents(path)
if encoding:
parsed_data = contents.encode(encoding)
except ConfigurationError as exc:
debug(exc)
raise
except UnicodeEncodeError:
raise ConfigurationError('unable to encode file contents')
if objtype is not string_types:
for deserializer in (self._load_json, self._load_yaml):
parsed_data = deserializer(contents)
if parsed_data:
break
if objtype and not isinstance(parsed_data, objtype):
debug('specified file %s is not of type %s' % (path, objtype))
raise ConfigurationError(
'invalid file serialization type for contents')
self._cache[path] = parsed_data
return parsed_data
| load_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, path, objtype=None, encoding='utf-8'):\n path = self.abspath(path)\n debug('file path is %s' % path)\n if path in self._cache:\n return self._cache[path]\n try:\n debug('cache miss, attempting to load file from disk: %s' % path)\n contents = parsed_data = self.get_contents(path)\n if encoding:\n parsed_data = contents.encode(encoding)\n except ConfigurationError as exc:\n debug(exc)\n raise\n except UnicodeEncodeError:\n raise ConfigurationError('unable to encode file contents')\n if objtype is not string_types:\n for deserializer in (self._load_json, self._load_yaml):\n parsed_data = deserializer(contents)\n if parsed_data:\n break\n if objtype and not isinstance(parsed_data, objtype):\n debug('specified file %s is not of type %s' % (path, objtype))\n raise ConfigurationError(\n 'invalid file serialization type for contents')\n self._cache[path] = parsed_data\n return parsed_data\n",
"role": "user"
},
{
"content": "load_file",
"role": "assistant"
}
] |
def x(self):
if self.private_data_dir is None:
raise ConfigurationError('Runner Base Directory is not defined')
if self.module and self.playbook:
raise ConfigurationError(
'Only one of playbook and module options are allowed')
if not os.path.exists(self.artifact_dir):
os.makedirs(self.artifact_dir, mode=448)
if self.directory_isolation_path is not None:
self.directory_isolation_path = tempfile.mkdtemp(prefix=
'runner_di_', dir=self.directory_isolation_path)
if os.path.exists(self.project_dir):
output.debug(
'Copying directory tree from {} to {} for working directory isolation'
.format(self.project_dir, self.directory_isolation_path))
copy_tree(self.project_dir, self.directory_isolation_path,
preserve_symlinks=True)
self.prepare_inventory()
self.prepare_env()
self.prepare_command()
if (self.execution_mode == ExecutionMode.ANSIBLE_PLAYBOOK and self.
playbook is None):
raise ConfigurationError(
'Runner playbook required when running ansible-playbook')
elif self.execution_mode == ExecutionMode.ANSIBLE and self.module is None:
raise ConfigurationError('Runner module required when running ansible')
elif self.execution_mode == ExecutionMode.NONE:
raise ConfigurationError('No executable for runner to run')
if self.ssh_key_data:
self.ssh_key_path = os.path.join(self.artifact_dir, 'ssh_key_data')
open_fifo_write(self.ssh_key_path, self.ssh_key_data)
self.command = self.wrap_args_with_ssh_agent(self.command, self.
ssh_key_path)
callback_dir = self.env.get('AWX_LIB_DIRECTORY', os.getenv(
'AWX_LIB_DIRECTORY'))
if callback_dir is None:
callback_dir = os.path.join(os.path.split(os.path.abspath(__file__)
)[0], 'callbacks')
python_path = self.env.get('PYTHONPATH', os.getenv('PYTHONPATH', ''))
if python_path and not python_path.endswith(':'):
python_path += ':'
self.env['ANSIBLE_CALLBACK_PLUGINS'] = callback_dir
if 'AD_HOC_COMMAND_ID' in self.env:
self.env['ANSIBLE_STDOUT_CALLBACK'] = 'minimal'
else:
self.env['ANSIBLE_STDOUT_CALLBACK'] = 'awx_display'
self.env['ANSIBLE_RETRY_FILES_ENABLED'] = 'False'
self.env['ANSIBLE_HOST_KEY_CHECKING'] = 'False'
self.env['AWX_ISOLATED_DATA_DIR'] = self.artifact_dir
self.env['PYTHONPATH'] = python_path + callback_dir
if self.roles_path:
self.env['ANSIBLE_ROLES_PATH'] = ':'.join(self.roles_path)
if self.process_isolation:
self.command = self.wrap_args_with_process_isolation(self.command)
if self.fact_cache_type == 'jsonfile':
self.env['ANSIBLE_CACHE_PLUGIN'] = 'jsonfile'
self.env['ANSIBLE_CACHE_PLUGIN_CONNECTION'] = self.fact_cache
| prepare | [
{
"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.private_data_dir is None:\n raise ConfigurationError('Runner Base Directory is not defined')\n if self.module and self.playbook:\n raise ConfigurationError(\n 'Only one of playbook and module options are allowed')\n if not os.path.exists(self.artifact_dir):\n os.makedirs(self.artifact_dir, mode=448)\n if self.directory_isolation_path is not None:\n self.directory_isolation_path = tempfile.mkdtemp(prefix=\n 'runner_di_', dir=self.directory_isolation_path)\n if os.path.exists(self.project_dir):\n output.debug(\n 'Copying directory tree from {} to {} for working directory isolation'\n .format(self.project_dir, self.directory_isolation_path))\n copy_tree(self.project_dir, self.directory_isolation_path,\n preserve_symlinks=True)\n self.prepare_inventory()\n self.prepare_env()\n self.prepare_command()\n if (self.execution_mode == ExecutionMode.ANSIBLE_PLAYBOOK and self.\n playbook is None):\n raise ConfigurationError(\n 'Runner playbook required when running ansible-playbook')\n elif self.execution_mode == ExecutionMode.ANSIBLE and self.module is None:\n raise ConfigurationError('Runner module required when running ansible')\n elif self.execution_mode == ExecutionMode.NONE:\n raise ConfigurationError('No executable for runner to run')\n if self.ssh_key_data:\n self.ssh_key_path = os.path.join(self.artifact_dir, 'ssh_key_data')\n open_fifo_write(self.ssh_key_path, self.ssh_key_data)\n self.command = self.wrap_args_with_ssh_agent(self.command, self.\n ssh_key_path)\n callback_dir = self.env.get('AWX_LIB_DIRECTORY', os.getenv(\n 'AWX_LIB_DIRECTORY'))\n if callback_dir is None:\n callback_dir = os.path.join(os.path.split(os.path.abspath(__file__)\n )[0], 'callbacks')\n python_path = self.env.get('PYTHONPATH', os.getenv('PYTHONPATH', ''))\n if python_path and not python_path.endswith(':'):\n python_path += ':'\n self.env['ANSIBLE_CALLBACK_PLUGINS'] = callback_dir\n if 'AD_HOC_COMMAND_ID' in self.env:\n self.env['ANSIBLE_STDOUT_CALLBACK'] = 'minimal'\n else:\n self.env['ANSIBLE_STDOUT_CALLBACK'] = 'awx_display'\n self.env['ANSIBLE_RETRY_FILES_ENABLED'] = 'False'\n self.env['ANSIBLE_HOST_KEY_CHECKING'] = 'False'\n self.env['AWX_ISOLATED_DATA_DIR'] = self.artifact_dir\n self.env['PYTHONPATH'] = python_path + callback_dir\n if self.roles_path:\n self.env['ANSIBLE_ROLES_PATH'] = ':'.join(self.roles_path)\n if self.process_isolation:\n self.command = self.wrap_args_with_process_isolation(self.command)\n if self.fact_cache_type == 'jsonfile':\n self.env['ANSIBLE_CACHE_PLUGIN'] = 'jsonfile'\n self.env['ANSIBLE_CACHE_PLUGIN_CONNECTION'] = self.fact_cache\n",
"role": "user"
},
{
"content": "prepare",
"role": "assistant"
}
] |
def x(self):
if self.inventory is None:
self.inventory = os.path.join(self.private_data_dir, 'inventory')
| prepare_inventory | [
{
"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.inventory is None:\n self.inventory = os.path.join(self.private_data_dir, 'inventory')\n",
"role": "user"
},
{
"content": "prepare_inventory",
"role": "assistant"
}
] |
def x(self):
try:
passwords = self.loader.load_file('env/passwords', Mapping)
self.expect_passwords = {re.compile(pattern, re.M): password for
pattern, password in iteritems(passwords)}
except ConfigurationError:
output.debug('Not loading passwords')
self.expect_passwords = dict()
self.expect_passwords[pexpect.TIMEOUT] = None
self.expect_passwords[pexpect.EOF] = None
try:
self.env = os.environ.copy()
envvars = self.loader.load_file('env/envvars', Mapping)
if envvars:
self.env.update({k: six.text_type(v) for k, v in envvars.items()})
if self.envvars and isinstance(self.envvars, dict):
self.env.update({k: six.text_type(v) for k, v in self.envvars.
items()})
except ConfigurationError:
output.debug('Not loading environment vars')
self.env = os.environ.copy()
try:
self.settings = self.loader.load_file('env/settings', Mapping)
except ConfigurationError:
output.debug('Not loading settings')
self.settings = dict()
try:
self.ssh_key_data = self.loader.load_file('env/ssh_key', string_types)
except ConfigurationError:
output.debug('Not loading ssh key')
self.ssh_key_data = None
self.idle_timeout = self.settings.get('idle_timeout', None)
self.job_timeout = self.settings.get('job_timeout', None)
self.pexpect_timeout = self.settings.get('pexpect_timeout', 5)
self.process_isolation = self.settings.get('process_isolation', self.
process_isolation)
self.process_isolation_executable = self.settings.get(
'process_isolation_executable', self.process_isolation_executable)
self.process_isolation_path = self.settings.get('process_isolation_path',
self.process_isolation_path)
self.process_isolation_hide_paths = self.settings.get(
'process_isolation_hide_paths', self.process_isolation_hide_paths)
self.process_isolation_show_paths = self.settings.get(
'process_isolation_show_paths', self.process_isolation_show_paths)
self.process_isolation_ro_paths = self.settings.get(
'process_isolation_ro_paths', self.process_isolation_ro_paths)
self.pexpect_use_poll = self.settings.get('pexpect_use_poll', True)
self.suppress_ansible_output = self.settings.get('suppress_ansible_output',
self.quiet)
self.directory_isolation_cleanup = bool(self.settings.get(
'directory_isolation_cleanup', True))
if 'AD_HOC_COMMAND_ID' in self.env or not os.path.exists(self.project_dir):
self.cwd = self.private_data_dir
elif self.directory_isolation_path is not None:
self.cwd = self.directory_isolation_path
else:
self.cwd = self.project_dir
if 'fact_cache' in self.settings:
if 'fact_cache_type' in self.settings:
if self.settings['fact_cache_type'] == 'jsonfile':
self.fact_cache = os.path.join(self.artifact_dir, self.
settings['fact_cache'])
else:
self.fact_cache = os.path.join(self.artifact_dir, self.settings
['fact_cache'])
| prepare_env | [
{
"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 passwords = self.loader.load_file('env/passwords', Mapping)\n self.expect_passwords = {re.compile(pattern, re.M): password for \n pattern, password in iteritems(passwords)}\n except ConfigurationError:\n output.debug('Not loading passwords')\n self.expect_passwords = dict()\n self.expect_passwords[pexpect.TIMEOUT] = None\n self.expect_passwords[pexpect.EOF] = None\n try:\n self.env = os.environ.copy()\n envvars = self.loader.load_file('env/envvars', Mapping)\n if envvars:\n self.env.update({k: six.text_type(v) for k, v in envvars.items()})\n if self.envvars and isinstance(self.envvars, dict):\n self.env.update({k: six.text_type(v) for k, v in self.envvars.\n items()})\n except ConfigurationError:\n output.debug('Not loading environment vars')\n self.env = os.environ.copy()\n try:\n self.settings = self.loader.load_file('env/settings', Mapping)\n except ConfigurationError:\n output.debug('Not loading settings')\n self.settings = dict()\n try:\n self.ssh_key_data = self.loader.load_file('env/ssh_key', string_types)\n except ConfigurationError:\n output.debug('Not loading ssh key')\n self.ssh_key_data = None\n self.idle_timeout = self.settings.get('idle_timeout', None)\n self.job_timeout = self.settings.get('job_timeout', None)\n self.pexpect_timeout = self.settings.get('pexpect_timeout', 5)\n self.process_isolation = self.settings.get('process_isolation', self.\n process_isolation)\n self.process_isolation_executable = self.settings.get(\n 'process_isolation_executable', self.process_isolation_executable)\n self.process_isolation_path = self.settings.get('process_isolation_path',\n self.process_isolation_path)\n self.process_isolation_hide_paths = self.settings.get(\n 'process_isolation_hide_paths', self.process_isolation_hide_paths)\n self.process_isolation_show_paths = self.settings.get(\n 'process_isolation_show_paths', self.process_isolation_show_paths)\n self.process_isolation_ro_paths = self.settings.get(\n 'process_isolation_ro_paths', self.process_isolation_ro_paths)\n self.pexpect_use_poll = self.settings.get('pexpect_use_poll', True)\n self.suppress_ansible_output = self.settings.get('suppress_ansible_output',\n self.quiet)\n self.directory_isolation_cleanup = bool(self.settings.get(\n 'directory_isolation_cleanup', True))\n if 'AD_HOC_COMMAND_ID' in self.env or not os.path.exists(self.project_dir):\n self.cwd = self.private_data_dir\n elif self.directory_isolation_path is not None:\n self.cwd = self.directory_isolation_path\n else:\n self.cwd = self.project_dir\n if 'fact_cache' in self.settings:\n if 'fact_cache_type' in self.settings:\n if self.settings['fact_cache_type'] == 'jsonfile':\n self.fact_cache = os.path.join(self.artifact_dir, self.\n settings['fact_cache'])\n else:\n self.fact_cache = os.path.join(self.artifact_dir, self.settings\n ['fact_cache'])\n",
"role": "user"
},
{
"content": "prepare_env",
"role": "assistant"
}
] |
def x(self):
try:
cmdline_args = self.loader.load_file('args', string_types)
self.command = shlex.split(cmdline_args.decode('utf-8'))
self.execution_mode = ExecutionMode.RAW
except ConfigurationError:
self.command = self.generate_ansible_command()
| prepare_command | [
{
"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 cmdline_args = self.loader.load_file('args', string_types)\n self.command = shlex.split(cmdline_args.decode('utf-8'))\n self.execution_mode = ExecutionMode.RAW\n except ConfigurationError:\n self.command = self.generate_ansible_command()\n",
"role": "user"
},
{
"content": "prepare_command",
"role": "assistant"
}
] |
def x(self):
if self.binary is not None:
base_command = self.binary
self.execution_mode = ExecutionMode.RAW
elif self.module is not None:
base_command = 'ansible'
self.execution_mode = ExecutionMode.ANSIBLE
else:
base_command = 'ansible-playbook'
self.execution_mode = ExecutionMode.ANSIBLE_PLAYBOOK
exec_list = [base_command]
try:
cmdline_args = self.loader.load_file('env/cmdline', string_types,
encoding=None)
args = shlex.split(cmdline_args)
exec_list.extend(args)
except ConfigurationError:
pass
if isinstance(self.inventory, list):
for i in self.inventory:
exec_list.append('-i')
exec_list.append(i)
else:
exec_list.append('-i')
exec_list.append(self.inventory)
if self.limit is not None:
exec_list.append('--limit')
exec_list.append(self.limit)
if self.loader.isfile('env/extravars'):
exec_list.extend(['-e', '@{}'.format(self.loader.abspath(
'env/extravars'))])
if isinstance(self.extra_vars, dict) and self.extra_vars:
exec_list.extend(['-e', '%s' % ' '.join(['{}="{}"'.format(k, self.
extra_vars[k]) for k in self.extra_vars])])
if self.verbosity:
v = 'v' * self.verbosity
exec_list.append('-{}'.format(v))
if self.tags:
exec_list.extend(['--tags', '{}'.format(self.tags)])
if self.skip_tags:
exec_list.extend(['--skip-tags', '{}'.format(self.skip_tags)])
if self.forks:
exec_list.extend(['--forks', '{}'.format(self.forks)])
if self.execution_mode == ExecutionMode.ANSIBLE_PLAYBOOK:
exec_list.append(self.playbook)
elif self.execution_mode == ExecutionMode.ANSIBLE:
exec_list.append('-m')
exec_list.append(self.module)
if self.module_args is not None:
exec_list.append('-a')
exec_list.append(self.module_args)
if self.host_pattern is not None:
exec_list.append(self.host_pattern)
return exec_list
| generate_ansible_command | [
{
"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.binary is not None:\n base_command = self.binary\n self.execution_mode = ExecutionMode.RAW\n elif self.module is not None:\n base_command = 'ansible'\n self.execution_mode = ExecutionMode.ANSIBLE\n else:\n base_command = 'ansible-playbook'\n self.execution_mode = ExecutionMode.ANSIBLE_PLAYBOOK\n exec_list = [base_command]\n try:\n cmdline_args = self.loader.load_file('env/cmdline', string_types,\n encoding=None)\n args = shlex.split(cmdline_args)\n exec_list.extend(args)\n except ConfigurationError:\n pass\n if isinstance(self.inventory, list):\n for i in self.inventory:\n exec_list.append('-i')\n exec_list.append(i)\n else:\n exec_list.append('-i')\n exec_list.append(self.inventory)\n if self.limit is not None:\n exec_list.append('--limit')\n exec_list.append(self.limit)\n if self.loader.isfile('env/extravars'):\n exec_list.extend(['-e', '@{}'.format(self.loader.abspath(\n 'env/extravars'))])\n if isinstance(self.extra_vars, dict) and self.extra_vars:\n exec_list.extend(['-e', '%s' % ' '.join(['{}=\"{}\"'.format(k, self.\n extra_vars[k]) for k in self.extra_vars])])\n if self.verbosity:\n v = 'v' * self.verbosity\n exec_list.append('-{}'.format(v))\n if self.tags:\n exec_list.extend(['--tags', '{}'.format(self.tags)])\n if self.skip_tags:\n exec_list.extend(['--skip-tags', '{}'.format(self.skip_tags)])\n if self.forks:\n exec_list.extend(['--forks', '{}'.format(self.forks)])\n if self.execution_mode == ExecutionMode.ANSIBLE_PLAYBOOK:\n exec_list.append(self.playbook)\n elif self.execution_mode == ExecutionMode.ANSIBLE:\n exec_list.append('-m')\n exec_list.append(self.module)\n if self.module_args is not None:\n exec_list.append('-a')\n exec_list.append(self.module_args)\n if self.host_pattern is not None:\n exec_list.append(self.host_pattern)\n return exec_list\n",
"role": "user"
},
{
"content": "generate_ansible_command",
"role": "assistant"
}
] |
def x(self):
path = tempfile.mkdtemp(prefix='ansible_runner_pi_', dir=self.
process_isolation_path)
os.chmod(path, stat.S_IRUSR | stat.S_IWUSR | stat.S_IXUSR)
atexit.register(shutil.rmtree, path)
return path
| build_process_isolation_temp_dir | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n path = tempfile.mkdtemp(prefix='ansible_runner_pi_', dir=self.\n process_isolation_path)\n os.chmod(path, stat.S_IRUSR | stat.S_IWUSR | stat.S_IXUSR)\n atexit.register(shutil.rmtree, path)\n return path\n",
"role": "user"
},
{
"content": "build_process_isolation_temp_dir",
"role": "assistant"
}
] |
def x(self, args):
cwd = os.path.realpath(self.cwd)
pi_temp_dir = self.build_process_isolation_temp_dir()
new_args = [self.process_isolation_executable or 'bwrap',
'--unshare-pid', '--dev-bind', '/', '/', '--proc', '/proc']
for path in sorted(set(self.process_isolation_hide_paths or [])):
if not os.path.exists(path):
logger.debug('hide path not found: {0}'.format(path))
continue
path = os.path.realpath(path)
if os.path.isdir(path):
new_path = tempfile.mkdtemp(dir=pi_temp_dir)
os.chmod(new_path, stat.S_IRUSR | stat.S_IWUSR | stat.S_IXUSR)
else:
handle, new_path = tempfile.mkstemp(dir=pi_temp_dir)
os.close(handle)
os.chmod(new_path, stat.S_IRUSR | stat.S_IWUSR)
new_args.extend(['--bind', '{0}'.format(new_path), '{0}'.format(path)])
if self.private_data_dir:
show_paths = [self.private_data_dir]
else:
show_paths = [cwd]
for path in sorted(set(self.process_isolation_ro_paths or [])):
if not os.path.exists(path):
logger.debug('read-only path not found: {0}'.format(path))
continue
path = os.path.realpath(path)
new_args.extend(['--ro-bind', '{0}'.format(path), '{0}'.format(path)])
show_paths.extend(self.process_isolation_show_paths or [])
for path in sorted(set(show_paths)):
if not os.path.exists(path):
logger.debug('show path not found: {0}'.format(path))
continue
path = os.path.realpath(path)
new_args.extend(['--bind', '{0}'.format(path), '{0}'.format(path)])
if self.execution_mode == ExecutionMode.ANSIBLE_PLAYBOOK:
if self.directory_isolation_path is not None:
new_args.extend(['--chdir', os.path.realpath(self.
directory_isolation_path)])
else:
new_args.extend(['--chdir', self.project_dir])
elif self.execution_mode == ExecutionMode.ANSIBLE:
new_args.extend(['--chdir', os.path.realpath(self.private_data_dir)])
new_args.extend(args)
return new_args
| wrap_args_with_process_isolation | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, args):\n cwd = os.path.realpath(self.cwd)\n pi_temp_dir = self.build_process_isolation_temp_dir()\n new_args = [self.process_isolation_executable or 'bwrap',\n '--unshare-pid', '--dev-bind', '/', '/', '--proc', '/proc']\n for path in sorted(set(self.process_isolation_hide_paths or [])):\n if not os.path.exists(path):\n logger.debug('hide path not found: {0}'.format(path))\n continue\n path = os.path.realpath(path)\n if os.path.isdir(path):\n new_path = tempfile.mkdtemp(dir=pi_temp_dir)\n os.chmod(new_path, stat.S_IRUSR | stat.S_IWUSR | stat.S_IXUSR)\n else:\n handle, new_path = tempfile.mkstemp(dir=pi_temp_dir)\n os.close(handle)\n os.chmod(new_path, stat.S_IRUSR | stat.S_IWUSR)\n new_args.extend(['--bind', '{0}'.format(new_path), '{0}'.format(path)])\n if self.private_data_dir:\n show_paths = [self.private_data_dir]\n else:\n show_paths = [cwd]\n for path in sorted(set(self.process_isolation_ro_paths or [])):\n if not os.path.exists(path):\n logger.debug('read-only path not found: {0}'.format(path))\n continue\n path = os.path.realpath(path)\n new_args.extend(['--ro-bind', '{0}'.format(path), '{0}'.format(path)])\n show_paths.extend(self.process_isolation_show_paths or [])\n for path in sorted(set(show_paths)):\n if not os.path.exists(path):\n logger.debug('show path not found: {0}'.format(path))\n continue\n path = os.path.realpath(path)\n new_args.extend(['--bind', '{0}'.format(path), '{0}'.format(path)])\n if self.execution_mode == ExecutionMode.ANSIBLE_PLAYBOOK:\n if self.directory_isolation_path is not None:\n new_args.extend(['--chdir', os.path.realpath(self.\n directory_isolation_path)])\n else:\n new_args.extend(['--chdir', self.project_dir])\n elif self.execution_mode == ExecutionMode.ANSIBLE:\n new_args.extend(['--chdir', os.path.realpath(self.private_data_dir)])\n new_args.extend(args)\n return new_args\n",
"role": "user"
},
{
"content": "wrap_args_with_process_isolation",
"role": "assistant"
}
] |
def x(self, args, ssh_key_path, ssh_auth_sock=None, silence_ssh_add=False):
if ssh_key_path:
ssh_add_command = args2cmdline('ssh-add', ssh_key_path)
if silence_ssh_add:
ssh_add_command = ' '.join([ssh_add_command, '2>/dev/null'])
cmd = ' && '.join([ssh_add_command, args2cmdline('rm', '-f',
ssh_key_path), args2cmdline(*args)])
args = ['ssh-agent']
if ssh_auth_sock:
args.extend(['-a', ssh_auth_sock])
args.extend(['sh', '-c', cmd])
return args
| wrap_args_with_ssh_agent | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, args, ssh_key_path, ssh_auth_sock=None, silence_ssh_add=False):\n if ssh_key_path:\n ssh_add_command = args2cmdline('ssh-add', ssh_key_path)\n if silence_ssh_add:\n ssh_add_command = ' '.join([ssh_add_command, '2>/dev/null'])\n cmd = ' && '.join([ssh_add_command, args2cmdline('rm', '-f',\n ssh_key_path), args2cmdline(*args)])\n args = ['ssh-agent']\n if ssh_auth_sock:\n args.extend(['-a', ssh_auth_sock])\n args.extend(['sh', '-c', cmd])\n return args\n",
"role": "user"
},
{
"content": "wrap_args_with_ssh_agent",
"role": "assistant"
}
] |
def x():
root_logger = logging.getLogger()
root_logger.addHandler(logging.NullHandler())
root_logger.setLevel(99)
_display_logger.setLevel(70)
_debug_logger.setLevel(10)
display_handlers = [h.get_name() for h in _display_logger.handlers]
if 'stdout' not in display_handlers:
stdout_handler = logging.StreamHandler(sys.stdout)
stdout_handler.set_name('stdout')
formatter = logging.Formatter('%(message)s')
stdout_handler.setFormatter(formatter)
_display_logger.addHandler(stdout_handler)
| configure | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n root_logger = logging.getLogger()\n root_logger.addHandler(logging.NullHandler())\n root_logger.setLevel(99)\n _display_logger.setLevel(70)\n _debug_logger.setLevel(10)\n display_handlers = [h.get_name() for h in _display_logger.handlers]\n if 'stdout' not in display_handlers:\n stdout_handler = logging.StreamHandler(sys.stdout)\n stdout_handler.set_name('stdout')\n formatter = logging.Formatter('%(message)s')\n stdout_handler.setFormatter(formatter)\n _display_logger.addHandler(stdout_handler)\n",
"role": "user"
},
{
"content": "configure",
"role": "assistant"
}
] |
def x(self, event_data):
self.last_stdout_update = time.time()
job_events_path = os.path.join(self.config.artifact_dir, 'job_events')
if not os.path.exists(job_events_path):
os.mkdir(job_events_path, 448)
if 'uuid' in event_data:
filename = '{}-partial.json'.format(event_data['uuid'])
partial_filename = os.path.join(self.config.artifact_dir,
'job_events', filename)
full_filename = os.path.join(self.config.artifact_dir, 'job_events',
'{}-{}.json'.format(event_data['counter'], event_data['uuid']))
try:
event_data.update(dict(runner_ident=str(self.config.ident)))
try:
with codecs.open(partial_filename, 'r', encoding='utf-8'
) as read_file:
partial_event_data = json.load(read_file)
event_data.update(partial_event_data)
if self.remove_partials:
os.remove(partial_filename)
except IOError:
debug(
'Failed to open ansible stdout callback plugin partial data file {}'
.format(partial_filename))
if self.event_handler is not None:
should_write = self.event_handler(event_data)
else:
should_write = True
for plugin in ansible_runner.plugins:
ansible_runner.plugins[plugin].event_handler(self.config,
event_data)
if should_write:
with codecs.open(full_filename, 'w', encoding='utf-8'
) as write_file:
os.chmod(full_filename, stat.S_IRUSR | stat.S_IWUSR)
json.dump(event_data, write_file)
except IOError as e:
debug('Failed writing event data: {}'.format(e))
| event_callback | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, event_data):\n self.last_stdout_update = time.time()\n job_events_path = os.path.join(self.config.artifact_dir, 'job_events')\n if not os.path.exists(job_events_path):\n os.mkdir(job_events_path, 448)\n if 'uuid' in event_data:\n filename = '{}-partial.json'.format(event_data['uuid'])\n partial_filename = os.path.join(self.config.artifact_dir,\n 'job_events', filename)\n full_filename = os.path.join(self.config.artifact_dir, 'job_events',\n '{}-{}.json'.format(event_data['counter'], event_data['uuid']))\n try:\n event_data.update(dict(runner_ident=str(self.config.ident)))\n try:\n with codecs.open(partial_filename, 'r', encoding='utf-8'\n ) as read_file:\n partial_event_data = json.load(read_file)\n event_data.update(partial_event_data)\n if self.remove_partials:\n os.remove(partial_filename)\n except IOError:\n debug(\n 'Failed to open ansible stdout callback plugin partial data file {}'\n .format(partial_filename))\n if self.event_handler is not None:\n should_write = self.event_handler(event_data)\n else:\n should_write = True\n for plugin in ansible_runner.plugins:\n ansible_runner.plugins[plugin].event_handler(self.config,\n event_data)\n if should_write:\n with codecs.open(full_filename, 'w', encoding='utf-8'\n ) as write_file:\n os.chmod(full_filename, stat.S_IRUSR | stat.S_IWUSR)\n json.dump(event_data, write_file)\n except IOError as e:\n debug('Failed writing event data: {}'.format(e))\n",
"role": "user"
},
{
"content": "event_callback",
"role": "assistant"
}
] |
def x(self):
self.status_callback('starting')
stdout_filename = os.path.join(self.config.artifact_dir, 'stdout')
command_filename = os.path.join(self.config.artifact_dir, 'command')
try:
os.makedirs(self.config.artifact_dir, mode=448)
except OSError as exc:
if exc.errno == errno.EEXIST and os.path.isdir(self.config.artifact_dir
):
pass
else:
raise
os.close(os.open(stdout_filename, os.O_CREAT, stat.S_IRUSR | stat.S_IWUSR))
command = [(a.decode('utf-8') if six.PY2 else a) for a in self.config.
command]
with codecs.open(command_filename, 'w', encoding='utf-8') as f:
os.chmod(command_filename, stat.S_IRUSR | stat.S_IWUSR)
json.dump({'command': command, 'cwd': self.config.cwd, 'env': self.
config.env}, f, ensure_ascii=False)
if self.config.ident is not None:
cleanup_artifact_dir(os.path.join(self.config.artifact_dir, '..'),
self.config.rotate_artifacts)
stdout_handle = codecs.open(stdout_filename, 'w', encoding='utf-8')
stdout_handle = OutputEventFilter(stdout_handle, self.event_callback,
self.config.suppress_ansible_output, output_json=self.config.json_mode)
if not isinstance(self.config.expect_passwords, collections.OrderedDict):
expect_passwords = collections.OrderedDict(self.config.expect_passwords
)
password_patterns = list(expect_passwords.keys())
password_values = list(expect_passwords.values())
env = {ensure_str(k): (ensure_str(v) if k != 'PATH' and isinstance(v,
six.text_type) else v) for k, v in self.config.env.items()}
self.status_callback('running')
self.last_stdout_update = time.time()
try:
child = pexpect.spawn(command[0], command[1:], cwd=self.config.cwd,
env=env, ignore_sighup=True, encoding='utf-8', echo=False,
use_poll=self.config.pexpect_use_poll)
child.logfile_read = stdout_handle
except pexpect.exceptions.ExceptionPexpect as e:
child = collections.namedtuple('MissingProcess', 'exitstatus isalive')(
exitstatus=127, isalive=lambda : False)
def x(x):
return x.decode('utf-8') if six.PY2 else x
events_directory = os.path.join(self.config.artifact_dir, 'job_events')
if not os.path.exists(events_directory):
os.mkdir(events_directory, 448)
stdout_handle.write(_decode(str(e)))
stdout_handle.write(_decode('\n'))
job_start = time.time()
while child.isalive():
result_id = child.expect(password_patterns, timeout=self.config.
pexpect_timeout, searchwindowsize=100)
password = password_values[result_id]
if password is not None:
child.sendline(password)
self.last_stdout_update = time.time()
if self.cancel_callback:
try:
self.canceled = self.cancel_callback()
except Exception as e:
raise CallbackError('Exception in Cancel Callback: {}'.
format(e))
if self.config.job_timeout and not self.canceled and time.time(
) - job_start > self.config.job_timeout:
self.timed_out = True
if self.canceled or self.timed_out or self.errored:
Runner.handle_termination(child.pid, is_cancel=self.canceled)
if self.config.idle_timeout and time.time(
) - self.last_stdout_update > self.config.idle_timeout:
Runner.handle_termination(child.pid, is_cancel=False)
self.timed_out = True
stdout_handle.flush()
stdout_handle.close()
if self.canceled:
self.status_callback('canceled')
elif child.exitstatus == 0 and not self.timed_out:
self.status_callback('successful')
elif self.timed_out:
self.status_callback('timeout')
else:
self.status_callback('failed')
self.rc = child.exitstatus if not (self.timed_out or self.canceled
) else 254
for filename, data in [('status', self.status), ('rc', self.rc)]:
artifact_path = os.path.join(self.config.artifact_dir, filename)
if not os.path.exists(artifact_path):
os.close(os.open(artifact_path, os.O_CREAT, stat.S_IRUSR | stat
.S_IWUSR))
with open(artifact_path, 'w') as f:
f.write(str(data))
if (self.config.directory_isolation_path and self.config.
directory_isolation_cleanup):
shutil.rmtree(self.config.directory_isolation_path)
if self.finished_callback is not None:
try:
self.finished_callback(self)
except Exception as e:
raise CallbackError('Exception in Finished Callback: {}'.format(e))
return self.status, self.rc
| run | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.status_callback('starting')\n stdout_filename = os.path.join(self.config.artifact_dir, 'stdout')\n command_filename = os.path.join(self.config.artifact_dir, 'command')\n try:\n os.makedirs(self.config.artifact_dir, mode=448)\n except OSError as exc:\n if exc.errno == errno.EEXIST and os.path.isdir(self.config.artifact_dir\n ):\n pass\n else:\n raise\n os.close(os.open(stdout_filename, os.O_CREAT, stat.S_IRUSR | stat.S_IWUSR))\n command = [(a.decode('utf-8') if six.PY2 else a) for a in self.config.\n command]\n with codecs.open(command_filename, 'w', encoding='utf-8') as f:\n os.chmod(command_filename, stat.S_IRUSR | stat.S_IWUSR)\n json.dump({'command': command, 'cwd': self.config.cwd, 'env': self.\n config.env}, f, ensure_ascii=False)\n if self.config.ident is not None:\n cleanup_artifact_dir(os.path.join(self.config.artifact_dir, '..'),\n self.config.rotate_artifacts)\n stdout_handle = codecs.open(stdout_filename, 'w', encoding='utf-8')\n stdout_handle = OutputEventFilter(stdout_handle, self.event_callback,\n self.config.suppress_ansible_output, output_json=self.config.json_mode)\n if not isinstance(self.config.expect_passwords, collections.OrderedDict):\n expect_passwords = collections.OrderedDict(self.config.expect_passwords\n )\n password_patterns = list(expect_passwords.keys())\n password_values = list(expect_passwords.values())\n env = {ensure_str(k): (ensure_str(v) if k != 'PATH' and isinstance(v,\n six.text_type) else v) for k, v in self.config.env.items()}\n self.status_callback('running')\n self.last_stdout_update = time.time()\n try:\n child = pexpect.spawn(command[0], command[1:], cwd=self.config.cwd,\n env=env, ignore_sighup=True, encoding='utf-8', echo=False,\n use_poll=self.config.pexpect_use_poll)\n child.logfile_read = stdout_handle\n except pexpect.exceptions.ExceptionPexpect as e:\n child = collections.namedtuple('MissingProcess', 'exitstatus isalive')(\n exitstatus=127, isalive=lambda : False)\n\n def x(x):\n return x.decode('utf-8') if six.PY2 else x\n events_directory = os.path.join(self.config.artifact_dir, 'job_events')\n if not os.path.exists(events_directory):\n os.mkdir(events_directory, 448)\n stdout_handle.write(_decode(str(e)))\n stdout_handle.write(_decode('\\n'))\n job_start = time.time()\n while child.isalive():\n result_id = child.expect(password_patterns, timeout=self.config.\n pexpect_timeout, searchwindowsize=100)\n password = password_values[result_id]\n if password is not None:\n child.sendline(password)\n self.last_stdout_update = time.time()\n if self.cancel_callback:\n try:\n self.canceled = self.cancel_callback()\n except Exception as e:\n raise CallbackError('Exception in Cancel Callback: {}'.\n format(e))\n if self.config.job_timeout and not self.canceled and time.time(\n ) - job_start > self.config.job_timeout:\n self.timed_out = True\n if self.canceled or self.timed_out or self.errored:\n Runner.handle_termination(child.pid, is_cancel=self.canceled)\n if self.config.idle_timeout and time.time(\n ) - self.last_stdout_update > self.config.idle_timeout:\n Runner.handle_termination(child.pid, is_cancel=False)\n self.timed_out = True\n stdout_handle.flush()\n stdout_handle.close()\n if self.canceled:\n self.status_callback('canceled')\n elif child.exitstatus == 0 and not self.timed_out:\n self.status_callback('successful')\n elif self.timed_out:\n self.status_callback('timeout')\n else:\n self.status_callback('failed')\n self.rc = child.exitstatus if not (self.timed_out or self.canceled\n ) else 254\n for filename, data in [('status', self.status), ('rc', self.rc)]:\n artifact_path = os.path.join(self.config.artifact_dir, filename)\n if not os.path.exists(artifact_path):\n os.close(os.open(artifact_path, os.O_CREAT, stat.S_IRUSR | stat\n .S_IWUSR))\n with open(artifact_path, 'w') as f:\n f.write(str(data))\n if (self.config.directory_isolation_path and self.config.\n directory_isolation_cleanup):\n shutil.rmtree(self.config.directory_isolation_path)\n if self.finished_callback is not None:\n try:\n self.finished_callback(self)\n except Exception as e:\n raise CallbackError('Exception in Finished Callback: {}'.format(e))\n return self.status, self.rc\n",
"role": "user"
},
{
"content": "run",
"role": "assistant"
}
] |
def x(self):
stdout_path = os.path.join(self.config.artifact_dir, 'stdout')
if not os.path.exists(stdout_path):
raise AnsibleRunnerException('stdout missing')
return open(os.path.join(self.config.artifact_dir, 'stdout'), 'r')
| stdout | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n stdout_path = os.path.join(self.config.artifact_dir, 'stdout')\n if not os.path.exists(stdout_path):\n raise AnsibleRunnerException('stdout missing')\n return open(os.path.join(self.config.artifact_dir, 'stdout'), 'r')\n",
"role": "user"
},
{
"content": "stdout",
"role": "assistant"
}
] |
def x(self):
event_path = os.path.join(self.config.artifact_dir, 'job_events')
if not os.path.exists(event_path):
raise AnsibleRunnerException('events missing')
dir_events = os.listdir(event_path)
dir_events_actual = []
for each_file in dir_events:
if re.match('^[0-9]+-.+json$', each_file):
dir_events_actual.append(each_file)
dir_events_actual.sort(key=lambda filenm: int(filenm.split('-', 1)[0]))
for event_file in dir_events_actual:
with codecs.open(os.path.join(event_path, event_file), 'r',
encoding='utf-8') as event_file_actual:
event = json.load(event_file_actual)
yield event
| events | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n event_path = os.path.join(self.config.artifact_dir, 'job_events')\n if not os.path.exists(event_path):\n raise AnsibleRunnerException('events missing')\n dir_events = os.listdir(event_path)\n dir_events_actual = []\n for each_file in dir_events:\n if re.match('^[0-9]+-.+json$', each_file):\n dir_events_actual.append(each_file)\n dir_events_actual.sort(key=lambda filenm: int(filenm.split('-', 1)[0]))\n for event_file in dir_events_actual:\n with codecs.open(os.path.join(event_path, event_file), 'r',\n encoding='utf-8') as event_file_actual:\n event = json.load(event_file_actual)\n yield event\n",
"role": "user"
},
{
"content": "events",
"role": "assistant"
}
] |
def x(self):
last_event = list(filter(lambda x: 'event' in x and x['event'] ==
'playbook_on_stats', self.events))
if not last_event:
return None
last_event = last_event[0]['event_data']
return dict(skipped=last_event['skipped'], ok=last_event['ok'], dark=
last_event['dark'], failures=last_event['failures'], processed=
last_event['processed'])
| stats | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n last_event = list(filter(lambda x: 'event' in x and x['event'] ==\n 'playbook_on_stats', self.events))\n if not last_event:\n return None\n last_event = last_event[0]['event_data']\n return dict(skipped=last_event['skipped'], ok=last_event['ok'], dark=\n last_event['dark'], failures=last_event['failures'], processed=\n last_event['processed'])\n",
"role": "user"
},
{
"content": "stats",
"role": "assistant"
}
] |
def x(self, host):
all_host_events = filter(lambda x: 'event_data' in x and 'host' in x[
'event_data'] and x['event_data']['host'] == host, self.events)
return all_host_events
| host_events | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, host):\n all_host_events = filter(lambda x: 'event_data' in x and 'host' in x[\n 'event_data'] and x['event_data']['host'] == host, self.events)\n return all_host_events\n",
"role": "user"
},
{
"content": "host_events",
"role": "assistant"
}
] |
def x(cls, pid, is_cancel=True):
try:
main_proc = psutil.Process(pid=pid)
child_procs = main_proc.children(recursive=True)
for child_proc in child_procs:
try:
os.kill(child_proc.pid, signal.SIGKILL)
except (TypeError, OSError):
pass
os.kill(main_proc.pid, signal.SIGKILL)
except (TypeError, psutil.Error, OSError):
try:
os.kill(pid, signal.SIGKILL)
except OSError:
pass
| handle_termination | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, pid, is_cancel=True):\n try:\n main_proc = psutil.Process(pid=pid)\n child_procs = main_proc.children(recursive=True)\n for child_proc in child_procs:\n try:\n os.kill(child_proc.pid, signal.SIGKILL)\n except (TypeError, OSError):\n pass\n os.kill(main_proc.pid, signal.SIGKILL)\n except (TypeError, psutil.Error, OSError):\n try:\n os.kill(pid, signal.SIGKILL)\n except OSError:\n pass\n",
"role": "user"
},
{
"content": "handle_termination",
"role": "assistant"
}
] |
def x(self, host):
if self.config.fact_cache_type != 'jsonfile':
raise Exception(
'Unsupported fact cache type. Only "jsonfile" is supported for reading and writing facts from ansible-runner'
)
fact_cache = os.path.join(self.config.fact_cache, host)
if os.path.exists(fact_cache):
with open(fact_cache) as f:
return json.loads(f.read())
return {}
| get_fact_cache | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, host):\n if self.config.fact_cache_type != 'jsonfile':\n raise Exception(\n 'Unsupported fact cache type. Only \"jsonfile\" is supported for reading and writing facts from ansible-runner'\n )\n fact_cache = os.path.join(self.config.fact_cache, host)\n if os.path.exists(fact_cache):\n with open(fact_cache) as f:\n return json.loads(f.read())\n return {}\n",
"role": "user"
},
{
"content": "get_fact_cache",
"role": "assistant"
}
] |
def x(self, host, data):
if self.config.fact_cache_type != 'jsonfile':
raise Exception(
'Unsupported fact cache type. Only "jsonfile" is supported for reading and writing facts from ansible-runner'
)
fact_cache = os.path.join(self.config.fact_cache, host)
if not os.path.exists(os.path.dirname(fact_cache)):
os.makedirs(os.path.dirname(fact_cache), mode=448)
with open(fact_cache, 'w') as f:
return f.write(json.dumps(data))
| set_fact_cache | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, host, data):\n if self.config.fact_cache_type != 'jsonfile':\n raise Exception(\n 'Unsupported fact cache type. Only \"jsonfile\" is supported for reading and writing facts from ansible-runner'\n )\n fact_cache = os.path.join(self.config.fact_cache, host)\n if not os.path.exists(os.path.dirname(fact_cache)):\n os.makedirs(os.path.dirname(fact_cache), mode=448)\n with open(fact_cache, 'w') as f:\n return f.write(json.dumps(data))\n",
"role": "user"
},
{
"content": "set_fact_cache",
"role": "assistant"
}
] |
def x(**kwargs):
dump_artifacts(kwargs)
debug = kwargs.pop('debug', None)
logfile = kwargs.pop('logfile', None)
if not kwargs.pop('ignore_logging', True):
output.configure()
if debug in (True, False):
output.set_debug('enable' if debug is True else 'disable')
if logfile:
output.set_logfile(logfile)
if kwargs.get('process_isolation', False):
check_isolation_executable_installed(kwargs.get(
'process_isolation_executable', 'bwrap'))
event_callback_handler = kwargs.pop('event_handler', None)
status_callback_handler = kwargs.pop('status_handler', None)
cancel_callback = kwargs.pop('cancel_callback', None)
finished_callback = kwargs.pop('finished_callback', None)
rc = RunnerConfig(**kwargs)
rc.prepare()
return Runner(rc, event_handler=event_callback_handler, status_handler=
status_callback_handler, cancel_callback=cancel_callback,
finished_callback=finished_callback)
| init_runner | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(**kwargs):\n dump_artifacts(kwargs)\n debug = kwargs.pop('debug', None)\n logfile = kwargs.pop('logfile', None)\n if not kwargs.pop('ignore_logging', True):\n output.configure()\n if debug in (True, False):\n output.set_debug('enable' if debug is True else 'disable')\n if logfile:\n output.set_logfile(logfile)\n if kwargs.get('process_isolation', False):\n check_isolation_executable_installed(kwargs.get(\n 'process_isolation_executable', 'bwrap'))\n event_callback_handler = kwargs.pop('event_handler', None)\n status_callback_handler = kwargs.pop('status_handler', None)\n cancel_callback = kwargs.pop('cancel_callback', None)\n finished_callback = kwargs.pop('finished_callback', None)\n rc = RunnerConfig(**kwargs)\n rc.prepare()\n return Runner(rc, event_handler=event_callback_handler, status_handler=\n status_callback_handler, cancel_callback=cancel_callback,\n finished_callback=finished_callback)\n",
"role": "user"
},
{
"content": "init_runner",
"role": "assistant"
}
] |
def x(**kwargs):
r = init_runner(**kwargs)
runner_thread = threading.Thread(target=r.run)
runner_thread.start()
return runner_thread, r
| run_async | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(**kwargs):\n r = init_runner(**kwargs)\n runner_thread = threading.Thread(target=r.run)\n runner_thread.start()\n return runner_thread, r\n",
"role": "user"
},
{
"content": "run_async",
"role": "assistant"
}
] |
def x(obj):
return isinstance(obj, Iterable) and (not isinstance(obj, string_types) and
not isinstance(obj, Mapping))
| isplaybook | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(obj):\n return isinstance(obj, Iterable) and (not isinstance(obj, string_types) and\n not isinstance(obj, Mapping))\n",
"role": "user"
},
{
"content": "isplaybook",
"role": "assistant"
}
] |
def x(isolation_executable):
cmd = [isolation_executable, '--version']
try:
proc = subprocess.Popen(cmd, stdout=subprocess.PIPE, stderr=
subprocess.PIPE)
proc.communicate()
return bool(proc.returncode == 0)
except (OSError, ValueError) as e:
if isinstance(e, ValueError) or getattr(e, 'errno', 1) != 2:
raise RuntimeError('bwrap unavailable for unexpected reason.')
return False
| check_isolation_executable_installed | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(isolation_executable):\n cmd = [isolation_executable, '--version']\n try:\n proc = subprocess.Popen(cmd, stdout=subprocess.PIPE, stderr=\n subprocess.PIPE)\n proc.communicate()\n return bool(proc.returncode == 0)\n except (OSError, ValueError) as e:\n if isinstance(e, ValueError) or getattr(e, 'errno', 1) != 2:\n raise RuntimeError('bwrap unavailable for unexpected reason.')\n return False\n",
"role": "user"
},
{
"content": "check_isolation_executable_installed",
"role": "assistant"
}
] |
def x(obj, path, filename=None):
p_sha1 = None
if not os.path.exists(path):
os.makedirs(path, mode=448)
else:
p_sha1 = hashlib.sha1()
p_sha1.update(obj.encode(encoding='UTF-8'))
if filename is None:
fd, fn = tempfile.mkstemp(dir=path)
else:
fn = os.path.join(path, filename)
if os.path.exists(fn):
c_sha1 = hashlib.sha1()
with open(fn) as f:
contents = f.read()
c_sha1.update(contents.encode(encoding='UTF-8'))
if not os.path.exists(fn) or p_sha1.hexdigest() != c_sha1.hexdigest():
lock_fp = os.path.join(path, '.artifact_write_lock')
lock_fd = os.open(lock_fp, os.O_RDWR | os.O_CREAT, stat.S_IRUSR |
stat.S_IWUSR)
fcntl.lockf(lock_fd, fcntl.LOCK_EX)
try:
with open(fn, 'w') as f:
os.chmod(fn, stat.S_IRUSR)
f.write(str(obj))
finally:
fcntl.lockf(lock_fd, fcntl.LOCK_UN)
os.close(lock_fd)
os.remove(lock_fp)
return fn
| dump_artifact | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(obj, path, filename=None):\n p_sha1 = None\n if not os.path.exists(path):\n os.makedirs(path, mode=448)\n else:\n p_sha1 = hashlib.sha1()\n p_sha1.update(obj.encode(encoding='UTF-8'))\n if filename is None:\n fd, fn = tempfile.mkstemp(dir=path)\n else:\n fn = os.path.join(path, filename)\n if os.path.exists(fn):\n c_sha1 = hashlib.sha1()\n with open(fn) as f:\n contents = f.read()\n c_sha1.update(contents.encode(encoding='UTF-8'))\n if not os.path.exists(fn) or p_sha1.hexdigest() != c_sha1.hexdigest():\n lock_fp = os.path.join(path, '.artifact_write_lock')\n lock_fd = os.open(lock_fp, os.O_RDWR | os.O_CREAT, stat.S_IRUSR |\n stat.S_IWUSR)\n fcntl.lockf(lock_fd, fcntl.LOCK_EX)\n try:\n with open(fn, 'w') as f:\n os.chmod(fn, stat.S_IRUSR)\n f.write(str(obj))\n finally:\n fcntl.lockf(lock_fd, fcntl.LOCK_UN)\n os.close(lock_fd)\n os.remove(lock_fp)\n return fn\n",
"role": "user"
},
{
"content": "dump_artifact",
"role": "assistant"
}
] |
def x(kwargs):
private_data_dir = kwargs.get('private_data_dir')
if not private_data_dir:
private_data_dir = tempfile.mkdtemp()
kwargs['private_data_dir'] = private_data_dir
if not os.path.exists(private_data_dir):
raise ValueError(
'private_data_dir path is either invalid or does not exist')
if 'role' in kwargs:
role = {'name': kwargs.pop('role')}
if 'role_vars' in kwargs:
role['vars'] = kwargs.pop('role_vars')
play = [{'hosts': kwargs.pop('hosts', 'all'), 'roles': [role]}]
if kwargs.pop('role_skip_facts', False):
play[0]['gather_facts'] = False
kwargs['playbook'] = play
if 'envvars' not in kwargs:
kwargs['envvars'] = {}
roles_path = kwargs.pop('roles_path', None)
if not roles_path:
roles_path = os.path.join(private_data_dir, 'roles')
else:
roles_path += ':{}'.format(os.path.join(private_data_dir, 'roles'))
kwargs['envvars']['ANSIBLE_ROLES_PATH'] = roles_path
obj = kwargs.get('playbook')
if obj and isplaybook(obj):
path = os.path.join(private_data_dir, 'project')
kwargs['playbook'] = dump_artifact(json.dumps(obj), path, 'main.json')
obj = kwargs.get('inventory')
if obj and isinventory(obj):
path = os.path.join(private_data_dir, 'inventory')
if isinstance(obj, Mapping):
kwargs['inventory'] = dump_artifact(json.dumps(obj), path,
'hosts.json')
elif isinstance(obj, string_types):
if not os.path.exists(obj):
kwargs['inventory'] = dump_artifact(obj, path, 'hosts')
for key in ('envvars', 'extravars', 'passwords', 'settings'):
obj = kwargs.get(key)
if obj and not os.path.exists(os.path.join(private_data_dir, 'env',
key)):
path = os.path.join(private_data_dir, 'env')
dump_artifact(json.dumps(obj), path, key)
kwargs.pop(key)
for key in ('ssh_key', 'cmdline'):
obj = kwargs.get(key)
if obj and not os.path.exists(os.path.join(private_data_dir, 'env',
key)):
path = os.path.join(private_data_dir, 'env')
dump_artifact(str(kwargs[key]), path, key)
kwargs.pop(key)
| dump_artifacts | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(kwargs):\n private_data_dir = kwargs.get('private_data_dir')\n if not private_data_dir:\n private_data_dir = tempfile.mkdtemp()\n kwargs['private_data_dir'] = private_data_dir\n if not os.path.exists(private_data_dir):\n raise ValueError(\n 'private_data_dir path is either invalid or does not exist')\n if 'role' in kwargs:\n role = {'name': kwargs.pop('role')}\n if 'role_vars' in kwargs:\n role['vars'] = kwargs.pop('role_vars')\n play = [{'hosts': kwargs.pop('hosts', 'all'), 'roles': [role]}]\n if kwargs.pop('role_skip_facts', False):\n play[0]['gather_facts'] = False\n kwargs['playbook'] = play\n if 'envvars' not in kwargs:\n kwargs['envvars'] = {}\n roles_path = kwargs.pop('roles_path', None)\n if not roles_path:\n roles_path = os.path.join(private_data_dir, 'roles')\n else:\n roles_path += ':{}'.format(os.path.join(private_data_dir, 'roles'))\n kwargs['envvars']['ANSIBLE_ROLES_PATH'] = roles_path\n obj = kwargs.get('playbook')\n if obj and isplaybook(obj):\n path = os.path.join(private_data_dir, 'project')\n kwargs['playbook'] = dump_artifact(json.dumps(obj), path, 'main.json')\n obj = kwargs.get('inventory')\n if obj and isinventory(obj):\n path = os.path.join(private_data_dir, 'inventory')\n if isinstance(obj, Mapping):\n kwargs['inventory'] = dump_artifact(json.dumps(obj), path,\n 'hosts.json')\n elif isinstance(obj, string_types):\n if not os.path.exists(obj):\n kwargs['inventory'] = dump_artifact(obj, path, 'hosts')\n for key in ('envvars', 'extravars', 'passwords', 'settings'):\n obj = kwargs.get(key)\n if obj and not os.path.exists(os.path.join(private_data_dir, 'env',\n key)):\n path = os.path.join(private_data_dir, 'env')\n dump_artifact(json.dumps(obj), path, key)\n kwargs.pop(key)\n for key in ('ssh_key', 'cmdline'):\n obj = kwargs.get(key)\n if obj and not os.path.exists(os.path.join(private_data_dir, 'env',\n key)):\n path = os.path.join(private_data_dir, 'env')\n dump_artifact(str(kwargs[key]), path, key)\n kwargs.pop(key)\n",
"role": "user"
},
{
"content": "dump_artifacts",
"role": "assistant"
}
] |
def x(path, data):
os.mkfifo(path, stat.S_IRUSR | stat.S_IWUSR)
threading.Thread(target=lambda p, d: open(p, 'wb').write(d), args=(path,
data)).start()
| open_fifo_write | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path, data):\n os.mkfifo(path, stat.S_IRUSR | stat.S_IWUSR)\n threading.Thread(target=lambda p, d: open(p, 'wb').write(d), args=(path,\n data)).start()\n",
"role": "user"
},
{
"content": "open_fifo_write",
"role": "assistant"
}
] |
def x(d: datetime) ->str:
s = '{:04d}'.format(d.year)
s += d.strftime('%m%d%H%M%S')
tz = d.strftime('%z')
if tz:
sign, tz_hours, tz_mins = tz[0], tz[1:3], tz[3:5]
s += "{}{}'{}'".format(sign, tz_hours, tz_mins)
return s
| encode_pdf_date | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(d: datetime) ->str:\n s = '{:04d}'.format(d.year)\n s += d.strftime('%m%d%H%M%S')\n tz = d.strftime('%z')\n if tz:\n sign, tz_hours, tz_mins = tz[0], tz[1:3], tz[3:5]\n s += \"{}{}'{}'\".format(sign, tz_hours, tz_mins)\n return s\n",
"role": "user"
},
{
"content": "encode_pdf_date",
"role": "assistant"
}
] |
def x(s: str) ->datetime:
if isinstance(s, String):
s = str(s)
if s.startswith('D:'):
s = s[2:]
if s.endswith("Z00'00'"):
s = s.replace("Z00'00'", '+0000')
elif s.endswith('Z'):
s = s.replace('Z', '+0000')
s = s.replace("'", '')
try:
return datetime.strptime(s, '%Y%m%d%H%M%S%z')
except ValueError:
return datetime.strptime(s, '%Y%m%d%H%M%S')
| decode_pdf_date | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(s: str) ->datetime:\n if isinstance(s, String):\n s = str(s)\n if s.startswith('D:'):\n s = s[2:]\n if s.endswith(\"Z00'00'\"):\n s = s.replace(\"Z00'00'\", '+0000')\n elif s.endswith('Z'):\n s = s.replace('Z', '+0000')\n s = s.replace(\"'\", '')\n try:\n return datetime.strptime(s, '%Y%m%d%H%M%S%z')\n except ValueError:\n return datetime.strptime(s, '%Y%m%d%H%M%S')\n",
"role": "user"
},
{
"content": "decode_pdf_date",
"role": "assistant"
}
] |
def x(self, docinfo, delete_missing=False, raise_failure=False):
for uri, shortkey, docinfo_name, converter in self.DOCINFO_MAPPING:
qname = QName(uri, shortkey)
val = docinfo.get(str(docinfo_name))
if val is None:
if delete_missing and qname in self:
del self[qname]
continue
try:
val = str(val)
if converter:
val = converter.xmp_from_docinfo(val)
if not val:
continue
self[qname] = val
except (ValueError, AttributeError) as e:
msg = 'The metadata field {} could not be copied to XMP'.format(
docinfo_name)
if raise_failure:
raise ValueError(msg) from e
else:
warn(msg)
| load_from_docinfo | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, docinfo, delete_missing=False, raise_failure=False):\n for uri, shortkey, docinfo_name, converter in self.DOCINFO_MAPPING:\n qname = QName(uri, shortkey)\n val = docinfo.get(str(docinfo_name))\n if val is None:\n if delete_missing and qname in self:\n del self[qname]\n continue\n try:\n val = str(val)\n if converter:\n val = converter.xmp_from_docinfo(val)\n if not val:\n continue\n self[qname] = val\n except (ValueError, AttributeError) as e:\n msg = 'The metadata field {} could not be copied to XMP'.format(\n docinfo_name)\n if raise_failure:\n raise ValueError(msg) from e\n else:\n warn(msg)\n",
"role": "user"
},
{
"content": "load_from_docinfo",
"role": "assistant"
}
] |
def x(self):
self._pdf.docinfo
for uri, element, docinfo_name, converter in self.DOCINFO_MAPPING:
qname = QName(uri, element)
try:
value = self[qname]
except KeyError:
if docinfo_name in self._pdf.docinfo:
del self._pdf.docinfo[docinfo_name]
continue
if converter:
try:
value = converter.docinfo_from_xmp(value)
except ValueError:
warn('The DocumentInfo field {} could not be updated from XMP'
.format(docinfo_name))
value = None
if value is None:
if docinfo_name in self._pdf.docinfo:
del self._pdf.docinfo[docinfo_name]
continue
value = re_xml_illegal_chars.sub('', value)
try:
self._pdf.docinfo[docinfo_name] = value.encode('ascii')
except UnicodeEncodeError:
self._pdf.docinfo[docinfo_name] = value
| update_docinfo | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self._pdf.docinfo\n for uri, element, docinfo_name, converter in self.DOCINFO_MAPPING:\n qname = QName(uri, element)\n try:\n value = self[qname]\n except KeyError:\n if docinfo_name in self._pdf.docinfo:\n del self._pdf.docinfo[docinfo_name]\n continue\n if converter:\n try:\n value = converter.docinfo_from_xmp(value)\n except ValueError:\n warn('The DocumentInfo field {} could not be updated from XMP'\n .format(docinfo_name))\n value = None\n if value is None:\n if docinfo_name in self._pdf.docinfo:\n del self._pdf.docinfo[docinfo_name]\n continue\n value = re_xml_illegal_chars.sub('', value)\n try:\n self._pdf.docinfo[docinfo_name] = value.encode('ascii')\n except UnicodeEncodeError:\n self._pdf.docinfo[docinfo_name] = value\n",
"role": "user"
},
{
"content": "update_docinfo",
"role": "assistant"
}
] |
def x(self):
if self.mark:
self[QName(XMP_NS_XMP, 'MetadataDate')] = datetime.now().isoformat()
self[QName(XMP_NS_PDF, 'Producer')] = 'pikepdf ' + pikepdf_version
xml = self._get_xml_bytes()
self._pdf.Root.Metadata = Stream(self._pdf, xml)
self._pdf.Root.Metadata[Name.Type] = Name.Metadata
self._pdf.Root.Metadata[Name.Subtype] = Name.XML
if self.sync_docinfo:
self._update_docinfo()
| apply_changes | [
{
"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.mark:\n self[QName(XMP_NS_XMP, 'MetadataDate')] = datetime.now().isoformat()\n self[QName(XMP_NS_PDF, 'Producer')] = 'pikepdf ' + pikepdf_version\n xml = self._get_xml_bytes()\n self._pdf.Root.Metadata = Stream(self._pdf, xml)\n self._pdf.Root.Metadata[Name.Type] = Name.Metadata\n self._pdf.Root.Metadata[Name.Subtype] = Name.XML\n if self.sync_docinfo:\n self._update_docinfo()\n",
"role": "user"
},
{
"content": "apply_changes",
"role": "assistant"
}
] |
def x(self, name):
if isinstance(name, QName):
return name
if not isinstance(name, str):
raise TypeError('{} must be str'.format(name))
if name == '':
return name
if name.startswith('{'):
return name
prefix, tag = name.split(':', maxsplit=1)
uri = self.NS[prefix]
return QName(uri, tag)
| qname | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name):\n if isinstance(name, QName):\n return name\n if not isinstance(name, str):\n raise TypeError('{} must be str'.format(name))\n if name == '':\n return name\n if name.startswith('{'):\n return name\n prefix, tag = name.split(':', maxsplit=1)\n uri = self.NS[prefix]\n return QName(uri, tag)\n",
"role": "user"
},
{
"content": "qname",
"role": "assistant"
}
] |
def x(self, uriname):
uripart, tag = uriname.split('}', maxsplit=1)
uri = uripart.replace('{', '')
return self.REVERSE_NS[uri] + ':' + tag
| prefix_from_uri | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, uriname):\n uripart, tag = uriname.split('}', maxsplit=1)\n uri = uripart.replace('{', '')\n return self.REVERSE_NS[uri] + ':' + tag\n",
"role": "user"
},
{
"content": "prefix_from_uri",
"role": "assistant"
}
] |
def x(self, node):
items = node.find('rdf:Alt', self.NS)
if items is not None:
try:
return items[0].text
except IndexError:
return ''
for xmlcontainer, container, insertfn in XMP_CONTAINERS:
items = node.find('rdf:{}'.format(xmlcontainer), self.NS)
if items is None:
continue
result = container()
for item in items:
insertfn(result, item.text)
return result
return ''
| get_subelements | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, node):\n items = node.find('rdf:Alt', self.NS)\n if items is not None:\n try:\n return items[0].text\n except IndexError:\n return ''\n for xmlcontainer, container, insertfn in XMP_CONTAINERS:\n items = node.find('rdf:{}'.format(xmlcontainer), self.NS)\n if items is None:\n continue\n result = container()\n for item in items:\n insertfn(result, item.text)\n return result\n return ''\n",
"role": "user"
},
{
"content": "get_subelements",
"role": "assistant"
}
] |
def x(self, name=''):
qname = self._qname(name)
rdf = self._get_rdf_root()
for rdfdesc in rdf.findall('rdf:Description[@rdf:about=""]', self.NS):
if qname and qname in rdfdesc.keys():
yield rdfdesc, qname, rdfdesc.get(qname), rdf
elif not qname:
for k, v in rdfdesc.items():
if v:
yield rdfdesc, k, v, rdf
xpath = qname if name else '*'
for node in rdfdesc.findall(xpath, self.NS):
if node.text and node.text.strip():
yield node, None, node.text, rdfdesc
continue
values = self._get_subelements(node)
yield node, None, values, rdfdesc
| get_elements | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name=''):\n qname = self._qname(name)\n rdf = self._get_rdf_root()\n for rdfdesc in rdf.findall('rdf:Description[@rdf:about=\"\"]', self.NS):\n if qname and qname in rdfdesc.keys():\n yield rdfdesc, qname, rdfdesc.get(qname), rdf\n elif not qname:\n for k, v in rdfdesc.items():\n if v:\n yield rdfdesc, k, v, rdf\n xpath = qname if name else '*'\n for node in rdfdesc.findall(xpath, self.NS):\n if node.text and node.text.strip():\n yield node, None, node.text, rdfdesc\n continue\n values = self._get_subelements(node)\n yield node, None, values, rdfdesc\n",
"role": "user"
},
{
"content": "get_elements",
"role": "assistant"
}
] |
def x(self):
key_part = QName(XMP_NS_PDFA_ID, 'part')
key_conformance = QName(XMP_NS_PDFA_ID, 'conformance')
try:
return self[key_part] + self[key_conformance]
except KeyError:
return ''
| pdfa_status | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n key_part = QName(XMP_NS_PDFA_ID, 'part')\n key_conformance = QName(XMP_NS_PDFA_ID, 'conformance')\n try:\n return self[key_part] + self[key_conformance]\n except KeyError:\n return ''\n",
"role": "user"
},
{
"content": "pdfa_status",
"role": "assistant"
}
] |
def x(self):
if self.image_mask:
return None
if self._colorspaces:
if self._colorspaces[0] in self.SIMPLE_COLORSPACES:
return self._colorspaces[0]
if self._colorspaces[0] == '/DeviceCMYK':
return self._colorspaces[0]
if self._colorspaces[0] == '/Indexed' and self._colorspaces[1
] in self.SIMPLE_COLORSPACES:
return self._colorspaces[1]
if self._colorspaces[0] == '/ICCBased':
icc = self._colorspaces[1]
return icc.stream_dict.get('/Alternate', '')
raise NotImplementedError('not sure how to get colorspace: ' + repr(
self._colorspaces))
| colorspace | [
{
"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.image_mask:\n return None\n if self._colorspaces:\n if self._colorspaces[0] in self.SIMPLE_COLORSPACES:\n return self._colorspaces[0]\n if self._colorspaces[0] == '/DeviceCMYK':\n return self._colorspaces[0]\n if self._colorspaces[0] == '/Indexed' and self._colorspaces[1\n ] in self.SIMPLE_COLORSPACES:\n return self._colorspaces[1]\n if self._colorspaces[0] == '/ICCBased':\n icc = self._colorspaces[1]\n return icc.stream_dict.get('/Alternate', '')\n raise NotImplementedError('not sure how to get colorspace: ' + repr(\n self._colorspaces))\n",
"role": "user"
},
{
"content": "colorspace",
"role": "assistant"
}
] |
def x(self):
m = ''
if self.indexed:
m = 'P'
elif self.bits_per_component == 1:
m = '1'
elif self.bits_per_component == 8:
if self.colorspace == '/DeviceRGB':
m = 'RGB'
elif self.colorspace == '/DeviceGray':
m = 'L'
elif self.colorspace == '/DeviceCMYK':
m = 'CMYK'
if m == '':
raise NotImplementedError(
'Not sure how to handle PDF image of this type')
return m
| mode | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n m = ''\n if self.indexed:\n m = 'P'\n elif self.bits_per_component == 1:\n m = '1'\n elif self.bits_per_component == 8:\n if self.colorspace == '/DeviceRGB':\n m = 'RGB'\n elif self.colorspace == '/DeviceGray':\n m = 'L'\n elif self.colorspace == '/DeviceCMYK':\n m = 'CMYK'\n if m == '':\n raise NotImplementedError(\n 'Not sure how to handle PDF image of this type')\n return m\n",
"role": "user"
},
{
"content": "mode",
"role": "assistant"
}
] |
def x(self):
if not self.indexed:
return None
_idx, base, hival, lookup = None, None, None, None
try:
_idx, base, hival, lookup = self._colorspaces
except ValueError as e:
raise ValueError('Not sure how to interpret this palette') from e
base = str(base)
hival = int(hival)
lookup = bytes(lookup)
if not base in self.SIMPLE_COLORSPACES:
raise NotImplementedError('not sure how to interpret this palette')
if base == '/DeviceRGB':
base = 'RGB'
elif base == '/DeviceGray':
base = 'L'
return base, lookup
| palette | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if not self.indexed:\n return None\n _idx, base, hival, lookup = None, None, None, None\n try:\n _idx, base, hival, lookup = self._colorspaces\n except ValueError as e:\n raise ValueError('Not sure how to interpret this palette') from e\n base = str(base)\n hival = int(hival)\n lookup = bytes(lookup)\n if not base in self.SIMPLE_COLORSPACES:\n raise NotImplementedError('not sure how to interpret this palette')\n if base == '/DeviceRGB':\n base = 'RGB'\n elif base == '/DeviceGray':\n base = 'L'\n return base, lookup\n",
"role": "user"
},
{
"content": "palette",
"role": "assistant"
}
] |
def x(cls, *, pdf, page, name, image):
data = image.tobytes()
imstream = Stream(pdf, data)
imstream.Type = Name('/XObject')
imstream.Subtype = Name('/Image')
if image.mode == 'RGB':
imstream.ColorSpace = Name('/DeviceRGB')
elif image.mode in ('1', 'L'):
imstream.ColorSpace = Name('/DeviceGray')
imstream.BitsPerComponent = 1 if image.mode == '1' else 8
imstream.Width = image.width
imstream.Height = image.height
page.Resources.XObject[name] = imstream
return cls(imstream)
| from_pil_image | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, *, pdf, page, name, image):\n data = image.tobytes()\n imstream = Stream(pdf, data)\n imstream.Type = Name('/XObject')\n imstream.Subtype = Name('/Image')\n if image.mode == 'RGB':\n imstream.ColorSpace = Name('/DeviceRGB')\n elif image.mode in ('1', 'L'):\n imstream.ColorSpace = Name('/DeviceGray')\n imstream.BitsPerComponent = 1 if image.mode == '1' else 8\n imstream.Width = image.width\n imstream.Height = image.height\n page.Resources.XObject[name] = imstream\n return cls(imstream)\n",
"role": "user"
},
{
"content": "from_pil_image",
"role": "assistant"
}
] |
def x(self, *, stream):
def x():
DEFAULT_CT_RGB = 1
ct = self.filter_decodeparms[0][1].get('/ColorTransform',
DEFAULT_CT_RGB)
return self.mode == 'RGB' and ct == DEFAULT_CT_RGB
def x():
DEFAULT_CT_CMYK = 0
ct = self.filter_decodeparms[0][1].get('/ColorTransform',
DEFAULT_CT_CMYK)
return self.mode == 'CMYK' and ct == DEFAULT_CT_CMYK
if self.filters == ['/CCITTFaxDecode']:
data = self.obj.read_raw_bytes()
stream.write(self._generate_ccitt_header(data))
stream.write(data)
return '.tif'
elif self.filters == ['/DCTDecode'] and (self.mode == 'L' or
normal_dct_rgb() or normal_dct_cmyk()):
buffer = self.obj.get_raw_stream_buffer()
stream.write(buffer)
return '.jpg'
raise UnsupportedImageTypeError()
| extract_direct | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *, stream):\n\n def x():\n DEFAULT_CT_RGB = 1\n ct = self.filter_decodeparms[0][1].get('/ColorTransform',\n DEFAULT_CT_RGB)\n return self.mode == 'RGB' and ct == DEFAULT_CT_RGB\n\n def x():\n DEFAULT_CT_CMYK = 0\n ct = self.filter_decodeparms[0][1].get('/ColorTransform',\n DEFAULT_CT_CMYK)\n return self.mode == 'CMYK' and ct == DEFAULT_CT_CMYK\n if self.filters == ['/CCITTFaxDecode']:\n data = self.obj.read_raw_bytes()\n stream.write(self._generate_ccitt_header(data))\n stream.write(data)\n return '.tif'\n elif self.filters == ['/DCTDecode'] and (self.mode == 'L' or\n normal_dct_rgb() or normal_dct_cmyk()):\n buffer = self.obj.get_raw_stream_buffer()\n stream.write(buffer)\n return '.jpg'\n raise UnsupportedImageTypeError()\n",
"role": "user"
},
{
"content": "extract_direct",
"role": "assistant"
}
] |
def x(self, *, stream):
try:
return self._extract_direct(stream=stream)
except UnsupportedImageTypeError:
pass
im = self._extract_transcoded()
if im:
im.save(stream, format='png')
return '.png'
raise UnsupportedImageTypeError(repr(self))
| extract_to_stream | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *, stream):\n try:\n return self._extract_direct(stream=stream)\n except UnsupportedImageTypeError:\n pass\n im = self._extract_transcoded()\n if im:\n im.save(stream, format='png')\n return '.png'\n raise UnsupportedImageTypeError(repr(self))\n",
"role": "user"
},
{
"content": "extract_to_stream",
"role": "assistant"
}
] |
def x(self, *, stream=None, fileprefix=''):
if bool(stream) == bool(fileprefix):
raise ValueError('Cannot set both stream and fileprefix')
if stream:
return self._extract_to_stream(stream=stream)
bio = BytesIO()
extension = self._extract_to_stream(stream=bio)
bio.seek(0)
filepath = Path(Path(fileprefix).name + extension)
with filepath.open('wb') as target:
copyfileobj(bio, target)
return str(filepath)
| extract_to | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *, stream=None, fileprefix=''):\n if bool(stream) == bool(fileprefix):\n raise ValueError('Cannot set both stream and fileprefix')\n if stream:\n return self._extract_to_stream(stream=stream)\n bio = BytesIO()\n extension = self._extract_to_stream(stream=bio)\n bio.seek(0)\n filepath = Path(Path(fileprefix).name + extension)\n with filepath.open('wb') as target:\n copyfileobj(bio, target)\n return str(filepath)\n",
"role": "user"
},
{
"content": "extract_to",
"role": "assistant"
}
] |
def x(self):
from PIL import Image
try:
bio = BytesIO()
self._extract_direct(stream=bio)
bio.seek(0)
return Image.open(bio)
except UnsupportedImageTypeError:
pass
im = self._extract_transcoded()
if not im:
raise UnsupportedImageTypeError(repr(self))
return im
| as_pil_image | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n from PIL import Image\n try:\n bio = BytesIO()\n self._extract_direct(stream=bio)\n bio.seek(0)\n return Image.open(bio)\n except UnsupportedImageTypeError:\n pass\n im = self._extract_transcoded()\n if not im:\n raise UnsupportedImageTypeError(repr(self))\n return im\n",
"role": "user"
},
{
"content": "as_pil_image",
"role": "assistant"
}
] |
def x(self, data):
if not self.decode_parms:
raise ValueError('/CCITTFaxDecode without /DecodeParms')
if self.decode_parms[0].get('/K', 1) < 0:
ccitt_group = 4
else:
ccitt_group = 3
black_is_one = self.decode_parms[0].get('/BlackIs1', False)
white_is_zero = 1 if black_is_one else 0
img_size = len(data)
tiff_header_struct = '<' + '2s' + 'H' + 'L' + 'H' + 'HHLL' * 8 + 'L'
tiff_header = struct.pack(tiff_header_struct, b'II', 42, 8, 8, 256, 4,
1, self.width, 257, 4, 1, self.height, 258, 3, 1, 1, 259, 3, 1,
ccitt_group, 262, 3, 1, int(white_is_zero), 273, 4, 1, struct.
calcsize(tiff_header_struct), 278, 4, 1, self.height, 279, 4, 1,
img_size, 0)
return tiff_header
| generate_ccitt_header | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data):\n if not self.decode_parms:\n raise ValueError('/CCITTFaxDecode without /DecodeParms')\n if self.decode_parms[0].get('/K', 1) < 0:\n ccitt_group = 4\n else:\n ccitt_group = 3\n black_is_one = self.decode_parms[0].get('/BlackIs1', False)\n white_is_zero = 1 if black_is_one else 0\n img_size = len(data)\n tiff_header_struct = '<' + '2s' + 'H' + 'L' + 'H' + 'HHLL' * 8 + 'L'\n tiff_header = struct.pack(tiff_header_struct, b'II', 42, 8, 8, 256, 4, \n 1, self.width, 257, 4, 1, self.height, 258, 3, 1, 1, 259, 3, 1,\n ccitt_group, 262, 3, 1, int(white_is_zero), 273, 4, 1, struct.\n calcsize(tiff_header_struct), 278, 4, 1, self.height, 279, 4, 1,\n img_size, 0)\n return tiff_header\n",
"role": "user"
},
{
"content": "generate_ccitt_header",
"role": "assistant"
}
] |
def x(self):
b = BytesIO()
im = self.as_pil_image()
im.save(b, 'PNG')
return b.getvalue()
| repr_png_ | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n b = BytesIO()\n im = self.as_pil_image()\n im.save(b, 'PNG')\n return b.getvalue()\n",
"role": "user"
},
{
"content": "repr_png_",
"role": "assistant"
}
] |
def x(cls_cpp):
def x(cls, cls_cpp=cls_cpp):
for name, fn in inspect.getmembers(cls, inspect.isfunction):
fn.__qualname__ = fn.__qualname__.replace(cls.__name__, cls_cpp
.__name__)
setattr(cls_cpp, name, fn)
for name, fn in inspect.getmembers(cls, inspect.isdatadescriptor):
setattr(cls_cpp, name, fn)
def x(self):
raise NotImplementedError(self.__class__.__name__ + '.__init__')
cls.__init__ = block_init
return cls
return class_augment
| augments | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls_cpp):\n\n def x(cls, cls_cpp=cls_cpp):\n for name, fn in inspect.getmembers(cls, inspect.isfunction):\n fn.__qualname__ = fn.__qualname__.replace(cls.__name__, cls_cpp\n .__name__)\n setattr(cls_cpp, name, fn)\n for name, fn in inspect.getmembers(cls, inspect.isdatadescriptor):\n setattr(cls_cpp, name, fn)\n\n def x(self):\n raise NotImplementedError(self.__class__.__name__ + '.__init__')\n cls.__init__ = block_init\n return cls\n return class_augment\n",
"role": "user"
},
{
"content": "augments",
"role": "assistant"
}
] |
def x(page):
pdf = Pdf.new()
pdf.pages.append(page)
bio = BytesIO()
pdf.save(bio)
bio.seek(0)
return bio.read()
| single_page_pdf | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(page):\n pdf = Pdf.new()\n pdf.pages.append(page)\n bio = BytesIO()\n pdf.save(bio)\n bio.seek(0)\n return bio.read()\n",
"role": "user"
},
{
"content": "single_page_pdf",
"role": "assistant"
}
] |
def x(buffer, fmt):
with NamedTemporaryFile(suffix='.pdf') as tmp_in:
tmp_in.write(buffer)
tmp_in.seek(0)
tmp_in.flush()
proc = run(['mudraw', '-F', fmt, '-o', '-', tmp_in.name], stdout=
PIPE, stderr=PIPE)
if proc.stderr:
raise RuntimeError(proc.stderr.decode())
return proc.stdout
| mudraw | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(buffer, fmt):\n with NamedTemporaryFile(suffix='.pdf') as tmp_in:\n tmp_in.write(buffer)\n tmp_in.seek(0)\n tmp_in.flush()\n proc = run(['mudraw', '-F', fmt, '-o', '-', tmp_in.name], stdout=\n PIPE, stderr=PIPE)\n if proc.stderr:\n raise RuntimeError(proc.stderr.decode())\n return proc.stdout\n",
"role": "user"
},
{
"content": "mudraw",
"role": "assistant"
}
] |
def x(self, angle_degrees_ccw):
angle = angle_degrees_ccw / 180.0 * pi
c, s = cos(angle), sin(angle)
return self @ PdfMatrix((c, s, -s, c, 0, 0))
| rotated | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, angle_degrees_ccw):\n angle = angle_degrees_ccw / 180.0 * pi\n c, s = cos(angle), sin(angle)\n return self @ PdfMatrix((c, s, -s, c, 0, 0))\n",
"role": "user"
},
{
"content": "rotated",
"role": "assistant"
}
] |
def x(self):
return self.a, self.b, self.c, self.d, self.e, self.f
| shorthand | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return self.a, self.b, self.c, self.d, self.e, self.f\n",
"role": "user"
},
{
"content": "shorthand",
"role": "assistant"
}
] |
def x(self):
return '{:.6f} {:.6f} {:.6f} {:.6f} {:.6f} {:.6f}'.format(self.a, self.
b, self.c, self.d, self.e, self.f).encode()
| encode | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return '{:.6f} {:.6f} {:.6f} {:.6f} {:.6f} {:.6f}'.format(self.a, self.\n b, self.c, self.d, self.e, self.f).encode()\n",
"role": "user"
},
{
"content": "encode",
"role": "assistant"
}
] |
def x(page_or_stream, operators=''):
if not isinstance(page_or_stream, Object):
raise TypeError('stream must a PDF object')
if page_or_stream._type_code != ObjectType.stream and page_or_stream.get(
'/Type') != '/Page':
raise TypeError('parse_content_stream called on page or stream object')
try:
if page_or_stream.get('/Type') == '/Page':
page = page_or_stream
instructions = page._parse_page_contents_grouped(operators)
else:
stream = page_or_stream
instructions = Object._parse_stream_grouped(stream, operators)
except PdfError as e:
if 'ignoring non-stream while parsing' in str(e):
raise TypeError('parse_content_stream called on non-stream Object')
raise e from e
return instructions
| parse_content_stream | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(page_or_stream, operators=''):\n if not isinstance(page_or_stream, Object):\n raise TypeError('stream must a PDF object')\n if page_or_stream._type_code != ObjectType.stream and page_or_stream.get(\n '/Type') != '/Page':\n raise TypeError('parse_content_stream called on page or stream object')\n try:\n if page_or_stream.get('/Type') == '/Page':\n page = page_or_stream\n instructions = page._parse_page_contents_grouped(operators)\n else:\n stream = page_or_stream\n instructions = Object._parse_stream_grouped(stream, operators)\n except PdfError as e:\n if 'ignoring non-stream while parsing' in str(e):\n raise TypeError('parse_content_stream called on non-stream Object')\n raise e from e\n return instructions\n",
"role": "user"
},
{
"content": "parse_content_stream",
"role": "assistant"
}
] |
def x(self):
text_showing_operators = 'TJ " \' Tj'
text_showing_insts = parse_content_stream(self.obj, text_showing_operators)
if len(text_showing_insts) > 0:
return True
return False
| has_text | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n text_showing_operators = 'TJ \" \\' Tj'\n text_showing_insts = parse_content_stream(self.obj, text_showing_operators)\n if len(text_showing_insts) > 0:\n return True\n return False\n",
"role": "user"
},
{
"content": "has_text",
"role": "assistant"
}
] |
def x(tlist, cls):
opens = []
tidx_offset = 0
for idx, token in enumerate(list(tlist)):
tidx = idx - tidx_offset
if token.is_whitespace:
continue
if token.is_group and not isinstance(token, cls):
_group_matching(token, cls)
continue
if token.match(*cls.M_OPEN):
opens.append(tidx)
elif token.match(*cls.M_CLOSE):
try:
open_idx = opens.pop()
except IndexError:
continue
close_idx = tidx
tlist.group_tokens(cls, open_idx, close_idx)
tidx_offset += close_idx - open_idx
| group_matching | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(tlist, cls):\n opens = []\n tidx_offset = 0\n for idx, token in enumerate(list(tlist)):\n tidx = idx - tidx_offset\n if token.is_whitespace:\n continue\n if token.is_group and not isinstance(token, cls):\n _group_matching(token, cls)\n continue\n if token.match(*cls.M_OPEN):\n opens.append(tidx)\n elif token.match(*cls.M_CLOSE):\n try:\n open_idx = opens.pop()\n except IndexError:\n continue\n close_idx = tidx\n tlist.group_tokens(cls, open_idx, close_idx)\n tidx_offset += close_idx - open_idx\n",
"role": "user"
},
{
"content": "group_matching",
"role": "assistant"
}
] |
def x(tlist):
tidx, token = tlist.token_next_by(t=T.Keyword.Order)
while token:
pidx, prev_ = tlist.token_prev(tidx)
if imt(prev_, i=sql.Identifier, t=T.Number):
tlist.group_tokens(sql.Identifier, pidx, tidx)
tidx = pidx
tidx, token = tlist.token_next_by(t=T.Keyword.Order, idx=tidx)
| group_order | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(tlist):\n tidx, token = tlist.token_next_by(t=T.Keyword.Order)\n while token:\n pidx, prev_ = tlist.token_prev(tidx)\n if imt(prev_, i=sql.Identifier, t=T.Number):\n tlist.group_tokens(sql.Identifier, pidx, tidx)\n tidx = pidx\n tidx, token = tlist.token_next_by(t=T.Keyword.Order, idx=tidx)\n",
"role": "user"
},
{
"content": "group_order",
"role": "assistant"
}
] |
def x(tlist, cls, match, valid_prev=lambda t: True, valid_next=lambda t:
True, post=None, extend=True, recurse=True):
tidx_offset = 0
pidx, prev_ = None, None
for idx, token in enumerate(list(tlist)):
tidx = idx - tidx_offset
if token.is_whitespace:
continue
if recurse and token.is_group and not isinstance(token, cls):
_group(token, cls, match, valid_prev, valid_next, post, extend)
if match(token):
nidx, next_ = tlist.token_next(tidx)
if prev_ and valid_prev(prev_) and valid_next(next_):
from_idx, to_idx = post(tlist, pidx, tidx, nidx)
grp = tlist.group_tokens(cls, from_idx, to_idx, extend=extend)
tidx_offset += to_idx - from_idx
pidx, prev_ = from_idx, grp
continue
pidx, prev_ = tidx, token
| group | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(tlist, cls, match, valid_prev=lambda t: True, valid_next=lambda t: \n True, post=None, extend=True, recurse=True):\n tidx_offset = 0\n pidx, prev_ = None, None\n for idx, token in enumerate(list(tlist)):\n tidx = idx - tidx_offset\n if token.is_whitespace:\n continue\n if recurse and token.is_group and not isinstance(token, cls):\n _group(token, cls, match, valid_prev, valid_next, post, extend)\n if match(token):\n nidx, next_ = tlist.token_next(tidx)\n if prev_ and valid_prev(prev_) and valid_next(next_):\n from_idx, to_idx = post(tlist, pidx, tidx, nidx)\n grp = tlist.group_tokens(cls, from_idx, to_idx, extend=extend)\n tidx_offset += to_idx - from_idx\n pidx, prev_ = from_idx, grp\n continue\n pidx, prev_ = tidx, token\n",
"role": "user"
},
{
"content": "group",
"role": "assistant"
}
] |
def x(self):
self._in_declare = False
self._is_create = False
self._begin_depth = 0
self.consume_ws = False
self.tokens = []
self.level = 0
| reset | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self._in_declare = False\n self._is_create = False\n self._begin_depth = 0\n self.consume_ws = False\n self.tokens = []\n self.level = 0\n",
"role": "user"
},
{
"content": "reset",
"role": "assistant"
}
] |
def x(self, ttype, value):
if ttype is T.Punctuation and value == '(':
return 1
elif ttype is T.Punctuation and value == ')':
return -1
elif ttype not in T.Keyword:
return 0
unified = value.upper()
if ttype is T.Keyword.DDL and unified.startswith('CREATE'):
self._is_create = True
return 0
if unified == 'DECLARE' and self._is_create and self._begin_depth == 0:
self._in_declare = True
return 1
if unified == 'BEGIN':
self._begin_depth += 1
if self._is_create:
return 1
return 0
if unified == 'END':
self._begin_depth = max(0, self._begin_depth - 1)
return -1
if unified in ('IF', 'FOR', 'WHILE'
) and self._is_create and self._begin_depth > 0:
return 1
if unified in ('END IF', 'END FOR', 'END WHILE'):
return -1
return 0
| change_splitlevel | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, ttype, value):\n if ttype is T.Punctuation and value == '(':\n return 1\n elif ttype is T.Punctuation and value == ')':\n return -1\n elif ttype not in T.Keyword:\n return 0\n unified = value.upper()\n if ttype is T.Keyword.DDL and unified.startswith('CREATE'):\n self._is_create = True\n return 0\n if unified == 'DECLARE' and self._is_create and self._begin_depth == 0:\n self._in_declare = True\n return 1\n if unified == 'BEGIN':\n self._begin_depth += 1\n if self._is_create:\n return 1\n return 0\n if unified == 'END':\n self._begin_depth = max(0, self._begin_depth - 1)\n return -1\n if unified in ('IF', 'FOR', 'WHILE'\n ) and self._is_create and self._begin_depth > 0:\n return 1\n if unified in ('END IF', 'END FOR', 'END WHILE'):\n return -1\n return 0\n",
"role": "user"
},
{
"content": "change_splitlevel",
"role": "assistant"
}
] |
def x(self, stream):
EOS_TTYPE = T.Whitespace, T.Comment.Single
for ttype, value in stream:
if self.consume_ws and ttype not in EOS_TTYPE:
yield sql.Statement(self.tokens)
self._reset()
self.level += self._change_splitlevel(ttype, value)
self.tokens.append(sql.Token(ttype, value))
if self.level <= 0 and ttype is T.Punctuation and value == ';':
self.consume_ws = True
if self.tokens:
yield sql.Statement(self.tokens)
| process | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, stream):\n EOS_TTYPE = T.Whitespace, T.Comment.Single\n for ttype, value in stream:\n if self.consume_ws and ttype not in EOS_TTYPE:\n yield sql.Statement(self.tokens)\n self._reset()\n self.level += self._change_splitlevel(ttype, value)\n self.tokens.append(sql.Token(ttype, value))\n if self.level <= 0 and ttype is T.Punctuation and value == ';':\n self.consume_ws = True\n if self.tokens:\n yield sql.Statement(self.tokens)\n",
"role": "user"
},
{
"content": "process",
"role": "assistant"
}
] |
def x(options):
kwcase = options.get('keyword_case')
if kwcase not in [None, 'upper', 'lower', 'capitalize']:
raise SQLParseError('Invalid value for keyword_case: {0!r}'.format(
kwcase))
idcase = options.get('identifier_case')
if idcase not in [None, 'upper', 'lower', 'capitalize']:
raise SQLParseError('Invalid value for identifier_case: {0!r}'.
format(idcase))
ofrmt = options.get('output_format')
if ofrmt not in [None, 'sql', 'python', 'php']:
raise SQLParseError('Unknown output format: {0!r}'.format(ofrmt))
strip_comments = options.get('strip_comments', False)
if strip_comments not in [True, False]:
raise SQLParseError('Invalid value for strip_comments: {0!r}'.
format(strip_comments))
space_around_operators = options.get('use_space_around_operators', False)
if space_around_operators not in [True, False]:
raise SQLParseError(
'Invalid value for use_space_around_operators: {0!r}'.format(
space_around_operators))
strip_ws = options.get('strip_whitespace', False)
if strip_ws not in [True, False]:
raise SQLParseError('Invalid value for strip_whitespace: {0!r}'.
format(strip_ws))
truncate_strings = options.get('truncate_strings')
if truncate_strings is not None:
try:
truncate_strings = int(truncate_strings)
except (ValueError, TypeError):
raise SQLParseError('Invalid value for truncate_strings: {0!r}'
.format(truncate_strings))
if truncate_strings <= 1:
raise SQLParseError('Invalid value for truncate_strings: {0!r}'
.format(truncate_strings))
options['truncate_strings'] = truncate_strings
options['truncate_char'] = options.get('truncate_char', '[...]')
indent_columns = options.get('indent_columns', False)
if indent_columns not in [True, False]:
raise SQLParseError('Invalid value for indent_columns: {0!r}'.
format(indent_columns))
elif indent_columns:
options['reindent'] = True
options['indent_columns'] = indent_columns
reindent = options.get('reindent', False)
if reindent not in [True, False]:
raise SQLParseError('Invalid value for reindent: {0!r}'.format(
reindent))
elif reindent:
options['strip_whitespace'] = True
reindent_aligned = options.get('reindent_aligned', False)
if reindent_aligned not in [True, False]:
raise SQLParseError('Invalid value for reindent_aligned: {0!r}'.
format(reindent))
elif reindent_aligned:
options['strip_whitespace'] = True
indent_after_first = options.get('indent_after_first', False)
if indent_after_first not in [True, False]:
raise SQLParseError('Invalid value for indent_after_first: {0!r}'.
format(indent_after_first))
options['indent_after_first'] = indent_after_first
indent_tabs = options.get('indent_tabs', False)
if indent_tabs not in [True, False]:
raise SQLParseError('Invalid value for indent_tabs: {0!r}'.format(
indent_tabs))
elif indent_tabs:
options['indent_char'] = '\t'
else:
options['indent_char'] = ' '
indent_width = options.get('indent_width', 2)
try:
indent_width = int(indent_width)
except (TypeError, ValueError):
raise SQLParseError('indent_width requires an integer')
if indent_width < 1:
raise SQLParseError('indent_width requires a positive integer')
options['indent_width'] = indent_width
wrap_after = options.get('wrap_after', 0)
try:
wrap_after = int(wrap_after)
except (TypeError, ValueError):
raise SQLParseError('wrap_after requires an integer')
if wrap_after < 0:
raise SQLParseError('wrap_after requires a positive integer')
options['wrap_after'] = wrap_after
comma_first = options.get('comma_first', False)
if comma_first not in [True, False]:
raise SQLParseError('comma_first requires a boolean value')
options['comma_first'] = comma_first
right_margin = options.get('right_margin')
if right_margin is not None:
try:
right_margin = int(right_margin)
except (TypeError, ValueError):
raise SQLParseError('right_margin requires an integer')
if right_margin < 10:
raise SQLParseError('right_margin requires an integer > 10')
options['right_margin'] = right_margin
return options
| validate_options | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(options):\n kwcase = options.get('keyword_case')\n if kwcase not in [None, 'upper', 'lower', 'capitalize']:\n raise SQLParseError('Invalid value for keyword_case: {0!r}'.format(\n kwcase))\n idcase = options.get('identifier_case')\n if idcase not in [None, 'upper', 'lower', 'capitalize']:\n raise SQLParseError('Invalid value for identifier_case: {0!r}'.\n format(idcase))\n ofrmt = options.get('output_format')\n if ofrmt not in [None, 'sql', 'python', 'php']:\n raise SQLParseError('Unknown output format: {0!r}'.format(ofrmt))\n strip_comments = options.get('strip_comments', False)\n if strip_comments not in [True, False]:\n raise SQLParseError('Invalid value for strip_comments: {0!r}'.\n format(strip_comments))\n space_around_operators = options.get('use_space_around_operators', False)\n if space_around_operators not in [True, False]:\n raise SQLParseError(\n 'Invalid value for use_space_around_operators: {0!r}'.format(\n space_around_operators))\n strip_ws = options.get('strip_whitespace', False)\n if strip_ws not in [True, False]:\n raise SQLParseError('Invalid value for strip_whitespace: {0!r}'.\n format(strip_ws))\n truncate_strings = options.get('truncate_strings')\n if truncate_strings is not None:\n try:\n truncate_strings = int(truncate_strings)\n except (ValueError, TypeError):\n raise SQLParseError('Invalid value for truncate_strings: {0!r}'\n .format(truncate_strings))\n if truncate_strings <= 1:\n raise SQLParseError('Invalid value for truncate_strings: {0!r}'\n .format(truncate_strings))\n options['truncate_strings'] = truncate_strings\n options['truncate_char'] = options.get('truncate_char', '[...]')\n indent_columns = options.get('indent_columns', False)\n if indent_columns not in [True, False]:\n raise SQLParseError('Invalid value for indent_columns: {0!r}'.\n format(indent_columns))\n elif indent_columns:\n options['reindent'] = True\n options['indent_columns'] = indent_columns\n reindent = options.get('reindent', False)\n if reindent not in [True, False]:\n raise SQLParseError('Invalid value for reindent: {0!r}'.format(\n reindent))\n elif reindent:\n options['strip_whitespace'] = True\n reindent_aligned = options.get('reindent_aligned', False)\n if reindent_aligned not in [True, False]:\n raise SQLParseError('Invalid value for reindent_aligned: {0!r}'.\n format(reindent))\n elif reindent_aligned:\n options['strip_whitespace'] = True\n indent_after_first = options.get('indent_after_first', False)\n if indent_after_first not in [True, False]:\n raise SQLParseError('Invalid value for indent_after_first: {0!r}'.\n format(indent_after_first))\n options['indent_after_first'] = indent_after_first\n indent_tabs = options.get('indent_tabs', False)\n if indent_tabs not in [True, False]:\n raise SQLParseError('Invalid value for indent_tabs: {0!r}'.format(\n indent_tabs))\n elif indent_tabs:\n options['indent_char'] = '\\t'\n else:\n options['indent_char'] = ' '\n indent_width = options.get('indent_width', 2)\n try:\n indent_width = int(indent_width)\n except (TypeError, ValueError):\n raise SQLParseError('indent_width requires an integer')\n if indent_width < 1:\n raise SQLParseError('indent_width requires a positive integer')\n options['indent_width'] = indent_width\n wrap_after = options.get('wrap_after', 0)\n try:\n wrap_after = int(wrap_after)\n except (TypeError, ValueError):\n raise SQLParseError('wrap_after requires an integer')\n if wrap_after < 0:\n raise SQLParseError('wrap_after requires a positive integer')\n options['wrap_after'] = wrap_after\n comma_first = options.get('comma_first', False)\n if comma_first not in [True, False]:\n raise SQLParseError('comma_first requires a boolean value')\n options['comma_first'] = comma_first\n right_margin = options.get('right_margin')\n if right_margin is not None:\n try:\n right_margin = int(right_margin)\n except (TypeError, ValueError):\n raise SQLParseError('right_margin requires an integer')\n if right_margin < 10:\n raise SQLParseError('right_margin requires an integer > 10')\n options['right_margin'] = right_margin\n return options\n",
"role": "user"
},
{
"content": "validate_options",
"role": "assistant"
}
] |
def x(stack, options):
if options.get('keyword_case'):
stack.preprocess.append(filters.KeywordCaseFilter(options[
'keyword_case']))
if options.get('identifier_case'):
stack.preprocess.append(filters.IdentifierCaseFilter(options[
'identifier_case']))
if options.get('truncate_strings'):
stack.preprocess.append(filters.TruncateStringFilter(width=options[
'truncate_strings'], char=options['truncate_char']))
if options.get('use_space_around_operators', False):
stack.enable_grouping()
stack.stmtprocess.append(filters.SpacesAroundOperatorsFilter())
if options.get('strip_comments'):
stack.enable_grouping()
stack.stmtprocess.append(filters.StripCommentsFilter())
if options.get('strip_whitespace') or options.get('reindent'):
stack.enable_grouping()
stack.stmtprocess.append(filters.StripWhitespaceFilter())
if options.get('reindent'):
stack.enable_grouping()
stack.stmtprocess.append(filters.ReindentFilter(char=options[
'indent_char'], width=options['indent_width'],
indent_after_first=options['indent_after_first'],
indent_columns=options['indent_columns'], wrap_after=options[
'wrap_after'], comma_first=options['comma_first']))
if options.get('reindent_aligned', False):
stack.enable_grouping()
stack.stmtprocess.append(filters.AlignedIndentFilter(char=options[
'indent_char']))
if options.get('right_margin'):
stack.enable_grouping()
stack.stmtprocess.append(filters.RightMarginFilter(width=options[
'right_margin']))
if options.get('output_format'):
frmt = options['output_format']
if frmt.lower() == 'php':
fltr = filters.OutputPHPFilter()
elif frmt.lower() == 'python':
fltr = filters.OutputPythonFilter()
else:
fltr = None
if fltr is not None:
stack.postprocess.append(fltr)
return stack
| build_filter_stack | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(stack, options):\n if options.get('keyword_case'):\n stack.preprocess.append(filters.KeywordCaseFilter(options[\n 'keyword_case']))\n if options.get('identifier_case'):\n stack.preprocess.append(filters.IdentifierCaseFilter(options[\n 'identifier_case']))\n if options.get('truncate_strings'):\n stack.preprocess.append(filters.TruncateStringFilter(width=options[\n 'truncate_strings'], char=options['truncate_char']))\n if options.get('use_space_around_operators', False):\n stack.enable_grouping()\n stack.stmtprocess.append(filters.SpacesAroundOperatorsFilter())\n if options.get('strip_comments'):\n stack.enable_grouping()\n stack.stmtprocess.append(filters.StripCommentsFilter())\n if options.get('strip_whitespace') or options.get('reindent'):\n stack.enable_grouping()\n stack.stmtprocess.append(filters.StripWhitespaceFilter())\n if options.get('reindent'):\n stack.enable_grouping()\n stack.stmtprocess.append(filters.ReindentFilter(char=options[\n 'indent_char'], width=options['indent_width'],\n indent_after_first=options['indent_after_first'],\n indent_columns=options['indent_columns'], wrap_after=options[\n 'wrap_after'], comma_first=options['comma_first']))\n if options.get('reindent_aligned', False):\n stack.enable_grouping()\n stack.stmtprocess.append(filters.AlignedIndentFilter(char=options[\n 'indent_char']))\n if options.get('right_margin'):\n stack.enable_grouping()\n stack.stmtprocess.append(filters.RightMarginFilter(width=options[\n 'right_margin']))\n if options.get('output_format'):\n frmt = options['output_format']\n if frmt.lower() == 'php':\n fltr = filters.OutputPHPFilter()\n elif frmt.lower() == 'python':\n fltr = filters.OutputPythonFilter()\n else:\n fltr = None\n if fltr is not None:\n stack.postprocess.append(fltr)\n return stack\n",
"role": "user"
},
{
"content": "build_filter_stack",
"role": "assistant"
}
] |
def x(stmt):
text = text_type(stmt)
lines = SPLIT_REGEX.split(text)
outputlines = ['']
for line in lines:
if not line:
continue
elif LINE_MATCH.match(line):
outputlines.append('')
else:
outputlines[-1] += line
return outputlines
| split_unquoted_newlines | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(stmt):\n text = text_type(stmt)\n lines = SPLIT_REGEX.split(text)\n outputlines = ['']\n for line in lines:\n if not line:\n continue\n elif LINE_MATCH.match(line):\n outputlines.append('')\n else:\n outputlines[-1] += line\n return outputlines\n",
"role": "user"
},
{
"content": "split_unquoted_newlines",
"role": "assistant"
}
] |
def x(*cls):
def x(f):
def x(tlist):
for sgroup in tlist.get_sublists():
if not isinstance(sgroup, cls):
wrapped_f(sgroup)
f(tlist)
return wrapped_f
return wrap
| recurse | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*cls):\n\n def x(f):\n\n def x(tlist):\n for sgroup in tlist.get_sublists():\n if not isinstance(sgroup, cls):\n wrapped_f(sgroup)\n f(tlist)\n return wrapped_f\n return wrap\n",
"role": "user"
},
{
"content": "recurse",
"role": "assistant"
}
] |
def x(token, i=None, m=None, t=None):
clss = i
types = [t] if t and not isinstance(t, list) else t
mpatterns = [m] if m and not isinstance(m, list) else m
if token is None:
return False
elif clss and isinstance(token, clss):
return True
elif mpatterns and any(token.match(*pattern) for pattern in mpatterns):
return True
elif types and any(token.ttype in ttype for ttype in types):
return True
else:
return False
| imt | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(token, i=None, m=None, t=None):\n clss = i\n types = [t] if t and not isinstance(t, list) else t\n mpatterns = [m] if m and not isinstance(m, list) else m\n if token is None:\n return False\n elif clss and isinstance(token, clss):\n return True\n elif mpatterns and any(token.match(*pattern) for pattern in mpatterns):\n return True\n elif types and any(token.ttype in ttype for ttype in types):\n return True\n else:\n return False\n",
"role": "user"
},
{
"content": "imt",
"role": "assistant"
}
] |
def x(stream, encoding=None):
stack = engine.FilterStack()
stack.enable_grouping()
return stack.run(stream, encoding)
| parsestream | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(stream, encoding=None):\n stack = engine.FilterStack()\n stack.enable_grouping()\n return stack.run(stream, encoding)\n",
"role": "user"
},
{
"content": "parsestream",
"role": "assistant"
}
] |
def x(sql, encoding=None, **options):
stack = engine.FilterStack()
options = formatter.validate_options(options)
stack = formatter.build_filter_stack(stack, options)
stack.postprocess.append(filters.SerializerUnicode())
return u''.join(stack.run(sql, encoding))
| format | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(sql, encoding=None, **options):\n stack = engine.FilterStack()\n options = formatter.validate_options(options)\n stack = formatter.build_filter_stack(stack, options)\n stack.postprocess.append(filters.SerializerUnicode())\n return u''.join(stack.run(sql, encoding))\n",
"role": "user"
},
{
"content": "format",
"role": "assistant"
}
] |
def x(sql, encoding=None):
stack = engine.FilterStack()
return [text_type(stmt).strip() for stmt in stack.run(sql, encoding)]
| split | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(sql, encoding=None):\n stack = engine.FilterStack()\n return [text_type(stmt).strip() for stmt in stack.run(sql, encoding)]\n",
"role": "user"
},
{
"content": "split",
"role": "assistant"
}
] |
def x(text, encoding=None):
if isinstance(text, file_types):
text = text.read()
if isinstance(text, text_type):
pass
elif isinstance(text, bytes):
if encoding:
text = text.decode(encoding)
else:
try:
text = text.decode('utf-8')
except UnicodeDecodeError:
text = text.decode('unicode-escape')
else:
raise TypeError(u'Expected text or file-like object, got {!r}'.
format(type(text)))
iterable = enumerate(text)
for pos, char in iterable:
for rexmatch, action in SQL_REGEX:
m = rexmatch(text, pos)
if not m:
continue
elif isinstance(action, tokens._TokenType):
yield action, m.group()
elif callable(action):
yield action(m.group())
consume(iterable, m.end() - pos - 1)
break
else:
yield tokens.Error, char
| get_tokens | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(text, encoding=None):\n if isinstance(text, file_types):\n text = text.read()\n if isinstance(text, text_type):\n pass\n elif isinstance(text, bytes):\n if encoding:\n text = text.decode(encoding)\n else:\n try:\n text = text.decode('utf-8')\n except UnicodeDecodeError:\n text = text.decode('unicode-escape')\n else:\n raise TypeError(u'Expected text or file-like object, got {!r}'.\n format(type(text)))\n iterable = enumerate(text)\n for pos, char in iterable:\n for rexmatch, action in SQL_REGEX:\n m = rexmatch(text, pos)\n if not m:\n continue\n elif isinstance(action, tokens._TokenType):\n yield action, m.group()\n elif callable(action):\n yield action(m.group())\n consume(iterable, m.end() - pos - 1)\n break\n else:\n yield tokens.Error, char\n",
"role": "user"
},
{
"content": "get_tokens",
"role": "assistant"
}
] |
def x(self, token):
if token.is_group:
token = next(token.flatten())
for t in self._curr_stmt.flatten():
if t == token:
break
yield t
| flatten_up_to_token | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, token):\n if token.is_group:\n token = next(token.flatten())\n for t in self._curr_stmt.flatten():\n if t == token:\n break\n yield t\n",
"role": "user"
},
{
"content": "flatten_up_to_token",
"role": "assistant"
}
] |
def x(self):
first_token = self.token_first(skip_cm=True)
if first_token is None:
return 'UNKNOWN'
elif first_token.ttype in (T.Keyword.DML, T.Keyword.DDL):
return first_token.normalized
elif first_token.ttype == T.Keyword.CTE:
fidx = self.token_index(first_token)
tidx, token = self.token_next(fidx, skip_ws=True)
if isinstance(token, (Identifier, IdentifierList)):
_, dml_keyword = self.token_next(tidx, skip_ws=True)
if dml_keyword is not None and dml_keyword.ttype == T.Keyword.DML:
return dml_keyword.normalized
return 'UNKNOWN'
| get_type | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n first_token = self.token_first(skip_cm=True)\n if first_token is None:\n return 'UNKNOWN'\n elif first_token.ttype in (T.Keyword.DML, T.Keyword.DDL):\n return first_token.normalized\n elif first_token.ttype == T.Keyword.CTE:\n fidx = self.token_index(first_token)\n tidx, token = self.token_next(fidx, skip_ws=True)\n if isinstance(token, (Identifier, IdentifierList)):\n _, dml_keyword = self.token_next(tidx, skip_ws=True)\n if dml_keyword is not None and dml_keyword.ttype == T.Keyword.DML:\n return dml_keyword.normalized\n return 'UNKNOWN'\n",
"role": "user"
},
{
"content": "get_type",
"role": "assistant"
}
] |
def x(self):
_, token = self.token_next_by(t=T.Wildcard)
return token is not None
| is_wildcard | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n _, token = self.token_next_by(t=T.Wildcard)\n return token is not None\n",
"role": "user"
},
{
"content": "is_wildcard",
"role": "assistant"
}
] |
def x(self):
midx, marker = self.token_next_by(m=(T.Punctuation, '::'))
nidx, next_ = self.token_next(midx, skip_ws=False)
return next_.value if next_ else None
| get_typecast | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n midx, marker = self.token_next_by(m=(T.Punctuation, '::'))\n nidx, next_ = self.token_next(midx, skip_ws=False)\n return next_.value if next_ else None\n",
"role": "user"
},
{
"content": "get_typecast",
"role": "assistant"
}
] |
def x(self):
_, ordering = self.token_next_by(t=T.Keyword.Order)
return ordering.normalized if ordering else None
| get_ordering | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n _, ordering = self.token_next_by(t=T.Keyword.Order)\n return ordering.normalized if ordering else None\n",
"role": "user"
},
{
"content": "get_ordering",
"role": "assistant"
}
] |
def x(self):
for token in self.tokens:
if isinstance(token, SquareBrackets):
yield token.tokens[1:-1]
| get_array_indices | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n for token in self.tokens:\n if isinstance(token, SquareBrackets):\n yield token.tokens[1:-1]\n",
"role": "user"
},
{
"content": "get_array_indices",
"role": "assistant"
}
] |
def x(self):
for token in self.tokens:
if not (token.is_whitespace or token.match(T.Punctuation, ',')):
yield token
| get_identifiers | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n for token in self.tokens:\n if not (token.is_whitespace or token.match(T.Punctuation, ',')):\n yield token\n",
"role": "user"
},
{
"content": "get_identifiers",
"role": "assistant"
}
] |
def x(self, skip_ws=False):
CONDITION = 1
VALUE = 2
ret = []
mode = CONDITION
for token in self.tokens:
if token.match(T.Keyword, 'CASE'):
continue
elif skip_ws and token.ttype in T.Whitespace:
continue
elif token.match(T.Keyword, 'WHEN'):
ret.append(([], []))
mode = CONDITION
elif token.match(T.Keyword, 'THEN'):
mode = VALUE
elif token.match(T.Keyword, 'ELSE'):
ret.append((None, []))
mode = VALUE
elif token.match(T.Keyword, 'END'):
mode = None
if mode and not ret:
ret.append(([], []))
if mode == CONDITION:
ret[-1][0].append(token)
elif mode == VALUE:
ret[-1][1].append(token)
return ret
| get_cases | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, skip_ws=False):\n CONDITION = 1\n VALUE = 2\n ret = []\n mode = CONDITION\n for token in self.tokens:\n if token.match(T.Keyword, 'CASE'):\n continue\n elif skip_ws and token.ttype in T.Whitespace:\n continue\n elif token.match(T.Keyword, 'WHEN'):\n ret.append(([], []))\n mode = CONDITION\n elif token.match(T.Keyword, 'THEN'):\n mode = VALUE\n elif token.match(T.Keyword, 'ELSE'):\n ret.append((None, []))\n mode = VALUE\n elif token.match(T.Keyword, 'END'):\n mode = None\n if mode and not ret:\n ret.append(([], []))\n if mode == CONDITION:\n ret[-1][0].append(token)\n elif mode == VALUE:\n ret[-1][1].append(token)\n return ret\n",
"role": "user"
},
{
"content": "get_cases",
"role": "assistant"
}
] |
def x(self):
parenthesis = self.tokens[-1]
for token in parenthesis.tokens:
if isinstance(token, IdentifierList):
return token.get_identifiers()
elif imt(token, i=(Function, Identifier), t=T.Literal):
return [token]
return []
| get_parameters | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n parenthesis = self.tokens[-1]\n for token in parenthesis.tokens:\n if isinstance(token, IdentifierList):\n return token.get_identifiers()\n elif imt(token, i=(Function, Identifier), t=T.Literal):\n return [token]\n return []\n",
"role": "user"
},
{
"content": "get_parameters",
"role": "assistant"
}
] |
def x(self):
for device in self:
if isinstance(device, (OutputDevice, CompositeOutputDevice)):
device.on()
| on | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n for device in self:\n if isinstance(device, (OutputDevice, CompositeOutputDevice)):\n device.on()\n",
"role": "user"
},
{
"content": "on",
"role": "assistant"
}
] |
def x(self):
for device in self:
if isinstance(device, (OutputDevice, CompositeOutputDevice)):
device.off()
| off | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n for device in self:\n if isinstance(device, (OutputDevice, CompositeOutputDevice)):\n device.off()\n",
"role": "user"
},
{
"content": "off",
"role": "assistant"
}
] |
def x(self):
for device in self:
if isinstance(device, (OutputDevice, CompositeOutputDevice)):
device.toggle()
| toggle | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n for device in self:\n if isinstance(device, (OutputDevice, CompositeOutputDevice)):\n device.toggle()\n",
"role": "user"
},
{
"content": "toggle",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.