source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(self, safe_callback=True):
with self._lock:
if self.state in (StoredInstance.VALID, StoredInstance.VALIDATING,
StoredInstance.ERRONEOUS):
return False
if self.state == StoredInstance.KILLED:
raise RuntimeError('{0}: Zombies !'.format(self.name))
self.error_trace = None
self.__safe_handlers_callback('pre_validate')
if safe_callback:
self.state = StoredInstance.VALIDATING
if not self.__safe_validation_callback(constants.
IPOPO_CALLBACK_VALIDATE):
self.state = StoredInstance.VALID
self.invalidate(True)
self.state = StoredInstance.ERRONEOUS
return False
self.state = StoredInstance.VALID
self.__safe_handlers_callback('post_validate')
if self._ipopo_service is not None:
self._ipopo_service._fire_ipopo_event(constants.IPopoEvent.
VALIDATED, self.factory_name, self.name)
return True
| validate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, safe_callback=True):\n with self._lock:\n if self.state in (StoredInstance.VALID, StoredInstance.VALIDATING,\n StoredInstance.ERRONE... |
def x(self, event, *args, **kwargs):
comp_callback = self.context.get_callback(event)
if not comp_callback:
return True
result = comp_callback(self.instance, *args, **kwargs)
if result is None:
return True
return result
| callback | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, event, *args, **kwargs):\n comp_callback = self.context.get_callback(event)\n if not comp_callback:\n return True\n result = comp_callbac... |
def x(self, event):
comp_callback = self.context.get_callback(event)
if not comp_callback:
return True
try:
args = getattr(comp_callback, constants.IPOPO_VALIDATE_ARGS)
except AttributeError:
raise TypeError(
'@ValidateComponent callback is missing internal description')
mapping = {constants.ARG_BUNDLE_CONTEXT: self.bundle_context, constants
.ARG_COMPONENT_CONTEXT: self.context, constants.ARG_PROPERTIES:
self.context.properties.copy()}
mapped_args = [mapping[arg] for arg in args]
result = comp_callback(self.instance, *mapped_args)
if result is None:
return True
return result
| validation_callback | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, event):\n comp_callback = self.context.get_callback(event)\n if not comp_callback:\n return True\n try:\n args = getattr(comp_call... |
def x(self, field, event, *args, **kwargs):
cb_info = self.context.get_field_callback(field, event)
if not cb_info:
return True
callback, if_valid = cb_info
if if_valid and self.state != StoredInstance.VALID:
return True
result = callback(self.instance, field, *args, **kwargs)
if result is None:
return True
return result
| field_callback | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, field, event, *args, **kwargs):\n cb_info = self.context.get_field_callback(field, event)\n if not cb_info:\n return True\n callback, if_... |
def x(self, event, *args, **kwargs):
if self.state == StoredInstance.KILLED:
return None
try:
return self.__callback(event, *args, **kwargs)
except FrameworkException as ex:
self._logger.exception('Critical error calling back %s: %s', self.
name, ex)
self._ipopo_service.kill(self.name)
if ex.needs_stop:
self._logger.error('%s said that the Framework must be stopped.',
self.name)
self.bundle_context.get_framework().stop()
return False
except:
self._logger.exception(
"Component '%s': error calling callback method for event %s",
self.name, event)
return False
| safe_callback | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, event, *args, **kwargs):\n if self.state == StoredInstance.KILLED:\n return None\n try:\n return self.__callback(event, *args, **kwar... |
def x(self, event):
if self.state == StoredInstance.KILLED:
return None
try:
return self.__validation_callback(event)
except FrameworkException as ex:
self._logger.exception('Critical error calling back %s: %s', self.
name, ex)
self._ipopo_service.kill(self.name)
self.error_trace = traceback.format_exc()
if ex.needs_stop:
self._logger.error('%s said that the Framework must be stopped.',
self.name)
self.bundle_context.get_framework().stop()
return False
except:
self._logger.exception(
"Component '%s': error calling @ValidateComponent callback",
self.name)
self.error_trace = traceback.format_exc()
return False
| safe_validation_callback | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, event):\n if self.state == StoredInstance.KILLED:\n return None\n try:\n return self.__validation_callback(event)\n except Framewo... |
def x(self, handler, method_name, *args, **kwargs):
if handler is None or method_name is None:
return None
only_boolean = kwargs.pop('only_boolean', False)
none_as_true = kwargs.pop('none_as_true', False)
try:
method = getattr(handler, method_name)
except AttributeError:
result = None
else:
try:
result = method(*args, **kwargs)
except Exception as ex:
result = None
self._logger.exception("Error calling handler '%s': %s",
handler, ex)
if result is None and none_as_true:
result = True
if only_boolean:
return bool(result)
return result
| safe_handler_callback | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, handler, method_name, *args, **kwargs):\n if handler is None or method_name is None:\n return None\n only_boolean = kwargs.pop('only_boolean... |
def x(self, method_name, *args, **kwargs):
if self.state == StoredInstance.KILLED:
return False
exception_as_error = kwargs.pop('exception_as_error', False)
break_on_false = kwargs.pop('break_on_false', False)
result = True
for handler in self.get_handlers():
try:
method = getattr(handler, method_name)
except AttributeError:
pass
else:
try:
res = method(*args, **kwargs)
if res is not None and not res:
result = False
except Exception as ex:
self._logger.exception("Error calling handler '%s': %s",
handler, ex)
result = result and not exception_as_error
if not handler and break_on_false:
break
return result
| safe_handlers_callback | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, method_name, *args, **kwargs):\n if self.state == StoredInstance.KILLED:\n return False\n exception_as_error = kwargs.pop('exception_as_erro... |
def x(self, dependency, service, reference):
setattr(self.instance, dependency.get_field(), dependency.get_value())
self.safe_callback(constants.IPOPO_CALLBACK_BIND, service, reference)
self.__safe_field_callback(dependency.get_field(), constants.
IPOPO_CALLBACK_BIND_FIELD, service, reference)
| set_binding | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, dependency, service, reference):\n setattr(self.instance, dependency.get_field(), dependency.get_value())\n self.safe_callback(constants.IPOPO_CALL... |
def x(self, dependency, service, reference, old_properties, new_value):
if new_value:
setattr(self.instance, dependency.get_field(), dependency.get_value())
self.__safe_field_callback(dependency.get_field(), constants.
IPOPO_CALLBACK_UPDATE_FIELD, service, reference, old_properties)
self.safe_callback(constants.IPOPO_CALLBACK_UPDATE, service, reference,
old_properties)
| update_binding | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, dependency, service, reference, old_properties, new_value):\n if new_value:\n setattr(self.instance, dependency.get_field(), dependency.get_val... |
def x(self, dependency, service, reference):
self.__safe_field_callback(dependency.get_field(), constants.
IPOPO_CALLBACK_UNBIND_FIELD, service, reference)
self.safe_callback(constants.IPOPO_CALLBACK_UNBIND, service, reference)
setattr(self.instance, dependency.get_field(), dependency.get_value())
self.bundle_context.unget_service(reference)
| unset_binding | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, dependency, service, reference):\n self.__safe_field_callback(dependency.get_field(), constants.\n IPOPO_CALLBACK_UNBIND_FIELD, service, refere... |
def x(value):
if not value:
return False
try:
value = value.lower()
return value not in ('none', '0', 'false', 'no')
except AttributeError:
return True
| parse_boolean | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value):\n if not value:\n return False\n try:\n value = value.lower()\n return value not in ('none', '0', 'false', 'no')\n except... |
def x(self):
formatter = string.Formatter()
return [val[1] for val in formatter.parse(self._original_filter) if val[1]]
| find_keys | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n formatter = string.Formatter()\n return [val[1] for val in formatter.parse(self._original_filter) if val[1]]\n",
"role": "user"
},
{
... |
def x(self):
self.valid_filter = False
try:
filter_str = self._original_filter.format(**self._component_context
.properties)
except KeyError as ex:
logging.warning('Missing filter value: %s', ex)
raise ValueError('Missing filter value')
try:
new_filter = ldapfilter.get_ldap_filter(filter_str)
except (TypeError, ValueError) as ex:
logging.warning('Error parsing filter: %s', ex)
raise ValueError('Error parsing filter')
self.valid_filter = True
if new_filter != self.requirement.filter:
self.requirement.filter = new_filter
return True
return False
| update_filter | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.valid_filter = False\n try:\n filter_str = self._original_filter.format(**self._component_context\n .properties)\n exc... |
def x(self, name, old_value, new_value):
if name in self._keys:
try:
if self.update_filter():
self._reset()
except ValueError:
for svc_ref in self.get_bindings():
self.on_service_departure(svc_ref)
| on_property_change | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, old_value, new_value):\n if name in self._keys:\n try:\n if self.update_filter():\n self._reset()\n exce... |
def x(self):
with self._lock:
self.stop()
self.start()
for svc_ref in self.get_bindings():
if not self.requirement.filter.matches(svc_ref.get_properties()):
self.on_service_departure(svc_ref)
| reset | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n with self._lock:\n self.stop()\n self.start()\n for svc_ref in self.get_bindings():\n if not self.requirement.filte... |
def x(self, data=None):
self.__data = data
self.__exception = None
self.__event.set()
| set | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data=None):\n self.__data = data\n self.__exception = None\n self.__event.set()\n",
"role": "user"
},
{
"content": "set",
"role"... |
def x(self, exception):
self.__data = None
self.__exception = exception
self.__event.set()
| raise_exception | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, exception):\n self.__data = None\n self.__exception = exception\n self.__event.set()\n",
"role": "user"
},
{
"content": "raise_excep... |
def x(self, timeout=None):
result = self.__event.wait(timeout)
if self.__exception is None:
return result
else:
raise self.__exception
| wait | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, timeout=None):\n result = self.__event.wait(timeout)\n if self.__exception is None:\n return result\n else:\n raise self.__excepti... |
def x(self):
if self.__callback is not None:
try:
self.__callback(self._done_event.data, self._done_event.
exception, self.__extra)
except Exception as ex:
self._logger.exception('Error calling back method: %s', ex)
| notify | [
{
"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.__callback is not None:\n try:\n self.__callback(self._done_event.data, self._done_event.\n exception, sel... |
def x(self, method, extra=None):
self.__callback = method
self.__extra = extra
if self._done_event.is_set():
self.__notify()
| set_callback | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, method, extra=None):\n self.__callback = method\n self.__extra = extra\n if self._done_event.is_set():\n self.__notify()\n",
"role": ... |
def x(self, method, args, kwargs):
if args is None:
args = []
if kwargs is None:
kwargs = {}
try:
result = method(*args, **kwargs)
except Exception as ex:
self._done_event.raise_exception(ex)
raise
else:
self._done_event.set(result)
finally:
self.__notify()
| execute | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, method, args, kwargs):\n if args is None:\n args = []\n if kwargs is None:\n kwargs = {}\n try:\n result = method(*args, **... |
def x(self, timeout=None):
if self._done_event.wait(timeout):
return self._done_event.data
else:
raise OSError('Timeout raised')
| result | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, timeout=None):\n if self._done_event.wait(timeout):\n return self._done_event.data\n else:\n raise OSError('Timeout raised')\n",
... |
def x(self):
if not self._done_event.is_set():
return
self._done_event.clear()
nb_pending_tasks = self._queue.qsize()
if nb_pending_tasks > self._max_threads:
nb_threads = self._max_threads
nb_pending_tasks = self._max_threads
elif nb_pending_tasks < self._min_threads:
nb_threads = self._min_threads
else:
nb_threads = nb_pending_tasks
for _ in range(nb_pending_tasks):
self.__nb_pending_task += 1
self.__start_thread()
for _ in range(nb_threads - nb_pending_tasks):
self.__start_thread()
| start | [
{
"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._done_event.is_set():\n return\n self._done_event.clear()\n nb_pending_tasks = self._queue.qsize()\n if nb_pending_task... |
def x(self):
with self.__lock:
if self.__nb_threads >= self._max_threads:
return False
if self._done_event.is_set():
return False
name = '{0}-{1}'.format(self._logger.name, self._thread_id)
self._thread_id += 1
thread = threading.Thread(target=self.__run, name=name)
thread.daemon = True
try:
self.__nb_threads += 1
thread.start()
self._threads.append(thread)
return True
except (RuntimeError, OSError):
self.__nb_threads -= 1
return False
| start_thread | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n with self.__lock:\n if self.__nb_threads >= self._max_threads:\n return False\n if self._done_event.is_set():\n ... |
def x(self):
if self._done_event.is_set():
return
self._done_event.set()
with self.__lock:
try:
for _ in self._threads:
self._queue.put(self._done_event, True, self._timeout)
except queue.Full:
pass
threads = self._threads[:]
for thread in threads:
while thread.is_alive():
thread.join(3)
if thread.is_alive():
self._logger.warning('Thread %s is still alive...', thread.name
)
del self._threads[:]
self.clear()
| stop | [
{
"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._done_event.is_set():\n return\n self._done_event.set()\n with self.__lock:\n try:\n for _ in self._threads:... |
def x(self, method, *args, **kwargs):
if not hasattr(method, '__call__'):
raise ValueError('{0} has no __call__ member.'.format(method.__name__))
future = FutureResult(self._logger)
with self.__lock:
self._queue.put((method, args, kwargs, future), True, self._timeout)
self.__nb_pending_task += 1
if self.__nb_pending_task > self.__nb_threads:
self.__start_thread()
return future
| enqueue | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, method, *args, **kwargs):\n if not hasattr(method, '__call__'):\n raise ValueError('{0} has no __call__ member.'.format(method.__name__))\n ... |
def x(self):
with self.__lock:
try:
while True:
self._queue.get_nowait()
self._queue.task_done()
except queue.Empty:
pass
self.join()
| clear | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n with self.__lock:\n try:\n while True:\n self._queue.get_nowait()\n self._queue.task_done()\n ... |
def x(self, timeout=None):
if self._queue.empty():
return True
elif timeout is None:
self._queue.join()
return True
else:
with self._queue.all_tasks_done:
self._queue.all_tasks_done.wait(timeout)
return not bool(self._queue.unfinished_tasks)
| join | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, timeout=None):\n if self._queue.empty():\n return True\n elif timeout is None:\n self._queue.join()\n return True\n else:\n... |
def x(self):
already_cleaned = False
try:
while not self._done_event.is_set():
try:
task = self._queue.get(True, self._timeout)
if task is self._done_event:
self._queue.task_done()
return
except queue.Empty:
pass
else:
with self.__lock:
self.__nb_active_threads += 1
method, args, kwargs, future = task
try:
future.execute(method, args, kwargs)
except Exception as ex:
self._logger.exception('Error executing %s: %s', method
.__name__, ex)
finally:
self._queue.task_done()
with self.__lock:
self.__nb_pending_task -= 1
self.__nb_active_threads -= 1
with self.__lock:
extra_threads = self.__nb_threads - self.__nb_active_threads
if (self.__nb_threads > self._min_threads and extra_threads >
self._queue.qsize()):
self.__nb_threads -= 1
already_cleaned = True
return
finally:
with self.__lock:
try:
self._threads.remove(threading.current_thread())
except ValueError:
pass
if not already_cleaned:
self.__nb_threads -= 1
| run | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n already_cleaned = False\n try:\n while not self._done_event.is_set():\n try:\n task = self._queue.get(True, sel... |
def x(url, encoding='ascii'):
if not isinstance(url, bytes):
url = url.encode(encoding)
parser = _URL_PARSER
idx = 0
for _c in url:
if _c not in _HEX:
if not (_c == _SYM_MINUS and (idx == _DOMAINID_LENGTH or idx ==
_HOSTID_LENGTH + 1)):
return parser.parse(url, idx)
idx += 1
if idx > 4:
break
_l = len(url)
if _l == _DOCID_LENGTH:
parser = _DOCID_PARSER
elif _l == _READABLE_DOCID_LENGTH and url[_DOMAINID_LENGTH
] == _SYM_MINUS and url[_HOSTID_LENGTH + 1] == _SYM_MINUS:
parser = _R_DOCID_PARSER
else:
parser = _PARSER
return parser.parse(url, idx)
| docid | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(url, encoding='ascii'):\n if not isinstance(url, bytes):\n url = url.encode(encoding)\n parser = _URL_PARSER\n idx = 0\n for _c in url:\n ... |
def x(app):
formatter = LocalVarFormatter()
error_log_file = app.config.get('LOGFILE', 'error.log')
if error_log_file:
file_handler = logging.FileHandler(error_log_file)
file_handler.setFormatter(formatter)
file_handler.setLevel(logging.WARNING)
app.logger.addHandler(file_handler)
if app.config.get('ADMIN_NUMBERS'):
if all(key in app.config for key in ['SMS_EXOTEL_SID',
'SMS_EXOTEL_TOKEN', 'SMS_EXOTEL_FROM', 'SMS_TWILIO_SID',
'SMS_TWILIO_TOKEN', 'SMS_TWILIO_FROM']):
logging.handlers.SMSHandler = SMSHandler
sms_handler = logging.handlers.SMSHandler(app_name=app.name,
exotel_sid=app.config['SMS_EXOTEL_SID'], exotel_token=app.
config['SMS_EXOTEL_TOKEN'], exotel_from=app.config[
'SMS_EXOTEL_FROM'], twilio_sid=app.config['SMS_TWILIO_SID'],
twilio_token=app.config['SMS_TWILIO_TOKEN'], twilio_from=
app.config['SMS_TWILIO_FROM'], phonenumbers=app.config[
'ADMIN_NUMBERS'])
sms_handler.setLevel(logging.ERROR)
app.logger.addHandler(sms_handler)
if app.config.get('SLACK_LOGGING_WEBHOOKS'):
logging.handlers.SlackHandler = SlackHandler
slack_handler = logging.handlers.SlackHandler(app_name=app.name,
webhooks=app.config['SLACK_LOGGING_WEBHOOKS'])
slack_handler.setFormatter(formatter)
slack_handler.setLevel(logging.NOTSET)
app.logger.addHandler(slack_handler)
if app.config.get('ADMINS'):
mail_sender = app.config.get('MAIL_DEFAULT_SENDER') or app.config.get(
'DEFAULT_MAIL_SENDER', 'logs@example.com')
if isinstance(mail_sender, (list, tuple)):
mail_sender = mail_sender[1]
if app.config.get('MAIL_USERNAME') and app.config.get('MAIL_PASSWORD'):
credentials = app.config['MAIL_USERNAME'], app.config[
'MAIL_PASSWORD']
else:
credentials = None
mail_handler = logging.handlers.SMTPHandler(app.config.get(
'MAIL_SERVER', 'localhost'), mail_sender, app.config['ADMINS'],
'%s failure' % app.name, credentials=credentials)
mail_handler.setFormatter(formatter)
mail_handler.setLevel(logging.ERROR)
app.logger.addHandler(mail_handler)
| init_app | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(app):\n formatter = LocalVarFormatter()\n error_log_file = app.config.get('LOGFILE', 'error.log')\n if error_log_file:\n file_handler = logging... |
def x(self, record):
if record.exc_info:
if record.exc_text:
if 'Stack frames (most recent call first)' not in record.exc_text:
record.exc_text = None
return super(LocalVarFormatter, self).format(record)
| format | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, record):\n if record.exc_info:\n if record.exc_text:\n if 'Stack frames (most recent call first)' not in record.exc_text:\n ... |
def x(value, valid_tags=VALID_TAGS, strip=True):
return bleach.clean(value, tags=list(VALID_TAGS.keys()), attributes=
VALID_TAGS, strip=strip)
| sanitize_html | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value, valid_tags=VALID_TAGS, strip=True):\n return bleach.clean(value, tags=list(VALID_TAGS.keys()), attributes=\n VALID_TAGS, strip=strip)\n",
... |
def x(text, html=True):
if html:
text = _tag_re.sub(' ', text)
text = _strip_re.sub('', text)
text = _punctuation_re.sub(' ', text)
return len(text.split())
| word_count | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(text, html=True):\n if html:\n text = _tag_re.sub(' ', text)\n text = _strip_re.sub('', text)\n text = _punctuation_re.sub(' ', text)\n retu... |
def x(text):
text = unescape(text)
text = _deobfuscate_dot1_re.sub('.', text)
text = _deobfuscate_dot2_re.sub('\\1.\\2', text)
text = _deobfuscate_dot3_re.sub('\\1.\\2', text)
text = _deobfuscate_at1_re.sub('@', text)
text = _deobfuscate_at2_re.sub('\\1@\\2', text)
text = _deobfuscate_at3_re.sub('\\1@\\2', text)
return text
| deobfuscate_email | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(text):\n text = unescape(text)\n text = _deobfuscate_dot1_re.sub('.', text)\n text = _deobfuscate_dot2_re.sub('\\\\1.\\\\2', text)\n text = _deobfu... |
def x(text):
if isinstance(text, six.text_type):
if six.PY3:
text = text.translate(text.maketrans('', '', string.punctuation)
).lower()
else:
text = six.text_type(text.encode('utf-8').translate(string.
maketrans('', ''), string.punctuation).lower(), 'utf-8')
else:
text = text.translate(string.maketrans('', ''), string.punctuation
).lower()
return ' '.join(text.split())
| simplify_text | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(text):\n if isinstance(text, six.text_type):\n if six.PY3:\n text = text.translate(text.maketrans('', '', string.punctuation)\n ... |
def x(text_blocks):
sentences = []
for text in text_blocks:
sentences.extend(nltk.sent_tokenize(text))
tokenized_sentences = [nltk.word_tokenize(sentence) for sentence in
sentences]
tagged_sentences = [nltk.pos_tag(sentence) for sentence in
tokenized_sentences]
chunked_sentences = nltk.ne_chunk_sents(tagged_sentences, binary=True)
def x(t):
entity_names = []
if hasattr(t, 'label'):
if t.label() == 'NE':
entity_names.append(' '.join([child[0] for child in t]))
else:
for child in t:
entity_names.extend(extract_entity_names(child))
return entity_names
entity_names = []
for tree in chunked_sentences:
entity_names.extend(extract_entity_names(tree))
return set(entity_names)
| extract_named_entities | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(text_blocks):\n sentences = []\n for text in text_blocks:\n sentences.extend(nltk.sent_tokenize(text))\n tokenized_sentences = [nltk.word_token... |
def x(path=None):
config = Config()
try:
config.set_main_option('script_location', path or 'migrations')
script = ScriptDirectory.from_config(config)
head = script.get_current_head()
metadata, alembic_version = alembic_table_metadata()
metadata.create_all()
item = manager.db.session.query(alembic_version).first()
if item and item.version_num != head:
item.version_num = head
else:
item = alembic_version.insert().values(version_num=head)
item.compile()
conn = manager.db.engine.connect()
conn.execute(item)
manager.db.session.commit()
stdout.write('alembic head is set to %s \n' % head)
except CommandError as e:
stdout.write(e.message)
| set_alembic_revision | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path=None):\n config = Config()\n try:\n config.set_main_option('script_location', path or 'migrations')\n script = ScriptDirectory.from_co... |
def x():
manager.db.engine.echo = True
if prompt_bool('Are you sure you want to lose all your data'):
manager.db.drop_all()
metadata, alembic_version = alembic_table_metadata()
alembic_version.drop()
manager.db.session.commit()
| dropdb | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n manager.db.engine.echo = True\n if prompt_bool('Are you sure you want to lose all your data'):\n manager.db.drop_all()\n metadata, ale... |
def x():
manager.db.engine.echo = True
manager.db.create_all()
set_alembic_revision()
| createdb | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n manager.db.engine.echo = True\n manager.db.create_all()\n set_alembic_revision()\n",
"role": "user"
},
{
"content": "createdb",
"... |
def x():
print('Syncing resources with Lastuser...')
resources = manager.app.lastuser.sync_resources()['results']
for rname, resource in six.iteritems(resources):
if resource['status'] == 'error':
print('Error for %s: %s' % (rname, resource['error']))
else:
print('Resource %s %s...' % (rname, resource['status']))
for aname, action in six.iteritems(resource['actions']):
if action['status'] == 'error':
print('\tError for %s/%s: %s' % (rname, aname, action[
'error']))
else:
print('\tAction %s/%s %s...' % (rname, aname, resource[
'status']))
print('Resources synced...')
| sync_resources | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n print('Syncing resources with Lastuser...')\n resources = manager.app.lastuser.sync_resources()['results']\n for rname, resource in six.iteritems... |
def x(app, db, **kwargs):
manager.app = app
manager.db = db
manager.context = kwargs
manager.add_command('db', MigrateCommand)
manager.add_command('clean', Clean())
manager.add_command('showurls', ShowUrls())
manager.add_command('shell', Shell(make_context=shell_context))
manager.add_command('plainshell', Shell(make_context=shell_context,
use_ipython=False, use_bpython=False))
return manager
| init_manager | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(app, db, **kwargs):\n manager.app = app\n manager.db = db\n manager.context = kwargs\n manager.add_command('db', MigrateCommand)\n manager.add_c... |
def x(app, env=None):
app.jinja_env.globals['current_auth'] = current_auth
app.jinja_env.globals['current_view'] = current_view
app.config.setdefault('SQLALCHEMY_TRACK_MODIFICATIONS', False)
load_config_from_file(app, 'settings.py')
if not env:
env = environ.get('FLASK_ENV', 'DEVELOPMENT')
additional = _additional_config.get(env.lower())
if additional:
load_config_from_file(app, additional)
logger.init_app(app)
| init_app | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(app, env=None):\n app.jinja_env.globals['current_auth'] = current_auth\n app.jinja_env.globals['current_view'] = current_view\n app.config.setdefault(... |
def x(app, filepath):
try:
app.config.from_pyfile(filepath)
return True
except IOError:
print(
'Did not find settings file %s for additional settings, skipping it'
% filepath, file=sys.stderr)
return False
| load_config_from_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(app, filepath):\n try:\n app.config.from_pyfile(filepath)\n return True\n except IOError:\n print(\n 'Did not find settin... |
def x(self):
options = dict(self.jinja_options)
if 'autoescape' not in options:
options['autoescape'] = self.select_jinja_autoescape
rv = SandboxedEnvironment(self, **options)
rv.globals.update(url_for=url_for, get_flashed_messages=
get_flashed_messages, config=self.config, request=request, session=
session, g=g)
rv.filters['tojson'] = _tojson_filter
return rv
| create_jinja_environment | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n options = dict(self.jinja_options)\n if 'autoescape' not in options:\n options['autoescape'] = self.select_jinja_autoescape\n rv = San... |
def x(text):
tokens = [_token_map.get(t, t) for t in _tsquery_tokens_re.split(
_whitespace_re.sub(' ', text.replace("'", ' ').replace('"', ' ').
replace('\x00', '')))]
tokens = [(t if t in ('&', '|', '!', ':*', '(', ')', ' ') else "'" + t.
strip() + "'") for t in tokens]
tokens = [t for t in tokens if t not in ('', ' ', "''")]
if not tokens:
return ''
counterlength = len(tokens)
counter = 1
while counter < counterlength:
if tokens[counter] == '!' and tokens[counter - 1] not in ('&', '|', '('
):
tokens.insert(counter, '&')
counter += 1
counterlength += 1
elif tokens[counter] == '(' and tokens[counter - 1] not in ('&',
'|', '!'):
tokens.insert(counter, '&')
counter += 1
counterlength += 1
elif tokens[counter] == ')' and tokens[counter - 1] == '(':
tokens.pop(counter)
tokens.pop(counter - 1)
counter -= 2
counterlength -= 2
if tokens and tokens[counter] in ('&', '|'):
tokens.pop(counter)
counter -= 1
counterlength -= 1
elif tokens and counter == 0 and tokens[counter] == '!':
tokens.pop(counter)
counter -= 1
counterlength -= 1
elif tokens and counter > 0 and tokens[counter - 1:counter + 1
] in (['&', '!'], ['|', '!']):
tokens.pop(counter)
tokens.pop(counter - 1)
counter -= 2
counterlength -= 2
elif tokens[counter].startswith("'") and tokens[counter - 1] not in (
'&', '|', '!', '('):
tokens.insert(counter, '&')
counter += 1
counterlength += 1
elif tokens[counter] in ('&', '|') and tokens[counter - 1] in ('&', '|'
) or tokens[counter] == '!' and tokens[counter - 1] not in ('&',
'|') or tokens[counter] == ':*' and not tokens[counter - 1
].startswith("'"):
tokens.pop(counter)
counter -= 1
counterlength -= 1
counter += 1
while tokens and tokens[0] in ('&', '|', ':*', ')', '!', '*'):
tokens.pop(0)
if tokens:
while tokens and tokens[-1] in ('&', '|', '!', '('):
tokens.pop(-1)
if not tokens:
return ''
missing_brackets = sum([(1 if t == '(' else -1) for t in tokens if t in
('(', ')')])
if missing_brackets > 0:
tokens.append(')' * missing_brackets)
elif missing_brackets < 0:
tokens.insert(0, '(' * -missing_brackets)
return ''.join(tokens)
| for_tsquery | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(text):\n tokens = [_token_map.get(t, t) for t in _tsquery_tokens_re.split(\n _whitespace_re.sub(' ', text.replace(\"'\", ' ').replace('\"', ' ').\n ... |
def x(cls):
if cls.__uuid_primary_key__:
return immutable(Column(UUIDType(binary=False), default=uuid_.uuid4,
primary_key=True, nullable=False))
else:
return immutable(Column(Integer, primary_key=True, nullable=False))
| id | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls):\n if cls.__uuid_primary_key__:\n return immutable(Column(UUIDType(binary=False), default=uuid_.uuid4,\n primary_key=True, nullable=F... |
def x(cls):
if cls.__uuid_primary_key__:
def x(self):
return self.id.hex
def x(cls):
return SqlHexUuidComparator(cls.id)
url_id_func.__name__ = 'url_id'
url_id_property = hybrid_property(url_id_func)
url_id_property = url_id_property.comparator(url_id_is)
return url_id_property
else:
def x(self):
return six.text_type(self.id)
def x(cls):
return cls.id
url_id_func.__name__ = 'url_id'
url_id_property = hybrid_property(url_id_func)
url_id_property = url_id_property.expression(url_id_expression)
return url_id_property
| url_id | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls):\n if cls.__uuid_primary_key__:\n\n def x(self):\n return self.id.hex\n\n def x(cls):\n return SqlHexUuidComparator... |
def x(cls):
if hasattr(cls, '__uuid_primary_key__') and cls.__uuid_primary_key__:
return synonym('id')
else:
return immutable(Column(UUIDType(binary=False), default=uuid_.uuid4,
unique=True, nullable=False))
| uuid | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls):\n if hasattr(cls, '__uuid_primary_key__') and cls.__uuid_primary_key__:\n return synonym('id')\n else:\n return immutable(Column(UUID... |
def x(self, action='view', **kwargs):
app = current_app._get_current_object() if current_app else None
if app is not None and action in self.url_for_endpoints.get(app, {}):
endpoint, paramattrs, _external = self.url_for_endpoints[app][action]
else:
try:
endpoint, paramattrs, _external = self.url_for_endpoints[None][
action]
except KeyError:
raise BuildError(action, kwargs, 'GET')
params = {}
for param, attr in list(paramattrs.items()):
if isinstance(attr, tuple):
if attr[0].startswith('**'):
item = kwargs.pop(attr[0][2:])
attr = attr[1:]
else:
item = self
for subattr in attr:
item = getattr(item, subattr)
params[param] = item
elif callable(attr):
params[param] = attr(self)
else:
params[param] = getattr(self, attr)
if _external is not None:
params['_external'] = _external
params.update(kwargs)
return url_for(endpoint, **params)
| url_for | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, action='view', **kwargs):\n app = current_app._get_current_object() if current_app else None\n if app is not None and action in self.url_for_endpoi... |
def x(cls, _action, _endpoint=None, _app=None, _external=None, **paramattrs):
def x(f):
if 'url_for_endpoints' not in cls.__dict__:
cls.url_for_endpoints = {None: {}}
cls.url_for_endpoints.setdefault(_app, {})
for keyword in paramattrs:
if isinstance(paramattrs[keyword], six.string_types
) and '.' in paramattrs[keyword]:
paramattrs[keyword] = tuple(paramattrs[keyword].split('.'))
cls.url_for_endpoints[_app][_action
] = _endpoint or f.__name__, paramattrs, _external
return f
return decorator
| is_url_for | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, _action, _endpoint=None, _app=None, _external=None, **paramattrs):\n\n def x(f):\n if 'url_for_endpoints' not in cls.__dict__:\n cls.... |
def x(cls, app, action, classview, attr):
if 'view_for_endpoints' not in cls.__dict__:
cls.view_for_endpoints = {}
cls.view_for_endpoints.setdefault(app, {})[action] = classview, attr
| register_view_for | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, app, action, classview, attr):\n if 'view_for_endpoints' not in cls.__dict__:\n cls.view_for_endpoints = {}\n cls.view_for_endpoints.setdefau... |
def x(self, action='view'):
app = current_app._get_current_object()
view, attr = self.view_for_endpoints[app][action]
return getattr(view(self), attr)
| view_for | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, action='view'):\n app = current_app._get_current_object()\n view, attr = self.view_for_endpoints[app][action]\n return getattr(view(self), attr)... |
def x(self, action='view'):
app = current_app._get_current_object()
return self.view_for_endpoints[app][action][0](self)
| classview_for | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, action='view'):\n app = current_app._get_current_object()\n return self.view_for_endpoints[app][action][0](self)\n",
"role": "user"
},
{
... |
def x(self, fields):
for f in fields:
if hasattr(self, f):
setattr(self, f, fields[f])
else:
raise TypeError(
"'{arg}' is an invalid argument for {instance_type}".format
(arg=f, instance_type=self.__class__.__name__))
| set_fields | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, fields):\n for f in fields:\n if hasattr(self, f):\n setattr(self, f, fields[f])\n else:\n raise TypeError(\n ... |
def x(cls):
if cls.__name_length__ is None:
column_type = UnicodeText()
else:
column_type = Unicode(cls.__name_length__)
if cls.__name_blank_allowed__:
return Column(column_type, nullable=False, unique=True)
else:
return Column(column_type, CheckConstraint("name <> ''"), nullable=
False, unique=True)
| name | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls):\n if cls.__name_length__ is None:\n column_type = UnicodeText()\n else:\n column_type = Unicode(cls.__name_length__)\n if cls.__na... |
def x(cls):
if cls.__title_length__ is None:
column_type = UnicodeText()
else:
column_type = Unicode(cls.__title_length__)
return Column(column_type, nullable=False)
| title | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls):\n if cls.__title_length__ is None:\n column_type = UnicodeText()\n else:\n column_type = Unicode(cls.__title_length__)\n return Co... |
def x(cls, name, **fields):
instance = cls.get(name)
if instance:
instance._set_fields(fields)
else:
instance = cls(name=name, **fields)
instance = failsafe_add(cls.query.session, instance, name=name)
return instance
| upsert | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, name, **fields):\n instance = cls.get(name)\n if instance:\n instance._set_fields(fields)\n else:\n instance = cls(name=name, **fie... |
def x(self, reserved=[]):
if self.title:
if inspect(self).has_identity:
def x(c):
return bool(c in reserved or c in self.reserved_names or
self.__class__.query.filter(self.__class__.id != self.
id).filter_by(name=c).notempty())
else:
def x(c):
return bool(c in reserved or c in self.reserved_names or
self.__class__.query.filter_by(name=c).notempty())
with self.__class__.query.session.no_autoflush:
self.name = six.text_type(make_name(self.title_for_name,
maxlength=self.__name_length__, checkused=checkused))
| make_name | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, reserved=[]):\n if self.title:\n if inspect(self).has_identity:\n\n def x(c):\n return bool(c in reserved or c in sel... |
def x(cls, parent, name):
return cls.query.filter_by(parent=parent, name=name).one_or_none()
| get | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, parent, name):\n return cls.query.filter_by(parent=parent, name=name).one_or_none()\n",
"role": "user"
},
{
"content": "get",
"role": "... |
def x(self):
if self.title and self.parent is not None and hasattr(self.parent, 'title'
) and self.parent.title:
if self.title.startswith(self.parent.title):
short = self.title[len(self.parent.title):].strip()
match = _punctuation_re.match(short)
if match:
short = short[match.end():].strip()
if short:
return short
return self.title
| short_title | [
{
"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.title and self.parent is not None and hasattr(self.parent, 'title'\n ) and self.parent.title:\n if self.title.startswith(self... |
def x(self, actor, inherited=None):
if inherited is not None:
return inherited | super(BaseScopedNameMixin, self).permissions(actor)
elif self.parent is not None and isinstance(self.parent, PermissionMixin):
return self.parent.permissions(actor) | super(BaseScopedNameMixin, self
).permissions(actor)
else:
return super(BaseScopedNameMixin, self).permissions(actor)
| permissions | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, actor, inherited=None):\n if inherited is not None:\n return inherited | super(BaseScopedNameMixin, self).permissions(actor)\n elif self.par... |
def x(self):
if self.title:
self.name = six.text_type(make_name(self.title_for_name, maxlength=
self.__name_length__))
| make_name | [
{
"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.title:\n self.name = six.text_type(make_name(self.title_for_name, maxlength=\n self.__name_length__))\n",
"role": "us... |
def x(cls, parent, url_id):
return cls.query.filter_by(parent=parent, url_id=url_id).one_or_none()
| get | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, parent, url_id):\n return cls.query.filter_by(parent=parent, url_id=url_id).one_or_none()\n",
"role": "user"
},
{
"content": "get",
"ro... |
def x(self):
if self.url_id is None:
self.url_id = select([func.coalesce(func.max(self.__class__.url_id +
1), 1)], self.__class__.parent == self.parent)
| make_id | [
{
"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.url_id is None:\n self.url_id = select([func.coalesce(func.max(self.__class__.url_id +\n 1), 1)], self.__class__.parent =... |
def x():
return Column('created_at', DateTime, default=func.utcnow(), nullable=False
), Column('updated_at', DateTime, default=func.utcnow(), onupdate=
func.utcnow(), nullable=False)
| make_timestamp_columns | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n return Column('created_at', DateTime, default=func.utcnow(), nullable=False\n ), Column('updated_at', DateTime, default=func.utcnow(), onupdate=... |
def x(_session, _instance, **filters):
if _instance in _session:
_session.expunge(_instance)
_session.begin_nested()
try:
_session.add(_instance)
_session.commit()
if filters:
return _instance
except IntegrityError as e:
_session.rollback()
if filters:
try:
return _session.query(_instance.__class__).filter_by(**filters
).one()
except NoResultFound:
raise e
| failsafe_add | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(_session, _instance, **filters):\n if _instance in _session:\n _session.expunge(_instance)\n _session.begin_nested()\n try:\n _session.a... |
def x(parent, childrel, child, parentrel, parentcol):
parent_table_name = parent.__tablename__
child_table_name = child.__tablename__
primary_table_name = (parent_table_name + '_' + child_table_name +
'_primary')
parent_id_columns = [c.name for c in inspect(parent).primary_key]
child_id_columns = [c.name for c in inspect(child).primary_key]
primary_table_columns = [Column(parent_table_name + '_' + name, None,
ForeignKey(parent_table_name + '.' + name, ondelete='CASCADE'),
primary_key=True, nullable=False) for name in parent_id_columns] + [
Column(child_table_name + '_' + name, None, ForeignKey(
child_table_name + '.' + name, ondelete='CASCADE'), nullable=False) for
name in child_id_columns] + list(make_timestamp_columns())
primary_table = Table(primary_table_name, parent.metadata, *
primary_table_columns)
rel = relationship(child, uselist=False, secondary=primary_table)
setattr(parent, childrel, rel)
@event.listens_for(rel, 'set')
def x(target, value, oldvalue, initiator):
if value and getattr(value, parentrel) != target:
raise ValueError('The target is not affiliated with this parent')
event.listen(primary_table, 'after_create', DDL(
"""
CREATE FUNCTION %(function)s() RETURNS TRIGGER AS $$
DECLARE
target RECORD;
BEGIN
IF (NEW.%(rhs)s IS NOT NULL) THEN
SELECT %(parentcol)s INTO target FROM %(child_table_name)s WHERE %(child_id_column)s = NEW.%(rhs)s;
IF (target.%(parentcol)s != NEW.%(lhs)s) THEN
RAISE foreign_key_violation USING MESSAGE = 'The target is not affiliated with this parent';
END IF;
END IF;
RETURN NEW;
END;
$$ LANGUAGE plpgsql;
CREATE TRIGGER %(trigger)s BEFORE INSERT OR UPDATE
ON %(table)s
FOR EACH ROW EXECUTE PROCEDURE %(function)s();
"""
, context={'table': primary_table_name, 'function': '%s_validate' %
primary_table_name, 'trigger': '%s_trigger' % primary_table_name,
'parentcol': parentcol, 'child_table_name': child_table_name,
'child_id_column': child_id_columns[0], 'lhs': '%s_%s' % (
parent_table_name, parent_id_columns[0]), 'rhs': '%s_%s' % (
child_table_name, child_id_columns[0])}).execute_if(dialect=
'postgresql'))
event.listen(primary_table, 'before_drop', DDL(
"""
DROP TRIGGER %(trigger)s ON %(table)s;
DROP FUNCTION %(function)s();
"""
, context={'table': primary_table_name, 'trigger': '%s_trigger' %
primary_table_name, 'function': '%s_validate' % primary_table_name}
).execute_if(dialect='postgresql'))
| add_primary_relationship | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(parent, childrel, child, parentrel, parentcol):\n parent_table_name = parent.__tablename__\n child_table_name = child.__tablename__\n primary_table_na... |
def x(column):
if isinstance(column, ColumnProperty):
default = column.columns[0].default
else:
default = column.default
@event.listens_for(column, 'init_scalar', retval=True, propagate=True)
def x(target, value, dict_):
if default:
if default.is_callable:
value = default.arg(None)
elif default.is_scalar:
value = default.arg
else:
raise NotImplementedError(
"Can't invoke pre-default for a SQL-level column default")
dict_[column.key] = value
return value
| auto_init_default | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(column):\n if isinstance(column, ColumnProperty):\n default = column.columns[0].default\n else:\n default = column.default\n\n @event.li... |
def x(*vars, **config):
if config and list(config.keys()) != ['source']:
raise TypeError('Unrecognised parameters: %s' % repr(config.keys()))
def x(f):
namefilt = [((name[:-2], filt, True) if name.endswith('[]') else (
name, filt, False)) for name, filt in [((v[0], v[1]) if
isinstance(v, (list, tuple)) else (v, None)) for v in vars]]
if config and config.get('source') == 'form':
def x():
return request.form if request else {}
elif config and config.get('source') == 'query':
def x():
return request.args if request else {}
else:
def x():
return request.values if request else {}
@wraps(f)
def x(*args, **kw):
values = datasource()
for name, filt, is_list in namefilt:
if name not in kw and name in values:
try:
if is_list:
kw[name] = values.getlist(name, type=filt)
else:
kw[name] = values.get(name, type=filt)
except ValueError as e:
raise RequestValueError(e)
try:
return f(*args, **kw)
except TypeError as e:
raise RequestTypeError(e)
return decorated_function
return inner
| requestargs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*vars, **config):\n if config and list(config.keys()) != ['source']:\n raise TypeError('Unrecognised parameters: %s' % repr(config.keys()))\n\n de... |
def x(model, attributes=None, parameter=None, kwargs=False, permission=None,
addlperms=None, urlcheck=[]):
return load_models((model, attributes, parameter), kwargs=kwargs,
permission=permission, addlperms=addlperms, urlcheck=urlcheck)
| load_model | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(model, attributes=None, parameter=None, kwargs=False, permission=None,\n addlperms=None, urlcheck=[]):\n return load_models((model, attributes, parameter... |
def x(*chain, **kwargs):
def x(f):
@wraps(f)
def x(*args, **kw):
permissions = None
permission_required = kwargs.get('permission')
url_check_attributes = kwargs.get('urlcheck', [])
if isinstance(permission_required, six.string_types):
permission_required = set([permission_required])
elif permission_required is not None:
permission_required = set(permission_required)
result = {}
for models, attributes, parameter in chain:
if not isinstance(models, (list, tuple)):
models = models,
item = None
for model in models:
query = model.query
url_check = False
url_check_paramvalues = {}
for k, v in attributes.items():
if callable(v):
query = query.filter_by(**{k: v(result, kw)})
else:
if '.' in v:
first, attrs = v.split('.', 1)
val = result.get(first)
for attr in attrs.split('.'):
val = getattr(val, attr)
else:
val = result.get(v, kw.get(v))
query = query.filter_by(**{k: val})
if k in url_check_attributes:
url_check = True
url_check_paramvalues[k] = v, val
item = query.first()
if item is not None:
break
if item is None:
abort(404)
if hasattr(item, 'redirect_view_args'):
view_args = dict(request.view_args)
view_args.update(item.redirect_view_args())
location = url_for(request.endpoint, **view_args)
if request.query_string:
location = (location + u'?' + request.query_string.
decode())
return redirect(location, code=307)
if permission_required:
permissions = item.permissions(current_auth.actor,
inherited=permissions)
addlperms = kwargs.get('addlperms') or []
if callable(addlperms):
addlperms = addlperms() or []
permissions.update(addlperms)
if g:
g.permissions = permissions
if request:
add_auth_attribute('permissions', permissions)
if url_check and request.method == 'GET':
url_redirect = False
view_args = None
for k, v in url_check_paramvalues.items():
uparam, uvalue = v
if getattr(item, k) != uvalue:
url_redirect = True
if view_args is None:
view_args = dict(request.view_args)
view_args[uparam] = getattr(item, k)
if url_redirect:
location = url_for(request.endpoint, **view_args)
if request.query_string:
location = (location + u'?' + request.
query_string.decode())
return redirect(location, code=302)
if parameter.startswith('g.'):
parameter = parameter[2:]
setattr(g, parameter, item)
result[parameter] = item
if permission_required and not permission_required & permissions:
abort(403)
if kwargs.get('kwargs'):
return f(*args, kwargs=kw, **result)
else:
return f(*args, **result)
return decorated_function
return inner
| load_models | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*chain, **kwargs):\n\n def x(f):\n\n @wraps(f)\n def x(*args, **kw):\n permissions = None\n permission_required = kwargs... |
def x(param):
if not isinstance(param, dict):
param = dict(param)
return jsonify(param)
| dict_jsonify | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(param):\n if not isinstance(param, dict):\n param = dict(param)\n return jsonify(param)\n",
"role": "user"
},
{
"content": "dict_jsoni... |
def x(param):
if not isinstance(param, dict):
param = dict(param)
return jsonp(param)
| dict_jsonp | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(param):\n if not isinstance(param, dict):\n param = dict(param)\n return jsonp(param)\n",
"role": "user"
},
{
"content": "dict_jsonp",... |
def x(template=None, json=False, jsonp=False):
if jsonp:
templates = {'application/json': dict_jsonp,
'application/javascript': dict_jsonp}
elif json:
templates = {'application/json': dict_jsonify}
else:
templates = {}
if isinstance(template, six.string_types):
templates['text/html'] = template
elif isinstance(template, dict):
templates.update(template)
elif template is None and (json or jsonp):
pass
else:
raise ValueError('Expected string or dict for template')
default_mimetype = '*/*'
if '*/*' not in templates:
templates['*/*'] = six.text_type
default_mimetype = 'text/plain'
for mimetype in ('text/html', 'text/plain', 'application/json'):
if mimetype in templates:
templates['*/*'] = templates[mimetype]
default_mimetype = mimetype
break
template_mimetypes = list(templates.keys())
template_mimetypes.remove('*/*')
def x(f):
@wraps(f)
def x(*args, **kwargs):
render = kwargs.pop('_render', True)
result = f(*args, **kwargs)
if isinstance(result, (Response, WerkzeugResponse, current_app.
response_class)):
return result
if isinstance(result, tuple):
resultset = result
result = resultset[0]
if len(resultset) > 1:
status_code = resultset[1]
else:
status_code = None
if len(resultset) > 2:
headers = Headers(resultset[2])
else:
headers = Headers()
else:
status_code = None
headers = Headers()
if len(templates) > 1:
if 'Vary' in headers:
vary_values = [item.strip() for item in headers['Vary']
.split(',')]
if 'Accept' not in vary_values:
vary_values.append('Accept')
headers['Vary'] = ', '.join(vary_values)
else:
headers['Vary'] = 'Accept'
use_mimetype = None
if render and request:
use_mimetype = _best_mimetype_match(template_mimetypes,
request.accept_mimetypes, '*/*')
if use_mimetype is not None:
if callable(templates[use_mimetype]):
rendered = templates[use_mimetype](result)
if isinstance(rendered, Response):
if status_code is not None:
rendered.status_code = status_code
if headers is not None:
rendered.headers.extend(headers)
else:
rendered = current_app.response_class(rendered,
status=status_code, headers=headers, mimetype=
default_mimetype if use_mimetype == '*/*' else
use_mimetype)
else:
rendered = current_app.response_class(render_template(
templates[use_mimetype], **result), status=
status_code or 200, headers=headers, mimetype=
default_mimetype if use_mimetype == '*/*' else
use_mimetype)
return rendered
else:
return result
return decorated_function
return inner
| render_with | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(template=None, json=False, jsonp=False):\n if jsonp:\n templates = {'application/json': dict_jsonp,\n 'application/javascript': dict_jsonp... |
def x(origins, methods=['HEAD', 'OPTIONS', 'GET', 'POST', 'PUT', 'PATCH',
'DELETE'], headers=['Accept', 'Accept-Language', 'Content-Language',
'Content-Type', 'X-Requested-With'], max_age=None):
def x(f):
@wraps(f)
def x(*args, **kwargs):
origin = request.headers.get('Origin')
if request.method not in methods:
abort(405)
if origins == '*':
pass
elif is_collection(origins) and origin in origins:
pass
elif callable(origins) and origins(origin):
pass
else:
abort(403)
if request.method == 'OPTIONS':
resp = Response()
else:
result = f(*args, **kwargs)
resp = make_response(result) if not isinstance(result, (
Response, WerkzeugResponse, current_app.response_class)
) else result
resp.headers['Access-Control-Allow-Origin'
] = origin if origin else ''
resp.headers['Access-Control-Allow-Methods'] = ', '.join(methods)
resp.headers['Access-Control-Allow-Headers'] = ', '.join(headers)
if max_age:
resp.headers['Access-Control-Max-Age'] = str(max_age)
if 'Vary' in resp.headers:
vary_values = [item.strip() for item in resp.headers['Vary'
].split(',')]
if 'Origin' not in vary_values:
vary_values.append('Origin')
resp.headers['Vary'] = ', '.join(vary_values)
else:
resp.headers['Vary'] = 'Origin'
return resp
return wrapper
return inner
| cors | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(origins, methods=['HEAD', 'OPTIONS', 'GET', 'POST', 'PUT', 'PATCH',\n 'DELETE'], headers=['Accept', 'Accept-Language', 'Content-Language',\n 'Content-Typ... |
def x(permission):
def x(f):
def x():
if not hasattr(current_auth, 'permissions'):
return False
elif is_collection(permission):
return bool(current_auth.permissions.intersection(permission))
else:
return permission in current_auth.permissions
def x(context=None):
result = is_available_here()
if result and hasattr(f, 'is_available'):
return f.is_available(context)
return result
@wraps(f)
def x(*args, **kwargs):
add_auth_attribute('login_required', True)
if not is_available_here():
abort(403)
return f(*args, **kwargs)
wrapper.requires_permission = permission
wrapper.is_available = is_available
return wrapper
return inner
| requires_permission | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(permission):\n\n def x(f):\n\n def x():\n if not hasattr(current_auth, 'permissions'):\n return False\n elif is_... |
def x(item):
return not isinstance(item, six.string_types) and isinstance(item, (
collections.Set, collections.Sequence))
| is_collection | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(item):\n return not isinstance(item, six.string_types) and isinstance(item, (\n collections.Set, collections.Sequence))\n",
"role": "user"
},
... |
def x():
if six.PY3:
return urlsafe_b64encode(uuid.uuid4().bytes).decode('utf-8').rstrip('='
)
else:
return six.text_type(urlsafe_b64encode(uuid.uuid4().bytes).rstrip('='))
| buid | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n if six.PY3:\n return urlsafe_b64encode(uuid.uuid4().bytes).decode('utf-8').rstrip('='\n )\n else:\n return six.text_type(ur... |
def x(dt):
fields = list(uuid1mc().fields)
if isinstance(dt, datetime):
timeval = time.mktime(dt.timetuple()) + dt.microsecond / 1000000.0
else:
timeval = dt
nanoseconds = int(timeval * 1000000000.0)
timestamp = int(nanoseconds // 100) + 122192928000000000
time_low = timestamp & 4294967295
time_mid = timestamp >> 32 & 65535
time_hi_version = timestamp >> 48 & 4095
fields[0] = time_low
fields[1] = time_mid
fields[2] = time_hi_version
return uuid.UUID(fields=tuple(fields))
| uuid1mc_from_datetime | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dt):\n fields = list(uuid1mc().fields)\n if isinstance(dt, datetime):\n timeval = time.mktime(dt.timetuple()) + dt.microsecond / 1000000.0\n el... |
def x(value):
if six.PY3:
return urlsafe_b64encode(value.bytes).decode('utf-8').rstrip('=')
else:
return six.text_type(urlsafe_b64encode(value.bytes).rstrip('='))
| uuid2buid | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value):\n if six.PY3:\n return urlsafe_b64encode(value.bytes).decode('utf-8').rstrip('=')\n else:\n return six.text_type(urlsafe_b64encode(... |
def x(digits=4):
randnum = randint(0, 10 ** digits)
while len(str(randnum)) > digits:
randnum = randint(0, 10 ** digits)
return u'%%0%dd' % digits % randnum
| newpin | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(digits=4):\n randnum = randint(0, 10 ** digits)\n while len(str(randnum)) > digits:\n randnum = randint(0, 10 ** digits)\n return u'%%0%dd' % d... |
def x(text, delim=u'-', maxlength=50, checkused=None, counter=2):
name = text.replace('@', delim)
name = unidecode(name).replace('@', 'a')
name = six.text_type(delim.join([_strip_re.sub('', x) for x in
_punctuation_re.split(name.lower()) if x != '']))
if isinstance(text, six.text_type):
name = six.text_type(name)
candidate = name[:maxlength]
if candidate.endswith(delim):
candidate = candidate[:-1]
if checkused is None:
return candidate
existing = checkused(candidate)
while existing:
candidate = name[:maxlength - len(str(counter))] + str(counter)
counter += 1
existing = checkused(candidate)
return candidate
| make_name | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(text, delim=u'-', maxlength=50, checkused=None, counter=2):\n name = text.replace('@', delim)\n name = unidecode(name).replace('@', 'a')\n name = six.... |
def x(password, encoding='BCRYPT'):
if encoding not in ['PLAIN', 'SSHA', 'BCRYPT']:
raise ValueError('Unknown encoding %s' % encoding)
if encoding == 'PLAIN':
if isinstance(password, str) and six.PY2:
password = six.text_type(password, 'utf-8')
return '{PLAIN}%s' % password
elif encoding == 'SSHA':
salt = ''
for n in range(7):
salt += chr(randrange(256))
salt = salt.encode('utf-8') if six.PY3 else salt
if isinstance(password, six.text_type):
password = password.encode('utf-8')
else:
password = str(password)
b64_encoded = b64encode(hashlib.sha1(password + salt).digest() + salt)
b64_encoded = b64_encoded.decode('utf-8') if six.PY3 else b64_encoded
return '{SSHA}%s' % b64_encoded
elif encoding == 'BCRYPT':
password_hashed = bcrypt.hashpw(password.encode('utf-8') if
isinstance(password, six.text_type) else password, bcrypt.gensalt()
)
if six.PY3:
password_hashed = password_hashed.decode('utf-8')
return '{BCRYPT}%s' % password_hashed
| make_password | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(password, encoding='BCRYPT'):\n if encoding not in ['PLAIN', 'SSHA', 'BCRYPT']:\n raise ValueError('Unknown encoding %s' % encoding)\n if encoding... |
def x(reference, attempt):
if reference.startswith(u'{PLAIN}'):
if reference[7:] == attempt:
return True
elif reference.startswith(u'{SSHA}'):
if six.PY3:
try:
if isinstance(reference, six.text_type):
ref = b64decode(reference[6:].encode('utf-8'))
else:
ref = b64decode(reference[6:])
except binascii.Error:
return False
else:
try:
ref = b64decode(reference[6:])
except TypeError:
return False
if isinstance(attempt, six.text_type):
attempt = attempt.encode('utf-8')
salt = ref[20:]
b64_encoded = b64encode(hashlib.sha1(attempt + salt).digest() + salt)
if six.PY3:
compare = six.text_type('{SSHA}%s' % b64_encoded.decode('utf-8'
) if type(b64_encoded) is bytes else b64_encoded)
else:
compare = six.text_type('{SSHA}%s' % b64_encoded)
return compare == reference
elif reference.startswith(u'{BCRYPT}'):
if isinstance(attempt, six.text_type) or isinstance(reference, six.
text_type):
attempt = attempt.encode('utf-8')
reference = reference.encode('utf-8')
if six.PY3:
return bcrypt.hashpw(attempt, reference[8:]) == reference[8:]
else:
return bcrypt.hashpw(attempt.encode('utf-8') if isinstance(
attempt, six.text_type) else attempt, str(reference[8:])
) == reference[8:]
return False
| check_password | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(reference, attempt):\n if reference.startswith(u'{PLAIN}'):\n if reference[7:] == attempt:\n return True\n elif reference.startswith(u'... |
def x(value, decimals=2):
number, decimal = (u'%%.%df' % decimals % value).split(u'.')
parts = []
while len(number) > 3:
part, number = number[-3:], number[:-3]
parts.append(part)
parts.append(number)
parts.reverse()
if int(decimal) == 0:
return u','.join(parts)
else:
return u','.join(parts) + u'.' + decimal
| format_currency | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value, decimals=2):\n number, decimal = (u'%%.%df' % decimals % value).split(u'.')\n parts = []\n while len(number) > 3:\n part, number = numbe... |
def x(data):
if six.PY3:
return hashlib.md5(data.encode('utf-8')).hexdigest()
else:
return hashlib.md5(data).hexdigest()
| md5sum | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data):\n if six.PY3:\n return hashlib.md5(data.encode('utf-8')).hexdigest()\n else:\n return hashlib.md5(data).hexdigest()\n",
"role": ... |
def x(year, week, timezone='UTC', naive=False):
naivedt = datetime.combine(isoweek.Week(year, week).day(0), datetime.
min.time())
if isinstance(timezone, six.string_types):
tz = pytz.timezone(timezone)
else:
tz = timezone
dt = tz.localize(naivedt).astimezone(pytz.UTC)
if naive:
return dt.replace(tzinfo=None)
else:
return dt
| isoweek_datetime | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(year, week, timezone='UTC', naive=False):\n naivedt = datetime.combine(isoweek.Week(year, week).day(0), datetime.\n min.time())\n if isinstance(ti... |
def x(dt, timezone=None, naive=False):
if timezone:
if isinstance(timezone, six.string_types):
tz = pytz.timezone(timezone)
else:
tz = timezone
elif isinstance(dt, datetime) and dt.tzinfo:
tz = dt.tzinfo
else:
tz = pytz.UTC
utc_dt = tz.localize(datetime.combine(dt, datetime.min.time())).astimezone(
pytz.UTC)
if naive:
return utc_dt.replace(tzinfo=None)
return utc_dt
| midnight_to_utc | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dt, timezone=None, naive=False):\n if timezone:\n if isinstance(timezone, six.string_types):\n tz = pytz.timezone(timezone)\n else:... |
def x(value):
value = str(value).lower()
if value in ['1', 't', 'true', 'y', 'yes']:
return True
elif value in ['0', 'f', 'false', 'n', 'no']:
return False
return None
| getbool | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value):\n value = str(value).lower()\n if value in ['1', 't', 'true', 'y', 'yes']:\n return True\n elif value in ['0', 'f', 'false', 'n', 'no']... |
def x(_return=False, **kwargs):
if six.PY3:
count = len(kwargs) - tuple(kwargs.values()).count(None)
else:
count = len(kwargs) - kwargs.values().count(None)
if count == 0:
raise TypeError('One of these parameters is required: ' + ', '.join
(kwargs.keys()))
elif count != 1:
raise TypeError('Only one of these parameters is allowed: ' + ', '.
join(kwargs.keys()))
if _return:
keys, values = zip(*[(k, 1 if v is not None else 0) for k, v in
kwargs.items()])
k = keys[values.index(1)]
return k, kwargs[k]
| require_one_of | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(_return=False, **kwargs):\n if six.PY3:\n count = len(kwargs) - tuple(kwargs.values()).count(None)\n else:\n count = len(kwargs) - kwargs.v... |
def x(value):
if six.PY3:
if isinstance(value, six.binary_type):
value = value.decode()
return u''.join([(six.text_type(s, e or 'iso-8859-1') if not isinstance
(s, six.text_type) else s) for s, e in decode_header(value)])
| unicode_http_header | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value):\n if six.PY3:\n if isinstance(value, six.binary_type):\n value = value.decode()\n return u''.join([(six.text_type(s, e or 'iso-... |
def x(emailaddr):
realname, address = email.utils.parseaddr(emailaddr)
try:
username, domain = address.split('@')
if not username:
return None
return domain or None
except ValueError:
return None
| get_email_domain | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(emailaddr):\n realname, address = email.utils.parseaddr(emailaddr)\n try:\n username, domain = address.split('@')\n if not username:\n ... |
def x():
def x(delta):
if delta.days < 0:
hours, remaining = divmod(86400 - delta.seconds, 3600)
else:
hours, remaining = divmod(delta.seconds, 3600)
minutes, remaining = divmod(remaining, 60)
return hours, minutes
now = datetime.utcnow()
timezone_country = {}
for countrycode in pytz.country_timezones:
for timezone in pytz.country_timezones[countrycode]:
timezone_country[timezone] = countrycode
timezones = [(pytz.timezone(tzname).utcoffset(now, is_dst=False),
tzname) for tzname in pytz.common_timezones if not tzname.
startswith('US/') and not tzname.startswith('Canada/') and tzname
not in ('GMT', 'UTC')]
presorted = [(delta, '%s%s - %s%s (%s)' % (delta.days < 0 and '-' or
delta.days == 0 and delta.seconds == 0 and ' ' or '+', '%02d:%02d' %
hourmin(delta), pytz.country_names[timezone_country[name]] + ': ' if
name in timezone_country else '', name.replace('_', ' '), pytz.
timezone(name).tzname(now, is_dst=False)), name) for delta, name in
timezones]
presorted.sort()
return [(name, label) for delta, label, name in presorted]
| sorted_timezones | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n\n def x(delta):\n if delta.days < 0:\n hours, remaining = divmod(86400 - delta.seconds, 3600)\n else:\n hours, rema... |
def x(url):
parsed = urlparse(url)
if parsed.hostname is None or parsed.hostname in ['localhost',
'localhost.localdomain'] or _ipv4_re.search(parsed.hostname):
return None
namespace = parsed.hostname.split('.')
namespace.reverse()
if namespace and not namespace[0]:
namespace.pop(0)
if namespace and namespace[-1] == 'www':
namespace.pop(-1)
return type(url)('.'.join(namespace))
| namespace_from_url | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(url):\n parsed = urlparse(url)\n if parsed.hostname is None or parsed.hostname in ['localhost',\n 'localhost.localdomain'] or _ipv4_re.search(pars... |
def x(d1, d2):
r1 = tldextract.extract(d1)
r2 = tldextract.extract(d2)
return r1.domain == r2.domain and r1.suffix == r2.suffix
| base_domain_matches | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(d1, d2):\n r1 = tldextract.extract(d1)\n r2 = tldextract.extract(d2)\n return r1.domain == r2.domain and r1.suffix == r2.suffix\n",
"role": "user"... |
def x(name, deferred=False, group=None, **kwargs):
return composite(MarkdownComposite, Column(name + '_text', UnicodeText,
**kwargs), Column(name + '_html', UnicodeText, **kwargs), deferred=
deferred, group=group or name)
| MarkdownColumn | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name, deferred=False, group=None, **kwargs):\n return composite(MarkdownComposite, Column(name + '_text', UnicodeText,\n **kwargs), Column(name + '_h... |
def x(cls, key, value):
if not isinstance(value, MutableDict):
if isinstance(value, dict):
return MutableDict(value)
elif isinstance(value, six.string_types):
if value:
return MutableDict(simplejson.loads(value, use_decimal=True))
else:
return MutableDict()
return Mutable.coerce(key, value)
else:
return value
| coerce | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, key, value):\n if not isinstance(value, MutableDict):\n if isinstance(value, dict):\n return MutableDict(value)\n elif isinsta... |
def x(self, *namespecs):
blacklist = set([n[1:] for n in namespecs if n.startswith('!')])
not_blacklist = [n for n in namespecs if not n.startswith('!')]
return Bundle(*[bundle for name, version, bundle in self.
_require_recursive(*not_blacklist) if name not in blacklist])
| require | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *namespecs):\n blacklist = set([n[1:] for n in namespecs if n.startswith('!')])\n not_blacklist = [n for n in namespecs if not n.startswith('!')]\n... |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.