source_code
stringlengths 45
7.24k
| function_name
stringlengths 1
111
| messages
list |
---|---|---|
def x(cls, formats=ALL_CODE_TYPES, camera=-1):
app = AndroidApplication.instance()
r = app.create_future()
pkg = BarcodePackage.instance()
pkg.setBarcodeResultListener(pkg.getId())
pkg.onBarcodeResult.connect(r.set_result)
intent = cls(app)
if formats:
intent.setDesiredBarcodeFormats(formats)
if camera != -1:
intent.setCameraId(camera)
intent.initiateScan()
return r
|
scan
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, formats=ALL_CODE_TYPES, camera=-1):\n app = AndroidApplication.instance()\n r = app.create_future()\n pkg = BarcodePackage.instance()\n pkg.setBarcodeResultListener(pkg.getId())\n pkg.onBarcodeResult.connect(r.set_result)\n intent = cls(app)\n if formats:\n intent.setDesiredBarcodeFormats(formats)\n if camera != -1:\n intent.setCameraId(camera)\n intent.initiateScan()\n return r\n",
"role": "user"
},
{
"content": "scan",
"role": "assistant"
}
] |
def x(self):
super(AndroidBarcodeView, self).init_widget()
d = self.declaration
app = self.get_context()
app.observe('state', self.on_activity_lifecycle_changed)
if d.active:
self.set_active(d.active)
if d.light:
self.set_light(d.light)
self.widget.barcodeResult.connect(self.on_barcode_result)
if d.scanning:
self.set_scanning(d.scanning)
|
init_widget
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n super(AndroidBarcodeView, self).init_widget()\n d = self.declaration\n app = self.get_context()\n app.observe('state', self.on_activity_lifecycle_changed)\n if d.active:\n self.set_active(d.active)\n if d.light:\n self.set_light(d.light)\n self.widget.barcodeResult.connect(self.on_barcode_result)\n if d.scanning:\n self.set_scanning(d.scanning)\n",
"role": "user"
},
{
"content": "init_widget",
"role": "assistant"
}
] |
def x(self, change):
d = self.declaration
if d.active:
if change['value'] == 'paused':
self.widget.pause(now=True)
elif change['value'] == 'resumed':
self.widget.resume()
|
on_activity_lifecycle_changed
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, change):\n d = self.declaration\n if d.active:\n if change['value'] == 'paused':\n self.widget.pause(now=True)\n elif change['value'] == 'resumed':\n self.widget.resume()\n",
"role": "user"
},
{
"content": "on_activity_lifecycle_changed",
"role": "assistant"
}
] |
def x(self):
if self.widget:
self.set_active(False)
super(AndroidBarcodeView, self).destroy()
|
destroy
|
[
{
"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.widget:\n self.set_active(False)\n super(AndroidBarcodeView, self).destroy()\n",
"role": "user"
},
{
"content": "destroy",
"role": "assistant"
}
] |
def x(endpoint: str, params: Dict, **kwargs) ->requests.Response:
headers = {'Accept': 'application/json'}
response = requests.get(urljoin(INAT_NODE_API_BASE_URL, endpoint),
params, headers=headers, **kwargs)
return response
|
make_inaturalist_api_get_call
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(endpoint: str, params: Dict, **kwargs) ->requests.Response:\n headers = {'Accept': 'application/json'}\n response = requests.get(urljoin(INAT_NODE_API_BASE_URL, endpoint),\n params, headers=headers, **kwargs)\n return response\n",
"role": "user"
},
{
"content": "make_inaturalist_api_get_call",
"role": "assistant"
}
] |
def x(observation_id: int) ->Dict[str, Any]:
r = get_observations(params={'id': observation_id})
if r['results']:
return r['results'][0]
raise ObservationNotFound()
|
get_observation
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(observation_id: int) ->Dict[str, Any]:\n r = get_observations(params={'id': observation_id})\n if r['results']:\n return r['results'][0]\n raise ObservationNotFound()\n",
"role": "user"
},
{
"content": "get_observation",
"role": "assistant"
}
] |
def x(params: Dict) ->Dict[str, Any]:
r = make_inaturalist_api_get_call('observations', params=params)
return r.json()
|
get_observations
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(params: Dict) ->Dict[str, Any]:\n r = make_inaturalist_api_get_call('observations', params=params)\n return r.json()\n",
"role": "user"
},
{
"content": "get_observations",
"role": "assistant"
}
] |
def x(params: Dict) ->List[Dict[str, Any]]:
results = []
id_above = 0
while True:
iteration_params = merge_two_dicts(params, {'order_by': 'id',
'order': 'asc', 'per_page': PER_PAGE_RESULTS, 'id_above': id_above}
)
page_obs = get_observations(params=iteration_params)
results = results + page_obs['results']
if page_obs['total_results'] <= PER_PAGE_RESULTS:
return results
sleep(THROTTLING_DELAY)
id_above = results[-1]['id']
|
get_all_observations
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(params: Dict) ->List[Dict[str, Any]]:\n results = []\n id_above = 0\n while True:\n iteration_params = merge_two_dicts(params, {'order_by': 'id',\n 'order': 'asc', 'per_page': PER_PAGE_RESULTS, 'id_above': id_above}\n )\n page_obs = get_observations(params=iteration_params)\n results = results + page_obs['results']\n if page_obs['total_results'] <= PER_PAGE_RESULTS:\n return results\n sleep(THROTTLING_DELAY)\n id_above = results[-1]['id']\n",
"role": "user"
},
{
"content": "get_all_observations",
"role": "assistant"
}
] |
def x(search_query: str='', page: int=1) ->List[Dict[str, Any]]:
payload = {'q': search_query, 'page': page}
response = requests.get('{base_url}/observation_fields.json'.format(
base_url=INAT_BASE_URL), params=payload)
return response.json()
|
get_observation_fields
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(search_query: str='', page: int=1) ->List[Dict[str, Any]]:\n payload = {'q': search_query, 'page': page}\n response = requests.get('{base_url}/observation_fields.json'.format(\n base_url=INAT_BASE_URL), params=payload)\n return response.json()\n",
"role": "user"
},
{
"content": "get_observation_fields",
"role": "assistant"
}
] |
def x(search_query: str='') ->List[Dict[str, Any]]:
results = []
page = 1
while True:
r = get_observation_fields(search_query=search_query, page=page)
if not r:
return results
results = results + r
page = page + 1
sleep(THROTTLING_DELAY)
|
get_all_observation_fields
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(search_query: str='') ->List[Dict[str, Any]]:\n results = []\n page = 1\n while True:\n r = get_observation_fields(search_query=search_query, page=page)\n if not r:\n return results\n results = results + r\n page = page + 1\n sleep(THROTTLING_DELAY)\n",
"role": "user"
},
{
"content": "get_all_observation_fields",
"role": "assistant"
}
] |
def x(observation_id: int, observation_field_id: int, value: Any,
access_token: str) ->Dict[str, Any]:
payload = {'observation_field_value': {'observation_id': observation_id,
'observation_field_id': observation_field_id, 'value': value}}
response = requests.put('{base_url}/observation_field_values/{id}'.
format(base_url=INAT_BASE_URL, id=observation_field_id), headers=
_build_auth_header(access_token), json=payload)
response.raise_for_status()
return response.json()
|
put_observation_field_values
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(observation_id: int, observation_field_id: int, value: Any,\n access_token: str) ->Dict[str, Any]:\n payload = {'observation_field_value': {'observation_id': observation_id,\n 'observation_field_id': observation_field_id, 'value': value}}\n response = requests.put('{base_url}/observation_field_values/{id}'.\n format(base_url=INAT_BASE_URL, id=observation_field_id), headers=\n _build_auth_header(access_token), json=payload)\n response.raise_for_status()\n return response.json()\n",
"role": "user"
},
{
"content": "put_observation_field_values",
"role": "assistant"
}
] |
def x(username: str, password: str, app_id: str, app_secret: str) ->str:
payload = {'client_id': app_id, 'client_secret': app_secret,
'grant_type': 'password', 'username': username, 'password': password}
response = requests.post('{base_url}/oauth/token'.format(base_url=
INAT_BASE_URL), payload)
try:
return response.json()['access_token']
except KeyError:
raise AuthenticationError(
'Authentication error, please check credentials.')
|
get_access_token
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(username: str, password: str, app_id: str, app_secret: str) ->str:\n payload = {'client_id': app_id, 'client_secret': app_secret,\n 'grant_type': 'password', 'username': username, 'password': password}\n response = requests.post('{base_url}/oauth/token'.format(base_url=\n INAT_BASE_URL), payload)\n try:\n return response.json()['access_token']\n except KeyError:\n raise AuthenticationError(\n 'Authentication error, please check credentials.')\n",
"role": "user"
},
{
"content": "get_access_token",
"role": "assistant"
}
] |
def x(observation_id: int, file_object: BinaryIO, access_token: str):
data = {'observation_photo[observation_id]': observation_id}
file_data = {'file': file_object}
response = requests.post(url='{base_url}/observation_photos'.format(
base_url=INAT_BASE_URL), headers=_build_auth_header(access_token),
data=data, files=file_data)
return response.json()
|
add_photo_to_observation
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(observation_id: int, file_object: BinaryIO, access_token: str):\n data = {'observation_photo[observation_id]': observation_id}\n file_data = {'file': file_object}\n response = requests.post(url='{base_url}/observation_photos'.format(\n base_url=INAT_BASE_URL), headers=_build_auth_header(access_token),\n data=data, files=file_data)\n return response.json()\n",
"role": "user"
},
{
"content": "add_photo_to_observation",
"role": "assistant"
}
] |
def x(params: Dict[str, Dict[str, Any]], access_token: str) ->List[Dict[str,
Any]]:
response = requests.post(url='{base_url}/observations.json'.format(
base_url=INAT_BASE_URL), json=params, headers=_build_auth_header(
access_token))
response.raise_for_status()
return response.json()
|
create_observations
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(params: Dict[str, Dict[str, Any]], access_token: str) ->List[Dict[str,\n Any]]:\n response = requests.post(url='{base_url}/observations.json'.format(\n base_url=INAT_BASE_URL), json=params, headers=_build_auth_header(\n access_token))\n response.raise_for_status()\n return response.json()\n",
"role": "user"
},
{
"content": "create_observations",
"role": "assistant"
}
] |
def x(observation_id: int, params: Dict[str, Any], access_token: str) ->List[
Dict[str, Any]]:
response = requests.put(url='{base_url}/observations/{id}.json'.format(
base_url=INAT_BASE_URL, id=observation_id), json=params, headers=
_build_auth_header(access_token))
response.raise_for_status()
return response.json()
|
update_observation
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(observation_id: int, params: Dict[str, Any], access_token: str) ->List[\n Dict[str, Any]]:\n response = requests.put(url='{base_url}/observations/{id}.json'.format(\n base_url=INAT_BASE_URL, id=observation_id), json=params, headers=\n _build_auth_header(access_token))\n response.raise_for_status()\n return response.json()\n",
"role": "user"
},
{
"content": "update_observation",
"role": "assistant"
}
] |
def x(observation_id: int, access_token: str) ->List[Dict[str, Any]]:
headers = _build_auth_header(access_token)
headers['Content-type'] = 'application/json'
response = requests.delete(url='{base_url}/observations/{id}.json'.
format(base_url=INAT_BASE_URL, id=observation_id), headers=headers)
response.raise_for_status()
return response.json()
|
delete_observation
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(observation_id: int, access_token: str) ->List[Dict[str, Any]]:\n headers = _build_auth_header(access_token)\n headers['Content-type'] = 'application/json'\n response = requests.delete(url='{base_url}/observations/{id}.json'.\n format(base_url=INAT_BASE_URL, id=observation_id), headers=headers)\n response.raise_for_status()\n return response.json()\n",
"role": "user"
},
{
"content": "delete_observation",
"role": "assistant"
}
] |
def x(self, parent):
self.kwargs['instantiate'] = True
self.kwargs['parent'] = parent
instance = self.cls(*self.args, **self.kwargs)
instance._field_seqno = self._field_seqno
return instance
|
create_instance
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, parent):\n self.kwargs['instantiate'] = True\n self.kwargs['parent'] = parent\n instance = self.cls(*self.args, **self.kwargs)\n instance._field_seqno = self._field_seqno\n return instance\n",
"role": "user"
},
{
"content": "create_instance",
"role": "assistant"
}
] |
def x(self, placeholder):
if issubclass(placeholder.cls, FieldAccessor):
return placeholder.cls.access(self._parent, placeholder)
return self._parent.lookup_field_by_placeholder(placeholder)
|
ph2f
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, placeholder):\n if issubclass(placeholder.cls, FieldAccessor):\n return placeholder.cls.access(self._parent, placeholder)\n return self._parent.lookup_field_by_placeholder(placeholder)\n",
"role": "user"
},
{
"content": "ph2f",
"role": "assistant"
}
] |
def x(self, data, offset):
recorded_checksum = self.field.getval()
if offset < 0:
offset += len(data)
data = b''.join((data[:offset], b'\x00' * self.bytes_required, data[
offset + self.bytes_required:]))
actual_checksum = self.algo(data[self.start:self.end])
if recorded_checksum != actual_checksum:
raise SuitcaseChecksumException(
'recorded checksum %r did not match actual %r. full data: %r',
recorded_checksum, actual_checksum, data)
|
validate
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data, offset):\n recorded_checksum = self.field.getval()\n if offset < 0:\n offset += len(data)\n data = b''.join((data[:offset], b'\\x00' * self.bytes_required, data[\n offset + self.bytes_required:]))\n actual_checksum = self.algo(data[self.start:self.end])\n if recorded_checksum != actual_checksum:\n raise SuitcaseChecksumException(\n 'recorded checksum %r did not match actual %r. full data: %r',\n recorded_checksum, actual_checksum, data)\n",
"role": "user"
},
{
"content": "validate",
"role": "assistant"
}
] |
def x(self, data):
self.field.setval(self.algo(data[self.start:self.end]))
sio = BytesIO()
self.field.pack(sio)
return sio.getvalue()
|
packed_checksum
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data):\n self.field.setval(self.algo(data[self.start:self.end]))\n sio = BytesIO()\n self.field.pack(sio)\n return sio.getvalue()\n",
"role": "user"
},
{
"content": "packed_checksum",
"role": "assistant"
}
] |
def x(cls, parent, placeholder):
try:
return parent.lookup_field_by_placeholder(placeholder)
except KeyError:
field_placeholder, name = placeholder.args
field = parent.lookup_field_by_placeholder(field_placeholder)
accessor = cls(field, name, parent=parent, instantiate=True)
parent._placeholder_to_field[placeholder] = accessor
return accessor
|
access
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, parent, placeholder):\n try:\n return parent.lookup_field_by_placeholder(placeholder)\n except KeyError:\n field_placeholder, name = placeholder.args\n field = parent.lookup_field_by_placeholder(field_placeholder)\n accessor = cls(field, name, parent=parent, instantiate=True)\n parent._placeholder_to_field[placeholder] = accessor\n return accessor\n",
"role": "user"
},
{
"content": "access",
"role": "assistant"
}
] |
def x(data, crc=0):
tab = CRC16_KERMIT_TAB
for byte in six.iterbytes(data):
tbl_idx = (crc ^ byte) & 255
crc = (tab[tbl_idx] ^ crc >> 8) & 65535
return crc & 65535
|
crc16_kermit
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data, crc=0):\n tab = CRC16_KERMIT_TAB\n for byte in six.iterbytes(data):\n tbl_idx = (crc ^ byte) & 255\n crc = (tab[tbl_idx] ^ crc >> 8) & 65535\n return crc & 65535\n",
"role": "user"
},
{
"content": "crc16_kermit",
"role": "assistant"
}
] |
def x(data, crc=0):
tab = CRC16_CCITT_TAB
for byte in six.iterbytes(data):
crc = crc << 8 & 65280 ^ tab[crc >> 8 & 255 ^ byte]
return crc & 65535
|
crc16_ccitt
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data, crc=0):\n tab = CRC16_CCITT_TAB\n for byte in six.iterbytes(data):\n crc = crc << 8 & 65280 ^ tab[crc >> 8 & 255 ^ byte]\n return crc & 65535\n",
"role": "user"
},
{
"content": "crc16_ccitt",
"role": "assistant"
}
] |
def x(self, new_bytes):
self._available_bytes += new_bytes
callbacks = []
try:
while True:
packet = six.next(self._packet_generator)
if packet is None:
break
else:
callbacks.append(partial(self.packet_callback, packet))
except Exception:
self.reset()
for callback in callbacks:
callback()
|
feed
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, new_bytes):\n self._available_bytes += new_bytes\n callbacks = []\n try:\n while True:\n packet = six.next(self._packet_generator)\n if packet is None:\n break\n else:\n callbacks.append(partial(self.packet_callback, packet))\n except Exception:\n self.reset()\n for callback in callbacks:\n callback()\n",
"role": "user"
},
{
"content": "feed",
"role": "assistant"
}
] |
def x(self, stream):
crc_fields = []
greedy_field = None
for i, (name, field) in enumerate(self.ordered_fields):
if isinstance(field, CRCField):
crc_fields.append((field, stream.tell()))
length = field.bytes_required
if field.is_substructure():
remaining_data = stream.getvalue()[stream.tell():]
returned_stream = field.unpack(remaining_data, trailing=True)
if returned_stream is not None:
consumed = returned_stream.tell()
else:
consumed = 0
stream.seek(stream.tell() + consumed)
continue
elif length is None:
if isinstance(field, FieldArray
) and field.num_elements is not None:
data = stream.read()
else:
greedy_field = field
break
else:
data = stream.read(length)
if len(data) != length:
raise SuitcaseParseError(
'While attempting to parse field %r we tried to read %s bytes but we were only able to read %s.'
% (name, length, len(data)))
try:
unused_data = field.unpack(data)
stream.seek(-len(unused_data or ''), os.SEEK_CUR)
except SuitcaseException:
raise
except Exception:
exc_type = SuitcaseParseError
_, exc_value, exc_traceback = sys.exc_info()
exc_value = exc_type(
'Unexpected exception while unpacking field %r: %s' % (name,
str(exc_value)))
six.reraise(exc_type, exc_value, exc_traceback)
if greedy_field is not None:
remaining_data = stream.read()
inverted_stream = BytesIO(remaining_data[::-1])
reversed_remaining_fields = self.ordered_fields[i + 1:][::-1]
for _name, field in reversed_remaining_fields:
if isinstance(field, CRCField):
crc_fields.append((field, -inverted_stream.tell() - field.
bytes_required))
length = field.bytes_required
data = inverted_stream.read(length)[::-1]
if len(data) != length:
raise SuitcaseParseError(
'While attempting to parse field %r we tried to read %s bytes but we were only able to read %s.'
% (_name, length, len(data)))
try:
field.unpack(data)
except SuitcaseException:
raise
except Exception:
exc_type = SuitcaseParseError
_, exc_value, exc_traceback = sys.exc_info()
exc_value = exc_type(
'Unexpected exception while unpacking field %r: %s' % (
name, str(exc_value)))
six.reraise(exc_type, exc_value, exc_traceback)
greedy_data_chunk = inverted_stream.read()[::-1]
greedy_field.unpack(greedy_data_chunk)
if crc_fields:
data = stream.getvalue()
for crc_field, offset in crc_fields:
crc_field.validate(data, offset)
|
unpack_stream
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, stream):\n crc_fields = []\n greedy_field = None\n for i, (name, field) in enumerate(self.ordered_fields):\n if isinstance(field, CRCField):\n crc_fields.append((field, stream.tell()))\n length = field.bytes_required\n if field.is_substructure():\n remaining_data = stream.getvalue()[stream.tell():]\n returned_stream = field.unpack(remaining_data, trailing=True)\n if returned_stream is not None:\n consumed = returned_stream.tell()\n else:\n consumed = 0\n stream.seek(stream.tell() + consumed)\n continue\n elif length is None:\n if isinstance(field, FieldArray\n ) and field.num_elements is not None:\n data = stream.read()\n else:\n greedy_field = field\n break\n else:\n data = stream.read(length)\n if len(data) != length:\n raise SuitcaseParseError(\n 'While attempting to parse field %r we tried to read %s bytes but we were only able to read %s.'\n % (name, length, len(data)))\n try:\n unused_data = field.unpack(data)\n stream.seek(-len(unused_data or ''), os.SEEK_CUR)\n except SuitcaseException:\n raise\n except Exception:\n exc_type = SuitcaseParseError\n _, exc_value, exc_traceback = sys.exc_info()\n exc_value = exc_type(\n 'Unexpected exception while unpacking field %r: %s' % (name,\n str(exc_value)))\n six.reraise(exc_type, exc_value, exc_traceback)\n if greedy_field is not None:\n remaining_data = stream.read()\n inverted_stream = BytesIO(remaining_data[::-1])\n reversed_remaining_fields = self.ordered_fields[i + 1:][::-1]\n for _name, field in reversed_remaining_fields:\n if isinstance(field, CRCField):\n crc_fields.append((field, -inverted_stream.tell() - field.\n bytes_required))\n length = field.bytes_required\n data = inverted_stream.read(length)[::-1]\n if len(data) != length:\n raise SuitcaseParseError(\n 'While attempting to parse field %r we tried to read %s bytes but we were only able to read %s.'\n % (_name, length, len(data)))\n try:\n field.unpack(data)\n except SuitcaseException:\n raise\n except Exception:\n exc_type = SuitcaseParseError\n _, exc_value, exc_traceback = sys.exc_info()\n exc_value = exc_type(\n 'Unexpected exception while unpacking field %r: %s' % (\n name, str(exc_value)))\n six.reraise(exc_type, exc_value, exc_traceback)\n greedy_data_chunk = inverted_stream.read()[::-1]\n greedy_field.unpack(greedy_data_chunk)\n if crc_fields:\n data = stream.getvalue()\n for crc_field, offset in crc_fields:\n crc_field.validate(data, offset)\n",
"role": "user"
},
{
"content": "unpack_stream",
"role": "assistant"
}
] |
def x(self, instance, value):
value = super(URL, self).validate(instance, value)
parsed_url = urlparse(value)
if not parsed_url.scheme or not parsed_url.netloc:
self.error(instance, value, extra='URL needs scheme and netloc.')
parse_result = ParseResult(scheme=parsed_url.scheme, netloc=parsed_url.
netloc, path=parsed_url.path, params='' if self.remove_parameters else
parsed_url.params, query='' if self.remove_parameters else
parsed_url.query, fragment='' if self.remove_fragment else
parsed_url.fragment)
parse_result = parse_result.geturl()
return parse_result
|
validate
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, instance, value):\n value = super(URL, self).validate(instance, value)\n parsed_url = urlparse(value)\n if not parsed_url.scheme or not parsed_url.netloc:\n self.error(instance, value, extra='URL needs scheme and netloc.')\n parse_result = ParseResult(scheme=parsed_url.scheme, netloc=parsed_url.\n netloc, path=parsed_url.path, params='' if self.remove_parameters else\n parsed_url.params, query='' if self.remove_parameters else\n parsed_url.query, fragment='' if self.remove_fragment else\n parsed_url.fragment)\n parse_result = parse_result.geturl()\n return parse_result\n",
"role": "user"
},
{
"content": "validate",
"role": "assistant"
}
] |
def x(self, include_class=True, save_dynamic=False, **kwargs):
json_dict = super(Singleton, self).serialize(include_class=
include_class, save_dynamic=save_dynamic, **kwargs)
json_dict['_singleton_id'] = self._singleton_id
return json_dict
|
serialize
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, include_class=True, save_dynamic=False, **kwargs):\n json_dict = super(Singleton, self).serialize(include_class=\n include_class, save_dynamic=save_dynamic, **kwargs)\n json_dict['_singleton_id'] = self._singleton_id\n return json_dict\n",
"role": "user"
},
{
"content": "serialize",
"role": "assistant"
}
] |
def x(cls, value, trusted=False, strict=False, assert_valid=False, **kwargs):
if not isinstance(value, dict):
raise ValueError('HasProperties must deserialize from dictionary')
identifier = value.pop('_singleton_id', value.get('name'))
if identifier is None:
raise ValueError('Singleton classes must contain identifying name')
if identifier in cls._SINGLETONS:
return cls._SINGLETONS[identifier]
value = value.copy()
name = value.get('name', None)
value.update({'name': identifier})
newinst = super(Singleton, cls).deserialize(value, trusted=trusted,
strict=strict, assert_valid=assert_valid, **kwargs)
if name:
newinst.name = name
return newinst
|
deserialize
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, value, trusted=False, strict=False, assert_valid=False, **kwargs):\n if not isinstance(value, dict):\n raise ValueError('HasProperties must deserialize from dictionary')\n identifier = value.pop('_singleton_id', value.get('name'))\n if identifier is None:\n raise ValueError('Singleton classes must contain identifying name')\n if identifier in cls._SINGLETONS:\n return cls._SINGLETONS[identifier]\n value = value.copy()\n name = value.get('name', None)\n value.update({'name': identifier})\n newinst = super(Singleton, cls).deserialize(value, trusted=trusted,\n strict=strict, assert_valid=assert_valid, **kwargs)\n if name:\n newinst.name = name\n return newinst\n",
"role": "user"
},
{
"content": "deserialize",
"role": "assistant"
}
] |
def x(cls):
for name in cls._mutators:
if not hasattr(cls, name):
continue
setattr(cls, name, properties_mutator(cls, name))
for name in cls._operators:
if not hasattr(cls, name):
continue
setattr(cls, name, properties_operator(cls, name))
for name in cls._ioperators:
if not hasattr(cls, name):
continue
setattr(cls, name, properties_mutator(cls, name, True))
return cls
|
add_properties_callbacks
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls):\n for name in cls._mutators:\n if not hasattr(cls, name):\n continue\n setattr(cls, name, properties_mutator(cls, name))\n for name in cls._operators:\n if not hasattr(cls, name):\n continue\n setattr(cls, name, properties_operator(cls, name))\n for name in cls._ioperators:\n if not hasattr(cls, name):\n continue\n setattr(cls, name, properties_mutator(cls, name, True))\n return cls\n",
"role": "user"
},
{
"content": "add_properties_callbacks",
"role": "assistant"
}
] |
def x(cls, name, ioper=False):
def x(self, *args, **kwargs):
if getattr(self, '_instance', None) is None or getattr(self,
'_name', '') == '' or self is not getattr(self._instance, self.
_name):
return getattr(super(cls, self), name)(*args, **kwargs)
copy = cls(self)
val = getattr(copy, name)(*args, **kwargs)
if not ioper:
setattr(self._instance, self._name, copy)
self._instance = None
self._name = ''
return val
wrapped = getattr(cls, name)
wrapper.__name__ = wrapped.__name__
wrapper.__doc__ = wrapped.__doc__
return wrapper
|
properties_mutator
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, name, ioper=False):\n\n def x(self, *args, **kwargs):\n if getattr(self, '_instance', None) is None or getattr(self,\n '_name', '') == '' or self is not getattr(self._instance, self.\n _name):\n return getattr(super(cls, self), name)(*args, **kwargs)\n copy = cls(self)\n val = getattr(copy, name)(*args, **kwargs)\n if not ioper:\n setattr(self._instance, self._name, copy)\n self._instance = None\n self._name = ''\n return val\n wrapped = getattr(cls, name)\n wrapper.__name__ = wrapped.__name__\n wrapper.__doc__ = wrapped.__doc__\n return wrapper\n",
"role": "user"
},
{
"content": "properties_mutator",
"role": "assistant"
}
] |
def x(cls, name):
def x(self, *args, **kwargs):
output = getattr(super(cls, self), name)(*args, **kwargs)
return cls(output)
wrapped = getattr(cls, name)
wrapper.__name__ = wrapped.__name__
wrapper.__doc__ = wrapped.__doc__
return wrapper
|
properties_operator
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, name):\n\n def x(self, *args, **kwargs):\n output = getattr(super(cls, self), name)(*args, **kwargs)\n return cls(output)\n wrapped = getattr(cls, name)\n wrapper.__name__ = wrapped.__name__\n wrapper.__doc__ = wrapped.__doc__\n return wrapper\n",
"role": "user"
},
{
"content": "properties_operator",
"role": "assistant"
}
] |
def x(value, name, instance):
container_class = value.__class__
if container_class in OBSERVABLE_REGISTRY:
observable_class = OBSERVABLE_REGISTRY[container_class]
elif container_class in OBSERVABLE_REGISTRY.values():
observable_class = container_class
else:
observable_class = add_properties_callbacks(type(container_class)(
str('Observable{}'.format(container_class.__name__)), (
container_class,), MUTATOR_CATEGORIES))
OBSERVABLE_REGISTRY[container_class] = observable_class
value = observable_class(value)
value._name = name
value._instance = instance
return value
|
observable_copy
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value, name, instance):\n container_class = value.__class__\n if container_class in OBSERVABLE_REGISTRY:\n observable_class = OBSERVABLE_REGISTRY[container_class]\n elif container_class in OBSERVABLE_REGISTRY.values():\n observable_class = container_class\n else:\n observable_class = add_properties_callbacks(type(container_class)(\n str('Observable{}'.format(container_class.__name__)), (\n container_class,), MUTATOR_CATEGORIES))\n OBSERVABLE_REGISTRY[container_class] = observable_class\n value = observable_class(value)\n value._name = name\n value._instance = instance\n return value\n",
"role": "user"
},
{
"content": "observable_copy",
"role": "assistant"
}
] |
def x(value):
if isinstance(value, CLASS_TYPES) and issubclass(value, HasProperties):
value = Instance('', value)
if not isinstance(value, basic.Property):
raise TypeError(
'Contained prop must be a Property instance or HasProperties class'
)
if value.default is not utils.undefined:
warn('Contained prop default ignored: {}'.format(value.default),
RuntimeWarning)
return value
|
validate_prop
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value):\n if isinstance(value, CLASS_TYPES) and issubclass(value, HasProperties):\n value = Instance('', value)\n if not isinstance(value, basic.Property):\n raise TypeError(\n 'Contained prop must be a Property instance or HasProperties class'\n )\n if value.default is not utils.undefined:\n warn('Contained prop default ignored: {}'.format(value.default),\n RuntimeWarning)\n return value\n",
"role": "user"
},
{
"content": "validate_prop",
"role": "assistant"
}
] |
def x(self):
itext = self.class_info
if self.prop.info:
itext += ' (each item is {})'.format(self.prop.info)
if self.max_length is None and self.min_length is None:
return itext
if self.max_length is None:
lentext = 'length >= {}'.format(self.min_length)
elif self.max_length == self.min_length:
lentext = 'length of {}'.format(self.min_length)
else:
lentext = 'length between {mn} and {mx}'.format(mn='0' if self.
min_length is None else self.min_length, mx=self.max_length)
return '{} with {}'.format(itext, lentext)
|
info
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n itext = self.class_info\n if self.prop.info:\n itext += ' (each item is {})'.format(self.prop.info)\n if self.max_length is None and self.min_length is None:\n return itext\n if self.max_length is None:\n lentext = 'length >= {}'.format(self.min_length)\n elif self.max_length == self.min_length:\n lentext = 'length of {}'.format(self.min_length)\n else:\n lentext = 'length between {mn} and {mx}'.format(mn='0' if self.\n min_length is None else self.min_length, mx=self.max_length)\n return '{} with {}'.format(itext, lentext)\n",
"role": "user"
},
{
"content": "info",
"role": "assistant"
}
] |
def x(self, instance, value):
if not self.coerce and not isinstance(value, self._class_container):
self.error(instance, value)
if self.coerce and not isinstance(value, CONTAINERS):
value = [value]
if not isinstance(value, self._class_container):
out_class = self._class_container
else:
out_class = value.__class__
out = []
for val in value:
try:
out += [self.prop.validate(instance, val)]
except ValueError:
self.error(instance, val, extra='This item is invalid.')
return out_class(out)
|
validate
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, instance, value):\n if not self.coerce and not isinstance(value, self._class_container):\n self.error(instance, value)\n if self.coerce and not isinstance(value, CONTAINERS):\n value = [value]\n if not isinstance(value, self._class_container):\n out_class = self._class_container\n else:\n out_class = value.__class__\n out = []\n for val in value:\n try:\n out += [self.prop.validate(instance, val)]\n except ValueError:\n self.error(instance, val, extra='This item is invalid.')\n return out_class(out)\n",
"role": "user"
},
{
"content": "validate",
"role": "assistant"
}
] |
def x(self, instance, value=None):
valid = super(Tuple, self).assert_valid(instance, value)
if not valid:
return False
if value is None:
value = instance._get(self.name)
if value is None:
return True
if self.min_length is not None and len(value
) < self.min_length or self.max_length is not None and len(value
) > self.max_length:
self.error(instance=instance, value=value, extra='(Length is {})'.
format(len(value)))
for val in value:
if not self.prop.assert_valid(instance, val):
return False
return True
|
assert_valid
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, instance, value=None):\n valid = super(Tuple, self).assert_valid(instance, value)\n if not valid:\n return False\n if value is None:\n value = instance._get(self.name)\n if value is None:\n return True\n if self.min_length is not None and len(value\n ) < self.min_length or self.max_length is not None and len(value\n ) > self.max_length:\n self.error(instance=instance, value=value, extra='(Length is {})'.\n format(len(value)))\n for val in value:\n if not self.prop.assert_valid(instance, val):\n return False\n return True\n",
"role": "user"
},
{
"content": "assert_valid",
"role": "assistant"
}
] |
def x(self, value, **kwargs):
kwargs.update({'include_class': kwargs.get('include_class', True)})
if self.serializer is not None:
return self.serializer(value, **kwargs)
if value is None:
return None
serial_list = [self.prop.serialize(val, **kwargs) for val in value]
return serial_list
|
serialize
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value, **kwargs):\n kwargs.update({'include_class': kwargs.get('include_class', True)})\n if self.serializer is not None:\n return self.serializer(value, **kwargs)\n if value is None:\n return None\n serial_list = [self.prop.serialize(val, **kwargs) for val in value]\n return serial_list\n",
"role": "user"
},
{
"content": "serialize",
"role": "assistant"
}
] |
def x(self, value, **kwargs):
kwargs.update({'trusted': kwargs.get('trusted', False)})
if self.deserializer is not None:
return self.deserializer(value, **kwargs)
if value is None:
return None
output_list = [self.prop.deserialize(val, **kwargs) for val in value]
return self._class_container(output_list)
|
deserialize
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value, **kwargs):\n kwargs.update({'trusted': kwargs.get('trusted', False)})\n if self.deserializer is not None:\n return self.deserializer(value, **kwargs)\n if value is None:\n return None\n output_list = [self.prop.deserialize(val, **kwargs) for val in value]\n return self._class_container(output_list)\n",
"role": "user"
},
{
"content": "deserialize",
"role": "assistant"
}
] |
def x(value, **kwargs):
serial_list = [(val.serialize(**kwargs) if isinstance(val,
HasProperties) else val) for val in value]
return serial_list
|
to_json
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value, **kwargs):\n serial_list = [(val.serialize(**kwargs) if isinstance(val,\n HasProperties) else val) for val in value]\n return serial_list\n",
"role": "user"
},
{
"content": "to_json",
"role": "assistant"
}
] |
def x(self):
classdoc = self.prop.sphinx_class().replace(':class:`',
'{info} of :class:`')
return classdoc.format(info=self.class_info)
|
sphinx_class
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n classdoc = self.prop.sphinx_class().replace(':class:`',\n '{info} of :class:`')\n return classdoc.format(info=self.class_info)\n",
"role": "user"
},
{
"content": "sphinx_class",
"role": "assistant"
}
] |
def x(self):
itext = self.class_info
if self.key_prop.info and self.value_prop.info:
itext += ' (keys: {}; values: {})'.format(self.key_prop.info, self.
value_prop.info)
elif self.key_prop.info:
itext += ' (keys: {})'.format(self.key_prop.info)
elif self.value_prop.info:
itext += ' (values: {})'.format(self.value_prop.info)
return itext
|
info
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n itext = self.class_info\n if self.key_prop.info and self.value_prop.info:\n itext += ' (keys: {}; values: {})'.format(self.key_prop.info, self.\n value_prop.info)\n elif self.key_prop.info:\n itext += ' (keys: {})'.format(self.key_prop.info)\n elif self.value_prop.info:\n itext += ' (values: {})'.format(self.value_prop.info)\n return itext\n",
"role": "user"
},
{
"content": "info",
"role": "assistant"
}
] |
def x(self, instance, value=None):
valid = super(Dictionary, self).assert_valid(instance, value)
if not valid:
return False
if value is None:
value = instance._get(self.name)
if value is None:
return True
if self.key_prop or self.value_prop:
for key, val in iteritems(value):
if self.key_prop:
self.key_prop.assert_valid(instance, key)
if self.value_prop:
self.value_prop.assert_valid(instance, val)
return True
|
assert_valid
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, instance, value=None):\n valid = super(Dictionary, self).assert_valid(instance, value)\n if not valid:\n return False\n if value is None:\n value = instance._get(self.name)\n if value is None:\n return True\n if self.key_prop or self.value_prop:\n for key, val in iteritems(value):\n if self.key_prop:\n self.key_prop.assert_valid(instance, key)\n if self.value_prop:\n self.value_prop.assert_valid(instance, val)\n return True\n",
"role": "user"
},
{
"content": "assert_valid",
"role": "assistant"
}
] |
def x(self, value, **kwargs):
kwargs.update({'include_class': kwargs.get('include_class', True)})
if self.serializer is not None:
return self.serializer(value, **kwargs)
if value is None:
return None
serial_tuples = [(self.key_prop.serialize(key, **kwargs), self.
value_prop.serialize(val, **kwargs)) for key, val in iteritems(value)]
try:
serial_dict = {key: val for key, val in serial_tuples}
except TypeError as err:
raise TypeError(
'Dictionary property {} cannot be serialized - keys contain {}'
.format(self.name, err))
return serial_dict
|
serialize
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value, **kwargs):\n kwargs.update({'include_class': kwargs.get('include_class', True)})\n if self.serializer is not None:\n return self.serializer(value, **kwargs)\n if value is None:\n return None\n serial_tuples = [(self.key_prop.serialize(key, **kwargs), self.\n value_prop.serialize(val, **kwargs)) for key, val in iteritems(value)]\n try:\n serial_dict = {key: val for key, val in serial_tuples}\n except TypeError as err:\n raise TypeError(\n 'Dictionary property {} cannot be serialized - keys contain {}'\n .format(self.name, err))\n return serial_dict\n",
"role": "user"
},
{
"content": "serialize",
"role": "assistant"
}
] |
def x(self, value, **kwargs):
kwargs.update({'trusted': kwargs.get('trusted', False)})
if self.deserializer is not None:
return self.deserializer(value, **kwargs)
if value is None:
return None
output_tuples = [(self.key_prop.deserialize(key, **kwargs), self.
value_prop.deserialize(val, **kwargs)) for key, val in iteritems(value)
]
try:
output_dict = {key: val for key, val in output_tuples}
except TypeError as err:
raise TypeError(
'Dictionary property {} cannot be deserialized - keys contain {}'
.format(self.name, err))
return self._class_container(output_dict)
|
deserialize
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value, **kwargs):\n kwargs.update({'trusted': kwargs.get('trusted', False)})\n if self.deserializer is not None:\n return self.deserializer(value, **kwargs)\n if value is None:\n return None\n output_tuples = [(self.key_prop.deserialize(key, **kwargs), self.\n value_prop.deserialize(val, **kwargs)) for key, val in iteritems(value)\n ]\n try:\n output_dict = {key: val for key, val in output_tuples}\n except TypeError as err:\n raise TypeError(\n 'Dictionary property {} cannot be deserialized - keys contain {}'\n .format(self.name, err))\n return self._class_container(output_dict)\n",
"role": "user"
},
{
"content": "deserialize",
"role": "assistant"
}
] |
def x(value, **kwargs):
serial_dict = {key: (val.serialize(**kwargs) if isinstance(val,
HasProperties) else val) for key, val in iteritems(value)}
return serial_dict
|
to_json
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value, **kwargs):\n serial_dict = {key: (val.serialize(**kwargs) if isinstance(val,\n HasProperties) else val) for key, val in iteritems(value)}\n return serial_dict\n",
"role": "user"
},
{
"content": "to_json",
"role": "assistant"
}
] |
def x(has_props_cls, input_dict, include_immutable=True):
props_dict = {k: v for k, v in iter(input_dict.items()) if k in
has_props_cls._props and (include_immutable or any(hasattr(
has_props_cls._props[k], att) for att in ('required', 'new_name')))}
others_dict = {k: v for k, v in iter(input_dict.items()) if k not in
props_dict}
return props_dict, others_dict
|
filter_props
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(has_props_cls, input_dict, include_immutable=True):\n props_dict = {k: v for k, v in iter(input_dict.items()) if k in\n has_props_cls._props and (include_immutable or any(hasattr(\n has_props_cls._props[k], att) for att in ('required', 'new_name')))}\n others_dict = {k: v for k, v in iter(input_dict.items()) if k not in\n props_dict}\n return props_dict, others_dict\n",
"role": "user"
},
{
"content": "filter_props",
"role": "assistant"
}
] |
def x(self):
prop_def = getattr(self, '_default', utils.undefined)
for prop in self.props:
if prop.default is utils.undefined:
continue
if prop_def is utils.undefined:
prop_def = prop.default
break
return prop_def
|
default
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n prop_def = getattr(self, '_default', utils.undefined)\n for prop in self.props:\n if prop.default is utils.undefined:\n continue\n if prop_def is utils.undefined:\n prop_def = prop.default\n break\n return prop_def\n",
"role": "user"
},
{
"content": "default",
"role": "assistant"
}
] |
def x(self, instance, value, method_name):
error_messages = []
for prop in self.props:
try:
return getattr(prop, method_name)(instance, value)
except GENERIC_ERRORS as err:
if hasattr(err, 'error_tuples'):
error_messages += [err_tup.message for err_tup in err.
error_tuples]
if error_messages:
extra = 'Possible explanation:'
for message in error_messages:
extra += '\n - {}'.format(message)
else:
extra = ''
self.error(instance, value, extra=extra)
|
try_prop_method
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, instance, value, method_name):\n error_messages = []\n for prop in self.props:\n try:\n return getattr(prop, method_name)(instance, value)\n except GENERIC_ERRORS as err:\n if hasattr(err, 'error_tuples'):\n error_messages += [err_tup.message for err_tup in err.\n error_tuples]\n if error_messages:\n extra = 'Possible explanation:'\n for message in error_messages:\n extra += '\\n - {}'.format(message)\n else:\n extra = ''\n self.error(instance, value, extra=extra)\n",
"role": "user"
},
{
"content": "try_prop_method",
"role": "assistant"
}
] |
def x(self, instance, value=None):
valid = super(Union, self).assert_valid(instance, value)
if not valid:
return False
if value is None:
value = instance._get(self.name)
if value is None:
return True
return self._try_prop_method(instance, value, 'assert_valid')
|
assert_valid
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, instance, value=None):\n valid = super(Union, self).assert_valid(instance, value)\n if not valid:\n return False\n if value is None:\n value = instance._get(self.name)\n if value is None:\n return True\n return self._try_prop_method(instance, value, 'assert_valid')\n",
"role": "user"
},
{
"content": "assert_valid",
"role": "assistant"
}
] |
def x(self, value, **kwargs):
kwargs.update({'include_class': kwargs.get('include_class', True)})
if self.serializer is not None:
return self.serializer(value, **kwargs)
if value is None:
return None
for prop in self.props:
try:
prop.validate(None, value)
except GENERIC_ERRORS:
continue
return prop.serialize(value, **kwargs)
return self.to_json(value, **kwargs)
|
serialize
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value, **kwargs):\n kwargs.update({'include_class': kwargs.get('include_class', True)})\n if self.serializer is not None:\n return self.serializer(value, **kwargs)\n if value is None:\n return None\n for prop in self.props:\n try:\n prop.validate(None, value)\n except GENERIC_ERRORS:\n continue\n return prop.serialize(value, **kwargs)\n return self.to_json(value, **kwargs)\n",
"role": "user"
},
{
"content": "serialize",
"role": "assistant"
}
] |
def x(self, value, **kwargs):
kwargs.update({'trusted': kwargs.get('trusted', False)})
if self.deserializer is not None:
return self.deserializer(value, **kwargs)
if value is None:
return None
instance_props = [prop for prop in self.props if isinstance(prop, Instance)
]
kwargs = kwargs.copy()
kwargs.update({'strict': kwargs.get('strict') or self.strict_instances,
'assert_valid': self.strict_instances})
if isinstance(value, dict) and value.get('__class__'):
clsname = value.get('__class__')
for prop in instance_props:
if clsname == prop.instance_class.__name__:
return prop.deserialize(value, **kwargs)
for prop in self.props:
try:
out_val = prop.deserialize(value, **kwargs)
prop.validate(None, out_val)
return out_val
except GENERIC_ERRORS:
continue
return self.from_json(value, **kwargs)
|
deserialize
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value, **kwargs):\n kwargs.update({'trusted': kwargs.get('trusted', False)})\n if self.deserializer is not None:\n return self.deserializer(value, **kwargs)\n if value is None:\n return None\n instance_props = [prop for prop in self.props if isinstance(prop, Instance)\n ]\n kwargs = kwargs.copy()\n kwargs.update({'strict': kwargs.get('strict') or self.strict_instances,\n 'assert_valid': self.strict_instances})\n if isinstance(value, dict) and value.get('__class__'):\n clsname = value.get('__class__')\n for prop in instance_props:\n if clsname == prop.instance_class.__name__:\n return prop.deserialize(value, **kwargs)\n for prop in self.props:\n try:\n out_val = prop.deserialize(value, **kwargs)\n prop.validate(None, out_val)\n return out_val\n except GENERIC_ERRORS:\n continue\n return self.from_json(value, **kwargs)\n",
"role": "user"
},
{
"content": "deserialize",
"role": "assistant"
}
] |
def x(value, **kwargs):
if isinstance(value, HasProperties):
return value.serialize(**kwargs)
return value
|
to_json
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value, **kwargs):\n if isinstance(value, HasProperties):\n return value.serialize(**kwargs)\n return value\n",
"role": "user"
},
{
"content": "to_json",
"role": "assistant"
}
] |
def x(func):
def x(val, **kwargs):
try:
return func(val, **kwargs)
except TypeError:
return func(val)
return wrapped
|
accept_kwargs
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(func):\n\n def x(val, **kwargs):\n try:\n return func(val, **kwargs)\n except TypeError:\n return func(val)\n return wrapped\n",
"role": "user"
},
{
"content": "accept_kwargs",
"role": "assistant"
}
] |
def x(prop, instance, value):
if (prop.min is not None and value < prop.min or prop.max is not None and
value > prop.max):
prop.error(instance, value, extra='Not within allowed range.')
|
in_bounds
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(prop, instance, value):\n if (prop.min is not None and value < prop.min or prop.max is not None and\n value > prop.max):\n prop.error(instance, value, extra='Not within allowed range.')\n",
"role": "user"
},
{
"content": "in_bounds",
"role": "assistant"
}
] |
def x(self):
terms = PropertyTerms(self.name, self.__class__, self._args, self.
_kwargs, self.meta)
return terms
|
terms
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n terms = PropertyTerms(self.name, self.__class__, self._args, self.\n _kwargs, self.meta)\n return terms\n",
"role": "user"
},
{
"content": "terms",
"role": "assistant"
}
] |
def x(self, *tag, **kwtags):
if not tag:
pass
elif len(tag) == 1 and isinstance(tag[0], dict):
self._meta.update(tag[0])
else:
raise TypeError(
'Tags must be provided as key-word arguments or a dictionary')
self._meta.update(kwtags)
return self
|
tag
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *tag, **kwtags):\n if not tag:\n pass\n elif len(tag) == 1 and isinstance(tag[0], dict):\n self._meta.update(tag[0])\n else:\n raise TypeError(\n 'Tags must be provided as key-word arguments or a dictionary')\n self._meta.update(kwtags)\n return self\n",
"role": "user"
},
{
"content": "tag",
"role": "assistant"
}
] |
def x(self, instance, value=None):
if value is None:
value = instance._get(self.name)
if value is not None and not self.equal(value, self.validate(instance,
value)):
message = 'Invalid value for property: {}: {}'.format(self.name, value)
raise ValidationError(message, 'invalid', self.name, instance)
return True
|
assert_valid
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, instance, value=None):\n if value is None:\n value = instance._get(self.name)\n if value is not None and not self.equal(value, self.validate(instance,\n value)):\n message = 'Invalid value for property: {}: {}'.format(self.name, value)\n raise ValidationError(message, 'invalid', self.name, instance)\n return True\n",
"role": "user"
},
{
"content": "assert_valid",
"role": "assistant"
}
] |
def x(self, value_a, value_b):
equal = value_a == value_b
if hasattr(equal, '__iter__'):
return all(equal)
return equal
|
equal
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value_a, value_b):\n equal = value_a == value_b\n if hasattr(equal, '__iter__'):\n return all(equal)\n return equal\n",
"role": "user"
},
{
"content": "equal",
"role": "assistant"
}
] |
def x(self):
scope = self
def x(self):
return self._get(scope.name)
return property(fget=fget, doc=scope.sphinx())
|
get_property
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n scope = self\n\n def x(self):\n return self._get(scope.name)\n return property(fget=fget, doc=scope.sphinx())\n",
"role": "user"
},
{
"content": "get_property",
"role": "assistant"
}
] |
def x(self, value, **kwargs):
kwargs.update({'trusted': kwargs.get('trusted', False)})
if self.deserializer is not None:
return self.deserializer(value, **kwargs)
if value is None:
return None
return self.from_json(value, **kwargs)
|
deserialize
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value, **kwargs):\n kwargs.update({'trusted': kwargs.get('trusted', False)})\n if self.deserializer is not None:\n return self.deserializer(value, **kwargs)\n if value is None:\n return None\n return self.from_json(value, **kwargs)\n",
"role": "user"
},
{
"content": "deserialize",
"role": "assistant"
}
] |
def x(self, instance, value, error_class=None, extra=''):
error_class = error_class or ValidationError
prefix = 'The {} property'.format(self.__class__.__name__)
if self.name != '':
prefix = prefix + " '{}'".format(self.name)
if instance is not None:
prefix = prefix + ' of a {cls} instance'.format(cls=instance.
__class__.__name__)
print_value = repr(value)
if len(print_value) > 107:
print_value = '{} ... {}'.format(print_value[:50], print_value[-50:])
message = (
'{prefix} must be {info}. An invalid value of {val} {vtype} was specified.{extra}'
.format(prefix=prefix, info=self.info or 'corrected', val=
print_value, vtype=type(value), extra=' {}'.format(extra) if extra else
''))
if issubclass(error_class, ValidationError):
raise error_class(message, 'invalid', self.name, instance)
raise error_class(message)
|
error
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, instance, value, error_class=None, extra=''):\n error_class = error_class or ValidationError\n prefix = 'The {} property'.format(self.__class__.__name__)\n if self.name != '':\n prefix = prefix + \" '{}'\".format(self.name)\n if instance is not None:\n prefix = prefix + ' of a {cls} instance'.format(cls=instance.\n __class__.__name__)\n print_value = repr(value)\n if len(print_value) > 107:\n print_value = '{} ... {}'.format(print_value[:50], print_value[-50:])\n message = (\n '{prefix} must be {info}. An invalid value of {val} {vtype} was specified.{extra}'\n .format(prefix=prefix, info=self.info or 'corrected', val=\n print_value, vtype=type(value), extra=' {}'.format(extra) if extra else\n ''))\n if issubclass(error_class, ValidationError):\n raise error_class(message, 'invalid', self.name, instance)\n raise error_class(message)\n",
"role": "user"
},
{
"content": "error",
"role": "assistant"
}
] |
def x(self):
try:
assert __IPYTHON__
classdoc = ''
except (NameError, AssertionError):
scls = self.sphinx_class()
classdoc = ' ({})'.format(scls) if scls else ''
prop_doc = '**{name}**{cls}: {doc}{info}'.format(name=self.name, cls=
classdoc, doc=self.doc, info=', {}'.format(self.info) if self.info else
'')
return prop_doc
|
sphinx
|
[
{
"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 assert __IPYTHON__\n classdoc = ''\n except (NameError, AssertionError):\n scls = self.sphinx_class()\n classdoc = ' ({})'.format(scls) if scls else ''\n prop_doc = '**{name}**{cls}: {doc}{info}'.format(name=self.name, cls=\n classdoc, doc=self.doc, info=', {}'.format(self.info) if self.info else\n '')\n return prop_doc\n",
"role": "user"
},
{
"content": "sphinx",
"role": "assistant"
}
] |
def x(self):
classdoc = ':class:`{cls} <{pref}.{cls}>`'
if self.__module__.split('.')[0] == 'properties':
pref = 'properties'
else:
pref = text_type(self.__module__)
return classdoc.format(cls=self.__class__.__name__, pref=pref)
|
sphinx_class
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n classdoc = ':class:`{cls} <{pref}.{cls}>`'\n if self.__module__.split('.')[0] == 'properties':\n pref = 'properties'\n else:\n pref = text_type(self.__module__)\n return classdoc.format(cls=self.__class__.__name__, pref=pref)\n",
"role": "user"
},
{
"content": "sphinx_class",
"role": "assistant"
}
] |
def x(self, func):
if not callable(func):
raise TypeError('setter must be callable function')
if hasattr(func, '__code__') and func.__code__.co_argcount != 2:
raise TypeError('setter must be a function with two arguments')
if func.__name__ != self.name:
raise TypeError('setter function must have same name as getter')
self._set_func = func
return self
|
setter
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, func):\n if not callable(func):\n raise TypeError('setter must be callable function')\n if hasattr(func, '__code__') and func.__code__.co_argcount != 2:\n raise TypeError('setter must be a function with two arguments')\n if func.__name__ != self.name:\n raise TypeError('setter function must have same name as getter')\n self._set_func = func\n return self\n",
"role": "user"
},
{
"content": "setter",
"role": "assistant"
}
] |
def x(self, func):
if not callable(func):
raise TypeError('deleter must be callable function')
if hasattr(func, '__code__') and func.__code__.co_argcount != 1:
raise TypeError('deleter must be a function with two arguments')
if func.__name__ != self.name:
raise TypeError('deleter function must have same name as getter')
self._del_func = func
return self
|
deleter
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, func):\n if not callable(func):\n raise TypeError('deleter must be callable function')\n if hasattr(func, '__code__') and func.__code__.co_argcount != 1:\n raise TypeError('deleter must be a function with two arguments')\n if func.__name__ != self.name:\n raise TypeError('deleter function must have same name as getter')\n self._del_func = func\n return self\n",
"role": "user"
},
{
"content": "deleter",
"role": "assistant"
}
] |
def x(self):
scope = self
def x(self):
value = scope.func(self)
if value is None or value is undefined:
return None
return scope.validate(self, value)
def x(self, value):
if scope.set_func is None:
raise AttributeError('cannot set attribute')
scope.set_func(self, scope.validate(self, value))
def x(self):
if scope.del_func is None:
raise AttributeError('cannot delete attribute')
scope.del_func(self)
return property(fget=fget, fset=fset, fdel=fdel, doc=scope.sphinx())
|
get_property
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n scope = self\n\n def x(self):\n value = scope.func(self)\n if value is None or value is undefined:\n return None\n return scope.validate(self, value)\n\n def x(self, value):\n if scope.set_func is None:\n raise AttributeError('cannot set attribute')\n scope.set_func(self, scope.validate(self, value))\n\n def x(self):\n if scope.del_func is None:\n raise AttributeError('cannot delete attribute')\n scope.del_func(self)\n return property(fget=fget, fset=fset, fdel=fdel, doc=scope.sphinx())\n",
"role": "user"
},
{
"content": "get_property",
"role": "assistant"
}
] |
def x(self, instance, value=None):
if value is None:
value = instance._get(self.name)
if value is None and self.required:
message = (
"The '{name}' property of a {cls} instance is required and has not been set."
.format(name=self.name, cls=instance.__class__.__name__))
raise ValidationError(message, 'missing', self.name, instance)
valid = super(Property, self).assert_valid(instance, value)
return valid
|
assert_valid
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, instance, value=None):\n if value is None:\n value = instance._get(self.name)\n if value is None and self.required:\n message = (\n \"The '{name}' property of a {cls} instance is required and has not been set.\"\n .format(name=self.name, cls=instance.__class__.__name__))\n raise ValidationError(message, 'missing', self.name, instance)\n valid = super(Property, self).assert_valid(instance, value)\n return valid\n",
"role": "user"
},
{
"content": "assert_valid",
"role": "assistant"
}
] |
def x(self):
scope = self
def x(self):
return self._get(scope.name)
def x(self, value):
if value is not undefined:
value = scope.validate(self, value)
self._set(scope.name, value)
def x(self):
self._set(scope.name, undefined)
return property(fget=fget, fset=fset, fdel=fdel, doc=scope.sphinx())
|
get_property
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n scope = self\n\n def x(self):\n return self._get(scope.name)\n\n def x(self, value):\n if value is not undefined:\n value = scope.validate(self, value)\n self._set(scope.name, value)\n\n def x(self):\n self._set(scope.name, undefined)\n return property(fget=fget, fset=fset, fdel=fdel, doc=scope.sphinx())\n",
"role": "user"
},
{
"content": "get_property",
"role": "assistant"
}
] |
def x(self):
if callable(self.default):
default_val = self.default()
default_str = 'new instance of {}'.format(default_val.__class__.
__name__)
else:
default_val = self.default
default_str = '{}'.format(self.default)
try:
if default_val is None or default_val is undefined:
default_str = ''
elif len(default_val) == 0:
default_str = ''
else:
default_str = ', Default: {}'.format(default_str)
except TypeError:
default_str = ', Default: {}'.format(default_str)
prop_doc = super(Property, self).sphinx()
return '{doc}{default}'.format(doc=prop_doc, default=default_str)
|
sphinx
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if callable(self.default):\n default_val = self.default()\n default_str = 'new instance of {}'.format(default_val.__class__.\n __name__)\n else:\n default_val = self.default\n default_str = '{}'.format(self.default)\n try:\n if default_val is None or default_val is undefined:\n default_str = ''\n elif len(default_val) == 0:\n default_str = ''\n else:\n default_str = ', Default: {}'.format(default_str)\n except TypeError:\n default_str = ', Default: {}'.format(default_str)\n prop_doc = super(Property, self).sphinx()\n return '{doc}{default}'.format(doc=prop_doc, default=default_str)\n",
"role": "user"
},
{
"content": "sphinx",
"role": "assistant"
}
] |
def x(self, instance, value):
if self.cast:
value = bool(value)
if not isinstance(value, BOOLEAN_TYPES):
self.error(instance, value)
return value
|
validate
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, instance, value):\n if self.cast:\n value = bool(value)\n if not isinstance(value, BOOLEAN_TYPES):\n self.error(instance, value)\n return value\n",
"role": "user"
},
{
"content": "validate",
"role": "assistant"
}
] |
def x(value, **kwargs):
if isinstance(value, string_types):
value = value.upper()
if value in ('TRUE', 'Y', 'YES', 'ON'):
return True
if value in ('FALSE', 'N', 'NO', 'OFF'):
return False
if isinstance(value, int):
return value
raise ValueError('Could not load boolean from JSON: {}'.format(value))
|
from_json
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value, **kwargs):\n if isinstance(value, string_types):\n value = value.upper()\n if value in ('TRUE', 'Y', 'YES', 'ON'):\n return True\n if value in ('FALSE', 'N', 'NO', 'OFF'):\n return False\n if isinstance(value, int):\n return value\n raise ValueError('Could not load boolean from JSON: {}'.format(value))\n",
"role": "user"
},
{
"content": "from_json",
"role": "assistant"
}
] |
def x(self, instance, value):
try:
intval = int(value)
if not self.cast and abs(value - intval) > TOL:
self.error(instance=instance, value=value, extra=
'Not within tolerance range of {}.'.format(TOL))
except (TypeError, ValueError):
self.error(instance, value, extra='Cannot cast to integer.')
_in_bounds(self, instance, intval)
return intval
|
validate
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, instance, value):\n try:\n intval = int(value)\n if not self.cast and abs(value - intval) > TOL:\n self.error(instance=instance, value=value, extra=\n 'Not within tolerance range of {}.'.format(TOL))\n except (TypeError, ValueError):\n self.error(instance, value, extra='Cannot cast to integer.')\n _in_bounds(self, instance, intval)\n return intval\n",
"role": "user"
},
{
"content": "validate",
"role": "assistant"
}
] |
def x(self, instance, value):
try:
floatval = float(value)
if not self.cast and abs(value - floatval) > TOL:
self.error(instance=instance, value=value, extra=
'Not within tolerance range of {}.'.format(TOL))
except (TypeError, ValueError):
self.error(instance, value, extra='Cannot cast to float.')
_in_bounds(self, instance, floatval)
return floatval
|
validate
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, instance, value):\n try:\n floatval = float(value)\n if not self.cast and abs(value - floatval) > TOL:\n self.error(instance=instance, value=value, extra=\n 'Not within tolerance range of {}.'.format(TOL))\n except (TypeError, ValueError):\n self.error(instance, value, extra='Cannot cast to float.')\n _in_bounds(self, instance, floatval)\n return floatval\n",
"role": "user"
},
{
"content": "validate",
"role": "assistant"
}
] |
def x(self, instance, value):
try:
compval = complex(value)
if not self.cast and (abs(value.real - compval.real) > TOL or abs(
value.imag - compval.imag) > TOL):
self.error(instance=instance, value=value, extra=
'Not within tolerance range of {}.'.format(TOL))
except (TypeError, ValueError, AttributeError):
self.error(instance, value)
return compval
|
validate
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, instance, value):\n try:\n compval = complex(value)\n if not self.cast and (abs(value.real - compval.real) > TOL or abs(\n value.imag - compval.imag) > TOL):\n self.error(instance=instance, value=value, extra=\n 'Not within tolerance range of {}.'.format(TOL))\n except (TypeError, ValueError, AttributeError):\n self.error(instance, value)\n return compval\n",
"role": "user"
},
{
"content": "validate",
"role": "assistant"
}
] |
def x(self, instance, value):
value_type = type(value)
if not isinstance(value, string_types):
self.error(instance, value)
if self.regex is not None and self.regex.search(value) is None:
self.error(instance, value, extra='Regex does not match.')
value = value.strip(self.strip)
if self.change_case == 'upper':
value = value.upper()
elif self.change_case == 'lower':
value = value.lower()
if self.unicode:
value = text_type(value)
else:
value = value_type(value)
return value
|
validate
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, instance, value):\n value_type = type(value)\n if not isinstance(value, string_types):\n self.error(instance, value)\n if self.regex is not None and self.regex.search(value) is None:\n self.error(instance, value, extra='Regex does not match.')\n value = value.strip(self.strip)\n if self.change_case == 'upper':\n value = value.upper()\n elif self.change_case == 'lower':\n value = value.lower()\n if self.unicode:\n value = text_type(value)\n else:\n value = value_type(value)\n return value\n",
"role": "user"
},
{
"content": "validate",
"role": "assistant"
}
] |
def x(self):
if self.descriptions is None:
choice_list = ['"{}"'.format(choice) for choice in self.choices]
else:
choice_list = ['"{}" ({})'.format(choice, self.descriptions[choice]
) for choice in self.choices]
if len(self.choices) == 2:
return 'either {} or {}'.format(choice_list[0], choice_list[1])
return 'any of {}'.format(', '.join(choice_list))
|
info
|
[
{
"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.descriptions is None:\n choice_list = ['\"{}\"'.format(choice) for choice in self.choices]\n else:\n choice_list = ['\"{}\" ({})'.format(choice, self.descriptions[choice]\n ) for choice in self.choices]\n if len(self.choices) == 2:\n return 'either {} or {}'.format(choice_list[0], choice_list[1])\n return 'any of {}'.format(', '.join(choice_list))\n",
"role": "user"
},
{
"content": "info",
"role": "assistant"
}
] |
def x(self, instance, value):
if not isinstance(value, string_types):
self.error(instance, value)
for key, val in self.choices.items():
test_value = value if self.case_sensitive else value.upper()
test_key = key if self.case_sensitive else key.upper()
test_val = val if self.case_sensitive else [_.upper() for _ in val]
if test_value == test_key or test_value in test_val:
return key
self.error(instance, value, extra='Not an available choice.')
|
validate
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, instance, value):\n if not isinstance(value, string_types):\n self.error(instance, value)\n for key, val in self.choices.items():\n test_value = value if self.case_sensitive else value.upper()\n test_key = key if self.case_sensitive else key.upper()\n test_val = val if self.case_sensitive else [_.upper() for _ in val]\n if test_value == test_key or test_value in test_val:\n return key\n self.error(instance, value, extra='Not an available choice.')\n",
"role": "user"
},
{
"content": "validate",
"role": "assistant"
}
] |
def x(self, instance, value):
if isinstance(value, string_types):
value = COLORS_NAMED.get(value, value)
if value.upper() == 'RANDOM':
value = random.choice(COLORS_20)
value = value.upper().lstrip('#')
if len(value) == 3:
value = ''.join(v * 2 for v in value)
if len(value) != 6:
self.error(instance, value, extra=
'Color must be known name or a hex with 6 digits. e.g. "#FF0000"'
)
try:
value = [int(value[i:i + 6 // 3], 16) for i in range(0, 6, 6 // 3)]
except ValueError:
self.error(instance, value, extra='Hex color must be base 16 (0-F)'
)
if not isinstance(value, (list, tuple)):
self.error(instance, value, extra=
'Color must be a list or tuple of length 3')
if len(value) != 3:
self.error(instance, value, extra='Color must be length 3')
for val in value:
if not isinstance(val, integer_types) or not 0 <= val <= 255:
self.error(instance, value, extra=
'Color values must be ints 0-255.')
return tuple(value)
|
validate
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, instance, value):\n if isinstance(value, string_types):\n value = COLORS_NAMED.get(value, value)\n if value.upper() == 'RANDOM':\n value = random.choice(COLORS_20)\n value = value.upper().lstrip('#')\n if len(value) == 3:\n value = ''.join(v * 2 for v in value)\n if len(value) != 6:\n self.error(instance, value, extra=\n 'Color must be known name or a hex with 6 digits. e.g. \"#FF0000\"'\n )\n try:\n value = [int(value[i:i + 6 // 3], 16) for i in range(0, 6, 6 // 3)]\n except ValueError:\n self.error(instance, value, extra='Hex color must be base 16 (0-F)'\n )\n if not isinstance(value, (list, tuple)):\n self.error(instance, value, extra=\n 'Color must be a list or tuple of length 3')\n if len(value) != 3:\n self.error(instance, value, extra='Color must be length 3')\n for val in value:\n if not isinstance(val, integer_types) or not 0 <= val <= 255:\n self.error(instance, value, extra=\n 'Color values must be ints 0-255.')\n return tuple(value)\n",
"role": "user"
},
{
"content": "validate",
"role": "assistant"
}
] |
def x(self, instance, value):
if isinstance(value, datetime.datetime):
return value
if not isinstance(value, string_types):
self.error(instance=instance, value=value, extra=
'Cannot convert non-strings to datetime.')
try:
return self.from_json(value)
except ValueError:
self.error(instance=instance, value=value, extra=
'Invalid format for converting to datetime.')
|
validate
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, instance, value):\n if isinstance(value, datetime.datetime):\n return value\n if not isinstance(value, string_types):\n self.error(instance=instance, value=value, extra=\n 'Cannot convert non-strings to datetime.')\n try:\n return self.from_json(value)\n except ValueError:\n self.error(instance=instance, value=value, extra=\n 'Invalid format for converting to datetime.')\n",
"role": "user"
},
{
"content": "validate",
"role": "assistant"
}
] |
def x(self, instance, value):
if not isinstance(value, uuid.UUID):
self.error(instance, value)
return value
|
validate
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, instance, value):\n if not isinstance(value, uuid.UUID):\n self.error(instance, value)\n return value\n",
"role": "user"
},
{
"content": "validate",
"role": "assistant"
}
] |
def x(self):
default_mode = (self.mode,) if self.mode is not None else None
return getattr(self, '_valid_mode', default_mode)
|
valid_modes
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n default_mode = (self.mode,) if self.mode is not None else None\n return getattr(self, '_valid_mode', default_mode)\n",
"role": "user"
},
{
"content": "valid_modes",
"role": "assistant"
}
] |
def x(self):
prop = super(File, self).get_property()
scope = self
def x(self):
if self._get(scope.name) is not None:
self._get(scope.name).close()
self._set(scope.name, undefined)
new_prop = property(fget=prop.fget, fset=prop.fset, fdel=fdel, doc=
scope.sphinx())
return new_prop
|
get_property
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n prop = super(File, self).get_property()\n scope = self\n\n def x(self):\n if self._get(scope.name) is not None:\n self._get(scope.name).close()\n self._set(scope.name, undefined)\n new_prop = property(fget=prop.fget, fset=prop.fset, fdel=fdel, doc=\n scope.sphinx())\n return new_prop\n",
"role": "user"
},
{
"content": "get_property",
"role": "assistant"
}
] |
def x(self, instance, value):
if isinstance(value, string_types) and self.mode is not None:
try:
value = open(value, self.mode)
except (IOError, TypeError):
self.error(instance, value, extra='Cannot open file: {}'.format
(value))
if not all([hasattr(value, attr) for attr in ('read', 'seek')]):
self.error(instance, value, extra='Not a file-like object')
if not hasattr(value, 'mode') or self.valid_modes is None:
pass
elif value.mode not in self.valid_modes:
self.error(instance, value, extra='Invalid mode: {}'.format(value.mode)
)
if getattr(value, 'closed', False):
self.error(instance, value, extra='File is closed.')
return value
|
validate
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, instance, value):\n if isinstance(value, string_types) and self.mode is not None:\n try:\n value = open(value, self.mode)\n except (IOError, TypeError):\n self.error(instance, value, extra='Cannot open file: {}'.format\n (value))\n if not all([hasattr(value, attr) for attr in ('read', 'seek')]):\n self.error(instance, value, extra='Not a file-like object')\n if not hasattr(value, 'mode') or self.valid_modes is None:\n pass\n elif value.mode not in self.valid_modes:\n self.error(instance, value, extra='Invalid mode: {}'.format(value.mode)\n )\n if getattr(value, 'closed', False):\n self.error(instance, value, extra='File is closed.')\n return value\n",
"role": "user"
},
{
"content": "validate",
"role": "assistant"
}
] |
def x(self):
if self.warn:
warnings.warn(
"""
Property '{}' is deprecated and may be removed in the future. Please use '{}'."""
.format(self.name, self.new_name), FutureWarning, stacklevel=3)
|
display_warning
|
[
{
"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.warn:\n warnings.warn(\n \"\"\"\nProperty '{}' is deprecated and may be removed in the future. Please use '{}'.\"\"\"\n .format(self.name, self.new_name), FutureWarning, stacklevel=3)\n",
"role": "user"
},
{
"content": "display_warning",
"role": "assistant"
}
] |
def x(self):
scope = self
def x(self):
scope.display_warning()
return getattr(self, scope.new_name)
def x(self, value):
scope.display_warning()
setattr(self, scope.new_name, value)
def x(self):
scope.display_warning()
delattr(self, scope.new_name)
return property(fget=fget, fset=fset, fdel=fdel, doc=scope.sphinx())
|
get_property
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n scope = self\n\n def x(self):\n scope.display_warning()\n return getattr(self, scope.new_name)\n\n def x(self, value):\n scope.display_warning()\n setattr(self, scope.new_name, value)\n\n def x(self):\n scope.display_warning()\n delattr(self, scope.new_name)\n return property(fget=fget, fset=fset, fdel=fdel, doc=scope.sphinx())\n",
"role": "user"
},
{
"content": "get_property",
"role": "assistant"
}
] |
def x(self, instance, value):
try:
if isinstance(value, self.instance_class):
return value
if isinstance(value, dict):
return self.instance_class(**value)
return self.instance_class(value)
except GENERIC_ERRORS as err:
if hasattr(err, 'error_tuples'):
extra = '({})'.format(' & '.join(err_tup.message for err_tup in
err.error_tuples))
else:
extra = ''
self.error(instance, value, extra=extra)
|
validate
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, instance, value):\n try:\n if isinstance(value, self.instance_class):\n return value\n if isinstance(value, dict):\n return self.instance_class(**value)\n return self.instance_class(value)\n except GENERIC_ERRORS as err:\n if hasattr(err, 'error_tuples'):\n extra = '({})'.format(' & '.join(err_tup.message for err_tup in\n err.error_tuples))\n else:\n extra = ''\n self.error(instance, value, extra=extra)\n",
"role": "user"
},
{
"content": "validate",
"role": "assistant"
}
] |
def x(self, instance, value=None):
valid = super(Instance, self).assert_valid(instance, value)
if not valid:
return False
if value is None:
value = instance._get(self.name)
if isinstance(value, HasProperties):
value.validate()
return True
|
assert_valid
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, instance, value=None):\n valid = super(Instance, self).assert_valid(instance, value)\n if not valid:\n return False\n if value is None:\n value = instance._get(self.name)\n if isinstance(value, HasProperties):\n value.validate()\n return True\n",
"role": "user"
},
{
"content": "assert_valid",
"role": "assistant"
}
] |
def x(self, value, **kwargs):
kwargs.update({'include_class': kwargs.get('include_class', True)})
if self.serializer is not None:
return self.serializer(value, **kwargs)
if value is None:
return None
if isinstance(value, HasProperties):
return value.serialize(**kwargs)
return self.to_json(value, **kwargs)
|
serialize
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value, **kwargs):\n kwargs.update({'include_class': kwargs.get('include_class', True)})\n if self.serializer is not None:\n return self.serializer(value, **kwargs)\n if value is None:\n return None\n if isinstance(value, HasProperties):\n return value.serialize(**kwargs)\n return self.to_json(value, **kwargs)\n",
"role": "user"
},
{
"content": "serialize",
"role": "assistant"
}
] |
def x(value, **kwargs):
if isinstance(value, HasProperties):
return value.serialize(**kwargs)
try:
return json.loads(json.dumps(value))
except TypeError:
raise TypeError(
"Cannot convert type {} to JSON without calling 'serialize' on an instance of Instance Property and registering a custom serializer"
.format(value.__class__.__name__))
|
to_json
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value, **kwargs):\n if isinstance(value, HasProperties):\n return value.serialize(**kwargs)\n try:\n return json.loads(json.dumps(value))\n except TypeError:\n raise TypeError(\n \"Cannot convert type {} to JSON without calling 'serialize' on an instance of Instance Property and registering a custom serializer\"\n .format(value.__class__.__name__))\n",
"role": "user"
},
{
"content": "to_json",
"role": "assistant"
}
] |
def x(self):
classdoc = ':class:`{cls} <{pref}.{cls}>`'.format(cls=self.
instance_class.__name__, pref=self.instance_class.__module__)
return classdoc
|
sphinx_class
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n classdoc = ':class:`{cls} <{pref}.{cls}>`'.format(cls=self.\n instance_class.__name__, pref=self.instance_class.__module__)\n return classdoc\n",
"role": "user"
},
{
"content": "sphinx_class",
"role": "assistant"
}
] |
def x(instance, prop, callback, **kwargs):
change_only = kwargs.get('change_only', True)
observer(instance, prop, callback, change_only=change_only)
|
properties_observer
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(instance, prop, callback, **kwargs):\n change_only = kwargs.get('change_only', True)\n observer(instance, prop, callback, change_only=change_only)\n",
"role": "user"
},
{
"content": "properties_observer",
"role": "assistant"
}
] |
def x(self, *_):
if getattr(self, '_unlinked', False):
return
if getattr(self, '_updating', False):
return
self._updating = True
try:
setattr(self.target[0], self.target[1], self.transform(getattr(self
.source[0], self.source[1])))
finally:
self._updating = False
|
update
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *_):\n if getattr(self, '_unlinked', False):\n return\n if getattr(self, '_updating', False):\n return\n self._updating = True\n try:\n setattr(self.target[0], self.target[1], self.transform(getattr(self\n .source[0], self.source[1])))\n finally:\n self._updating = False\n",
"role": "user"
},
{
"content": "update",
"role": "assistant"
}
] |
def x(item):
if not isinstance(item, tuple) or len(item) != 2:
raise ValueError('Linked items must be instance/prop-name tuple')
if not isinstance(item[0], tuple(LINK_OBSERVERS)):
raise ValueError('Only {} instances may be linked'.format(', '.join
([link_cls.__name__ for link_cls in LINK_OBSERVERS])))
if not isinstance(item[1], string_types):
raise ValueError('Properties must be specified as string names')
if not hasattr(item[0], item[1]):
raise ValueError('Invalid property {} for {} instance'.format(item[
1], item[0].__class__.__name__))
|
validate
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(item):\n if not isinstance(item, tuple) or len(item) != 2:\n raise ValueError('Linked items must be instance/prop-name tuple')\n if not isinstance(item[0], tuple(LINK_OBSERVERS)):\n raise ValueError('Only {} instances may be linked'.format(', '.join\n ([link_cls.__name__ for link_cls in LINK_OBSERVERS])))\n if not isinstance(item[1], string_types):\n raise ValueError('Properties must be specified as string names')\n if not hasattr(item[0], item[1]):\n raise ValueError('Invalid property {} for {} instance'.format(item[\n 1], item[0].__class__.__name__))\n",
"role": "user"
},
{
"content": "validate",
"role": "assistant"
}
] |
def x(self, instance, value):
if not isinstance(value, (tuple, list, np.ndarray)):
self.error(instance, value)
if self.coerce:
value = self.wrapper(value)
valid_class = self.wrapper if isinstance(self.wrapper, type
) else np.ndarray
if not isinstance(value, valid_class):
self.error(instance, value)
allowed_kinds = ''.join(TYPE_MAPPINGS[typ] for typ in self.dtype)
if value.dtype.kind not in allowed_kinds:
self.error(instance, value, extra='Invalid dtype.')
if self.shape is None:
return value
for shape in self.shape:
if len(shape) != value.ndim:
continue
for i, shp in enumerate(shape):
if shp not in ('*', value.shape[i]):
break
else:
return value
self.error(instance, value, extra='Invalid shape.')
|
validate
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, instance, value):\n if not isinstance(value, (tuple, list, np.ndarray)):\n self.error(instance, value)\n if self.coerce:\n value = self.wrapper(value)\n valid_class = self.wrapper if isinstance(self.wrapper, type\n ) else np.ndarray\n if not isinstance(value, valid_class):\n self.error(instance, value)\n allowed_kinds = ''.join(TYPE_MAPPINGS[typ] for typ in self.dtype)\n if value.dtype.kind not in allowed_kinds:\n self.error(instance, value, extra='Invalid dtype.')\n if self.shape is None:\n return value\n for shape in self.shape:\n if len(shape) != value.ndim:\n continue\n for i, shp in enumerate(shape):\n if shp not in ('*', value.shape[i]):\n break\n else:\n return value\n self.error(instance, value, extra='Invalid shape.')\n",
"role": "user"
},
{
"content": "validate",
"role": "assistant"
}
] |
def x(self, instance, value, error_class=None, extra=''):
error_class = error_class or ValidationError
if not isinstance(value, (list, tuple, np.ndarray)):
super(Array, self).error(instance, value, error_class, extra)
if isinstance(value, (list, tuple)):
val_description = 'A {typ} of length {len}'.format(typ=value.
__class__.__name__, len=len(value))
else:
val_description = 'An array of shape {shp} and dtype {typ}'.format(shp
=value.shape, typ=value.dtype)
if instance is None:
prefix = '{} property'.format(self.__class__.__name__)
else:
prefix = "The '{name}' property of a {cls} instance".format(name=
self.name, cls=instance.__class__.__name__)
message = '{prefix} must be {info}. {desc} was specified. {extra}'.format(
prefix=prefix, info=self.info, desc=val_description, extra=extra)
if issubclass(error_class, ValidationError):
raise error_class(message, 'invalid', self.name, instance)
raise error_class(message)
|
error
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, instance, value, error_class=None, extra=''):\n error_class = error_class or ValidationError\n if not isinstance(value, (list, tuple, np.ndarray)):\n super(Array, self).error(instance, value, error_class, extra)\n if isinstance(value, (list, tuple)):\n val_description = 'A {typ} of length {len}'.format(typ=value.\n __class__.__name__, len=len(value))\n else:\n val_description = 'An array of shape {shp} and dtype {typ}'.format(shp\n =value.shape, typ=value.dtype)\n if instance is None:\n prefix = '{} property'.format(self.__class__.__name__)\n else:\n prefix = \"The '{name}' property of a {cls} instance\".format(name=\n self.name, cls=instance.__class__.__name__)\n message = '{prefix} must be {info}. {desc} was specified. {extra}'.format(\n prefix=prefix, info=self.info, desc=val_description, extra=extra)\n if issubclass(error_class, ValidationError):\n raise error_class(message, 'invalid', self.name, instance)\n raise error_class(message)\n",
"role": "user"
},
{
"content": "error",
"role": "assistant"
}
] |
def x(self, value, **kwargs):
kwargs.update({'trusted': kwargs.get('trusted', False)})
if self.deserializer is not None:
return self.deserializer(value, **kwargs)
if value is None:
return None
return self.wrapper(value).astype(self.dtype[0])
|
deserialize
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value, **kwargs):\n kwargs.update({'trusted': kwargs.get('trusted', False)})\n if self.deserializer is not None:\n return self.deserializer(value, **kwargs)\n if value is None:\n return None\n return self.wrapper(value).astype(self.dtype[0])\n",
"role": "user"
},
{
"content": "deserialize",
"role": "assistant"
}
] |
def x(value, **kwargs):
def x(val):
if val and isinstance(val[0], list):
return [_recurse_list(v) for v in val]
return [(str(v) if np.isnan(v) or np.isinf(v) else v) for v in val]
return _recurse_list(value.tolist())
|
to_json
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value, **kwargs):\n\n def x(val):\n if val and isinstance(val[0], list):\n return [_recurse_list(v) for v in val]\n return [(str(v) if np.isnan(v) or np.isinf(v) else v) for v in val]\n return _recurse_list(value.tolist())\n",
"role": "user"
},
{
"content": "to_json",
"role": "assistant"
}
] |
def x(self, instance, value):
value = super(BaseVector, self).validate(instance, value)
if self.length is not None:
try:
value.length = self._length_array(value)
except ZeroDivisionError:
self.error(instance, value, error_class=ZeroDivValidationError,
extra='The vector must have a length specified.')
return value
|
validate
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, instance, value):\n value = super(BaseVector, self).validate(instance, value)\n if self.length is not None:\n try:\n value.length = self._length_array(value)\n except ZeroDivisionError:\n self.error(instance, value, error_class=ZeroDivValidationError,\n extra='The vector must have a length specified.')\n return value\n",
"role": "user"
},
{
"content": "validate",
"role": "assistant"
}
] |
def x(self, instance, value):
if isinstance(value, string_types):
if value.upper() not in VECTOR_DIRECTIONS or value.upper() in ('Z',
'-Z', 'UP', 'DOWN'):
self.error(instance, value)
value = VECTOR_DIRECTIONS[value.upper()][:2]
return super(Vector2, self).validate(instance, value)
|
validate
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, instance, value):\n if isinstance(value, string_types):\n if value.upper() not in VECTOR_DIRECTIONS or value.upper() in ('Z',\n '-Z', 'UP', 'DOWN'):\n self.error(instance, value)\n value = VECTOR_DIRECTIONS[value.upper()][:2]\n return super(Vector2, self).validate(instance, value)\n",
"role": "user"
},
{
"content": "validate",
"role": "assistant"
}
] |
def x(self, instance, value):
if not isinstance(value, (tuple, list, np.ndarray)):
self.error(instance, value)
if isinstance(value, (tuple, list)):
for i, val in enumerate(value):
if isinstance(val, string_types):
if val.upper() not in VECTOR_DIRECTIONS:
self.error(instance=instance, value=val, extra=
'This is an invalid Vector3 representation.')
value[i] = VECTOR_DIRECTIONS[val.upper()]
return super(Vector3Array, self).validate(instance, value)
|
validate
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, instance, value):\n if not isinstance(value, (tuple, list, np.ndarray)):\n self.error(instance, value)\n if isinstance(value, (tuple, list)):\n for i, val in enumerate(value):\n if isinstance(val, string_types):\n if val.upper() not in VECTOR_DIRECTIONS:\n self.error(instance=instance, value=val, extra=\n 'This is an invalid Vector3 representation.')\n value[i] = VECTOR_DIRECTIONS[val.upper()]\n return super(Vector3Array, self).validate(instance, value)\n",
"role": "user"
},
{
"content": "validate",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.