source_code
stringlengths 45
7.24k
| function_name
stringlengths 1
111
| messages
list |
|---|---|---|
def x(self, body: Body, priority: int=DEFAULT_PRIORITY, delay: int=
DEFAULT_DELAY, ttr: int=DEFAULT_TTR) ->int:
if isinstance(body, str):
if self.encoding is None:
raise TypeError('Unable to encode string with no encoding set')
body = body.encode(self.encoding)
cmd = b'put %d %d %d %d\r\n%b' % (priority, delay, ttr, len(body), body)
return self._int_cmd(cmd, b'INSERTED')
|
put
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, body: Body, priority: int=DEFAULT_PRIORITY, delay: int=\n DEFAULT_DELAY, ttr: int=DEFAULT_TTR) ->int:\n if isinstance(body, str):\n if self.encoding is None:\n raise TypeError('Unable to encode string with no encoding set')\n body = body.encode(self.encoding)\n cmd = b'put %d %d %d %d\\r\\n%b' % (priority, delay, ttr, len(body), body)\n return self._int_cmd(cmd, b'INSERTED')\n",
"role": "user"
},
{
"content": "put",
"role": "assistant"
}
] |
def x(self, tube: str) ->None:
self._send_cmd(b'use %b' % tube.encode('ascii'), b'USING')
|
use
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, tube: str) ->None:\n self._send_cmd(b'use %b' % tube.encode('ascii'), b'USING')\n",
"role": "user"
},
{
"content": "use",
"role": "assistant"
}
] |
def x(self, timeout: Optional[int]=None) ->Job:
if timeout is None:
cmd = b'reserve'
else:
cmd = b'reserve-with-timeout %d' % timeout
return self._job_cmd(cmd, b'RESERVED')
|
reserve
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, timeout: Optional[int]=None) ->Job:\n if timeout is None:\n cmd = b'reserve'\n else:\n cmd = b'reserve-with-timeout %d' % timeout\n return self._job_cmd(cmd, b'RESERVED')\n",
"role": "user"
},
{
"content": "reserve",
"role": "assistant"
}
] |
def x(self, job: JobOrID) ->None:
self._send_cmd(b'delete %d' % _to_id(job), b'DELETED')
|
delete
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, job: JobOrID) ->None:\n self._send_cmd(b'delete %d' % _to_id(job), b'DELETED')\n",
"role": "user"
},
{
"content": "delete",
"role": "assistant"
}
] |
def x(self, job: Job, priority: int=DEFAULT_PRIORITY, delay: int=DEFAULT_DELAY
) ->None:
self._send_cmd(b'release %d %d %d' % (job.id, priority, delay), b'RELEASED'
)
|
release
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, job: Job, priority: int=DEFAULT_PRIORITY, delay: int=DEFAULT_DELAY\n ) ->None:\n self._send_cmd(b'release %d %d %d' % (job.id, priority, delay), b'RELEASED'\n )\n",
"role": "user"
},
{
"content": "release",
"role": "assistant"
}
] |
def x(self, job: Job, priority: int=DEFAULT_PRIORITY) ->None:
self._send_cmd(b'bury %d %d' % (job.id, priority), b'BURIED')
|
bury
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, job: Job, priority: int=DEFAULT_PRIORITY) ->None:\n self._send_cmd(b'bury %d %d' % (job.id, priority), b'BURIED')\n",
"role": "user"
},
{
"content": "bury",
"role": "assistant"
}
] |
def x(self, job: Job) ->None:
self._send_cmd(b'touch %d' % job.id, b'TOUCHED')
|
touch
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, job: Job) ->None:\n self._send_cmd(b'touch %d' % job.id, b'TOUCHED')\n",
"role": "user"
},
{
"content": "touch",
"role": "assistant"
}
] |
def x(self, tube: str) ->int:
return self._int_cmd(b'watch %b' % tube.encode('ascii'), b'WATCHING')
|
watch
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, tube: str) ->int:\n return self._int_cmd(b'watch %b' % tube.encode('ascii'), b'WATCHING')\n",
"role": "user"
},
{
"content": "watch",
"role": "assistant"
}
] |
def x(self, tube: str) ->int:
return self._int_cmd(b'ignore %b' % tube.encode('ascii'), b'WATCHING')
|
ignore
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, tube: str) ->int:\n return self._int_cmd(b'ignore %b' % tube.encode('ascii'), b'WATCHING')\n",
"role": "user"
},
{
"content": "ignore",
"role": "assistant"
}
] |
def x(self, bound: int) ->int:
return self._int_cmd(b'kick %d' % bound, b'KICKED')
|
kick
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, bound: int) ->int:\n return self._int_cmd(b'kick %d' % bound, b'KICKED')\n",
"role": "user"
},
{
"content": "kick",
"role": "assistant"
}
] |
def x(self, job: JobOrID) ->None:
self._send_cmd(b'kick-job %d' % _to_id(job), b'KICKED')
|
kick_job
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, job: JobOrID) ->None:\n self._send_cmd(b'kick-job %d' % _to_id(job), b'KICKED')\n",
"role": "user"
},
{
"content": "kick_job",
"role": "assistant"
}
] |
def x(self, job: JobOrID) ->Stats:
return self._stats_cmd(b'stats-job %d' % _to_id(job))
|
stats_job
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, job: JobOrID) ->Stats:\n return self._stats_cmd(b'stats-job %d' % _to_id(job))\n",
"role": "user"
},
{
"content": "stats_job",
"role": "assistant"
}
] |
def x(self, tube: str) ->Stats:
return self._stats_cmd(b'stats-tube %b' % tube.encode('ascii'))
|
stats_tube
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, tube: str) ->Stats:\n return self._stats_cmd(b'stats-tube %b' % tube.encode('ascii'))\n",
"role": "user"
},
{
"content": "stats_tube",
"role": "assistant"
}
] |
def x(self, tube: str, delay: int) ->None:
self._send_cmd(b'pause-tube %b %d' % (tube.encode('ascii'), delay),
b'PAUSED')
|
pause_tube
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, tube: str, delay: int) ->None:\n self._send_cmd(b'pause-tube %b %d' % (tube.encode('ascii'), delay),\n b'PAUSED')\n",
"role": "user"
},
{
"content": "pause_tube",
"role": "assistant"
}
] |
def x(conf):
if conf:
if not os.path.isfile(conf):
raise click.exceptions.BadParameter('{} is not a file'.format(conf)
)
try:
config.conf.load_config(config_path=conf)
except exceptions.ConfigurationException as e:
raise click.exceptions.BadParameter(str(e))
twisted_observer = legacy_twisted_log.PythonLoggingObserver()
twisted_observer.start()
config.conf.setup_logging()
|
cli
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(conf):\n if conf:\n if not os.path.isfile(conf):\n raise click.exceptions.BadParameter('{} is not a file'.format(conf)\n )\n try:\n config.conf.load_config(config_path=conf)\n except exceptions.ConfigurationException as e:\n raise click.exceptions.BadParameter(str(e))\n twisted_observer = legacy_twisted_log.PythonLoggingObserver()\n twisted_observer.start()\n config.conf.setup_logging()\n",
"role": "user"
},
{
"content": "cli",
"role": "assistant"
}
] |
def x(exchange, queue_name, routing_key, callback, app_name):
bindings = config.conf['bindings']
queues = config.conf['queues']
if queues == config.DEFAULTS['queues']:
queues[config._default_queue_name]['durable'] = True
queues[config._default_queue_name]['auto_delete'] = False
if queue_name:
queues = {queue_name: config.conf['queues'][config._default_queue_name]
}
for binding in bindings:
binding['queue'] = queue_name
if exchange:
for binding in bindings:
binding['exchange'] = exchange
if routing_key:
for binding in bindings:
binding['routing_keys'] = routing_key
callback_path = callback or config.conf['callback']
if not callback_path:
raise click.ClickException(
'A Python path to a callable object that accepts the message must be provided with the "--callback" command line option or in the configuration file'
)
try:
module, cls = callback_path.strip().split(':')
except ValueError:
raise click.ClickException(
'Unable to parse the callback path ({}); the expected format is "my_package.module:callable_object"'
.format(callback_path))
try:
module = importlib.import_module(module)
except ImportError as e:
provider = '--callback argument' if callback else 'configuration file'
raise click.ClickException(
'Failed to import the callback module ({}) provided in the {}'.
format(str(e), provider))
try:
callback = getattr(module, cls)
except AttributeError as e:
raise click.ClickException(
'Unable to import {} ({}); is the package installed? The python path should be in the format "my_package.module:callable_object"'
.format(callback_path, str(e)))
if app_name:
config.conf['client_properties']['app'] = app_name
_log.info('Starting consumer with %s callback', callback_path)
try:
deferred_consumers = api.twisted_consume(callback, bindings=
bindings, queues=queues)
deferred_consumers.addCallback(_consume_callback)
deferred_consumers.addErrback(_consume_errback)
except ValueError as e:
click_version = pkg_resources.get_distribution('click').parsed_version
if click_version < pkg_resources.parse_version('7.0'):
raise click.exceptions.BadOptionUsage(str(e))
else:
raise click.exceptions.BadOptionUsage('callback', str(e))
reactor.run()
sys.exit(_exit_code)
|
consume
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(exchange, queue_name, routing_key, callback, app_name):\n bindings = config.conf['bindings']\n queues = config.conf['queues']\n if queues == config.DEFAULTS['queues']:\n queues[config._default_queue_name]['durable'] = True\n queues[config._default_queue_name]['auto_delete'] = False\n if queue_name:\n queues = {queue_name: config.conf['queues'][config._default_queue_name]\n }\n for binding in bindings:\n binding['queue'] = queue_name\n if exchange:\n for binding in bindings:\n binding['exchange'] = exchange\n if routing_key:\n for binding in bindings:\n binding['routing_keys'] = routing_key\n callback_path = callback or config.conf['callback']\n if not callback_path:\n raise click.ClickException(\n 'A Python path to a callable object that accepts the message must be provided with the \"--callback\" command line option or in the configuration file'\n )\n try:\n module, cls = callback_path.strip().split(':')\n except ValueError:\n raise click.ClickException(\n 'Unable to parse the callback path ({}); the expected format is \"my_package.module:callable_object\"'\n .format(callback_path))\n try:\n module = importlib.import_module(module)\n except ImportError as e:\n provider = '--callback argument' if callback else 'configuration file'\n raise click.ClickException(\n 'Failed to import the callback module ({}) provided in the {}'.\n format(str(e), provider))\n try:\n callback = getattr(module, cls)\n except AttributeError as e:\n raise click.ClickException(\n 'Unable to import {} ({}); is the package installed? The python path should be in the format \"my_package.module:callable_object\"'\n .format(callback_path, str(e)))\n if app_name:\n config.conf['client_properties']['app'] = app_name\n _log.info('Starting consumer with %s callback', callback_path)\n try:\n deferred_consumers = api.twisted_consume(callback, bindings=\n bindings, queues=queues)\n deferred_consumers.addCallback(_consume_callback)\n deferred_consumers.addErrback(_consume_errback)\n except ValueError as e:\n click_version = pkg_resources.get_distribution('click').parsed_version\n if click_version < pkg_resources.parse_version('7.0'):\n raise click.exceptions.BadOptionUsage(str(e))\n else:\n raise click.exceptions.BadOptionUsage('callback', str(e))\n reactor.run()\n sys.exit(_exit_code)\n",
"role": "user"
},
{
"content": "consume",
"role": "assistant"
}
] |
def x(failure):
global _exit_code
if failure.check(exceptions.BadDeclaration):
_log.error(
'Unable to declare the %s object on the AMQP broker. The broker responded with %s. Check permissions for your user.'
, failure.value.obj_type, failure.value.reason)
_exit_code = 10
elif failure.check(exceptions.PermissionException):
_exit_code = 15
_log.error(
'The consumer could not proceed because of a permissions problem: %s'
, str(failure.value))
elif failure.check(exceptions.ConnectionException):
_exit_code = 14
_log.error(failure.value.reason)
else:
_exit_code = 11
_log.exception(
'An unexpected error (%r) occurred while registering the consumer, please report this bug.'
, failure.value)
try:
reactor.stop()
except error.ReactorNotRunning:
pass
|
consume_errback
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(failure):\n global _exit_code\n if failure.check(exceptions.BadDeclaration):\n _log.error(\n 'Unable to declare the %s object on the AMQP broker. The broker responded with %s. Check permissions for your user.'\n , failure.value.obj_type, failure.value.reason)\n _exit_code = 10\n elif failure.check(exceptions.PermissionException):\n _exit_code = 15\n _log.error(\n 'The consumer could not proceed because of a permissions problem: %s'\n , str(failure.value))\n elif failure.check(exceptions.ConnectionException):\n _exit_code = 14\n _log.error(failure.value.reason)\n else:\n _exit_code = 11\n _log.exception(\n 'An unexpected error (%r) occurred while registering the consumer, please report this bug.'\n , failure.value)\n try:\n reactor.stop()\n except error.ReactorNotRunning:\n pass\n",
"role": "user"
},
{
"content": "consume_errback",
"role": "assistant"
}
] |
def x(consumers):
for consumer in consumers:
def x(failure):
global _exit_code
if failure.check(exceptions.HaltConsumer):
_exit_code = failure.value.exit_code
if _exit_code:
_log.error(
'Consumer halted with non-zero exit code (%d): %s',
_exit_code, str(failure.value.reason))
elif failure.check(exceptions.ConsumerCanceled):
_exit_code = 12
_log.error(
'The consumer was canceled server-side, check with system administrators.'
)
elif failure.check(exceptions.PermissionException):
_exit_code = 15
_log.error(
'The consumer could not proceed because of a permissions problem: %s'
, str(failure.value))
else:
_exit_code = 13
_log.error('Unexpected error occurred in consumer %r: %r',
consumer, failure)
try:
reactor.stop()
except error.ReactorNotRunning:
pass
def x(consumer):
_log.info('The %r consumer halted.', consumer)
if all([c.result.called for c in consumers]):
_log.info('All consumers have stopped; shutting down.')
try:
reactor.stop()
except error.ReactorNotRunning:
pass
consumer.result.addCallbacks(callback, errback)
|
consume_callback
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(consumers):\n for consumer in consumers:\n\n def x(failure):\n global _exit_code\n if failure.check(exceptions.HaltConsumer):\n _exit_code = failure.value.exit_code\n if _exit_code:\n _log.error(\n 'Consumer halted with non-zero exit code (%d): %s',\n _exit_code, str(failure.value.reason))\n elif failure.check(exceptions.ConsumerCanceled):\n _exit_code = 12\n _log.error(\n 'The consumer was canceled server-side, check with system administrators.'\n )\n elif failure.check(exceptions.PermissionException):\n _exit_code = 15\n _log.error(\n 'The consumer could not proceed because of a permissions problem: %s'\n , str(failure.value))\n else:\n _exit_code = 13\n _log.error('Unexpected error occurred in consumer %r: %r',\n consumer, failure)\n try:\n reactor.stop()\n except error.ReactorNotRunning:\n pass\n\n def x(consumer):\n _log.info('The %r consumer halted.', consumer)\n if all([c.result.called for c in consumers]):\n _log.info('All consumers have stopped; shutting down.')\n try:\n reactor.stop()\n except error.ReactorNotRunning:\n pass\n consumer.result.addCallbacks(callback, errback)\n",
"role": "user"
},
{
"content": "consume_callback",
"role": "assistant"
}
] |
def x(deferred, timeout):
try:
deferred.addTimeout(timeout, reactor)
except AttributeError:
delayed_cancel = reactor.callLater(timeout, deferred.cancel)
def x(result):
if not delayed_cancel.called:
delayed_cancel.cancel()
return result
deferred.addBoth(cancel_cancel_call)
|
add_timeout
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(deferred, timeout):\n try:\n deferred.addTimeout(timeout, reactor)\n except AttributeError:\n delayed_cancel = reactor.callLater(timeout, deferred.cancel)\n\n def x(result):\n if not delayed_cancel.called:\n delayed_cancel.cancel()\n return result\n deferred.addBoth(cancel_cancel_call)\n",
"role": "user"
},
{
"content": "add_timeout",
"role": "assistant"
}
] |
def x(self):
try:
channel = yield self.channel()
except pika.exceptions.NoFreeChannels:
raise NoFreeChannels()
_std_log.debug('Created AMQP channel id %d', channel.channel_number)
if self._confirms:
yield channel.confirm_delivery()
defer.returnValue(channel)
|
allocate_channel
|
[
{
"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 channel = yield self.channel()\n except pika.exceptions.NoFreeChannels:\n raise NoFreeChannels()\n _std_log.debug('Created AMQP channel id %d', channel.channel_number)\n if self._confirms:\n yield channel.confirm_delivery()\n defer.returnValue(channel)\n",
"role": "user"
},
{
"content": "allocate_channel",
"role": "assistant"
}
] |
def x(self, res=None):
self._channel = yield self._allocate_channel()
if _pika_version < pkg_resources.parse_version('1.0.0b1'):
extra_args = dict(all_channels=True)
else:
extra_args = dict(global_qos=True)
yield self._channel.basic_qos(prefetch_count=config.conf['qos'][
'prefetch_count'], prefetch_size=config.conf['qos']['prefetch_size'
], **extra_args)
if _pika_version < pkg_resources.parse_version('1.0.0b1'):
TwistedProtocolConnection.connectionReady(self, res)
|
connectionReady
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, res=None):\n self._channel = yield self._allocate_channel()\n if _pika_version < pkg_resources.parse_version('1.0.0b1'):\n extra_args = dict(all_channels=True)\n else:\n extra_args = dict(global_qos=True)\n yield self._channel.basic_qos(prefetch_count=config.conf['qos'][\n 'prefetch_count'], prefetch_size=config.conf['qos']['prefetch_size'\n ], **extra_args)\n if _pika_version < pkg_resources.parse_version('1.0.0b1'):\n TwistedProtocolConnection.connectionReady(self, res)\n",
"role": "user"
},
{
"content": "connectionReady",
"role": "assistant"
}
] |
def x(self, queue_object, consumer):
while consumer._running:
try:
deferred_get = queue_object.get()
_add_timeout(deferred_get, 1)
channel, delivery_frame, properties, body = yield deferred_get
except (defer.TimeoutError, defer.CancelledError):
continue
_std_log.debug('Message arrived with delivery tag %s for %r',
delivery_frame.delivery_tag, consumer._tag)
try:
message = get_message(delivery_frame.routing_key, properties, body)
message.queue = consumer.queue
except ValidationError:
_std_log.warning(
'Message id %s did not pass validation; ignoring message',
properties.message_id)
yield channel.basic_nack(delivery_tag=delivery_frame.
delivery_tag, requeue=False)
continue
try:
_std_log.info('Consuming message from topic %s (message id %s)',
message.topic, properties.message_id)
yield threads.deferToThread(consumer.callback, message)
except Nack:
_std_log.warning('Returning message id %s to the queue',
properties.message_id)
yield channel.basic_nack(delivery_tag=delivery_frame.
delivery_tag, requeue=True)
except Drop:
_std_log.warning('Consumer requested message id %s be dropped',
properties.message_id)
yield channel.basic_nack(delivery_tag=delivery_frame.
delivery_tag, requeue=False)
except HaltConsumer as e:
_std_log.info(
'Consumer indicated it wishes consumption to halt, shutting down'
)
if e.requeue:
yield channel.basic_nack(delivery_tag=delivery_frame.
delivery_tag, requeue=True)
else:
yield channel.basic_ack(delivery_tag=delivery_frame.
delivery_tag)
raise e
except Exception as e:
_std_log.exception('Received unexpected exception from consumer %r'
, consumer)
yield channel.basic_nack(delivery_tag=0, multiple=True, requeue
=True)
raise e
else:
_std_log.info(
'Successfully consumed message from topic %s (message id %s)',
message.topic, properties.message_id)
yield channel.basic_ack(delivery_tag=delivery_frame.delivery_tag)
|
read
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, queue_object, consumer):\n while consumer._running:\n try:\n deferred_get = queue_object.get()\n _add_timeout(deferred_get, 1)\n channel, delivery_frame, properties, body = yield deferred_get\n except (defer.TimeoutError, defer.CancelledError):\n continue\n _std_log.debug('Message arrived with delivery tag %s for %r',\n delivery_frame.delivery_tag, consumer._tag)\n try:\n message = get_message(delivery_frame.routing_key, properties, body)\n message.queue = consumer.queue\n except ValidationError:\n _std_log.warning(\n 'Message id %s did not pass validation; ignoring message',\n properties.message_id)\n yield channel.basic_nack(delivery_tag=delivery_frame.\n delivery_tag, requeue=False)\n continue\n try:\n _std_log.info('Consuming message from topic %s (message id %s)',\n message.topic, properties.message_id)\n yield threads.deferToThread(consumer.callback, message)\n except Nack:\n _std_log.warning('Returning message id %s to the queue',\n properties.message_id)\n yield channel.basic_nack(delivery_tag=delivery_frame.\n delivery_tag, requeue=True)\n except Drop:\n _std_log.warning('Consumer requested message id %s be dropped',\n properties.message_id)\n yield channel.basic_nack(delivery_tag=delivery_frame.\n delivery_tag, requeue=False)\n except HaltConsumer as e:\n _std_log.info(\n 'Consumer indicated it wishes consumption to halt, shutting down'\n )\n if e.requeue:\n yield channel.basic_nack(delivery_tag=delivery_frame.\n delivery_tag, requeue=True)\n else:\n yield channel.basic_ack(delivery_tag=delivery_frame.\n delivery_tag)\n raise e\n except Exception as e:\n _std_log.exception('Received unexpected exception from consumer %r'\n , consumer)\n yield channel.basic_nack(delivery_tag=0, multiple=True, requeue\n =True)\n raise e\n else:\n _std_log.info(\n 'Successfully consumed message from topic %s (message id %s)',\n message.topic, properties.message_id)\n yield channel.basic_ack(delivery_tag=delivery_frame.delivery_tag)\n",
"role": "user"
},
{
"content": "read",
"role": "assistant"
}
] |
def x(self, message, exchange):
message.validate()
try:
yield self._channel.basic_publish(exchange=exchange, routing_key=
message._encoded_routing_key, body=message._encoded_body,
properties=message._properties)
except (pika.exceptions.NackError, pika.exceptions.UnroutableError) as e:
_std_log.error('Message was rejected by the broker (%s)', str(e))
raise PublishReturned(reason=e)
except pika.exceptions.ChannelClosed:
self._channel = yield self._allocate_channel()
yield self.publish(message, exchange)
except pika.exceptions.ConnectionClosed as e:
raise ConnectionException(reason=e)
|
publish
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, message, exchange):\n message.validate()\n try:\n yield self._channel.basic_publish(exchange=exchange, routing_key=\n message._encoded_routing_key, body=message._encoded_body,\n properties=message._properties)\n except (pika.exceptions.NackError, pika.exceptions.UnroutableError) as e:\n _std_log.error('Message was rejected by the broker (%s)', str(e))\n raise PublishReturned(reason=e)\n except pika.exceptions.ChannelClosed:\n self._channel = yield self._allocate_channel()\n yield self.publish(message, exchange)\n except pika.exceptions.ConnectionClosed as e:\n raise ConnectionException(reason=e)\n",
"role": "user"
},
{
"content": "publish",
"role": "assistant"
}
] |
def x(self, callback, queue, previous_consumer=None):
if queue in self._consumers:
self._consumers[queue].callback = callback
defer.returnValue(self._consumers[queue])
if previous_consumer is not None:
consumer = previous_consumer
else:
consumer = ConsumerV2(queue=queue, callback=callback)
consumer._protocol = self
consumer._channel = yield self._allocate_channel()
try:
queue_object, _ = yield consumer._channel.basic_consume(queue=
consumer.queue, consumer_tag=consumer._tag)
except pika.exceptions.ChannelClosed as exc:
if exc.args[0] == 403:
raise PermissionException(obj_type='queue', description=queue,
reason=exc.args[1])
else:
raise ConnectionException(reason=exc)
def x(frame):
_std_log.error('%r was canceled by the AMQP broker!', consumer)
try:
del self._consumers[consumer.queue]
except KeyError:
pass
try:
del self.factory._consumers[consumer.queue]
except KeyError:
pass
consumer._running = False
consumer.result.errback(fail=ConsumerCanceled())
try:
consumer._channel.add_on_cancel_callback(on_cancel_callback)
except AttributeError:
pass
def x(failure):
exc = failure.value
if failure.check(pika.exceptions.ConsumerCancelled):
on_cancel_callback(None)
elif failure.check(pika.exceptions.ChannelClosed):
if exc.args[0] == 403:
e = PermissionException(obj_type='queue', description=queue,
reason=failure.value.args[1])
consumer.result.errback(Failure(e, PermissionException))
consumer.cancel()
else:
_std_log.exception(
'Consumer halted (%r) unexpectedly; the connection should restart.'
, failure)
elif failure.check(error.ConnectionDone, error.ConnectionLost):
_std_log.warning(
'The connection to the broker was lost (%r), consumer halted; the connection should restart and consuming will resume.'
, exc)
elif failure.check(pika.exceptions.AMQPError):
_std_log.exception(
'An unexpected AMQP error occurred; the connection should restart, but please report this as a bug.'
)
else:
consumer.result.errback(failure)
consumer.cancel()
consumer._read_loop = self._read(queue_object, consumer)
consumer._read_loop.addErrback(read_loop_errback)
self._consumers[queue] = consumer
_std_log.info('Successfully registered AMQP consumer %r', consumer)
defer.returnValue(consumer)
|
consume
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, callback, queue, previous_consumer=None):\n if queue in self._consumers:\n self._consumers[queue].callback = callback\n defer.returnValue(self._consumers[queue])\n if previous_consumer is not None:\n consumer = previous_consumer\n else:\n consumer = ConsumerV2(queue=queue, callback=callback)\n consumer._protocol = self\n consumer._channel = yield self._allocate_channel()\n try:\n queue_object, _ = yield consumer._channel.basic_consume(queue=\n consumer.queue, consumer_tag=consumer._tag)\n except pika.exceptions.ChannelClosed as exc:\n if exc.args[0] == 403:\n raise PermissionException(obj_type='queue', description=queue,\n reason=exc.args[1])\n else:\n raise ConnectionException(reason=exc)\n\n def x(frame):\n _std_log.error('%r was canceled by the AMQP broker!', consumer)\n try:\n del self._consumers[consumer.queue]\n except KeyError:\n pass\n try:\n del self.factory._consumers[consumer.queue]\n except KeyError:\n pass\n consumer._running = False\n consumer.result.errback(fail=ConsumerCanceled())\n try:\n consumer._channel.add_on_cancel_callback(on_cancel_callback)\n except AttributeError:\n pass\n\n def x(failure):\n exc = failure.value\n if failure.check(pika.exceptions.ConsumerCancelled):\n on_cancel_callback(None)\n elif failure.check(pika.exceptions.ChannelClosed):\n if exc.args[0] == 403:\n e = PermissionException(obj_type='queue', description=queue,\n reason=failure.value.args[1])\n consumer.result.errback(Failure(e, PermissionException))\n consumer.cancel()\n else:\n _std_log.exception(\n 'Consumer halted (%r) unexpectedly; the connection should restart.'\n , failure)\n elif failure.check(error.ConnectionDone, error.ConnectionLost):\n _std_log.warning(\n 'The connection to the broker was lost (%r), consumer halted; the connection should restart and consuming will resume.'\n , exc)\n elif failure.check(pika.exceptions.AMQPError):\n _std_log.exception(\n 'An unexpected AMQP error occurred; the connection should restart, but please report this as a bug.'\n )\n else:\n consumer.result.errback(failure)\n consumer.cancel()\n consumer._read_loop = self._read(queue_object, consumer)\n consumer._read_loop.addErrback(read_loop_errback)\n self._consumers[queue] = consumer\n _std_log.info('Successfully registered AMQP consumer %r', consumer)\n defer.returnValue(consumer)\n",
"role": "user"
},
{
"content": "consume",
"role": "assistant"
}
] |
def x(self, exchanges):
channel = yield self._allocate_channel()
try:
for exchange in exchanges:
args = exchange.copy()
args.setdefault('passive', config.conf['passive_declares'])
try:
yield channel.exchange_declare(**args)
except pika.exceptions.ChannelClosed as e:
raise BadDeclaration('exchange', args, e)
finally:
try:
channel.close()
except pika.exceptions.AMQPError:
pass
|
declare_exchanges
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, exchanges):\n channel = yield self._allocate_channel()\n try:\n for exchange in exchanges:\n args = exchange.copy()\n args.setdefault('passive', config.conf['passive_declares'])\n try:\n yield channel.exchange_declare(**args)\n except pika.exceptions.ChannelClosed as e:\n raise BadDeclaration('exchange', args, e)\n finally:\n try:\n channel.close()\n except pika.exceptions.AMQPError:\n pass\n",
"role": "user"
},
{
"content": "declare_exchanges",
"role": "assistant"
}
] |
def x(self, queues):
channel = yield self._allocate_channel()
try:
for queue in queues:
args = queue.copy()
args.setdefault('passive', config.conf['passive_declares'])
try:
yield channel.queue_declare(**args)
except pika.exceptions.ChannelClosed as e:
raise BadDeclaration('queue', args, e)
finally:
try:
channel.close()
except pika.exceptions.AMQPError:
pass
|
declare_queues
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, queues):\n channel = yield self._allocate_channel()\n try:\n for queue in queues:\n args = queue.copy()\n args.setdefault('passive', config.conf['passive_declares'])\n try:\n yield channel.queue_declare(**args)\n except pika.exceptions.ChannelClosed as e:\n raise BadDeclaration('queue', args, e)\n finally:\n try:\n channel.close()\n except pika.exceptions.AMQPError:\n pass\n",
"role": "user"
},
{
"content": "declare_queues",
"role": "assistant"
}
] |
def x(self, bindings):
channel = yield self._allocate_channel()
try:
for binding in bindings:
try:
yield channel.queue_bind(**binding)
except pika.exceptions.ChannelClosed as e:
raise BadDeclaration('binding', binding, e)
finally:
try:
channel.close()
except pika.exceptions.AMQPError:
pass
|
bind_queues
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, bindings):\n channel = yield self._allocate_channel()\n try:\n for binding in bindings:\n try:\n yield channel.queue_bind(**binding)\n except pika.exceptions.ChannelClosed as e:\n raise BadDeclaration('binding', binding, e)\n finally:\n try:\n channel.close()\n except pika.exceptions.AMQPError:\n pass\n",
"role": "user"
},
{
"content": "bind_queues",
"role": "assistant"
}
] |
def x(self):
if self.is_closed:
_std_log.info('Disconnect requested, but AMQP connection already gone')
self._channel = None
return
_std_log.info(
'Waiting for %d consumer(s) to finish processing before halting',
len(self._consumers))
pending_cancels = []
for c in list(self._consumers.values()):
pending_cancels.append(c.cancel())
yield defer.gatherResults(pending_cancels)
_std_log.info('Finished canceling %d consumers', len(self._consumers))
try:
yield self.close()
except pika.exceptions.ConnectionWrongStateError:
pass
self._consumers = {}
self._channel = None
|
halt
|
[
{
"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.is_closed:\n _std_log.info('Disconnect requested, but AMQP connection already gone')\n self._channel = None\n return\n _std_log.info(\n 'Waiting for %d consumer(s) to finish processing before halting',\n len(self._consumers))\n pending_cancels = []\n for c in list(self._consumers.values()):\n pending_cancels.append(c.cancel())\n yield defer.gatherResults(pending_cancels)\n _std_log.info('Finished canceling %d consumers', len(self._consumers))\n try:\n yield self.close()\n except pika.exceptions.ConnectionWrongStateError:\n pass\n self._consumers = {}\n self._channel = None\n",
"role": "user"
},
{
"content": "halt",
"role": "assistant"
}
] |
def x(self, queue_object, consumer):
while self._running:
try:
_channel, delivery_frame, properties, body = (yield
queue_object.get())
except (error.ConnectionDone, ChannelClosedByClient):
_legacy_twisted_log.msg('Stopping the AMQP consumer with tag {tag}'
, tag=consumer.tag)
break
except pika.exceptions.ChannelClosed as e:
_legacy_twisted_log.msg(
'Stopping AMQP consumer {tag} for queue {q}: {e}', tag=
consumer.tag, q=consumer.queue, e=str(e), logLevel=logging.
ERROR)
break
except pika.exceptions.ConsumerCancelled as e:
_legacy_twisted_log.msg(
'The AMQP broker canceled consumer {tag} on queue {q}: {e}',
tag=consumer.tag, q=consumer.queue, e=str(e), logLevel=
logging.ERROR)
break
except Exception:
_legacy_twisted_log.msg(
'An unexpected error occurred consuming from queue {q}', q=
consumer.queue, logLevel=logging.ERROR)
break
if body:
yield self._on_message(delivery_frame, properties, body, consumer)
|
read
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, queue_object, consumer):\n while self._running:\n try:\n _channel, delivery_frame, properties, body = (yield\n queue_object.get())\n except (error.ConnectionDone, ChannelClosedByClient):\n _legacy_twisted_log.msg('Stopping the AMQP consumer with tag {tag}'\n , tag=consumer.tag)\n break\n except pika.exceptions.ChannelClosed as e:\n _legacy_twisted_log.msg(\n 'Stopping AMQP consumer {tag} for queue {q}: {e}', tag=\n consumer.tag, q=consumer.queue, e=str(e), logLevel=logging.\n ERROR)\n break\n except pika.exceptions.ConsumerCancelled as e:\n _legacy_twisted_log.msg(\n 'The AMQP broker canceled consumer {tag} on queue {q}: {e}',\n tag=consumer.tag, q=consumer.queue, e=str(e), logLevel=\n logging.ERROR)\n break\n except Exception:\n _legacy_twisted_log.msg(\n 'An unexpected error occurred consuming from queue {q}', q=\n consumer.queue, logLevel=logging.ERROR)\n break\n if body:\n yield self._on_message(delivery_frame, properties, body, consumer)\n",
"role": "user"
},
{
"content": "read",
"role": "assistant"
}
] |
def x(self, delivery_frame, properties, body, consumer):
_legacy_twisted_log.msg(
'Message arrived with delivery tag {tag} for {consumer}', tag=
delivery_frame.delivery_tag, consumer=consumer, logLevel=logging.DEBUG)
try:
message = get_message(delivery_frame.routing_key, properties, body)
message.queue = consumer.queue
except ValidationError:
_legacy_twisted_log.msg(
'Message id {msgid} did not pass validation; ignoring message',
msgid=properties.message_id, logLevel=logging.WARNING)
yield consumer.channel.basic_nack(delivery_tag=delivery_frame.
delivery_tag, requeue=False)
return
try:
_legacy_twisted_log.msg(
'Consuming message from topic {topic!r} (id {msgid})', topic=
message.topic, msgid=properties.message_id)
yield defer.maybeDeferred(consumer.callback, message)
except Nack:
_legacy_twisted_log.msg('Returning message id {msgid} to the queue',
msgid=properties.message_id, logLevel=logging.WARNING)
yield consumer.channel.basic_nack(delivery_tag=delivery_frame.
delivery_tag, requeue=True)
except Drop:
_legacy_twisted_log.msg(
'Consumer requested message id {msgid} be dropped', msgid=
properties.message_id, logLevel=logging.WARNING)
yield consumer.channel.basic_nack(delivery_tag=delivery_frame.
delivery_tag, requeue=False)
except HaltConsumer:
_legacy_twisted_log.msg(
'Consumer indicated it wishes consumption to halt, shutting down')
yield consumer.channel.basic_ack(delivery_tag=delivery_frame.
delivery_tag)
yield self.cancel(consumer.queue)
except Exception:
_legacy_twisted_log.msg(
'Received unexpected exception from consumer {c}', c=consumer,
logLevel=logging.ERROR)
yield consumer.channel.basic_nack(delivery_tag=0, multiple=True,
requeue=True)
yield self.cancel(consumer.queue)
else:
yield consumer.channel.basic_ack(delivery_tag=delivery_frame.
delivery_tag)
|
on_message
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, delivery_frame, properties, body, consumer):\n _legacy_twisted_log.msg(\n 'Message arrived with delivery tag {tag} for {consumer}', tag=\n delivery_frame.delivery_tag, consumer=consumer, logLevel=logging.DEBUG)\n try:\n message = get_message(delivery_frame.routing_key, properties, body)\n message.queue = consumer.queue\n except ValidationError:\n _legacy_twisted_log.msg(\n 'Message id {msgid} did not pass validation; ignoring message',\n msgid=properties.message_id, logLevel=logging.WARNING)\n yield consumer.channel.basic_nack(delivery_tag=delivery_frame.\n delivery_tag, requeue=False)\n return\n try:\n _legacy_twisted_log.msg(\n 'Consuming message from topic {topic!r} (id {msgid})', topic=\n message.topic, msgid=properties.message_id)\n yield defer.maybeDeferred(consumer.callback, message)\n except Nack:\n _legacy_twisted_log.msg('Returning message id {msgid} to the queue',\n msgid=properties.message_id, logLevel=logging.WARNING)\n yield consumer.channel.basic_nack(delivery_tag=delivery_frame.\n delivery_tag, requeue=True)\n except Drop:\n _legacy_twisted_log.msg(\n 'Consumer requested message id {msgid} be dropped', msgid=\n properties.message_id, logLevel=logging.WARNING)\n yield consumer.channel.basic_nack(delivery_tag=delivery_frame.\n delivery_tag, requeue=False)\n except HaltConsumer:\n _legacy_twisted_log.msg(\n 'Consumer indicated it wishes consumption to halt, shutting down')\n yield consumer.channel.basic_ack(delivery_tag=delivery_frame.\n delivery_tag)\n yield self.cancel(consumer.queue)\n except Exception:\n _legacy_twisted_log.msg(\n 'Received unexpected exception from consumer {c}', c=consumer,\n logLevel=logging.ERROR)\n yield consumer.channel.basic_nack(delivery_tag=0, multiple=True,\n requeue=True)\n yield self.cancel(consumer.queue)\n else:\n yield consumer.channel.basic_ack(delivery_tag=delivery_frame.\n delivery_tag)\n",
"role": "user"
},
{
"content": "on_message",
"role": "assistant"
}
] |
def x(self, callback, queue):
if queue in self._consumers and self._consumers[queue].channel.is_open:
consumer = Consumer(tag=self._consumers[queue].tag, queue=queue,
callback=callback, channel=self._consumers[queue].channel)
self._consumers[queue] = consumer
defer.returnValue(consumer)
channel = yield self._allocate_channel()
consumer = Consumer(tag=str(uuid.uuid4()), queue=queue, callback=
callback, channel=channel)
self._consumers[queue] = consumer
if not self._running:
yield self.resumeProducing()
defer.returnValue(consumer)
queue_object, _ = yield consumer.channel.basic_consume(queue=consumer.
queue, consumer_tag=consumer.tag)
deferred = self._read(queue_object, consumer)
deferred.addErrback(lambda f: _legacy_twisted_log.msg,
'_read failed on consumer {c}', c=consumer, logLevel=logging.ERROR)
_legacy_twisted_log.msg('Successfully registered AMQP consumer {c}', c=
consumer)
defer.returnValue(consumer)
|
consume
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, callback, queue):\n if queue in self._consumers and self._consumers[queue].channel.is_open:\n consumer = Consumer(tag=self._consumers[queue].tag, queue=queue,\n callback=callback, channel=self._consumers[queue].channel)\n self._consumers[queue] = consumer\n defer.returnValue(consumer)\n channel = yield self._allocate_channel()\n consumer = Consumer(tag=str(uuid.uuid4()), queue=queue, callback=\n callback, channel=channel)\n self._consumers[queue] = consumer\n if not self._running:\n yield self.resumeProducing()\n defer.returnValue(consumer)\n queue_object, _ = yield consumer.channel.basic_consume(queue=consumer.\n queue, consumer_tag=consumer.tag)\n deferred = self._read(queue_object, consumer)\n deferred.addErrback(lambda f: _legacy_twisted_log.msg,\n '_read failed on consumer {c}', c=consumer, logLevel=logging.ERROR)\n _legacy_twisted_log.msg('Successfully registered AMQP consumer {c}', c=\n consumer)\n defer.returnValue(consumer)\n",
"role": "user"
},
{
"content": "consume",
"role": "assistant"
}
] |
def x(self, queue):
try:
consumer = self._consumers[queue]
yield consumer.channel.basic_cancel(consumer_tag=consumer.tag)
except pika.exceptions.AMQPChannelError:
pass
except KeyError:
defer.returnValue(None)
try:
yield consumer.channel.close()
except pika.exceptions.AMQPChannelError:
pass
del self._consumers[queue]
|
cancel
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, queue):\n try:\n consumer = self._consumers[queue]\n yield consumer.channel.basic_cancel(consumer_tag=consumer.tag)\n except pika.exceptions.AMQPChannelError:\n pass\n except KeyError:\n defer.returnValue(None)\n try:\n yield consumer.channel.close()\n except pika.exceptions.AMQPChannelError:\n pass\n del self._consumers[queue]\n",
"role": "user"
},
{
"content": "cancel",
"role": "assistant"
}
] |
def x(self):
self._running = True
for consumer in self._consumers.values():
queue_object, _ = yield consumer.channel.basic_consume(queue=
consumer.queue, consumer_tag=consumer.tag)
deferred = self._read(queue_object, consumer)
deferred.addErrback(lambda f: _legacy_twisted_log.msg,
'_read failed on consumer {c}', c=consumer, logLevel=logging.ERROR)
_legacy_twisted_log.msg('AMQP connection successfully established')
|
resumeProducing
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self._running = True\n for consumer in self._consumers.values():\n queue_object, _ = yield consumer.channel.basic_consume(queue=\n consumer.queue, consumer_tag=consumer.tag)\n deferred = self._read(queue_object, consumer)\n deferred.addErrback(lambda f: _legacy_twisted_log.msg,\n '_read failed on consumer {c}', c=consumer, logLevel=logging.ERROR)\n _legacy_twisted_log.msg('AMQP connection successfully established')\n",
"role": "user"
},
{
"content": "resumeProducing",
"role": "assistant"
}
] |
def x(self):
if not self._running:
return
self._running = False
for consumer in self._consumers.values():
yield consumer.channel.basic_cancel(consumer_tag=consumer.tag)
_legacy_twisted_log.msg('Paused retrieval of messages for the server queue'
)
|
pauseProducing
|
[
{
"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._running:\n return\n self._running = False\n for consumer in self._consumers.values():\n yield consumer.channel.basic_cancel(consumer_tag=consumer.tag)\n _legacy_twisted_log.msg('Paused retrieval of messages for the server queue'\n )\n",
"role": "user"
},
{
"content": "pauseProducing",
"role": "assistant"
}
] |
def x(self):
_legacy_twisted_log.msg('Disconnecting from the AMQP broker')
yield self.pauseProducing()
yield self.close()
self._consumers = {}
self._channel = None
|
stopProducing
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n _legacy_twisted_log.msg('Disconnecting from the AMQP broker')\n yield self.pauseProducing()\n yield self.close()\n self._consumers = {}\n self._channel = None\n",
"role": "user"
},
{
"content": "stopProducing",
"role": "assistant"
}
] |
def x(schema_name):
global _registry_loaded
if not _registry_loaded:
load_message_classes()
try:
return _schema_name_to_class[schema_name]
except KeyError:
_log.warning(
'The schema "%s" is not in the schema registry! Either install the package with its schema definition or define a schema. Falling back to the default schema...'
, schema_name)
return Message
|
get_class
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(schema_name):\n global _registry_loaded\n if not _registry_loaded:\n load_message_classes()\n try:\n return _schema_name_to_class[schema_name]\n except KeyError:\n _log.warning(\n 'The schema \"%s\" is not in the schema registry! Either install the package with its schema definition or define a schema. Falling back to the default schema...'\n , schema_name)\n return Message\n",
"role": "user"
},
{
"content": "get_class",
"role": "assistant"
}
] |
def x(cls):
global _registry_loaded
if not _registry_loaded:
load_message_classes()
try:
return _class_to_schema_name[cls]
except KeyError:
raise TypeError(
'The class {} is not in the message registry, which indicates it is not in the current list of entry points for "fedora_messaging". Please check that the class has been added to your package\'s entry points.'
.format(repr(cls)))
|
get_name
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls):\n global _registry_loaded\n if not _registry_loaded:\n load_message_classes()\n try:\n return _class_to_schema_name[cls]\n except KeyError:\n raise TypeError(\n 'The class {} is not in the message registry, which indicates it is not in the current list of entry points for \"fedora_messaging\". Please check that the class has been added to your package\\'s entry points.'\n .format(repr(cls)))\n",
"role": "user"
},
{
"content": "get_name",
"role": "assistant"
}
] |
def x():
for message in pkg_resources.iter_entry_points('fedora.messages'):
cls = message.load()
_log.info(
"Registering the '%s' key as the '%r' class in the Message class registry"
, message.name, cls)
_schema_name_to_class[message.name] = cls
_class_to_schema_name[cls] = message.name
global _registry_loaded
_registry_loaded = True
|
load_message_classes
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n for message in pkg_resources.iter_entry_points('fedora.messages'):\n cls = message.load()\n _log.info(\n \"Registering the '%s' key as the '%r' class in the Message class registry\"\n , message.name, cls)\n _schema_name_to_class[message.name] = cls\n _class_to_schema_name[cls] = message.name\n global _registry_loaded\n _registry_loaded = True\n",
"role": "user"
},
{
"content": "load_message_classes",
"role": "assistant"
}
] |
def x(routing_key, properties, body):
if properties.headers is None:
_log.error(
'Message (body=%r) arrived without headers. A publisher is misbehaving!'
, body)
properties.headers = {}
try:
MessageClass = get_class(properties.headers['fedora_messaging_schema'])
except KeyError:
_log.error(
'Message (headers=%r, body=%r) arrived without a schema header. A publisher is misbehaving!'
, properties.headers, body)
MessageClass = Message
try:
severity = properties.headers['fedora_messaging_severity']
except KeyError:
_log.error(
'Message (headers=%r, body=%r) arrived without a severity. A publisher is misbehaving! Defaulting to INFO.'
, properties.headers, body)
severity = INFO
if properties.content_encoding is None:
_log.error('Message arrived without a content encoding')
properties.content_encoding = 'utf-8'
try:
body = body.decode(properties.content_encoding)
except UnicodeDecodeError as e:
_log.error('Unable to decode message body %r with %s content encoding',
body, properties.content_encoding)
raise ValidationError(e)
try:
body = json.loads(body)
except ValueError as e:
_log.error('Failed to load message body %r, %r', body, e)
raise ValidationError(e)
message = MessageClass(body=body, topic=routing_key, properties=
properties, severity=severity)
try:
message.validate()
_log.debug('Successfully validated message %r', message)
except jsonschema.exceptions.ValidationError as e:
_log.error('Message validation of %r failed: %r', message, e)
raise ValidationError(e)
return message
|
get_message
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(routing_key, properties, body):\n if properties.headers is None:\n _log.error(\n 'Message (body=%r) arrived without headers. A publisher is misbehaving!'\n , body)\n properties.headers = {}\n try:\n MessageClass = get_class(properties.headers['fedora_messaging_schema'])\n except KeyError:\n _log.error(\n 'Message (headers=%r, body=%r) arrived without a schema header. A publisher is misbehaving!'\n , properties.headers, body)\n MessageClass = Message\n try:\n severity = properties.headers['fedora_messaging_severity']\n except KeyError:\n _log.error(\n 'Message (headers=%r, body=%r) arrived without a severity. A publisher is misbehaving! Defaulting to INFO.'\n , properties.headers, body)\n severity = INFO\n if properties.content_encoding is None:\n _log.error('Message arrived without a content encoding')\n properties.content_encoding = 'utf-8'\n try:\n body = body.decode(properties.content_encoding)\n except UnicodeDecodeError as e:\n _log.error('Unable to decode message body %r with %s content encoding',\n body, properties.content_encoding)\n raise ValidationError(e)\n try:\n body = json.loads(body)\n except ValueError as e:\n _log.error('Failed to load message body %r, %r', body, e)\n raise ValidationError(e)\n message = MessageClass(body=body, topic=routing_key, properties=\n properties, severity=severity)\n try:\n message.validate()\n _log.debug('Successfully validated message %r', message)\n except jsonschema.exceptions.ValidationError as e:\n _log.error('Message validation of %r failed: %r', message, e)\n raise ValidationError(e)\n return message\n",
"role": "user"
},
{
"content": "get_message",
"role": "assistant"
}
] |
def x(messages):
serialized_messages = []
try:
for message in messages:
message_dict = message._dump()
serialized_messages.append(message_dict)
except AttributeError:
_log.error('Improper object for messages serialization.')
raise TypeError(
'Message have to be instance of Message class or subclass.')
return json.dumps(serialized_messages, sort_keys=True)
|
dumps
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(messages):\n serialized_messages = []\n try:\n for message in messages:\n message_dict = message._dump()\n serialized_messages.append(message_dict)\n except AttributeError:\n _log.error('Improper object for messages serialization.')\n raise TypeError(\n 'Message have to be instance of Message class or subclass.')\n return json.dumps(serialized_messages, sort_keys=True)\n",
"role": "user"
},
{
"content": "dumps",
"role": "assistant"
}
] |
def x(serialized_messages):
try:
messages_dicts = json.loads(serialized_messages)
except ValueError:
_log.error('Loading serialized messages failed.')
raise
messages = []
for message_dict in messages_dicts:
try:
headers = message_dict['headers']
except KeyError:
_log.error('Message saved without headers.')
raise
try:
MessageClass = get_class(headers['fedora_messaging_schema'])
except KeyError:
_log.error('Message (headers=%r) saved without a schema header.',
headers)
raise
try:
body = message_dict['body']
except KeyError:
_log.error('Message saved without body.')
raise
try:
id = message_dict['id']
except KeyError:
_log.error('Message saved without id.')
raise
try:
queue = message_dict['queue']
except KeyError:
_log.warning('Message saved without queue.')
queue = None
try:
topic = message_dict['topic']
except KeyError:
_log.error('Message saved without topic.')
raise
try:
severity = headers['fedora_messaging_severity']
except KeyError:
_log.error('Message saved without a severity.')
raise
message = MessageClass(body=body, topic=topic, headers=headers,
severity=severity)
try:
message.validate()
_log.debug('Successfully validated message %r', message)
except jsonschema.exceptions.ValidationError as e:
_log.error('Message validation of %r failed: %r', message, e)
raise ValidationError(e)
message.queue = queue
message.id = id
messages.append(message)
return messages
|
loads
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(serialized_messages):\n try:\n messages_dicts = json.loads(serialized_messages)\n except ValueError:\n _log.error('Loading serialized messages failed.')\n raise\n messages = []\n for message_dict in messages_dicts:\n try:\n headers = message_dict['headers']\n except KeyError:\n _log.error('Message saved without headers.')\n raise\n try:\n MessageClass = get_class(headers['fedora_messaging_schema'])\n except KeyError:\n _log.error('Message (headers=%r) saved without a schema header.',\n headers)\n raise\n try:\n body = message_dict['body']\n except KeyError:\n _log.error('Message saved without body.')\n raise\n try:\n id = message_dict['id']\n except KeyError:\n _log.error('Message saved without id.')\n raise\n try:\n queue = message_dict['queue']\n except KeyError:\n _log.warning('Message saved without queue.')\n queue = None\n try:\n topic = message_dict['topic']\n except KeyError:\n _log.error('Message saved without topic.')\n raise\n try:\n severity = headers['fedora_messaging_severity']\n except KeyError:\n _log.error('Message saved without a severity.')\n raise\n message = MessageClass(body=body, topic=topic, headers=headers,\n severity=severity)\n try:\n message.validate()\n _log.debug('Successfully validated message %r', message)\n except jsonschema.exceptions.ValidationError as e:\n _log.error('Message validation of %r failed: %r', message, e)\n raise ValidationError(e)\n message.queue = queue\n message.id = id\n messages.append(message)\n return messages\n",
"role": "user"
},
{
"content": "loads",
"role": "assistant"
}
] |
def x(self):
headers = {}
for user in self.usernames:
headers['fedora_messaging_user_{}'.format(user)] = True
for package in self.packages:
headers['fedora_messaging_rpm_{}'.format(package)] = True
for container in self.containers:
headers['fedora_messaging_container_{}'.format(container)] = True
for module in self.modules:
headers['fedora_messaging_module_{}'.format(module)] = True
for flatpak in self.flatpaks:
headers['fedora_messaging_flatpak_{}'.format(flatpak)] = True
return headers
|
filter_headers
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n headers = {}\n for user in self.usernames:\n headers['fedora_messaging_user_{}'.format(user)] = True\n for package in self.packages:\n headers['fedora_messaging_rpm_{}'.format(package)] = True\n for container in self.containers:\n headers['fedora_messaging_container_{}'.format(container)] = True\n for module in self.modules:\n headers['fedora_messaging_module_{}'.format(module)] = True\n for flatpak in self.flatpaks:\n headers['fedora_messaging_flatpak_{}'.format(flatpak)] = True\n return headers\n",
"role": "user"
},
{
"content": "filter_headers",
"role": "assistant"
}
] |
def x(self):
topic = self.topic
if config.conf['topic_prefix']:
topic = '.'.join((config.conf['topic_prefix'].rstrip('.'), topic))
return topic.encode('utf-8')
|
encoded_routing_key
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n topic = self.topic\n if config.conf['topic_prefix']:\n topic = '.'.join((config.conf['topic_prefix'].rstrip('.'), topic))\n return topic.encode('utf-8')\n",
"role": "user"
},
{
"content": "encoded_routing_key",
"role": "assistant"
}
] |
def x(self):
for schema in (self.headers_schema, Message.headers_schema):
_log.debug('Validating message headers "%r" with schema "%r"', self
._headers, schema)
jsonschema.validate(self._headers, schema)
for schema in (self.body_schema, Message.body_schema):
_log.debug('Validating message body "%r" with schema "%r"', self.
body, schema)
jsonschema.validate(self.body, schema)
|
validate
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n for schema in (self.headers_schema, Message.headers_schema):\n _log.debug('Validating message headers \"%r\" with schema \"%r\"', self\n ._headers, schema)\n jsonschema.validate(self._headers, schema)\n for schema in (self.body_schema, Message.body_schema):\n _log.debug('Validating message body \"%r\" with schema \"%r\"', self.\n body, schema)\n jsonschema.validate(self.body, schema)\n",
"role": "user"
},
{
"content": "validate",
"role": "assistant"
}
] |
def x(self):
return {'topic': self.topic, 'headers': self._headers, 'id': self.id,
'body': self.body, 'queue': self.queue}
|
dump
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return {'topic': self.topic, 'headers': self._headers, 'id': self.id,\n 'body': self.body, 'queue': self.queue}\n",
"role": "user"
},
{
"content": "dump",
"role": "assistant"
}
] |
def x(callback):
if inspect.isclass(callback):
callback_object = callback()
if not callable(callback_object):
raise ValueError(
'Callback must be a class that implements __call__ or a function.'
)
elif callable(callback):
callback_object = callback
else:
raise ValueError(
'Callback must be a class that implements __call__ or a function.')
return callback_object
|
check_callback
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(callback):\n if inspect.isclass(callback):\n callback_object = callback()\n if not callable(callback_object):\n raise ValueError(\n 'Callback must be a class that implements __call__ or a function.'\n )\n elif callable(callback):\n callback_object = callback\n else:\n raise ValueError(\n 'Callback must be a class that implements __call__ or a function.')\n return callback_object\n",
"role": "user"
},
{
"content": "check_callback",
"role": "assistant"
}
] |
def x(callback, bindings=None, queues=None):
if isinstance(bindings, dict):
bindings = [bindings]
callback = _check_callback(callback)
global _twisted_service
if _twisted_service is None:
_twisted_service = service.FedoraMessagingServiceV2(config.conf[
'amqp_url'])
reactor.callWhenRunning(_twisted_service.startService)
reactor.addSystemEventTrigger('before', 'shutdown',
_twisted_service.stopService)
return _twisted_service._service.factory.consume(callback, bindings, queues
)
|
twisted_consume
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(callback, bindings=None, queues=None):\n if isinstance(bindings, dict):\n bindings = [bindings]\n callback = _check_callback(callback)\n global _twisted_service\n if _twisted_service is None:\n _twisted_service = service.FedoraMessagingServiceV2(config.conf[\n 'amqp_url'])\n reactor.callWhenRunning(_twisted_service.startService)\n reactor.addSystemEventTrigger('before', 'shutdown',\n _twisted_service.stopService)\n return _twisted_service._service.factory.consume(callback, bindings, queues\n )\n",
"role": "user"
},
{
"content": "twisted_consume",
"role": "assistant"
}
] |
def x(callback, bindings=None, queues=None):
if isinstance(bindings, dict):
bindings = [bindings]
if bindings is None:
bindings = config.conf['bindings']
else:
try:
config.validate_bindings(bindings)
except exceptions.ConfigurationException as e:
raise ValueError(e.message)
if queues is None:
queues = config.conf['queues']
else:
try:
config.validate_queues(queues)
except exceptions.ConfigurationException as e:
raise ValueError(e.message)
session = _session.ConsumerSession()
session.consume(callback, bindings=bindings, queues=queues)
|
consume
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(callback, bindings=None, queues=None):\n if isinstance(bindings, dict):\n bindings = [bindings]\n if bindings is None:\n bindings = config.conf['bindings']\n else:\n try:\n config.validate_bindings(bindings)\n except exceptions.ConfigurationException as e:\n raise ValueError(e.message)\n if queues is None:\n queues = config.conf['queues']\n else:\n try:\n config.validate_queues(queues)\n except exceptions.ConfigurationException as e:\n raise ValueError(e.message)\n session = _session.ConsumerSession()\n session.consume(callback, bindings=bindings, queues=queues)\n",
"role": "user"
},
{
"content": "consume",
"role": "assistant"
}
] |
def x(message, exchange=None):
pre_publish_signal.send(publish, message=message)
if exchange is None:
exchange = config.conf['publish_exchange']
global _session_cache
if not hasattr(_session_cache, 'session'):
_session_cache.session = _session.PublisherSession()
try:
_session_cache.session.publish(message, exchange=exchange)
publish_signal.send(publish, message=message)
except exceptions.PublishException as e:
publish_failed_signal.send(publish, message=message, reason=e)
raise
|
publish
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(message, exchange=None):\n pre_publish_signal.send(publish, message=message)\n if exchange is None:\n exchange = config.conf['publish_exchange']\n global _session_cache\n if not hasattr(_session_cache, 'session'):\n _session_cache.session = _session.PublisherSession()\n try:\n _session_cache.session.publish(message, exchange=exchange)\n publish_signal.send(publish, message=message)\n except exceptions.PublishException as e:\n publish_failed_signal.send(publish, message=message, reason=e)\n raise\n",
"role": "user"
},
{
"content": "publish",
"role": "assistant"
}
] |
def x(self, addr):
self.resetDelay()
self.client = self.protocol(self._parameters)
self.client.factory = self
self.client.ready.addCallback(lambda _: self._on_client_ready())
return self.client
|
buildProtocol
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, addr):\n self.resetDelay()\n self.client = self.protocol(self._parameters)\n self.client.factory = self\n self.client.ready.addCallback(lambda _: self._on_client_ready())\n return self.client\n",
"role": "user"
},
{
"content": "buildProtocol",
"role": "assistant"
}
] |
def x(self):
_legacy_twisted_log.msg('Successfully connected to the AMQP broker.')
yield self.client.resumeProducing()
yield self.client.declare_exchanges(self.exchanges)
yield self.client.declare_queues(self.queues)
yield self.client.bind_queues(self.bindings)
for queue, callback in self.consumers.items():
yield self.client.consume(callback, queue)
_legacy_twisted_log.msg('Successfully declared all AMQP objects.')
self._client_ready.callback(None)
|
on_client_ready
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n _legacy_twisted_log.msg('Successfully connected to the AMQP broker.')\n yield self.client.resumeProducing()\n yield self.client.declare_exchanges(self.exchanges)\n yield self.client.declare_queues(self.queues)\n yield self.client.bind_queues(self.bindings)\n for queue, callback in self.consumers.items():\n yield self.client.consume(callback, queue)\n _legacy_twisted_log.msg('Successfully declared all AMQP objects.')\n self._client_ready.callback(None)\n",
"role": "user"
},
{
"content": "on_client_ready",
"role": "assistant"
}
] |
def x(self, connector, reason):
if not isinstance(reason.value, error.ConnectionDone):
_legacy_twisted_log.msg('Lost connection to the AMQP broker ({reason})'
, reason=reason.value, logLevel=logging.WARNING)
if self._client_ready.called:
self._client_ready = defer.Deferred()
protocol.ReconnectingClientFactory.clientConnectionLost(self, connector,
reason)
|
clientConnectionLost
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, connector, reason):\n if not isinstance(reason.value, error.ConnectionDone):\n _legacy_twisted_log.msg('Lost connection to the AMQP broker ({reason})'\n , reason=reason.value, logLevel=logging.WARNING)\n if self._client_ready.called:\n self._client_ready = defer.Deferred()\n protocol.ReconnectingClientFactory.clientConnectionLost(self, connector,\n reason)\n",
"role": "user"
},
{
"content": "clientConnectionLost",
"role": "assistant"
}
] |
def x(self, connector, reason):
_legacy_twisted_log.msg('Connection to the AMQP broker failed ({reason})',
reason=reason.value, logLevel=logging.WARNING)
protocol.ReconnectingClientFactory.clientConnectionFailed(self,
connector, reason)
|
clientConnectionFailed
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, connector, reason):\n _legacy_twisted_log.msg('Connection to the AMQP broker failed ({reason})',\n reason=reason.value, logLevel=logging.WARNING)\n protocol.ReconnectingClientFactory.clientConnectionFailed(self,\n connector, reason)\n",
"role": "user"
},
{
"content": "clientConnectionFailed",
"role": "assistant"
}
] |
def x(self):
protocol.ReconnectingClientFactory.stopTrying(self)
if not self._client_ready.called:
self._client_ready.errback(pika.exceptions.AMQPConnectionError(
u'Could not connect, reconnection cancelled.'))
|
stopTrying
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n protocol.ReconnectingClientFactory.stopTrying(self)\n if not self._client_ready.called:\n self._client_ready.errback(pika.exceptions.AMQPConnectionError(\n u'Could not connect, reconnection cancelled.'))\n",
"role": "user"
},
{
"content": "stopTrying",
"role": "assistant"
}
] |
def x(self):
if self.client:
yield self.client.stopProducing()
protocol.ReconnectingClientFactory.stopFactory(self)
|
stopFactory
|
[
{
"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.client:\n yield self.client.stopProducing()\n protocol.ReconnectingClientFactory.stopFactory(self)\n",
"role": "user"
},
{
"content": "stopFactory",
"role": "assistant"
}
] |
def x(self, callback, queue):
self.consumers[queue] = callback
if self._client_ready.called:
return self.client.consume(callback, queue)
|
consume
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, callback, queue):\n self.consumers[queue] = callback\n if self._client_ready.called:\n return self.client.consume(callback, queue)\n",
"role": "user"
},
{
"content": "consume",
"role": "assistant"
}
] |
def x(self, queue):
try:
del self.consumers[queue]
except KeyError:
pass
if self.client:
return self.client.cancel(queue)
|
cancel
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, queue):\n try:\n del self.consumers[queue]\n except KeyError:\n pass\n if self.client:\n return self.client.cancel(queue)\n",
"role": "user"
},
{
"content": "cancel",
"role": "assistant"
}
] |
def x(self, message, exchange=None):
exchange = exchange or config.conf['publish_exchange']
while True:
client = yield self.whenConnected()
try:
yield client.publish(message, exchange)
break
except ConnectionException:
continue
|
publish
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, message, exchange=None):\n exchange = exchange or config.conf['publish_exchange']\n while True:\n client = yield self.whenConnected()\n try:\n yield client.publish(message, exchange)\n break\n except ConnectionException:\n continue\n",
"role": "user"
},
{
"content": "publish",
"role": "assistant"
}
] |
def x(self, addr):
self._client = self.protocol(self._parameters, confirms=self.confirms)
self._client.factory = self
@defer.inlineCallbacks
def x(unused_param=None):
_std_log.debug('AMQP handshake completed; connection ready for use')
self.resetDelay()
self._client_deferred.callback(self._client)
self._client_deferred = defer.Deferred()
for consumer, queue, bindings in self._consumers.values():
_std_log.info('Re-registering the %r consumer', consumer)
yield self._client.declare_queues([queue])
yield self._client.bind_queues(bindings)
yield self._client.consume(consumer.callback, consumer.queue,
consumer)
def x(failure):
if failure.check(pika.exceptions.AMQPConnectionError, error.
ConnectionDone):
msg = (
'The TCP connection appears to have started, but the TLS or AMQP handshake with the broker failed; check your connection and authentication parameters and ensure your user has permission to access the vhost'
)
wrapped_failure = Failure(exc_value=ConnectionException(reason=
msg, original=failure), exc_type=ConnectionException)
self._client_deferred.errback(wrapped_failure)
else:
_std_log.exception(
'The connection failed with an unexpected exception; please report this bug.'
)
self._client.ready.addCallback(on_ready)
self._client.ready.addErrback(on_ready_errback)
return self._client
|
buildProtocol
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, addr):\n self._client = self.protocol(self._parameters, confirms=self.confirms)\n self._client.factory = self\n\n @defer.inlineCallbacks\n def x(unused_param=None):\n _std_log.debug('AMQP handshake completed; connection ready for use')\n self.resetDelay()\n self._client_deferred.callback(self._client)\n self._client_deferred = defer.Deferred()\n for consumer, queue, bindings in self._consumers.values():\n _std_log.info('Re-registering the %r consumer', consumer)\n yield self._client.declare_queues([queue])\n yield self._client.bind_queues(bindings)\n yield self._client.consume(consumer.callback, consumer.queue,\n consumer)\n\n def x(failure):\n if failure.check(pika.exceptions.AMQPConnectionError, error.\n ConnectionDone):\n msg = (\n 'The TCP connection appears to have started, but the TLS or AMQP handshake with the broker failed; check your connection and authentication parameters and ensure your user has permission to access the vhost'\n )\n wrapped_failure = Failure(exc_value=ConnectionException(reason=\n msg, original=failure), exc_type=ConnectionException)\n self._client_deferred.errback(wrapped_failure)\n else:\n _std_log.exception(\n 'The connection failed with an unexpected exception; please report this bug.'\n )\n self._client.ready.addCallback(on_ready)\n self._client.ready.addErrback(on_ready_errback)\n return self._client\n",
"role": "user"
},
{
"content": "buildProtocol",
"role": "assistant"
}
] |
def x(self):
if self._client:
yield self._client.halt()
protocol.ReconnectingClientFactory.stopFactory(self)
|
stopFactory
|
[
{
"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._client:\n yield self._client.halt()\n protocol.ReconnectingClientFactory.stopFactory(self)\n",
"role": "user"
},
{
"content": "stopFactory",
"role": "assistant"
}
] |
def x(self):
if self._client and not self._client.is_closed:
return defer.succeed(self._client)
else:
return self._client_deferred
|
when_connected
|
[
{
"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._client and not self._client.is_closed:\n return defer.succeed(self._client)\n else:\n return self._client_deferred\n",
"role": "user"
},
{
"content": "when_connected",
"role": "assistant"
}
] |
def x(self, callback, bindings, queues):
expanded_bindings = collections.defaultdict(list)
for binding in bindings:
for key in binding['routing_keys']:
b = binding.copy()
del b['routing_keys']
b['routing_key'] = key
expanded_bindings[b['queue']].append(b)
expanded_queues = []
for name, settings in queues.items():
q = {'queue': name}
q.update(settings)
expanded_queues.append(q)
protocol = yield self.when_connected()
consumers = []
for queue in expanded_queues:
yield protocol.declare_queues([queue])
b = expanded_bindings.get(queue['queue'], [])
yield protocol.bind_queues(b)
consumer = yield protocol.consume(callback, queue['queue'])
self._consumers[queue['queue']] = consumer, queue, b
consumers.append(consumer)
defer.returnValue(consumers)
|
consume
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, callback, bindings, queues):\n expanded_bindings = collections.defaultdict(list)\n for binding in bindings:\n for key in binding['routing_keys']:\n b = binding.copy()\n del b['routing_keys']\n b['routing_key'] = key\n expanded_bindings[b['queue']].append(b)\n expanded_queues = []\n for name, settings in queues.items():\n q = {'queue': name}\n q.update(settings)\n expanded_queues.append(q)\n protocol = yield self.when_connected()\n consumers = []\n for queue in expanded_queues:\n yield protocol.declare_queues([queue])\n b = expanded_bindings.get(queue['queue'], [])\n yield protocol.bind_queues(b)\n consumer = yield protocol.consume(callback, queue['queue'])\n self._consumers[queue['queue']] = consumer, queue, b\n consumers.append(consumer)\n defer.returnValue(consumers)\n",
"role": "user"
},
{
"content": "consume",
"role": "assistant"
}
] |
def x(self, consumers):
for consumer in consumers:
del self._consumers[consumer.queue]
protocol = yield self.when_connected()
yield protocol.cancel(consumer)
|
cancel
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, consumers):\n for consumer in consumers:\n del self._consumers[consumer.queue]\n protocol = yield self.when_connected()\n yield protocol.cancel(consumer)\n",
"role": "user"
},
{
"content": "cancel",
"role": "assistant"
}
] |
def x(self):
try:
del self._protocol._consumers[self.queue]
except (KeyError, AttributeError):
pass
try:
del self._protocol.factory._consumers[self.queue]
except (KeyError, AttributeError):
pass
self._running = False
yield self._read_loop
try:
yield self._channel.basic_cancel(consumer_tag=self._tag)
except pika.exceptions.AMQPChannelError:
pass
try:
yield self._channel.close()
except pika.exceptions.AMQPChannelError:
pass
if not self.result.called:
self.result.callback(self)
|
cancel
|
[
{
"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 del self._protocol._consumers[self.queue]\n except (KeyError, AttributeError):\n pass\n try:\n del self._protocol.factory._consumers[self.queue]\n except (KeyError, AttributeError):\n pass\n self._running = False\n yield self._read_loop\n try:\n yield self._channel.basic_cancel(consumer_tag=self._tag)\n except pika.exceptions.AMQPChannelError:\n pass\n try:\n yield self._channel.close()\n except pika.exceptions.AMQPChannelError:\n pass\n if not self.result.called:\n self.result.callback(self)\n",
"role": "user"
},
{
"content": "cancel",
"role": "assistant"
}
] |
def x(bindings):
if not isinstance(bindings, (list, tuple)):
raise exceptions.ConfigurationException(
'bindings must be a list or tuple of dictionaries, but was a {}'
.format(type(bindings)))
for binding in bindings:
missing_keys = []
for key in ('queue', 'exchange', 'routing_keys'):
if key not in binding:
missing_keys.append(key)
if missing_keys:
raise exceptions.ConfigurationException(
'a binding is missing the following keys from its settings value: {}'
.format(missing_keys))
if not isinstance(binding['routing_keys'], (list, tuple)):
raise exceptions.ConfigurationException(
'routing_keys must be a list or tuple, but was a {}'.format
(type(binding['routing_keys'])))
|
validate_bindings
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(bindings):\n if not isinstance(bindings, (list, tuple)):\n raise exceptions.ConfigurationException(\n 'bindings must be a list or tuple of dictionaries, but was a {}'\n .format(type(bindings)))\n for binding in bindings:\n missing_keys = []\n for key in ('queue', 'exchange', 'routing_keys'):\n if key not in binding:\n missing_keys.append(key)\n if missing_keys:\n raise exceptions.ConfigurationException(\n 'a binding is missing the following keys from its settings value: {}'\n .format(missing_keys))\n if not isinstance(binding['routing_keys'], (list, tuple)):\n raise exceptions.ConfigurationException(\n 'routing_keys must be a list or tuple, but was a {}'.format\n (type(binding['routing_keys'])))\n",
"role": "user"
},
{
"content": "validate_bindings",
"role": "assistant"
}
] |
def x(queues):
if not isinstance(queues, dict):
raise exceptions.ConfigurationException(
"'queues' must be a dictionary mapping queue names to settings.")
for queue, settings in queues.items():
if not isinstance(settings, dict):
raise exceptions.ConfigurationException(
"the {} queue in the 'queues' setting has a value of type {}, but it should be a dictionary of settings."
.format(queue, type(settings)))
missing_keys = []
for key in ('durable', 'auto_delete', 'exclusive', 'arguments'):
if key not in settings:
missing_keys.append(key)
if missing_keys:
raise exceptions.ConfigurationException(
'the {} queue is missing the following keys from its settings value: {}'
.format(queue, missing_keys))
|
validate_queues
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(queues):\n if not isinstance(queues, dict):\n raise exceptions.ConfigurationException(\n \"'queues' must be a dictionary mapping queue names to settings.\")\n for queue, settings in queues.items():\n if not isinstance(settings, dict):\n raise exceptions.ConfigurationException(\n \"the {} queue in the 'queues' setting has a value of type {}, but it should be a dictionary of settings.\"\n .format(queue, type(settings)))\n missing_keys = []\n for key in ('durable', 'auto_delete', 'exclusive', 'arguments'):\n if key not in settings:\n missing_keys.append(key)\n if missing_keys:\n raise exceptions.ConfigurationException(\n 'the {} queue is missing the following keys from its settings value: {}'\n .format(queue, missing_keys))\n",
"role": "user"
},
{
"content": "validate_queues",
"role": "assistant"
}
] |
def x(props):
for key in ('version', 'information', 'product'):
if key not in props:
props[key] = DEFAULTS['client_properties'][key]
if props[key] != DEFAULTS['client_properties'][key]:
raise exceptions.ConfigurationException(
'"{}" is a reserved keyword in client_properties'.format(key))
|
validate_client_properties
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(props):\n for key in ('version', 'information', 'product'):\n if key not in props:\n props[key] = DEFAULTS['client_properties'][key]\n if props[key] != DEFAULTS['client_properties'][key]:\n raise exceptions.ConfigurationException(\n '\"{}\" is a reserved keyword in client_properties'.format(key))\n",
"role": "user"
},
{
"content": "validate_client_properties",
"role": "assistant"
}
] |
def x(self):
for key in self:
if key not in DEFAULTS:
raise exceptions.ConfigurationException(
'Unknown configuration key "{}"! Valid configuration keys are {}'
.format(key, list(DEFAULTS.keys())))
validate_queues(self['queues'])
validate_bindings(self['bindings'])
validate_client_properties(self['client_properties'])
|
validate
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n for key in self:\n if key not in DEFAULTS:\n raise exceptions.ConfigurationException(\n 'Unknown configuration key \"{}\"! Valid configuration keys are {}'\n .format(key, list(DEFAULTS.keys())))\n validate_queues(self['queues'])\n validate_bindings(self['bindings'])\n validate_client_properties(self['client_properties'])\n",
"role": "user"
},
{
"content": "validate",
"role": "assistant"
}
] |
def x(self, config_path=None):
self.loaded = True
config = copy.deepcopy(DEFAULTS)
if config_path is None:
if 'FEDORA_MESSAGING_CONF' in os.environ:
config_path = os.environ['FEDORA_MESSAGING_CONF']
else:
config_path = '/etc/fedora-messaging/config.toml'
if os.path.exists(config_path):
_log.info('Loading configuration from {}'.format(config_path))
with open(config_path) as fd:
try:
file_config = toml.load(fd)
for key in file_config:
config[key.lower()] = file_config[key]
except toml.TomlDecodeError as e:
msg = ('Failed to parse {}: error at line {}, column {}: {}'
.format(config_path, e.lineno, e.colno, e.msg))
raise exceptions.ConfigurationException(msg)
else:
_log.info('The configuration file, {}, does not exist.'.format(
config_path))
self.update(config)
self._validate()
return self
|
load_config
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, config_path=None):\n self.loaded = True\n config = copy.deepcopy(DEFAULTS)\n if config_path is None:\n if 'FEDORA_MESSAGING_CONF' in os.environ:\n config_path = os.environ['FEDORA_MESSAGING_CONF']\n else:\n config_path = '/etc/fedora-messaging/config.toml'\n if os.path.exists(config_path):\n _log.info('Loading configuration from {}'.format(config_path))\n with open(config_path) as fd:\n try:\n file_config = toml.load(fd)\n for key in file_config:\n config[key.lower()] = file_config[key]\n except toml.TomlDecodeError as e:\n msg = ('Failed to parse {}: error at line {}, column {}: {}'\n .format(config_path, e.lineno, e.colno, e.msg))\n raise exceptions.ConfigurationException(msg)\n else:\n _log.info('The configuration file, {}, does not exist.'.format(\n config_path))\n self.update(config)\n self._validate()\n return self\n",
"role": "user"
},
{
"content": "load_config",
"role": "assistant"
}
] |
def x(parameters):
client_cert = None
ca_cert = None
key = config.conf['tls']['keyfile']
cert = config.conf['tls']['certfile']
ca_file = config.conf['tls']['ca_cert']
if ca_file:
with open(ca_file, 'rb') as fd:
ca_cert = ssl.Certificate.loadPEM(fd.read())
if key and cert:
with open(key) as fd:
client_keypair = fd.read()
with open(cert) as fd:
client_keypair += fd.read()
client_cert = ssl.PrivateCertificate.loadPEM(client_keypair)
hostname = parameters.host
if not isinstance(hostname, six.text_type):
hostname = hostname.decode(locale.getdefaultlocale()[1])
try:
context_factory = ssl.optionsForClientTLS(hostname, trustRoot=
ca_cert or ssl.platformTrust(), clientCertificate=client_cert,
extraCertificateOptions={'raiseMinimumTo': ssl.TLSVersion.TLSv1_2})
except AttributeError:
context_factory = ssl.CertificateOptions(certificate=client_cert.
original, privateKey=client_cert.privateKey.original, caCerts=[
ca_cert.original] or ssl.platformTrust(), verify=True,
requireCertificate=True, verifyOnce=False, enableSessions=False)
return context_factory
|
ssl_context_factory
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(parameters):\n client_cert = None\n ca_cert = None\n key = config.conf['tls']['keyfile']\n cert = config.conf['tls']['certfile']\n ca_file = config.conf['tls']['ca_cert']\n if ca_file:\n with open(ca_file, 'rb') as fd:\n ca_cert = ssl.Certificate.loadPEM(fd.read())\n if key and cert:\n with open(key) as fd:\n client_keypair = fd.read()\n with open(cert) as fd:\n client_keypair += fd.read()\n client_cert = ssl.PrivateCertificate.loadPEM(client_keypair)\n hostname = parameters.host\n if not isinstance(hostname, six.text_type):\n hostname = hostname.decode(locale.getdefaultlocale()[1])\n try:\n context_factory = ssl.optionsForClientTLS(hostname, trustRoot=\n ca_cert or ssl.platformTrust(), clientCertificate=client_cert,\n extraCertificateOptions={'raiseMinimumTo': ssl.TLSVersion.TLSv1_2})\n except AttributeError:\n context_factory = ssl.CertificateOptions(certificate=client_cert.\n original, privateKey=client_cert.privateKey.original, caCerts=[\n ca_cert.original] or ssl.platformTrust(), verify=True,\n requireCertificate=True, verifyOnce=False, enableSessions=False)\n return context_factory\n",
"role": "user"
},
{
"content": "ssl_context_factory",
"role": "assistant"
}
] |
def x(self):
self._service.factory.stopTrying()
yield self._service.factory.stopFactory()
yield service.MultiService.stopService(self)
|
stopService
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self._service.factory.stopTrying()\n yield self._service.factory.stopFactory()\n yield service.MultiService.stopService(self)\n",
"role": "user"
},
{
"content": "stopService",
"role": "assistant"
}
] |
def x(parameters):
cert = config.conf['tls']['certfile']
key = config.conf['tls']['keyfile']
if cert and key:
_log.info(
'Authenticating with server using x509 (certfile: %s, keyfile: %s)'
, cert, key)
parameters.credentials = pika.credentials.ExternalCredentials()
else:
cert, key = None, None
if SSLOptions is None:
parameters.ssl = True
parameters.ssl_options = {'keyfile': key, 'certfile': cert,
'ca_certs': config.conf['tls']['ca_cert'], 'cert_reqs': ssl.
CERT_REQUIRED, 'ssl_version': ssl.PROTOCOL_TLSv1_2}
else:
ssl_context = ssl.create_default_context()
if config.conf['tls']['ca_cert']:
try:
ssl_context.load_verify_locations(cafile=config.conf['tls']
['ca_cert'])
except ssl.SSLError as e:
raise ConfigurationException(
'The "ca_cert" setting in the "tls" section is invalid ({})'
.format(e))
ssl_context.options |= ssl.OP_NO_SSLv2
ssl_context.options |= ssl.OP_NO_SSLv3
ssl_context.options |= ssl.OP_NO_TLSv1
ssl_context.options |= ssl.OP_NO_TLSv1_1
ssl_context.verify_mode = ssl.CERT_REQUIRED
ssl_context.check_hostname = True
if cert and key:
try:
ssl_context.load_cert_chain(cert, key)
except ssl.SSLError as e:
raise ConfigurationException(
'The "keyfile" setting in the "tls" section is invalid ({})'
.format(e))
parameters.ssl_options = SSLOptions(ssl_context, server_hostname=
parameters.host)
|
configure_tls_parameters
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(parameters):\n cert = config.conf['tls']['certfile']\n key = config.conf['tls']['keyfile']\n if cert and key:\n _log.info(\n 'Authenticating with server using x509 (certfile: %s, keyfile: %s)'\n , cert, key)\n parameters.credentials = pika.credentials.ExternalCredentials()\n else:\n cert, key = None, None\n if SSLOptions is None:\n parameters.ssl = True\n parameters.ssl_options = {'keyfile': key, 'certfile': cert,\n 'ca_certs': config.conf['tls']['ca_cert'], 'cert_reqs': ssl.\n CERT_REQUIRED, 'ssl_version': ssl.PROTOCOL_TLSv1_2}\n else:\n ssl_context = ssl.create_default_context()\n if config.conf['tls']['ca_cert']:\n try:\n ssl_context.load_verify_locations(cafile=config.conf['tls']\n ['ca_cert'])\n except ssl.SSLError as e:\n raise ConfigurationException(\n 'The \"ca_cert\" setting in the \"tls\" section is invalid ({})'\n .format(e))\n ssl_context.options |= ssl.OP_NO_SSLv2\n ssl_context.options |= ssl.OP_NO_SSLv3\n ssl_context.options |= ssl.OP_NO_TLSv1\n ssl_context.options |= ssl.OP_NO_TLSv1_1\n ssl_context.verify_mode = ssl.CERT_REQUIRED\n ssl_context.check_hostname = True\n if cert and key:\n try:\n ssl_context.load_cert_chain(cert, key)\n except ssl.SSLError as e:\n raise ConfigurationException(\n 'The \"keyfile\" setting in the \"tls\" section is invalid ({})'\n .format(e))\n parameters.ssl_options = SSLOptions(ssl_context, server_hostname=\n parameters.host)\n",
"role": "user"
},
{
"content": "configure_tls_parameters",
"role": "assistant"
}
] |
def x(self, message, exchange=None):
message.validate()
try:
self._connect_and_publish(exchange, message)
except (pika_errs.NackError, pika_errs.UnroutableError) as e:
_log.warning('Message was rejected by the broker (%s)', str(e))
raise PublishReturned(reason=e)
except (pika_errs.ConnectionClosed, pika_errs.AMQPChannelError):
_log.info('Resetting connection to %s', self._parameters.host)
self._connection = self._channel = None
try:
self._connect_and_publish(exchange, message)
except (pika_errs.NackError, pika_errs.UnroutableError) as e:
_log.warning('Message was rejected by the broker (%s)', str(e))
raise PublishReturned(reason=e)
except pika_errs.AMQPError as e:
_log.error(str(e))
if self._connection and self._connection.is_open:
self._connection.close()
raise ConnectionException(reason=e)
except pika_errs.AMQPError as e:
if self._connection and self._connection.is_open:
self._connection.close()
raise ConnectionException(reason=e)
|
publish
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, message, exchange=None):\n message.validate()\n try:\n self._connect_and_publish(exchange, message)\n except (pika_errs.NackError, pika_errs.UnroutableError) as e:\n _log.warning('Message was rejected by the broker (%s)', str(e))\n raise PublishReturned(reason=e)\n except (pika_errs.ConnectionClosed, pika_errs.AMQPChannelError):\n _log.info('Resetting connection to %s', self._parameters.host)\n self._connection = self._channel = None\n try:\n self._connect_and_publish(exchange, message)\n except (pika_errs.NackError, pika_errs.UnroutableError) as e:\n _log.warning('Message was rejected by the broker (%s)', str(e))\n raise PublishReturned(reason=e)\n except pika_errs.AMQPError as e:\n _log.error(str(e))\n if self._connection and self._connection.is_open:\n self._connection.close()\n raise ConnectionException(reason=e)\n except pika_errs.AMQPError as e:\n if self._connection and self._connection.is_open:\n self._connection.close()\n raise ConnectionException(reason=e)\n",
"role": "user"
},
{
"content": "publish",
"role": "assistant"
}
] |
def x(self):
if self._channel:
_log.info('Halting %r consumer sessions', self._channel.consumer_tags)
self._running = False
if self._connection and self._connection.is_open:
self._connection.close()
for signum in (signal.SIGTERM, signal.SIGINT):
signal.signal(signum, signal.SIG_DFL)
|
shutdown
|
[
{
"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._channel:\n _log.info('Halting %r consumer sessions', self._channel.consumer_tags)\n self._running = False\n if self._connection and self._connection.is_open:\n self._connection.close()\n for signum in (signal.SIGTERM, signal.SIGINT):\n signal.signal(signum, signal.SIG_DFL)\n",
"role": "user"
},
{
"content": "shutdown",
"role": "assistant"
}
] |
def x(self, cancel_frame):
_log.info(
'Consumer canceled; returning all unprocessed messages to the queue')
self._channel.basic_nack(delivery_tag=0, multiple=True, requeue=True)
|
on_cancelok
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, cancel_frame):\n _log.info(\n 'Consumer canceled; returning all unprocessed messages to the queue')\n self._channel.basic_nack(delivery_tag=0, multiple=True, requeue=True)\n",
"role": "user"
},
{
"content": "on_cancelok",
"role": "assistant"
}
] |
def x(self, channel):
channel.add_on_close_callback(self._on_channel_close)
channel.add_on_cancel_callback(self._on_cancel)
channel.basic_qos(callback=self._on_qosok, **config.conf['qos'])
|
on_channel_open
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, channel):\n channel.add_on_close_callback(self._on_channel_close)\n channel.add_on_cancel_callback(self._on_cancel)\n channel.basic_qos(callback=self._on_qosok, **config.conf['qos'])\n",
"role": "user"
},
{
"content": "on_channel_open",
"role": "assistant"
}
] |
def x(self, qosok_frame):
for name, args in self._exchanges.items():
self._channel.exchange_declare(exchange=name, exchange_type=args[
'type'], durable=args['durable'], auto_delete=args[
'auto_delete'], arguments=args['arguments'], passive=config.
conf['passive_declares'], callback=self._on_exchange_declareok)
for name, args in self._queues.items():
self._channel.queue_declare(queue=name, durable=args['durable'],
auto_delete=args['auto_delete'], exclusive=args['exclusive'],
arguments=args['arguments'], passive=config.conf[
'passive_declares'], callback=self._on_queue_declareok)
|
on_qosok
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, qosok_frame):\n for name, args in self._exchanges.items():\n self._channel.exchange_declare(exchange=name, exchange_type=args[\n 'type'], durable=args['durable'], auto_delete=args[\n 'auto_delete'], arguments=args['arguments'], passive=config.\n conf['passive_declares'], callback=self._on_exchange_declareok)\n for name, args in self._queues.items():\n self._channel.queue_declare(queue=name, durable=args['durable'],\n auto_delete=args['auto_delete'], exclusive=args['exclusive'],\n arguments=args['arguments'], passive=config.conf[\n 'passive_declares'], callback=self._on_queue_declareok)\n",
"role": "user"
},
{
"content": "on_qosok",
"role": "assistant"
}
] |
def x(self, channel, reply_code_or_reason, reply_text=None):
if isinstance(reply_code_or_reason, pika_errs.ChannelClosed):
reply_code = reply_code_or_reason.reply_code
reply_text = reply_code_or_reason.reply_text
elif isinstance(reply_code_or_reason, int):
reply_code = reply_code_or_reason
else:
reply_code = 0
reply_text = str(reply_code_or_reason)
_log.info('Channel %r closed (%d): %s', channel, reply_code, reply_text)
self._channel = None
|
on_channel_close
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, channel, reply_code_or_reason, reply_text=None):\n if isinstance(reply_code_or_reason, pika_errs.ChannelClosed):\n reply_code = reply_code_or_reason.reply_code\n reply_text = reply_code_or_reason.reply_text\n elif isinstance(reply_code_or_reason, int):\n reply_code = reply_code_or_reason\n else:\n reply_code = 0\n reply_text = str(reply_code_or_reason)\n _log.info('Channel %r closed (%d): %s', channel, reply_code, reply_text)\n self._channel = None\n",
"role": "user"
},
{
"content": "on_channel_close",
"role": "assistant"
}
] |
def x(self, connection):
_log.info('Successfully opened connection to %s', connection.params.host)
self._channel = connection.channel(on_open_callback=self._on_channel_open)
|
on_connection_open
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, connection):\n _log.info('Successfully opened connection to %s', connection.params.host)\n self._channel = connection.channel(on_open_callback=self._on_channel_open)\n",
"role": "user"
},
{
"content": "on_connection_open",
"role": "assistant"
}
] |
def x(self, connection, reply_code_or_reason, reply_text=None):
self._channel = None
if isinstance(reply_code_or_reason, pika_errs.ConnectionClosed):
reply_code = reply_code_or_reason.reply_code
reply_text = reply_code_or_reason.reply_text
elif isinstance(reply_code_or_reason, int):
reply_code = reply_code_or_reason
else:
reply_code = 0
reply_text = str(reply_code_or_reason)
if reply_code == 200:
_log.info('Server connection closed (%s), shutting down', reply_text)
connection.ioloop.stop()
else:
_log.warning('Connection to %s closed unexpectedly (%d): %s',
connection.params.host, reply_code, reply_text)
self.call_later(1, self.reconnect)
|
on_connection_close
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, connection, reply_code_or_reason, reply_text=None):\n self._channel = None\n if isinstance(reply_code_or_reason, pika_errs.ConnectionClosed):\n reply_code = reply_code_or_reason.reply_code\n reply_text = reply_code_or_reason.reply_text\n elif isinstance(reply_code_or_reason, int):\n reply_code = reply_code_or_reason\n else:\n reply_code = 0\n reply_text = str(reply_code_or_reason)\n if reply_code == 200:\n _log.info('Server connection closed (%s), shutting down', reply_text)\n connection.ioloop.stop()\n else:\n _log.warning('Connection to %s closed unexpectedly (%d): %s',\n connection.params.host, reply_code, reply_text)\n self.call_later(1, self.reconnect)\n",
"role": "user"
},
{
"content": "on_connection_close",
"role": "assistant"
}
] |
def x(self, connection, error_message):
self._channel = None
if isinstance(error_message, pika_errs.AMQPConnectionError):
error_message = repr(error_message.args[0])
_log.error(error_message)
self.call_later(1, self.reconnect)
|
on_connection_error
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, connection, error_message):\n self._channel = None\n if isinstance(error_message, pika_errs.AMQPConnectionError):\n error_message = repr(error_message.args[0])\n _log.error(error_message)\n self.call_later(1, self.reconnect)\n",
"role": "user"
},
{
"content": "on_connection_error",
"role": "assistant"
}
] |
def x(self, frame):
_log.info('Successfully declared the %s queue', frame.method.queue)
for binding in self._bindings:
if binding['queue'] == frame.method.queue:
for key in binding['routing_keys']:
_log.info('Asserting %s is bound to %s with the %s key',
binding['queue'], binding['exchange'], key)
self._channel.queue_bind(callback=None, queue=binding[
'queue'], exchange=binding['exchange'], routing_key=key)
bc_args = dict(queue=frame.method.queue)
if _pika_version < pkg_resources.parse_version('1.0.0b1'):
bc_args['consumer_callback'] = self._on_message
else:
bc_args['on_message_callback'] = self._on_message
tag = self._channel.basic_consume(**bc_args)
self._consumers[tag] = binding['queue']
|
on_queue_declareok
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, frame):\n _log.info('Successfully declared the %s queue', frame.method.queue)\n for binding in self._bindings:\n if binding['queue'] == frame.method.queue:\n for key in binding['routing_keys']:\n _log.info('Asserting %s is bound to %s with the %s key',\n binding['queue'], binding['exchange'], key)\n self._channel.queue_bind(callback=None, queue=binding[\n 'queue'], exchange=binding['exchange'], routing_key=key)\n bc_args = dict(queue=frame.method.queue)\n if _pika_version < pkg_resources.parse_version('1.0.0b1'):\n bc_args['consumer_callback'] = self._on_message\n else:\n bc_args['on_message_callback'] = self._on_message\n tag = self._channel.basic_consume(**bc_args)\n self._consumers[tag] = binding['queue']\n",
"role": "user"
},
{
"content": "on_queue_declareok",
"role": "assistant"
}
] |
def x(self, delay, callback):
if hasattr(self._connection.ioloop, 'call_later'):
self._connection.ioloop.call_later(delay, callback)
else:
self._connection.ioloop.add_timeout(delay, callback)
|
call_later
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, delay, callback):\n if hasattr(self._connection.ioloop, 'call_later'):\n self._connection.ioloop.call_later(delay, callback)\n else:\n self._connection.ioloop.add_timeout(delay, callback)\n",
"role": "user"
},
{
"content": "call_later",
"role": "assistant"
}
] |
def x(self):
self._connection.ioloop.stop()
if self._running:
self.connect()
self._connection.ioloop.start()
|
reconnect
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self._connection.ioloop.stop()\n if self._running:\n self.connect()\n self._connection.ioloop.start()\n",
"role": "user"
},
{
"content": "reconnect",
"role": "assistant"
}
] |
def x(self, callback, bindings=None, queues=None, exchanges=None):
self._bindings = bindings or config.conf['bindings']
self._queues = queues or config.conf['queues']
self._exchanges = exchanges or config.conf['exchanges']
if inspect.isclass(callback):
cb_obj = callback()
if not callable(cb_obj):
raise ValueError(
'Callback must be a class that implements __call__ or a function.'
)
self._consumer_callback = cb_obj
elif callable(callback):
self._consumer_callback = callback
else:
raise ValueError(
'Callback must be a class that implements __call__ or a function.')
self._running = True
self.connect()
self._connection.ioloop.start()
|
consume
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, callback, bindings=None, queues=None, exchanges=None):\n self._bindings = bindings or config.conf['bindings']\n self._queues = queues or config.conf['queues']\n self._exchanges = exchanges or config.conf['exchanges']\n if inspect.isclass(callback):\n cb_obj = callback()\n if not callable(cb_obj):\n raise ValueError(\n 'Callback must be a class that implements __call__ or a function.'\n )\n self._consumer_callback = cb_obj\n elif callable(callback):\n self._consumer_callback = callback\n else:\n raise ValueError(\n 'Callback must be a class that implements __call__ or a function.')\n self._running = True\n self.connect()\n self._connection.ioloop.start()\n",
"role": "user"
},
{
"content": "consume",
"role": "assistant"
}
] |
def x(self, channel, delivery_frame, properties, body):
_log.debug('Message arrived with delivery tag %s', delivery_frame.
delivery_tag)
try:
message = get_message(delivery_frame.routing_key, properties, body)
message.queue = self._consumers[delivery_frame.consumer_tag]
except ValidationError:
channel.basic_nack(delivery_tag=delivery_frame.delivery_tag,
requeue=False)
return
try:
_log.info('Consuming message from topic "%s" (id %s)', message.
topic, properties.message_id)
self._consumer_callback(message)
channel.basic_ack(delivery_tag=delivery_frame.delivery_tag)
except Nack:
_log.info('Returning message id %s to the queue', properties.message_id
)
channel.basic_nack(delivery_tag=delivery_frame.delivery_tag,
requeue=True)
except Drop:
_log.info('Dropping message id %s', properties.message_id)
channel.basic_nack(delivery_tag=delivery_frame.delivery_tag,
requeue=False)
except HaltConsumer as e:
_log.info('Consumer requested halt on message id %s with requeue=%s',
properties.message_id, e.requeue)
channel.basic_nack(delivery_tag=delivery_frame.delivery_tag,
requeue=e.requeue)
self._shutdown()
if e.exit_code != 0:
raise
except Exception as e:
_log.exception('Received unexpected exception from consumer callback')
channel.basic_nack(delivery_tag=0, multiple=True, requeue=True)
self._shutdown()
raise HaltConsumer(exit_code=1, reason=e, requeue=True)
|
on_message
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, channel, delivery_frame, properties, body):\n _log.debug('Message arrived with delivery tag %s', delivery_frame.\n delivery_tag)\n try:\n message = get_message(delivery_frame.routing_key, properties, body)\n message.queue = self._consumers[delivery_frame.consumer_tag]\n except ValidationError:\n channel.basic_nack(delivery_tag=delivery_frame.delivery_tag,\n requeue=False)\n return\n try:\n _log.info('Consuming message from topic \"%s\" (id %s)', message.\n topic, properties.message_id)\n self._consumer_callback(message)\n channel.basic_ack(delivery_tag=delivery_frame.delivery_tag)\n except Nack:\n _log.info('Returning message id %s to the queue', properties.message_id\n )\n channel.basic_nack(delivery_tag=delivery_frame.delivery_tag,\n requeue=True)\n except Drop:\n _log.info('Dropping message id %s', properties.message_id)\n channel.basic_nack(delivery_tag=delivery_frame.delivery_tag,\n requeue=False)\n except HaltConsumer as e:\n _log.info('Consumer requested halt on message id %s with requeue=%s',\n properties.message_id, e.requeue)\n channel.basic_nack(delivery_tag=delivery_frame.delivery_tag,\n requeue=e.requeue)\n self._shutdown()\n if e.exit_code != 0:\n raise\n except Exception as e:\n _log.exception('Received unexpected exception from consumer callback')\n channel.basic_nack(delivery_tag=0, multiple=True, requeue=True)\n self._shutdown()\n raise HaltConsumer(exit_code=1, reason=e, requeue=True)\n",
"role": "user"
},
{
"content": "on_message",
"role": "assistant"
}
] |
def x(from_header, size=64, default='retro'):
params = OrderedDict([('s', size), ('d', default)])
query = parse.urlencode(params)
address = email.utils.parseaddr(from_header)[1]
value_hash = sha256(address.encode('utf-8')).hexdigest()
return 'https://seccdn.libravatar.org/avatar/{}?{}'.format(value_hash,
query)
|
get_avatar
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(from_header, size=64, default='retro'):\n params = OrderedDict([('s', size), ('d', default)])\n query = parse.urlencode(params)\n address = email.utils.parseaddr(from_header)[1]\n value_hash = sha256(address.encode('utf-8')).hexdigest()\n return 'https://seccdn.libravatar.org/avatar/{}?{}'.format(value_hash,\n query)\n",
"role": "user"
},
{
"content": "get_avatar",
"role": "assistant"
}
] |
def x(self):
base_url = 'https://lists.fedoraproject.org/archives'
archived_at = self._get_archived_at()
if archived_at and archived_at.startswith('<'):
archived_at = archived_at[1:]
if archived_at and archived_at.endswith('>'):
archived_at = archived_at[:-1]
if archived_at and archived_at.startswith('http'):
return archived_at
elif archived_at:
return base_url + archived_at
else:
return None
|
url
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n base_url = 'https://lists.fedoraproject.org/archives'\n archived_at = self._get_archived_at()\n if archived_at and archived_at.startswith('<'):\n archived_at = archived_at[1:]\n if archived_at and archived_at.endswith('>'):\n archived_at = archived_at[:-1]\n if archived_at and archived_at.startswith('http'):\n return archived_at\n elif archived_at:\n return base_url + archived_at\n else:\n return None\n",
"role": "user"
},
{
"content": "url",
"role": "assistant"
}
] |
def x(requirements_file='requirements.txt'):
with open(requirements_file) as fd:
lines = fd.readlines()
dependencies = []
for line in lines:
maybe_dep = line.strip()
if maybe_dep.startswith('#'):
continue
if maybe_dep.startswith('git+'):
__, __, maybe_dep = maybe_dep.rpartition('#')
else:
maybe_dep, __, __ = maybe_dep.partition('#')
maybe_dep = maybe_dep.strip()
if maybe_dep:
dependencies.append(maybe_dep)
return dependencies
|
get_requirements
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(requirements_file='requirements.txt'):\n with open(requirements_file) as fd:\n lines = fd.readlines()\n dependencies = []\n for line in lines:\n maybe_dep = line.strip()\n if maybe_dep.startswith('#'):\n continue\n if maybe_dep.startswith('git+'):\n __, __, maybe_dep = maybe_dep.rpartition('#')\n else:\n maybe_dep, __, __ = maybe_dep.partition('#')\n maybe_dep = maybe_dep.strip()\n if maybe_dep:\n dependencies.append(maybe_dep)\n return dependencies\n",
"role": "user"
},
{
"content": "get_requirements",
"role": "assistant"
}
] |
def x(username, size=64, default='retro'):
openid = 'http://{}.id.fedoraproject.org/'.format(username)
return libravatar_url(openid=openid, size=size, default=default)
|
user_avatar_url
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(username, size=64, default='retro'):\n openid = 'http://{}.id.fedoraproject.org/'.format(username)\n return libravatar_url(openid=openid, size=size, default=default)\n",
"role": "user"
},
{
"content": "user_avatar_url",
"role": "assistant"
}
] |
def x(email=None, openid=None, size=64, default='retro'):
params = collections.OrderedDict([('s', size), ('d', default)])
query = parse.urlencode(params)
if email:
value = email
elif openid:
value = openid
else:
raise ValueError('You must provide either the email or the openid.')
idhash = sha256(value.encode('utf-8')).hexdigest()
return 'https://seccdn.libravatar.org/avatar/%s?%s' % (idhash, query)
|
libravatar_url
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(email=None, openid=None, size=64, default='retro'):\n params = collections.OrderedDict([('s', size), ('d', default)])\n query = parse.urlencode(params)\n if email:\n value = email\n elif openid:\n value = openid\n else:\n raise ValueError('You must provide either the email or the openid.')\n idhash = sha256(value.encode('utf-8')).hexdigest()\n return 'https://seccdn.libravatar.org/avatar/%s?%s' % (idhash, query)\n",
"role": "user"
},
{
"content": "libravatar_url",
"role": "assistant"
}
] |
def x(parser, token):
args = token.split_contents()
if len(args) < 2:
raise template.TemplateSyntaxError(
'get_parameters tag takes at least 1 argument')
return GetParametersNode(args[1].strip())
|
get_parameters
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(parser, token):\n args = token.split_contents()\n if len(args) < 2:\n raise template.TemplateSyntaxError(\n 'get_parameters tag takes at least 1 argument')\n return GetParametersNode(args[1].strip())\n",
"role": "user"
},
{
"content": "get_parameters",
"role": "assistant"
}
] |
def x(obj):
fields = []
for f in obj._meta.fields:
fname = f.name
get_choice = 'get_' + fname + '_display'
if hasattr(obj, get_choice):
value = getattr(obj, get_choice)()
else:
try:
value = getattr(obj, fname)
except Exception:
value = None
if isinstance(value, list):
value = ','.join(str(v) for v in value)
if f.editable and value and f.name:
fields.append({'label': f.verbose_name, 'name': f.name, 'value':
value})
return fields
|
get_all_fields
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(obj):\n fields = []\n for f in obj._meta.fields:\n fname = f.name\n get_choice = 'get_' + fname + '_display'\n if hasattr(obj, get_choice):\n value = getattr(obj, get_choice)()\n else:\n try:\n value = getattr(obj, fname)\n except Exception:\n value = None\n if isinstance(value, list):\n value = ','.join(str(v) for v in value)\n if f.editable and value and f.name:\n fields.append({'label': f.verbose_name, 'name': f.name, 'value':\n value})\n return fields\n",
"role": "user"
},
{
"content": "get_all_fields",
"role": "assistant"
}
] |
def x(context, **kwargs):
params = context['request'].GET.copy()
for key, value in list(kwargs.items()):
params[key] = value
return '?' + params.urlencode()
|
query_string
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(context, **kwargs):\n params = context['request'].GET.copy()\n for key, value in list(kwargs.items()):\n params[key] = value\n return '?' + params.urlencode()\n",
"role": "user"
},
{
"content": "query_string",
"role": "assistant"
}
] |
def x(context, value, **kwargs):
params = context['request'].GET.copy()
core_value = value
default_order = 'asc'
if core_value[0] == '-':
core_value = value[1:]
default_order = 'desc'
current_value = ''
if 'filter' in context:
current_value = context['filter'].ordered_value()
elif 'ordering' in params:
current_value = params['ordering']
if current_value == core_value:
order_prefix = '-'
elif current_value == '-' + core_value:
order_prefix = ''
elif default_order == 'desc':
order_prefix = '-'
else:
order_prefix = ''
params['ordering'] = order_prefix + core_value
return '?' + params.urlencode()
|
query_string_ordering
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(context, value, **kwargs):\n params = context['request'].GET.copy()\n core_value = value\n default_order = 'asc'\n if core_value[0] == '-':\n core_value = value[1:]\n default_order = 'desc'\n current_value = ''\n if 'filter' in context:\n current_value = context['filter'].ordered_value()\n elif 'ordering' in params:\n current_value = params['ordering']\n if current_value == core_value:\n order_prefix = '-'\n elif current_value == '-' + core_value:\n order_prefix = ''\n elif default_order == 'desc':\n order_prefix = '-'\n else:\n order_prefix = ''\n params['ordering'] = order_prefix + core_value\n return '?' + params.urlencode()\n",
"role": "user"
},
{
"content": "query_string_ordering",
"role": "assistant"
}
] |
def x(context, link, *args, **kwargs):
def x(url_args):
mutated_url_args = []
for arg in url_args:
if 'item' in context and type(arg) == str:
try:
arg = getattr(context['v'], arg.split('.')[-1])
except Exception:
arg = context['item'][0]
mutated_url_args.append(arg)
return reverse(link, args=mutated_url_args, kwargs=None)
url_args = args
if type(link) in (tuple, list):
context['urls'][link[0]] = list(link[1:])
link = link[0]
if link in context['urls']:
url_args = context['urls'][link]
if isinstance(url_args, list):
return reverse_mutable_url_args(url_args)
return reverse(link, args=url_args, kwargs=None)
|
arctic_url
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(context, link, *args, **kwargs):\n\n def x(url_args):\n mutated_url_args = []\n for arg in url_args:\n if 'item' in context and type(arg) == str:\n try:\n arg = getattr(context['v'], arg.split('.')[-1])\n except Exception:\n arg = context['item'][0]\n mutated_url_args.append(arg)\n return reverse(link, args=mutated_url_args, kwargs=None)\n url_args = args\n if type(link) in (tuple, list):\n context['urls'][link[0]] = list(link[1:])\n link = link[0]\n if link in context['urls']:\n url_args = context['urls'][link]\n if isinstance(url_args, list):\n return reverse_mutable_url_args(url_args)\n return reverse(link, args=url_args, kwargs=None)\n",
"role": "user"
},
{
"content": "arctic_url",
"role": "assistant"
}
] |
def x():
app_model = getattr(settings, 'ARCTIC_ROLE_MODEL', 'arctic.Role')
try:
return django_apps.get_model(app_model)
except ValueError:
raise ImproperlyConfigured(
"ARCTIC_ROLE_MODEL must be of the form 'app_label.model_name'")
except LookupError:
raise ImproperlyConfigured(
"ARCTIC_ROLE_MODEL refers to model '%s' that has not been installed"
% settings.ARCTIC_ROLE_MODEL)
|
get_role_model
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n app_model = getattr(settings, 'ARCTIC_ROLE_MODEL', 'arctic.Role')\n try:\n return django_apps.get_model(app_model)\n except ValueError:\n raise ImproperlyConfigured(\n \"ARCTIC_ROLE_MODEL must be of the form 'app_label.model_name'\")\n except LookupError:\n raise ImproperlyConfigured(\n \"ARCTIC_ROLE_MODEL refers to model '%s' that has not been installed\"\n % settings.ARCTIC_ROLE_MODEL)\n",
"role": "user"
},
{
"content": "get_role_model",
"role": "assistant"
}
] |
def x():
app_model = getattr(settings, 'ARCTIC_USER_ROLE_MODEL', 'arctic.UserRole')
try:
return django_apps.get_model(app_model)
except ValueError:
raise ImproperlyConfigured(
"ARCTIC_USER_ROLE_MODEL must be of the form 'app_label.model_name'"
)
except LookupError:
raise ImproperlyConfigured(
"ARCTIC_USER_ROLE_MODEL refers to model '%s' that has not been installed"
% settings.ARCTIC_USER_ROLE_MODEL)
|
get_user_role_model
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n app_model = getattr(settings, 'ARCTIC_USER_ROLE_MODEL', 'arctic.UserRole')\n try:\n return django_apps.get_model(app_model)\n except ValueError:\n raise ImproperlyConfigured(\n \"ARCTIC_USER_ROLE_MODEL must be of the form 'app_label.model_name'\"\n )\n except LookupError:\n raise ImproperlyConfigured(\n \"ARCTIC_USER_ROLE_MODEL refers to model '%s' that has not been installed\"\n % settings.ARCTIC_USER_ROLE_MODEL)\n",
"role": "user"
},
{
"content": "get_user_role_model",
"role": "assistant"
}
] |
def x(self, request, *args, **kwargs):
if self.requires_login:
if settings.LOGIN_URL is None or settings.LOGOUT_URL is None:
raise ImproperlyConfigured(
'LOGIN_URL and LOGOUT_URL has to be defined if requires_login is True'
)
if not request.user.is_authenticated:
return redirect('%s?next=%s' % (resolve_url(settings.LOGIN_URL),
quote(request.get_full_path())))
return super(View, self).dispatch(request, *args, **kwargs)
|
dispatch
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request, *args, **kwargs):\n if self.requires_login:\n if settings.LOGIN_URL is None or settings.LOGOUT_URL is None:\n raise ImproperlyConfigured(\n 'LOGIN_URL and LOGOUT_URL has to be defined if requires_login is True'\n )\n if not request.user.is_authenticated:\n return redirect('%s?next=%s' % (resolve_url(settings.LOGIN_URL),\n quote(request.get_full_path())))\n return super(View, self).dispatch(request, *args, **kwargs)\n",
"role": "user"
},
{
"content": "dispatch",
"role": "assistant"
}
] |
def x(self):
if not self.breadcrumbs:
return None
else:
allowed_breadcrumbs = []
for breadcrumb in self.breadcrumbs:
if breadcrumb[1] is not None and not view_from_url(breadcrumb[1]
).has_permission(self.request.user):
continue
obj = self if not hasattr(self, 'object') else self.object
url = None if not breadcrumb[1] else reverse_url(breadcrumb[1], obj
)
allowed_breadcrumbs.append({'name': breadcrumb[0], 'url': url})
return allowed_breadcrumbs
|
get_breadcrumbs
|
[
{
"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.breadcrumbs:\n return None\n else:\n allowed_breadcrumbs = []\n for breadcrumb in self.breadcrumbs:\n if breadcrumb[1] is not None and not view_from_url(breadcrumb[1]\n ).has_permission(self.request.user):\n continue\n obj = self if not hasattr(self, 'object') else self.object\n url = None if not breadcrumb[1] else reverse_url(breadcrumb[1], obj\n )\n allowed_breadcrumbs.append({'name': breadcrumb[0], 'url': url})\n return allowed_breadcrumbs\n",
"role": "user"
},
{
"content": "get_breadcrumbs",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.