source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(self, attr, value=True): value = 'true' if value else 'false' self.conn.issue_command('SetAttribute', self._normalize_attr(attr), value)
set_attribute
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, attr, value=True):\n value = 'true' if value else 'false'\n self.conn.issue_command('SetAttribute', self._normalize_attr(attr), value)\n", "role": "user" }, { "content": "set_attribute", "role": "assistant" } ]
def x(self, html, url=None): if url: self.conn.issue_command('SetHtml', html, url) else: self.conn.issue_command('SetHtml', html)
set_html
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, html, url=None):\n if url:\n self.conn.issue_command('SetHtml', html, url)\n else:\n self.conn.issue_command('SetHtml', html)\n", "role": "user" }, { "content": "set_html", "role": "assistant" } ]
def x(self, host='localhost', port=0, user='', password=''): self.conn.issue_command('SetProxy', host, port, user, password)
set_proxy
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, host='localhost', port=0, user='', password=''):\n self.conn.issue_command('SetProxy', host, port, user, password)\n", "role": "user" }, { "content": "set_proxy", "role": "assistant" } ]
def x(self): sock = socket.socket(socket.AF_INET, socket.SOCK_STREAM) sock.connect(('127.0.0.1', self._port)) return sock
connect
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n sock = socket.socket(socket.AF_INET, socket.SOCK_STREAM)\n sock.connect(('127.0.0.1', self._port))\n return sock\n", "role": "user" }, { "content": "connect", "role": "assistant" } ]
def x(self): while True: newline_idx = self.buf.find(b'\n') if newline_idx >= 0: res = self.buf[:newline_idx] self.buf = self.buf[newline_idx + 1:] return res chunk = self.f.recv(4096) if not chunk: raise EndOfStreamError() self.buf += chunk
read_line
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n while True:\n newline_idx = self.buf.find(b'\\n')\n if newline_idx >= 0:\n res = self.buf[:newline_idx]\n self.buf = self.buf[newline_idx + 1:]\n return res\n chunk = self.f.recv(4096)\n if not chunk:\n raise EndOfStreamError()\n self.buf += chunk\n", "role": "user" }, { "content": "read_line", "role": "assistant" } ]
def x(self, n): while len(self.buf) < n: chunk = self.f.recv(4096) if not chunk: raise EndOfStreamError() self.buf += chunk res, self.buf = self.buf[:n], self.buf[n:] return res
read
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, n):\n while len(self.buf) < n:\n chunk = self.f.recv(4096)\n if not chunk:\n raise EndOfStreamError()\n self.buf += chunk\n res, self.buf = self.buf[:n], self.buf[n:]\n return res\n", "role": "user" }, { "content": "read", "role": "assistant" } ]
def x(self, cmd, *args): self._writeline(cmd) self._writeline(str(len(args))) for arg in args: arg = str(arg) self._writeline(str(len(arg))) self._sock.sendall(arg.encode('utf-8')) return self._read_response()
issue_command
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, cmd, *args):\n self._writeline(cmd)\n self._writeline(str(len(args)))\n for arg in args:\n arg = str(arg)\n self._writeline(str(len(arg)))\n self._sock.sendall(arg.encode('utf-8'))\n return self._read_response()\n", "role": "user" }, { "content": "issue_command", "role": "assistant" } ]
def x(self): result = self.buf.read_line().decode('utf-8') if not result: raise NoResponseError('No response received from server.') msg = self._read_message() if result != 'ok': raise InvalidResponseError(msg) return msg
read_response
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n result = self.buf.read_line().decode('utf-8')\n if not result:\n raise NoResponseError('No response received from server.')\n msg = self._read_message()\n if result != 'ok':\n raise InvalidResponseError(msg)\n return msg\n", "role": "user" }, { "content": "read_response", "role": "assistant" } ]
def x(self): size = int(self.buf.read_line().decode('utf-8')) return self.buf.read(size).decode('utf-8')
read_message
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n size = int(self.buf.read_line().decode('utf-8'))\n return self.buf.read(size).decode('utf-8')\n", "role": "user" }, { "content": "read_message", "role": "assistant" } ]
def x(self, address, zipcode): url = 'http://www.zillow.com/webservice/GetDeepSearchResults.htm' params = {'address': address, 'citystatezip': zipcode, 'zws-id': self. api_key} return self.get_data(url, params)
get_deep_search_results
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, address, zipcode):\n url = 'http://www.zillow.com/webservice/GetDeepSearchResults.htm'\n params = {'address': address, 'citystatezip': zipcode, 'zws-id': self.\n api_key}\n return self.get_data(url, params)\n", "role": "user" }, { "content": "get_deep_search_results", "role": "assistant" } ]
def x(self, zpid): url = 'http://www.zillow.com/webservice/GetUpdatedPropertyDetails.htm' params = {'zpid': zpid, 'zws-id': self.api_key} return self.get_data(url, params)
get_updated_property_details
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, zpid):\n url = 'http://www.zillow.com/webservice/GetUpdatedPropertyDetails.htm'\n params = {'zpid': zpid, 'zws-id': self.api_key}\n return self.get_data(url, params)\n", "role": "user" }, { "content": "get_updated_property_details", "role": "assistant" } ]
def x(img, save_over=False): path = None if not isinstance(img, Image.Image): path = img img = Image.open(path) elif save_over: raise ValueError( "You can't use `save_over` when passing an Image instance. Use a file path instead." ) try: orientation = img._getexif()[EXIF_ORIENTATION_TAG] except (TypeError, AttributeError, KeyError): raise ValueError('Image file has no EXIF data.') if orientation in [3, 6, 8]: degrees = ORIENTATIONS[orientation][1] img = img.transpose(degrees) if save_over and path is not None: try: img.save(path, quality=95, optimize=1) except IOError: img.save(path, quality=95) return img, degrees else: return img, 0
fix_orientation
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(img, save_over=False):\n path = None\n if not isinstance(img, Image.Image):\n path = img\n img = Image.open(path)\n elif save_over:\n raise ValueError(\n \"You can't use `save_over` when passing an Image instance. Use a file path instead.\"\n )\n try:\n orientation = img._getexif()[EXIF_ORIENTATION_TAG]\n except (TypeError, AttributeError, KeyError):\n raise ValueError('Image file has no EXIF data.')\n if orientation in [3, 6, 8]:\n degrees = ORIENTATIONS[orientation][1]\n img = img.transpose(degrees)\n if save_over and path is not None:\n try:\n img.save(path, quality=95, optimize=1)\n except IOError:\n img.save(path, quality=95)\n return img, degrees\n else:\n return img, 0\n", "role": "user" }, { "content": "fix_orientation", "role": "assistant" } ]
def x(self, error, message, detail=None, strip=4): if message: msg = message + ': ' + error else: msg = error tb = traceback.format_stack() if sys.version_info >= (3, 0): tb = tb[:-strip] else: tb = tb[strip:] self.errors.append({'message': msg, 'traceback': tb, 'detail': detail})
log_error
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, error, message, detail=None, strip=4):\n if message:\n msg = message + ': ' + error\n else:\n msg = error\n tb = traceback.format_stack()\n if sys.version_info >= (3, 0):\n tb = tb[:-strip]\n else:\n tb = tb[strip:]\n self.errors.append({'message': msg, 'traceback': tb, 'detail': detail})\n", "role": "user" }, { "content": "log_error", "role": "assistant" } ]
def x(self, a, b, message=None): if a != b: self.log_error('{} != {}'.format(str(a), str(b)), message) return False return True
equal
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, a, b, message=None):\n if a != b:\n self.log_error('{} != {}'.format(str(a), str(b)), message)\n return False\n return True\n", "role": "user" }, { "content": "equal", "role": "assistant" } ]
def x(self, a, message=None): if a is None: self.log_error('{} is None'.format(str(a)), message) return False return True
is_not_none
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, a, message=None):\n if a is None:\n self.log_error('{} is None'.format(str(a)), message)\n return False\n return True\n", "role": "user" }, { "content": "is_not_none", "role": "assistant" } ]
def x(self, exception_type, function, *args, **kwargs): try: result = function(*args, **kwargs) self.log_error('{} did not throw exception {}'.format(function. __name__, exception_type.__name__), None) return result except Exception as e: if type(e) != exception_type: self.log_error('{} did raise {}: {}'.format(function.__name__, type(e).__name__, e), None)
raises
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, exception_type, function, *args, **kwargs):\n try:\n result = function(*args, **kwargs)\n self.log_error('{} did not throw exception {}'.format(function.\n __name__, exception_type.__name__), None)\n return result\n except Exception as e:\n if type(e) != exception_type:\n self.log_error('{} did raise {}: {}'.format(function.__name__,\n type(e).__name__, e), None)\n", "role": "user" }, { "content": "raises", "role": "assistant" } ]
def x(self, function, *args, **kwargs): try: return function(*args, **kwargs) except Exception as e: self.log_error('{} did raise {}: {}'.format(function.__name__, type (e).__name__, e), None)
does_not_raise
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, function, *args, **kwargs):\n try:\n return function(*args, **kwargs)\n except Exception as e:\n self.log_error('{} did raise {}: {}'.format(function.__name__, type\n (e).__name__, e), None)\n", "role": "user" }, { "content": "does_not_raise", "role": "assistant" } ]
def x(r, g, b): X = -0.14282 * r + 1.54924 * g + -0.95641 * b Y = -0.32466 * r + 1.57837 * g + -0.73191 * b Z = -0.68202 * r + 0.77073 * g + 0.56332 * b if X + Y + Z == 0: return None xc = X / (X + Y + Z) yc = Y / (X + Y + Z) if 0.1858 - yc == 0: return None n = (xc - 0.332) / (0.1858 - yc) cct = 449.0 * n ** 3.0 + 3525.0 * n ** 2.0 + 6823.3 * n + 5520.33 return int(cct)
calculate_color_temperature
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(r, g, b):\n X = -0.14282 * r + 1.54924 * g + -0.95641 * b\n Y = -0.32466 * r + 1.57837 * g + -0.73191 * b\n Z = -0.68202 * r + 0.77073 * g + 0.56332 * b\n if X + Y + Z == 0:\n return None\n xc = X / (X + Y + Z)\n yc = Y / (X + Y + Z)\n if 0.1858 - yc == 0:\n return None\n n = (xc - 0.332) / (0.1858 - yc)\n cct = 449.0 * n ** 3.0 + 3525.0 * n ** 2.0 + 6823.3 * n + 5520.33\n return int(cct)\n", "role": "user" }, { "content": "calculate_color_temperature", "role": "assistant" } ]
def x(r, g, b): illuminance = -0.32466 * r + 1.57837 * g + -0.73191 * b return int(illuminance)
calculate_lux
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(r, g, b):\n illuminance = -0.32466 * r + 1.57837 * g + -0.73191 * b\n return int(illuminance)\n", "role": "user" }, { "content": "calculate_lux", "role": "assistant" } ]
def x(self, reg, value): self._device.write8(TCS34725_COMMAND_BIT | reg, value)
write8
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, reg, value):\n self._device.write8(TCS34725_COMMAND_BIT | reg, value)\n", "role": "user" }, { "content": "write8", "role": "assistant" } ]
def x(self): self._write8(TCS34725_ENABLE, TCS34725_ENABLE_PON) time.sleep(0.01) self._write8(TCS34725_ENABLE, TCS34725_ENABLE_PON | TCS34725_ENABLE_AEN)
enable
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self._write8(TCS34725_ENABLE, TCS34725_ENABLE_PON)\n time.sleep(0.01)\n self._write8(TCS34725_ENABLE, TCS34725_ENABLE_PON | TCS34725_ENABLE_AEN)\n", "role": "user" }, { "content": "enable", "role": "assistant" } ]
def x(self): reg = self._readU8(TCS34725_ENABLE) reg &= ~(TCS34725_ENABLE_PON | TCS34725_ENABLE_AEN) self._write8(TCS34725_ENABLE, reg)
disable
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n reg = self._readU8(TCS34725_ENABLE)\n reg &= ~(TCS34725_ENABLE_PON | TCS34725_ENABLE_AEN)\n self._write8(TCS34725_ENABLE, reg)\n", "role": "user" }, { "content": "disable", "role": "assistant" } ]
def x(self, integration_time): self._integration_time = integration_time self._write8(TCS34725_ATIME, integration_time)
set_integration_time
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, integration_time):\n self._integration_time = integration_time\n self._write8(TCS34725_ATIME, integration_time)\n", "role": "user" }, { "content": "set_integration_time", "role": "assistant" } ]
def x(self): r = self._readU16LE(TCS34725_RDATAL) g = self._readU16LE(TCS34725_GDATAL) b = self._readU16LE(TCS34725_BDATAL) c = self._readU16LE(TCS34725_CDATAL) time.sleep(INTEGRATION_TIME_DELAY[self._integration_time]) return r, g, b, c
get_raw_data
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n r = self._readU16LE(TCS34725_RDATAL)\n g = self._readU16LE(TCS34725_GDATAL)\n b = self._readU16LE(TCS34725_BDATAL)\n c = self._readU16LE(TCS34725_CDATAL)\n time.sleep(INTEGRATION_TIME_DELAY[self._integration_time])\n return r, g, b, c\n", "role": "user" }, { "content": "get_raw_data", "role": "assistant" } ]
def x(self, enabled): enable_reg = self._readU8(TCS34725_ENABLE) if enabled: enable_reg |= TCS34725_ENABLE_AIEN else: enable_reg &= ~TCS34725_ENABLE_AIEN self._write8(TCS34725_ENABLE, enable_reg) time.sleep(1)
set_interrupt
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, enabled):\n enable_reg = self._readU8(TCS34725_ENABLE)\n if enabled:\n enable_reg |= TCS34725_ENABLE_AIEN\n else:\n enable_reg &= ~TCS34725_ENABLE_AIEN\n self._write8(TCS34725_ENABLE, enable_reg)\n time.sleep(1)\n", "role": "user" }, { "content": "set_interrupt", "role": "assistant" } ]
def x(self, low, high): self._device.write8(4, low & 255) self._device.write8(5, low >> 8) self._device.write8(6, high & 255) self._device.write8(7, high >> 8)
set_interrupt_limits
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, low, high):\n self._device.write8(4, low & 255)\n self._device.write8(5, low >> 8)\n self._device.write8(6, high & 255)\n self._device.write8(7, high >> 8)\n", "role": "user" }, { "content": "set_interrupt_limits", "role": "assistant" } ]
def x(json_input, build_direction='LEFT_TO_RIGHT', table_attributes=None): json_converter = JsonConverter(build_direction=build_direction, table_attributes=table_attributes) return json_converter.convert(json_input)
convert
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(json_input, build_direction='LEFT_TO_RIGHT', table_attributes=None):\n json_converter = JsonConverter(build_direction=build_direction,\n table_attributes=table_attributes)\n return json_converter.convert(json_input)\n", "role": "user" }, { "content": "convert", "role": "assistant" } ]
def x(self, json_input): html_output = self._table_opening_tag if self._build_top_to_bottom: html_output += self._markup_header_row(json_input.keys()) html_output += '<tr>' for value in json_input.values(): if isinstance(value, list): html_output += self._maybe_club(value) else: html_output += self._markup_table_cell(value) html_output += '</tr>' else: for key, value in iter(json_input.items()): html_output += '<tr><th>{:s}</th>'.format(self._markup(key)) if isinstance(value, list): html_output += self._maybe_club(value) else: html_output += self._markup_table_cell(value) html_output += '</tr>' html_output += '</table>' return html_output
convert
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, json_input):\n html_output = self._table_opening_tag\n if self._build_top_to_bottom:\n html_output += self._markup_header_row(json_input.keys())\n html_output += '<tr>'\n for value in json_input.values():\n if isinstance(value, list):\n html_output += self._maybe_club(value)\n else:\n html_output += self._markup_table_cell(value)\n html_output += '</tr>'\n else:\n for key, value in iter(json_input.items()):\n html_output += '<tr><th>{:s}</th>'.format(self._markup(key))\n if isinstance(value, list):\n html_output += self._maybe_club(value)\n else:\n html_output += self._markup_table_cell(value)\n html_output += '</tr>'\n html_output += '</table>'\n return html_output\n", "role": "user" }, { "content": "convert", "role": "assistant" } ]
def x(d): if d is None: return '' return ''.join(' {}="{}"'.format(key, value) for key, value in iter(d. items()))
dict_to_html_attributes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(d):\n if d is None:\n return ''\n return ''.join(' {}=\"{}\"'.format(key, value) for key, value in iter(d.\n items()))\n", "role": "user" }, { "content": "dict_to_html_attributes", "role": "assistant" } ]
def x(list_of_dicts): if len(list_of_dicts) < 2 or not all(isinstance(item, dict) for item in list_of_dicts): return None column_headers = list_of_dicts[0].keys() for d in list_of_dicts[1:]: if len(d.keys()) != len(column_headers) or not all(header in d for header in column_headers): return None return column_headers
list_of_dicts_to_column_headers
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(list_of_dicts):\n if len(list_of_dicts) < 2 or not all(isinstance(item, dict) for item in\n list_of_dicts):\n return None\n column_headers = list_of_dicts[0].keys()\n for d in list_of_dicts[1:]:\n if len(d.keys()) != len(column_headers) or not all(header in d for\n header in column_headers):\n return None\n return column_headers\n", "role": "user" }, { "content": "list_of_dicts_to_column_headers", "role": "assistant" } ]
def x(self, entry): if entry is None: return '' if isinstance(entry, list): list_markup = '<ul>' for item in entry: list_markup += '<li>{:s}</li>'.format(self._markup(item)) list_markup += '</ul>' return list_markup if isinstance(entry, dict): return self.convert(entry) return str(entry)
markup
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, entry):\n if entry is None:\n return ''\n if isinstance(entry, list):\n list_markup = '<ul>'\n for item in entry:\n list_markup += '<li>{:s}</li>'.format(self._markup(item))\n list_markup += '</ul>'\n return list_markup\n if isinstance(entry, dict):\n return self.convert(entry)\n return str(entry)\n", "role": "user" }, { "content": "markup", "role": "assistant" } ]
def x(self, list_of_dicts): column_headers = JsonConverter._list_of_dicts_to_column_headers( list_of_dicts) if column_headers is None: html_output = self._markup(list_of_dicts) else: html_output = self._table_opening_tag html_output += self._markup_header_row(column_headers) for list_entry in list_of_dicts: html_output += '<tr><td>' html_output += '</td><td>'.join(self._markup(list_entry[ column_header]) for column_header in column_headers) html_output += '</td></tr>' html_output += '</table>' return self._markup_table_cell(html_output)
maybe_club
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, list_of_dicts):\n column_headers = JsonConverter._list_of_dicts_to_column_headers(\n list_of_dicts)\n if column_headers is None:\n html_output = self._markup(list_of_dicts)\n else:\n html_output = self._table_opening_tag\n html_output += self._markup_header_row(column_headers)\n for list_entry in list_of_dicts:\n html_output += '<tr><td>'\n html_output += '</td><td>'.join(self._markup(list_entry[\n column_header]) for column_header in column_headers)\n html_output += '</td></tr>'\n html_output += '</table>'\n return self._markup_table_cell(html_output)\n", "role": "user" }, { "content": "maybe_club", "role": "assistant" } ]
def x(self, param, must=[APIKEY, TPL_ID, TPL_CONTENT]): r = self.verify_param(param, must) if not r.is_succ(): return r h = CommonResultHandler(lambda rsp: {VERSION_V2: rsp}[self.version()]) return self.path('update_voice_notify.json').post(param, h, r)
update_voice_notify
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, param, must=[APIKEY, TPL_ID, TPL_CONTENT]):\n r = self.verify_param(param, must)\n if not r.is_succ():\n return r\n h = CommonResultHandler(lambda rsp: {VERSION_V2: rsp}[self.version()])\n return self.path('update_voice_notify.json').post(param, h, r)\n", "role": "user" }, { "content": "update_voice_notify", "role": "assistant" } ]
def x(self, code=None, ret_r=False): if code or ret_r: self._code = code return self return self._code
code
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, code=None, ret_r=False):\n if code or ret_r:\n self._code = code\n return self\n return self._code\n", "role": "user" }, { "content": "code", "role": "assistant" } ]
def x(self, msg=None, ret_r=False): if msg or ret_r: self._msg = msg return self return self._msg
msg
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, msg=None, ret_r=False):\n if msg or ret_r:\n self._msg = msg\n return self\n return self._msg\n", "role": "user" }, { "content": "msg", "role": "assistant" } ]
def x(self, detail=None, ret_r=False): if detail or ret_r: self._detail = detail return self return self._detail
detail
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, detail=None, ret_r=False):\n if detail or ret_r:\n self._detail = detail\n return self\n return self._detail\n", "role": "user" }, { "content": "detail", "role": "assistant" } ]
def x(self, data=None, ret_r=False): if data or ret_r: self._data = data return self return self._data
data
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, data=None, ret_r=False):\n if data or ret_r:\n self._data = data\n return self\n return self._data\n", "role": "user" }, { "content": "data", "role": "assistant" } ]
def x(self, param=None, must=[APIKEY]): param = {} if param is None else param r = self.verify_param(param, must) if not r.is_succ(): return r handle = CommonResultHandler(lambda rsp: {VERSION_V1: rsp.get(USER), VERSION_V2: rsp}[self.version()]) return self.path('get.json').post(param, handle, r)
get
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, param=None, must=[APIKEY]):\n param = {} if param is None else param\n r = self.verify_param(param, must)\n if not r.is_succ():\n return r\n handle = CommonResultHandler(lambda rsp: {VERSION_V1: rsp.get(USER),\n VERSION_V2: rsp}[self.version()])\n return self.path('get.json').post(param, handle, r)\n", "role": "user" }, { "content": "get", "role": "assistant" } ]
def x(self, clnt): assert clnt, 'clnt is None' self._clnt = clnt self._apikey = clnt.apikey() self._version = clnt.conf(YP_VERSION, defval=VERSION_V2) self._charset = clnt.conf(HTTP_CHARSET, defval=CHARSET_UTF8) self._name = self.__class__.__module__.split('.')[-1]
init
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, clnt):\n assert clnt, 'clnt is None'\n self._clnt = clnt\n self._apikey = clnt.apikey()\n self._version = clnt.conf(YP_VERSION, defval=VERSION_V2)\n self._charset = clnt.conf(HTTP_CHARSET, defval=CHARSET_UTF8)\n self._name = self.__class__.__module__.split('.')[-1]\n", "role": "user" }, { "content": "init", "role": "assistant" } ]
def x(self, name=None): if name: self._name = name return self return self._name
name
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name=None):\n if name:\n self._name = name\n return self\n return self._name\n", "role": "user" }, { "content": "name", "role": "assistant" } ]
def x(self, param, h, r): try: rsp = self.client().post(self.uri(), param) return self.result(rsp, h, r) except ValueError as err: return h.catch_exception(err, r)
post
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, param, h, r):\n try:\n rsp = self.client().post(self.uri(), param)\n return self.result(rsp, h, r)\n except ValueError as err:\n return h.catch_exception(err, r)\n", "role": "user" }, { "content": "post", "role": "assistant" } ]
def x(self, param, must=[], r=None): if APIKEY not in param: param[APIKEY] = self.apikey() r = Result() if r is None else r for p in must: if p not in param: r.code(Code.ARGUMENT_MISSING).detail('missing-' + p) break return r
verify_param
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, param, must=[], r=None):\n if APIKEY not in param:\n param[APIKEY] = self.apikey()\n r = Result() if r is None else r\n for p in must:\n if p not in param:\n r.code(Code.ARGUMENT_MISSING).detail('missing-' + p)\n break\n return r\n", "role": "user" }, { "content": "verify_param", "role": "assistant" } ]
def x(self, conf): if conf: for key, val in conf.items(): self.__conf[key] = val return self
custom_conf
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, conf):\n if conf:\n for key, val in conf.items():\n self.__conf[key] = val\n return self\n", "role": "user" }, { "content": "custom_conf", "role": "assistant" } ]
def x(self, key): return self.__conf[key ] if key in self.__conf else _YunpianConf.YP_CONF.get(key)
conf
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, key):\n return self.__conf[key\n ] if key in self.__conf else _YunpianConf.YP_CONF.get(key)\n", "role": "user" }, { "content": "conf", "role": "assistant" } ]
def x(self, name): assert name, 'name is none' if flow.__name__ == name: api = flow.FlowApi() elif sign.__name__ == name: api = sign.SignApi() elif sms.__name__ == name: api = sms.SmsApi() elif tpl.__name__ == name: api = tpl.TplApi() elif user.__name__ == name: api = user.UserApi() elif voice.__name__ == name: api = voice.VoiceApi() assert api, 'not found api-' + name api._init(self._clnt) return api
api
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name):\n assert name, 'name is none'\n if flow.__name__ == name:\n api = flow.FlowApi()\n elif sign.__name__ == name:\n api = sign.SignApi()\n elif sms.__name__ == name:\n api = sms.SmsApi()\n elif tpl.__name__ == name:\n api = tpl.TplApi()\n elif user.__name__ == name:\n api = user.UserApi()\n elif voice.__name__ == name:\n api = voice.VoiceApi()\n assert api, 'not found api-' + name\n api._init(self._clnt)\n return api\n", "role": "user" }, { "content": "api", "role": "assistant" } ]
def x(self, key=None, defval=None): if key is None: return self._ypconf val = self._ypconf.conf(key) return defval if val is None else val
conf
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, key=None, defval=None):\n if key is None:\n return self._ypconf\n val = self._ypconf.conf(key)\n return defval if val is None else val\n", "role": "user" }, { "content": "conf", "role": "assistant" } ]
def x(self, url, data, charset=CHARSET_UTF8, headers={}): if 'Api-Lang' not in headers: headers['Api-Lang'] = 'python' if 'Content-Type' not in headers: headers['Content-Type' ] = 'application/x-www-form-urlencoded;charset=' + charset rsp = requests.post(url, data, headers=headers, timeout=(int(self.conf( HTTP_CONN_TIMEOUT, '10')), int(self.conf(HTTP_SO_TIMEOUT, '30')))) return json.loads(rsp.text)
post
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, url, data, charset=CHARSET_UTF8, headers={}):\n if 'Api-Lang' not in headers:\n headers['Api-Lang'] = 'python'\n if 'Content-Type' not in headers:\n headers['Content-Type'\n ] = 'application/x-www-form-urlencoded;charset=' + charset\n rsp = requests.post(url, data, headers=headers, timeout=(int(self.conf(\n HTTP_CONN_TIMEOUT, '10')), int(self.conf(HTTP_SO_TIMEOUT, '30'))))\n return json.loads(rsp.text)\n", "role": "user" }, { "content": "post", "role": "assistant" } ]
def x(self, seq, sepr=','): try: from urllib.parse import quote_plus as encode return sepr.join([encode(x, encoding=CHARSET_UTF8) for x in seq]) except ImportError: from urllib import quote as encode return sepr.join([i for i in map(lambda x: encode(x), seq)])
urlEncodeAndJoin
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, seq, sepr=','):\n try:\n from urllib.parse import quote_plus as encode\n return sepr.join([encode(x, encoding=CHARSET_UTF8) for x in seq])\n except ImportError:\n from urllib import quote as encode\n return sepr.join([i for i in map(lambda x: encode(x), seq)])\n", "role": "user" }, { "content": "urlEncodeAndJoin", "role": "assistant" } ]
def x(self, param, must=[APIKEY, MOBILE, CODE]): r = self.verify_param(param, must) if not r.is_succ(): return r h = CommonResultHandler(lambda rsp: {VERSION_V1: rsp.get(RESULT), VERSION_V2: rsp}[self.version()]) return self.path('send.json').post(param, h, r)
send
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, param, must=[APIKEY, MOBILE, CODE]):\n r = self.verify_param(param, must)\n if not r.is_succ():\n return r\n h = CommonResultHandler(lambda rsp: {VERSION_V1: rsp.get(RESULT),\n VERSION_V2: rsp}[self.version()])\n return self.path('send.json').post(param, h, r)\n", "role": "user" }, { "content": "send", "role": "assistant" } ]
def x(self, param, must=[APIKEY, MOBILE, TEXT]): r = self.verify_param(param, must) if not r.is_succ(): return r h = CommonResultHandler(lambda rsp: {VERSION_V2: rsp}[self.version()]) return self.path('single_send.json').post(param, h, r)
single_send
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, param, must=[APIKEY, MOBILE, TEXT]):\n r = self.verify_param(param, must)\n if not r.is_succ():\n return r\n h = CommonResultHandler(lambda rsp: {VERSION_V2: rsp}[self.version()])\n return self.path('single_send.json').post(param, h, r)\n", "role": "user" }, { "content": "single_send", "role": "assistant" } ]
def x(self, param=None, must=[APIKEY]): param = {} if param is None else param r = self.verify_param(param, must) if not r.is_succ(): return r h = CommonResultHandler(lambda rsp: {VERSION_V1: rsp[SMS_REPLY] if SMS_REPLY in rsp else None, VERSION_V2: rsp}[self.version()]) return self.path('pull_reply.json').post(param, h, r)
pull_reply
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, param=None, must=[APIKEY]):\n param = {} if param is None else param\n r = self.verify_param(param, must)\n if not r.is_succ():\n return r\n h = CommonResultHandler(lambda rsp: {VERSION_V1: rsp[SMS_REPLY] if \n SMS_REPLY in rsp else None, VERSION_V2: rsp}[self.version()])\n return self.path('pull_reply.json').post(param, h, r)\n", "role": "user" }, { "content": "pull_reply", "role": "assistant" } ]
def x(self, param, must=[APIKEY, START_TIME, END_TIME, PAGE_NUM, PAGE_SIZE]): r = self.verify_param(param, must) if not r.is_succ(): return r h = CommonResultHandler(lambda rsp: {VERSION_V1: rsp[SMS_REPLY] if SMS_REPLY in rsp else None, VERSION_V2: rsp}[self.version()]) return self.path('get_reply.json').post(param, h, r)
get_reply
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, param, must=[APIKEY, START_TIME, END_TIME, PAGE_NUM, PAGE_SIZE]):\n r = self.verify_param(param, must)\n if not r.is_succ():\n return r\n h = CommonResultHandler(lambda rsp: {VERSION_V1: rsp[SMS_REPLY] if \n SMS_REPLY in rsp else None, VERSION_V2: rsp}[self.version()])\n return self.path('get_reply.json').post(param, h, r)\n", "role": "user" }, { "content": "get_reply", "role": "assistant" } ]
def x(self, param, must=[APIKEY, START_TIME, END_TIME]): r = self.verify_param(param, must) if not r.is_succ(): return r h = CommonResultHandler(lambda rsp: {VERSION_V1: rsp[SMS] if SMS in rsp else None, VERSION_V2: rsp}[self.version()]) return self.path('get_record.json').post(param, h, r)
get_record
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, param, must=[APIKEY, START_TIME, END_TIME]):\n r = self.verify_param(param, must)\n if not r.is_succ():\n return r\n h = CommonResultHandler(lambda rsp: {VERSION_V1: rsp[SMS] if SMS in rsp\n else None, VERSION_V2: rsp}[self.version()])\n return self.path('get_record.json').post(param, h, r)\n", "role": "user" }, { "content": "get_record", "role": "assistant" } ]
def x(self, param, must=[APIKEY, START_TIME, END_TIME]): r = self.verify_param(param, must) if not r.is_succ(): return r h = CommonResultHandler(lambda rsp: int(rsp[TOTAL]) if TOTAL in rsp else 0) return self.path('count.json').post(param, h, r)
count
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, param, must=[APIKEY, START_TIME, END_TIME]):\n r = self.verify_param(param, must)\n if not r.is_succ():\n return r\n h = CommonResultHandler(lambda rsp: int(rsp[TOTAL]) if TOTAL in rsp else 0)\n return self.path('count.json').post(param, h, r)\n", "role": "user" }, { "content": "count", "role": "assistant" } ]
def x(self, param, must=[APIKEY, MOBILE, TPL_ID, TPL_VALUE]): r = self.verify_param(param, must) if not r.is_succ(): return r h = CommonResultHandler(lambda rsp: {VERSION_V1: rsp.get(RESULT)}[self. version()]) return self.path('tpl_send.json').post(param, h, r)
tpl_send
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, param, must=[APIKEY, MOBILE, TPL_ID, TPL_VALUE]):\n r = self.verify_param(param, must)\n if not r.is_succ():\n return r\n h = CommonResultHandler(lambda rsp: {VERSION_V1: rsp.get(RESULT)}[self.\n version()])\n return self.path('tpl_send.json').post(param, h, r)\n", "role": "user" }, { "content": "tpl_send", "role": "assistant" } ]
def x(self, param, must=[APIKEY, MOBILE, TPL_ID, TPL_VALUE]): r = self.verify_param(param, must) if not r.is_succ(): return r h = CommonResultHandler(lambda rsp: {VERSION_V2: rsp}[self.version()]) return self.path('tpl_single_send.json').post(param, h, r)
tpl_single_send
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, param, must=[APIKEY, MOBILE, TPL_ID, TPL_VALUE]):\n r = self.verify_param(param, must)\n if not r.is_succ():\n return r\n h = CommonResultHandler(lambda rsp: {VERSION_V2: rsp}[self.version()])\n return self.path('tpl_single_send.json').post(param, h, r)\n", "role": "user" }, { "content": "tpl_single_send", "role": "assistant" } ]
def x(self, param=None, must=[APIKEY]): param = {} if param is None else param r = self.verify_param(param, must) if not r.is_succ(): return r h = CommonResultHandler(lambda rsp: {VERSION_V1: rsp[FLOW_PACKAGE] if FLOW_PACKAGE in rsp else None, VERSION_V2: rsp}[self.version()]) return self.path('get_package.json').post(param, h, r)
get_package
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, param=None, must=[APIKEY]):\n param = {} if param is None else param\n r = self.verify_param(param, must)\n if not r.is_succ():\n return r\n h = CommonResultHandler(lambda rsp: {VERSION_V1: rsp[FLOW_PACKAGE] if \n FLOW_PACKAGE in rsp else None, VERSION_V2: rsp}[self.version()])\n return self.path('get_package.json').post(param, h, r)\n", "role": "user" }, { "content": "get_package", "role": "assistant" } ]
def x(self, param, must=[APIKEY, MOBILE, SN]): r = self.verify_param(param, must) if not r.is_succ(): return r h = CommonResultHandler(lambda rsp: {VERSION_V1: rsp[RESULT] if RESULT in rsp else None, VERSION_V2: rsp}[self.version()]) return self.path('recharge.json').post(param, h, r)
recharge
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, param, must=[APIKEY, MOBILE, SN]):\n r = self.verify_param(param, must)\n if not r.is_succ():\n return r\n h = CommonResultHandler(lambda rsp: {VERSION_V1: rsp[RESULT] if RESULT in\n rsp else None, VERSION_V2: rsp}[self.version()])\n return self.path('recharge.json').post(param, h, r)\n", "role": "user" }, { "content": "recharge", "role": "assistant" } ]
def x(self, param=None, must=[APIKEY]): param = {} if param is None else param r = self.verify_param(param, must) if not r.is_succ(): return r h = CommonResultHandler(lambda rsp: {VERSION_V1: rsp[FLOW_STATUS] if FLOW_STATUS in rsp else None, VERSION_V2: rsp}[self.version()]) return self.path('pull_status.json').post(param, h, r)
pull_status
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, param=None, must=[APIKEY]):\n param = {} if param is None else param\n r = self.verify_param(param, must)\n if not r.is_succ():\n return r\n h = CommonResultHandler(lambda rsp: {VERSION_V1: rsp[FLOW_STATUS] if \n FLOW_STATUS in rsp else None, VERSION_V2: rsp}[self.version()])\n return self.path('pull_status.json').post(param, h, r)\n", "role": "user" }, { "content": "pull_status", "role": "assistant" } ]
def x(*args, raise_exception=True, cwd=None): args = [str(a) for a in args] log.info('running %s', ' '.join(args)) p = subprocess.Popen(args, stdout=subprocess.PIPE, stderr=subprocess. PIPE, stdin=subprocess.PIPE, cwd=cwd) stdout, stderr = p.communicate() returninfo = ReturnInfo(p.returncode, stdout.decode('utf8'), stderr. decode('utf8')) if stdout: log.info('%s', returninfo.stdout) if raise_exception and returninfo.code != 0: raise CommandError(' '.join(args), returninfo) return returninfo
run_command
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(*args, raise_exception=True, cwd=None):\n args = [str(a) for a in args]\n log.info('running %s', ' '.join(args))\n p = subprocess.Popen(args, stdout=subprocess.PIPE, stderr=subprocess.\n PIPE, stdin=subprocess.PIPE, cwd=cwd)\n stdout, stderr = p.communicate()\n returninfo = ReturnInfo(p.returncode, stdout.decode('utf8'), stderr.\n decode('utf8'))\n if stdout:\n log.info('%s', returninfo.stdout)\n if raise_exception and returninfo.code != 0:\n raise CommandError(' '.join(args), returninfo)\n return returninfo\n", "role": "user" }, { "content": "run_command", "role": "assistant" } ]
def x(self, template, def_name=None): try: return MakoTemplateAdapter(self.get_mako_template(template), def_name) except (TopLevelLookupException, TemplateLookupException) as e: tdne = TemplateDoesNotExist( 'Template "%s" not found in search path: %s.' % (template, self .template_search_dirs)) if settings.DEBUG: tdne.template_debug = get_template_debug(template, e) raise tdne from e except (CompileException, SyntaxException) as e: tse = TemplateSyntaxError('Template "%s" raised an error: %s' % ( template, e)) if settings.DEBUG: tse.template_debug = get_template_debug(template, e) raise tse from e
get_template
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, template, def_name=None):\n try:\n return MakoTemplateAdapter(self.get_mako_template(template), def_name)\n except (TopLevelLookupException, TemplateLookupException) as e:\n tdne = TemplateDoesNotExist(\n 'Template \"%s\" not found in search path: %s.' % (template, self\n .template_search_dirs))\n if settings.DEBUG:\n tdne.template_debug = get_template_debug(template, e)\n raise tdne from e\n except (CompileException, SyntaxException) as e:\n tse = TemplateSyntaxError('Template \"%s\" raised an error: %s' % (\n template, e))\n if settings.DEBUG:\n tse.template_debug = get_template_debug(template, e)\n raise tse from e\n", "role": "user" }, { "content": "get_template", "role": "assistant" } ]
def x(self, template, force=False): if template is None: raise TemplateLookupException( 'Template "%s" not found in search path: %s.' % (template, self .template_search_dirs)) try: template_obj = self.tlookup.get_template(template) except TemplateLookupException: if not force: raise template_obj = Template('', filename=os.path.join(self.template_dir, template)) return template_obj
get_mako_template
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, template, force=False):\n if template is None:\n raise TemplateLookupException(\n 'Template \"%s\" not found in search path: %s.' % (template, self\n .template_search_dirs))\n try:\n template_obj = self.tlookup.get_template(template)\n except TemplateLookupException:\n if not force:\n raise\n template_obj = Template('', filename=os.path.join(self.template_dir,\n template))\n return template_obj\n", "role": "user" }, { "content": "get_mako_template", "role": "assistant" } ]
def x(app_name=None, pattern_kwargs=None, name=None): urlconf = URLConf(app_name, pattern_kwargs) resolver = re_path('^{}/?'.format(app_name) if app_name is not None else '', include(urlconf), name=urlconf.app_name) resolver.name = getattr(resolver, 'name', name or app_name) return resolver
app_resolver
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(app_name=None, pattern_kwargs=None, name=None):\n urlconf = URLConf(app_name, pattern_kwargs)\n resolver = re_path('^{}/?'.format(app_name) if app_name is not None else\n '', include(urlconf), name=urlconf.app_name)\n resolver.name = getattr(resolver, 'name', name or app_name)\n return resolver\n", "role": "user" }, { "content": "app_resolver", "role": "assistant" } ]
def x(app_name, pattern_kwargs=None, pretty_app_name=None): dmp = apps.get_app_config('django_mako_plus') return [dmp_path( '^(?P<dmp_page>[_a-zA-Z0-9\\-]+)\\.(?P<dmp_function>[_a-zA-Z0-9\\.\\-]+)/(?P<dmp_urlparams>.+?)/?$' , merge_dicts({'dmp_app': app_name or dmp.options['DEFAULT_APP']}, pattern_kwargs), 'DMP /{}/page.function/urlparams'.format( pretty_app_name), app_name), dmp_path( '^(?P<dmp_page>[_a-zA-Z0-9\\-]+)\\.(?P<dmp_function>[_a-zA-Z0-9\\.\\-]+)/?$' , merge_dicts({'dmp_app': app_name or dmp.options['DEFAULT_APP'], 'dmp_urlparams': ''}, pattern_kwargs), 'DMP /{}/page.function'. format(pretty_app_name), app_name), dmp_path( '^(?P<dmp_page>[_a-zA-Z0-9\\-]+)/(?P<dmp_urlparams>.+?)/?$', merge_dicts({'dmp_app': app_name or dmp.options['DEFAULT_APP'], 'dmp_function': 'process_request'}, pattern_kwargs), 'DMP /{}/page/urlparams'.format(pretty_app_name), app_name), dmp_path('^(?P<dmp_page>[_a-zA-Z0-9\\-]+)/?$', merge_dicts({ 'dmp_app': app_name or dmp.options['DEFAULT_APP'], 'dmp_function': 'process_request', 'dmp_urlparams': ''}, pattern_kwargs), 'DMP /{}/page'.format(pretty_app_name), app_name), dmp_path('^$', merge_dicts({'dmp_app': app_name or dmp.options['DEFAULT_APP'], 'dmp_function': 'process_request', 'dmp_urlparams': '', 'dmp_page': dmp.options['DEFAULT_PAGE']}, pattern_kwargs), 'DMP /{}'.format( pretty_app_name), app_name)]
dmp_paths_for_app
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(app_name, pattern_kwargs=None, pretty_app_name=None):\n dmp = apps.get_app_config('django_mako_plus')\n return [dmp_path(\n '^(?P<dmp_page>[_a-zA-Z0-9\\\\-]+)\\\\.(?P<dmp_function>[_a-zA-Z0-9\\\\.\\\\-]+)/(?P<dmp_urlparams>.+?)/?$'\n , merge_dicts({'dmp_app': app_name or dmp.options['DEFAULT_APP']},\n pattern_kwargs), 'DMP /{}/page.function/urlparams'.format(\n pretty_app_name), app_name), dmp_path(\n '^(?P<dmp_page>[_a-zA-Z0-9\\\\-]+)\\\\.(?P<dmp_function>[_a-zA-Z0-9\\\\.\\\\-]+)/?$'\n , merge_dicts({'dmp_app': app_name or dmp.options['DEFAULT_APP'],\n 'dmp_urlparams': ''}, pattern_kwargs), 'DMP /{}/page.function'.\n format(pretty_app_name), app_name), dmp_path(\n '^(?P<dmp_page>[_a-zA-Z0-9\\\\-]+)/(?P<dmp_urlparams>.+?)/?$',\n merge_dicts({'dmp_app': app_name or dmp.options['DEFAULT_APP'],\n 'dmp_function': 'process_request'}, pattern_kwargs),\n 'DMP /{}/page/urlparams'.format(pretty_app_name), app_name),\n dmp_path('^(?P<dmp_page>[_a-zA-Z0-9\\\\-]+)/?$', merge_dicts({\n 'dmp_app': app_name or dmp.options['DEFAULT_APP'], 'dmp_function':\n 'process_request', 'dmp_urlparams': ''}, pattern_kwargs),\n 'DMP /{}/page'.format(pretty_app_name), app_name), dmp_path('^$',\n merge_dicts({'dmp_app': app_name or dmp.options['DEFAULT_APP'],\n 'dmp_function': 'process_request', 'dmp_urlparams': '', 'dmp_page':\n dmp.options['DEFAULT_PAGE']}, pattern_kwargs), 'DMP /{}'.format(\n pretty_app_name), app_name)]\n", "role": "user" }, { "content": "dmp_paths_for_app", "role": "assistant" } ]
def x(regex, kwargs=None, name=None, app_name=None): return PagePattern(regex, kwargs, name, app_name)
dmp_path
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(regex, kwargs=None, name=None, app_name=None):\n return PagePattern(regex, kwargs, name, app_name)\n", "role": "user" }, { "content": "dmp_path", "role": "assistant" } ]
def x(self, path): match = super().resolve(path) if match: try: routing_data = RoutingData(match.kwargs.pop('dmp_app', None) or self.dmp.options['DEFAULT_APP'], match.kwargs.pop( 'dmp_page', None) or self.dmp.options['DEFAULT_PAGE'], match.kwargs.pop('dmp_function', None) or 'process_request', match.kwargs.pop('dmp_urlparams', '').strip()) if VERSION < (2, 2): return ResolverMatch(RequestViewWrapper(routing_data), match.args, match.kwargs, url_name=match.url_name, app_names=routing_data.app) else: return ResolverMatch(RequestViewWrapper(routing_data), match.args, match.kwargs, url_name=match.url_name, app_names=routing_data.app, route=str(self.pattern)) except ViewDoesNotExist as vdne: msg = '◉︵◉ Pattern matched, but discovery failed: {}'.format(vdne) log.debug('%s %s', match.url_name, msg) raise Resolver404({'tried': [[PatternStub(match.url_name, msg, PatternStub(match.url_name, msg, None))]], 'path': path}) raise Resolver404({'path': path})
resolve
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, path):\n match = super().resolve(path)\n if match:\n try:\n routing_data = RoutingData(match.kwargs.pop('dmp_app', None) or\n self.dmp.options['DEFAULT_APP'], match.kwargs.pop(\n 'dmp_page', None) or self.dmp.options['DEFAULT_PAGE'], \n match.kwargs.pop('dmp_function', None) or 'process_request',\n match.kwargs.pop('dmp_urlparams', '').strip())\n if VERSION < (2, 2):\n return ResolverMatch(RequestViewWrapper(routing_data),\n match.args, match.kwargs, url_name=match.url_name,\n app_names=routing_data.app)\n else:\n return ResolverMatch(RequestViewWrapper(routing_data),\n match.args, match.kwargs, url_name=match.url_name,\n app_names=routing_data.app, route=str(self.pattern))\n except ViewDoesNotExist as vdne:\n msg = '◉︵◉ Pattern matched, but discovery failed: {}'.format(vdne)\n log.debug('%s %s', match.url_name, msg)\n raise Resolver404({'tried': [[PatternStub(match.url_name, msg,\n PatternStub(match.url_name, msg, None))]], 'path': path})\n raise Resolver404({'path': path})\n", "role": "user" }, { "content": "resolve", "role": "assistant" } ]
def x(local, using, **kwargs): request = local.context['request'] if isinstance(local.context, RequestContext) else None mako_template = local.template if not hasattr(mako_template, '__compiled_template_syntax'): mako_template.__compiled_template_syntax = {} def x(template_st): try: template = mako_template.__compiled_template_syntax[template_st] except KeyError: engine = engines[using] template = engine.from_string(template_st) mako_template.__compiled_template_syntax[template_st] = template dcontext = dict(local.context) dcontext.update(kwargs) log.debug( 'rendering embedded expression or block using %s template engine', using) return template.render(context=dcontext, request=request) return wrap
alternate_syntax
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(local, using, **kwargs):\n request = local.context['request'] if isinstance(local.context,\n RequestContext) else None\n mako_template = local.template\n if not hasattr(mako_template, '__compiled_template_syntax'):\n mako_template.__compiled_template_syntax = {}\n\n def x(template_st):\n try:\n template = mako_template.__compiled_template_syntax[template_st]\n except KeyError:\n engine = engines[using]\n template = engine.from_string(template_st)\n mako_template.__compiled_template_syntax[template_st] = template\n dcontext = dict(local.context)\n dcontext.update(kwargs)\n log.debug(\n 'rendering embedded expression or block using %s template engine',\n using)\n return template.render(context=dcontext, request=request)\n return wrap\n", "role": "user" }, { "content": "alternate_syntax", "role": "assistant" } ]
def x(module_name, function_name, fallback_app=None, fallback_template=None, verify_decorator=True): key = module_name, function_name try: return CACHED_VIEW_FUNCTIONS[key] except KeyError: with rlock: try: return CACHED_VIEW_FUNCTIONS[key] except KeyError: func = find_view_function(module_name, function_name, fallback_app, fallback_template, verify_decorator) if not settings.DEBUG: CACHED_VIEW_FUNCTIONS[key] = func return func raise Exception( 'Django-Mako-Plus error: get_view_function() should not have been able to get to this point. Please notify the owner of the DMP project. Thanks.' )
get_view_function
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(module_name, function_name, fallback_app=None, fallback_template=None,\n verify_decorator=True):\n key = module_name, function_name\n try:\n return CACHED_VIEW_FUNCTIONS[key]\n except KeyError:\n with rlock:\n try:\n return CACHED_VIEW_FUNCTIONS[key]\n except KeyError:\n func = find_view_function(module_name, function_name,\n fallback_app, fallback_template, verify_decorator)\n if not settings.DEBUG:\n CACHED_VIEW_FUNCTIONS[key] = func\n return func\n raise Exception(\n 'Django-Mako-Plus error: get_view_function() should not have been able to get to this point. Please notify the owner of the DMP project. Thanks.'\n )\n", "role": "user" }, { "content": "get_view_function", "role": "assistant" } ]
def x(module_name, function_name, fallback_app=None, fallback_template=None, verify_decorator=True): dmp = apps.get_app_config('django_mako_plus') try: spec = find_spec(module_name) except ValueError: spec = None if spec is None: try: return create_view_for_template(fallback_app, fallback_template) except TemplateDoesNotExist as e: raise ViewDoesNotExist( 'view module {} not found, and fallback template {} could not be loaded ({})' .format(module_name, fallback_template, e)) try: module = import_module(module_name) func = getattr(module, function_name) func.view_type = 'function' except ImportError as e: raise ViewDoesNotExist('module "{}" could not be imported: {}'. format(module_name, e)) except AttributeError as e: raise ViewDoesNotExist( 'module "{}" found successfully, but "{}" was not found: {}'. format(module_name, function_name, e)) if inspect.isclass(func) and issubclass(func, View): func = func.as_view() func.view_type = 'class' elif verify_decorator and not view_function.is_decorated(func): raise ViewDoesNotExist( 'view {}.{} was found successfully, but it must be decorated with @view_function or be a subclass of django.views.generic.View.' .format(module_name, function_name)) if dmp.options['PARAMETER_CONVERTER'] is not None: try: converter = import_qualified(dmp.options['PARAMETER_CONVERTER'])( func) setattr(func, CONVERTER_ATTRIBUTE_NAME, converter) except ImportError as e: raise ImproperlyConfigured('Cannot find PARAMETER_CONVERTER: {}' .format(str(e))) return func
find_view_function
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(module_name, function_name, fallback_app=None, fallback_template=None,\n verify_decorator=True):\n dmp = apps.get_app_config('django_mako_plus')\n try:\n spec = find_spec(module_name)\n except ValueError:\n spec = None\n if spec is None:\n try:\n return create_view_for_template(fallback_app, fallback_template)\n except TemplateDoesNotExist as e:\n raise ViewDoesNotExist(\n 'view module {} not found, and fallback template {} could not be loaded ({})'\n .format(module_name, fallback_template, e))\n try:\n module = import_module(module_name)\n func = getattr(module, function_name)\n func.view_type = 'function'\n except ImportError as e:\n raise ViewDoesNotExist('module \"{}\" could not be imported: {}'.\n format(module_name, e))\n except AttributeError as e:\n raise ViewDoesNotExist(\n 'module \"{}\" found successfully, but \"{}\" was not found: {}'.\n format(module_name, function_name, e))\n if inspect.isclass(func) and issubclass(func, View):\n func = func.as_view()\n func.view_type = 'class'\n elif verify_decorator and not view_function.is_decorated(func):\n raise ViewDoesNotExist(\n 'view {}.{} was found successfully, but it must be decorated with @view_function or be a subclass of django.views.generic.View.'\n .format(module_name, function_name))\n if dmp.options['PARAMETER_CONVERTER'] is not None:\n try:\n converter = import_qualified(dmp.options['PARAMETER_CONVERTER'])(\n func)\n setattr(func, CONVERTER_ATTRIBUTE_NAME, converter)\n except ImportError as e:\n raise ImproperlyConfigured('Cannot find PARAMETER_CONVERTER: {}'\n .format(str(e)))\n return func\n", "role": "user" }, { "content": "find_view_function", "role": "assistant" } ]
def x(app_name, template_name): apps.get_app_config('django_mako_plus').engine.get_template_loader(app_name ).get_template(template_name) def x(request, *args, **kwargs): dmp = apps.get_app_config('django_mako_plus') template = dmp.engine.get_template_loader(app_name).get_template( template_name) return template.render_to_response(request=request, context=kwargs) template_view.view_type = 'template' return template_view
create_view_for_template
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(app_name, template_name):\n apps.get_app_config('django_mako_plus').engine.get_template_loader(app_name\n ).get_template(template_name)\n\n def x(request, *args, **kwargs):\n dmp = apps.get_app_config('django_mako_plus')\n template = dmp.engine.get_template_loader(app_name).get_template(\n template_name)\n return template.render_to_response(request=request, context=kwargs)\n template_view.view_type = 'template'\n return template_view\n", "role": "user" }, { "content": "create_view_for_template", "role": "assistant" } ]
def x(self): for tpl in self.provider_run.templates: yield tpl.providers[self.index]
iter_related
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n for tpl in self.provider_run.templates:\n yield tpl.providers[self.index]\n", "role": "user" }, { "content": "iter_related", "role": "assistant" } ]
def x(self): if settings.DEBUG: raise AttributeError('Caching disabled in DEBUG mode') return getattr(self.template, self.options['template_cache_key'])
get_cache_item
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if settings.DEBUG:\n raise AttributeError('Caching disabled in DEBUG mode')\n return getattr(self.template, self.options['template_cache_key'])\n", "role": "user" }, { "content": "get_cache_item", "role": "assistant" } ]
def x(*args): for arg in args: if isinstance(arg, collections.Iterable) and not isinstance(arg, ( str, bytes)): yield from flatten(*arg) else: yield arg
flatten
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(*args):\n for arg in args:\n if isinstance(arg, collections.Iterable) and not isinstance(arg, (\n str, bytes)):\n yield from flatten(*arg)\n else:\n yield arg\n", "role": "user" }, { "content": "flatten", "role": "assistant" } ]
def x(filename): result = 0 with open(filename, 'rb') as fin: while True: chunk = fin.read(48) if len(chunk) == 0: break result = zlib.crc32(chunk, result) return result
crc32
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(filename):\n result = 0\n with open(filename, 'rb') as fin:\n while True:\n chunk = fin.read(48)\n if len(chunk) == 0:\n break\n result = zlib.crc32(chunk, result)\n return result\n", "role": "user" }, { "content": "crc32", "role": "assistant" } ]
def x(self, app_config): for subdir_name in self.SEARCH_DIRS: subdir = subdir_name.format(app_path=app_config.path, app_name= app_config.name) def x(path): self.message('searching for Mako templates in {}'.format(path), 1) if os.path.exists(path): for filename in os.listdir(path): filepath = os.path.join(path, filename) _, ext = os.path.splitext(filename) if filename.startswith('__'): continue elif os.path.isdir(filepath): recurse_path(filepath) elif ext.lower() in ('.htm', '.html', '.mako'): self.message('compiling {}'.format(filepath), 2) try: get_template_for_path(filepath) except TemplateSyntaxError: if not self.options.get('ignore_template_errors'): raise recurse_path(subdir)
compile_mako_files
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, app_config):\n for subdir_name in self.SEARCH_DIRS:\n subdir = subdir_name.format(app_path=app_config.path, app_name=\n app_config.name)\n\n def x(path):\n self.message('searching for Mako templates in {}'.format(path), 1)\n if os.path.exists(path):\n for filename in os.listdir(path):\n filepath = os.path.join(path, filename)\n _, ext = os.path.splitext(filename)\n if filename.startswith('__'):\n continue\n elif os.path.isdir(filepath):\n recurse_path(filepath)\n elif ext.lower() in ('.htm', '.html', '.mako'):\n self.message('compiling {}'.format(filepath), 2)\n try:\n get_template_for_path(filepath)\n except TemplateSyntaxError:\n if not self.options.get('ignore_template_errors'):\n raise\n recurse_path(subdir)\n", "role": "user" }, { "content": "compile_mako_files", "role": "assistant" } ]
def x(self, template_code): dmp = apps.get_app_config('django_mako_plus') mako_template = Template(template_code, imports=dmp.template_imports, input_encoding=dmp.options['DEFAULT_TEMPLATE_ENCODING']) return MakoTemplateAdapter(mako_template)
from_string
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, template_code):\n dmp = apps.get_app_config('django_mako_plus')\n mako_template = Template(template_code, imports=dmp.template_imports,\n input_encoding=dmp.options['DEFAULT_TEMPLATE_ENCODING'])\n return MakoTemplateAdapter(mako_template)\n", "role": "user" }, { "content": "from_string", "role": "assistant" } ]
def x(self, template_name): dmp = apps.get_app_config('django_mako_plus') match = RE_TEMPLATE_NAME.match(template_name) if match is None or match.group(1) is None or match.group(3) is None: raise TemplateDoesNotExist( 'Invalid template_name format for a DMP template. This method requires that the template name be in app_name/template.html format (separated by slash).' ) if not dmp.is_registered_app(match.group(1)): raise TemplateDoesNotExist( 'Not a DMP app, so deferring to other template engines for this template' ) return self.get_template_loader(match.group(1)).get_template(match. group(3), def_name=match.group(5))
get_template
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, template_name):\n dmp = apps.get_app_config('django_mako_plus')\n match = RE_TEMPLATE_NAME.match(template_name)\n if match is None or match.group(1) is None or match.group(3) is None:\n raise TemplateDoesNotExist(\n 'Invalid template_name format for a DMP template. This method requires that the template name be in app_name/template.html format (separated by slash).'\n )\n if not dmp.is_registered_app(match.group(1)):\n raise TemplateDoesNotExist(\n 'Not a DMP app, so deferring to other template engines for this template'\n )\n return self.get_template_loader(match.group(1)).get_template(match.\n group(3), def_name=match.group(5))\n", "role": "user" }, { "content": "get_template", "role": "assistant" } ]
def x(self, app, subdir='templates', create=False): if app is None: raise TemplateDoesNotExist('Cannot locate loader when app is None') if not isinstance(app, AppConfig): app = apps.get_app_config(app) path = os.path.join(app.path, subdir) if not create: dmp = apps.get_app_config('django_mako_plus') if not dmp.is_registered_app(app): raise ValueError( "{} is not registered with DMP [hint: check urls.py for include('django_mako_plus.urls')]." .format(app)) return self.get_template_loader_for_path(path, use_cache=True)
get_template_loader
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, app, subdir='templates', create=False):\n if app is None:\n raise TemplateDoesNotExist('Cannot locate loader when app is None')\n if not isinstance(app, AppConfig):\n app = apps.get_app_config(app)\n path = os.path.join(app.path, subdir)\n if not create:\n dmp = apps.get_app_config('django_mako_plus')\n if not dmp.is_registered_app(app):\n raise ValueError(\n \"{} is not registered with DMP [hint: check urls.py for include('django_mako_plus.urls')].\"\n .format(app))\n return self.get_template_loader_for_path(path, use_cache=True)\n", "role": "user" }, { "content": "get_template_loader", "role": "assistant" } ]
def x(self, path, use_cache=True): if use_cache: try: return self.template_loaders[path] except KeyError: pass loader = MakoTemplateLoader(path, None) if use_cache: self.template_loaders[path] = loader return loader
get_template_loader_for_path
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, path, use_cache=True):\n if use_cache:\n try:\n return self.template_loaders[path]\n except KeyError:\n pass\n loader = MakoTemplateLoader(path, None)\n if use_cache:\n self.template_loaders[path] = loader\n return loader\n", "role": "user" }, { "content": "get_template_loader_for_path", "role": "assistant" } ]
def x(cls, conv_func, conv_type): cls.converters.append(ConverterFunctionInfo(conv_func, conv_type, len( cls.converters))) cls._sort_converters()
register_converter
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, conv_func, conv_type):\n cls.converters.append(ConverterFunctionInfo(conv_func, conv_type, len(\n cls.converters)))\n cls._sort_converters()\n", "role": "user" }, { "content": "register_converter", "role": "assistant" } ]
def x(cls, app_ready=False): cls._sorting_enabled = cls._sorting_enabled or app_ready if cls._sorting_enabled: for converter in cls.converters: converter.prepare_sort_key() cls.converters.sort(key=attrgetter('sort_key'))
sort_converters
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, app_ready=False):\n cls._sorting_enabled = cls._sorting_enabled or app_ready\n if cls._sorting_enabled:\n for converter in cls.converters:\n converter.prepare_sort_key()\n cls.converters.sort(key=attrgetter('sort_key'))\n", "role": "user" }, { "content": "sort_converters", "role": "assistant" } ]
def x(self, request, *args, **kwargs): args = list(args) urlparam_i = 0 parameters = self.view_parameters.get(request.method.lower() ) or self.view_parameters.get(None) if parameters is not None: for parameter_i, parameter in enumerate(parameters): if (parameter_i == 0 or parameter.kind is inspect.Parameter. VAR_POSITIONAL or parameter.kind is inspect.Parameter. VAR_KEYWORD): pass elif parameter.name in kwargs: kwargs[parameter.name] = self.convert_value(kwargs[ parameter.name], parameter, request) elif parameter_i - 1 < len(args): args[parameter_i - 1] = self.convert_value(args[parameter_i - 1], parameter, request) elif urlparam_i < len(request.dmp.urlparams): kwargs[parameter.name] = self.convert_value(request.dmp. urlparams[urlparam_i], parameter, request) urlparam_i += 1 elif parameter.default is not inspect.Parameter.empty: kwargs[parameter.name] = self.convert_value(parameter. default, parameter, request) else: kwargs[parameter.name] = self.convert_value(None, parameter, request) return args, kwargs
convert_parameters
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, request, *args, **kwargs):\n args = list(args)\n urlparam_i = 0\n parameters = self.view_parameters.get(request.method.lower()\n ) or self.view_parameters.get(None)\n if parameters is not None:\n for parameter_i, parameter in enumerate(parameters):\n if (parameter_i == 0 or parameter.kind is inspect.Parameter.\n VAR_POSITIONAL or parameter.kind is inspect.Parameter.\n VAR_KEYWORD):\n pass\n elif parameter.name in kwargs:\n kwargs[parameter.name] = self.convert_value(kwargs[\n parameter.name], parameter, request)\n elif parameter_i - 1 < len(args):\n args[parameter_i - 1] = self.convert_value(args[parameter_i -\n 1], parameter, request)\n elif urlparam_i < len(request.dmp.urlparams):\n kwargs[parameter.name] = self.convert_value(request.dmp.\n urlparams[urlparam_i], parameter, request)\n urlparam_i += 1\n elif parameter.default is not inspect.Parameter.empty:\n kwargs[parameter.name] = self.convert_value(parameter.\n default, parameter, request)\n else:\n kwargs[parameter.name] = self.convert_value(None, parameter,\n request)\n return args, kwargs\n", "role": "user" }, { "content": "convert_parameters", "role": "assistant" } ]
def x(self, value, parameter, request): try: if parameter.type is inspect.Parameter.empty: if log.isEnabledFor(logging.DEBUG): log.debug( 'skipping conversion of parameter `%s` because it has no type hint' , parameter.name) return value for ci in self.converters: if issubclass(parameter.type, ci.convert_type): if log.isEnabledFor(logging.DEBUG): log.debug('converting parameter `%s` using %s', parameter.name, ci.convert_func) return ci.convert_func(value, parameter) raise ImproperlyConfigured(message= 'No parameter converter exists for type: {}. Do you need to add an @parameter_converter function for the type?' .format(parameter.type)) except (BaseRedirectException, Http404): log.info('Exception raised during conversion of parameter %s (%s): %s', parameter.position, parameter.name, e) raise except ValueError as e: log.info('ValueError raised during conversion of parameter %s (%s): %s' , parameter.position, parameter.name, e) raise ConverterHttp404(value, parameter, 'A parameter could not be converted - see the logs for more detail' ) from e except Exception as e: log.info('Exception raised during conversion of parameter %s (%s): %s', parameter.position, parameter.name, e) raise ConverterException(value, parameter, 'A parameter could not be converted - see the logs for more detail' ) from e
convert_value
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, value, parameter, request):\n try:\n if parameter.type is inspect.Parameter.empty:\n if log.isEnabledFor(logging.DEBUG):\n log.debug(\n 'skipping conversion of parameter `%s` because it has no type hint'\n , parameter.name)\n return value\n for ci in self.converters:\n if issubclass(parameter.type, ci.convert_type):\n if log.isEnabledFor(logging.DEBUG):\n log.debug('converting parameter `%s` using %s',\n parameter.name, ci.convert_func)\n return ci.convert_func(value, parameter)\n raise ImproperlyConfigured(message=\n 'No parameter converter exists for type: {}. Do you need to add an @parameter_converter function for the type?'\n .format(parameter.type))\n except (BaseRedirectException, Http404):\n log.info('Exception raised during conversion of parameter %s (%s): %s',\n parameter.position, parameter.name, e)\n raise\n except ValueError as e:\n log.info('ValueError raised during conversion of parameter %s (%s): %s'\n , parameter.position, parameter.name, e)\n raise ConverterHttp404(value, parameter,\n 'A parameter could not be converted - see the logs for more detail'\n ) from e\n except Exception as e:\n log.info('Exception raised during conversion of parameter %s (%s): %s',\n parameter.position, parameter.name, e)\n raise ConverterException(value, parameter,\n 'A parameter could not be converted - see the logs for more detail'\n ) from e\n", "role": "user" }, { "content": "convert_value", "role": "assistant" } ]
def x(self, filename, script_map, enapps): if len(script_map) == 0: return template = MakoTemplate( """ <%! import os %> // dynamic imports are within functions so they don't happen until called DMP_CONTEXT.loadBundle({ %for (app, template), script_paths in script_map.items(): "${ app }/${ template }": () => [ %for path in script_paths: import(/* webpackMode: "eager" */ "./${ os.path.relpath(path, os.path.dirname(filename)) }"), %endfor ], %endfor }) """ ) content = template.render(enapps=enapps, script_map=script_map, filename=filename).strip() if not os.path.exists(os.path.dirname(filename)): os.makedirs(os.path.dirname(filename)) file_exists = os.path.exists(filename) if file_exists and self.running_inline: with open(filename, 'r') as fin: if content == fin.read(): return False if file_exists and not self.options.get('overwrite'): raise CommandError( 'Refusing to destroy existing file: {} (use --overwrite option or remove the file)' .format(filename)) self.message('Creating {}'.format(os.path.relpath(filename, settings. BASE_DIR)), level=3) with open(filename, 'w') as fout: fout.write(content) return True
create_entry_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, filename, script_map, enapps):\n if len(script_map) == 0:\n return\n template = MakoTemplate(\n \"\"\"\n<%! import os %>\n// dynamic imports are within functions so they don't happen until called\nDMP_CONTEXT.loadBundle({\n %for (app, template), script_paths in script_map.items():\n\n \"${ app }/${ template }\": () => [\n %for path in script_paths:\n import(/* webpackMode: \"eager\" */ \"./${ os.path.relpath(path, os.path.dirname(filename)) }\"),\n %endfor\n ],\n %endfor\n\n})\n\"\"\"\n )\n content = template.render(enapps=enapps, script_map=script_map,\n filename=filename).strip()\n if not os.path.exists(os.path.dirname(filename)):\n os.makedirs(os.path.dirname(filename))\n file_exists = os.path.exists(filename)\n if file_exists and self.running_inline:\n with open(filename, 'r') as fin:\n if content == fin.read():\n return False\n if file_exists and not self.options.get('overwrite'):\n raise CommandError(\n 'Refusing to destroy existing file: {} (use --overwrite option or remove the file)'\n .format(filename))\n self.message('Creating {}'.format(os.path.relpath(filename, settings.\n BASE_DIR)), level=3)\n with open(filename, 'w') as fout:\n fout.write(content)\n return True\n", "role": "user" }, { "content": "create_entry_file", "role": "assistant" } ]
def x(self, config): script_map = OrderedDict() template_root = os.path.join(os.path.relpath(config.path, settings. BASE_DIR), 'templates') def x(folder): subdirs = [] if os.path.exists(folder): for filename in os.listdir(folder): if filename.startswith('__'): continue filerel = os.path.join(folder, filename) if os.path.isdir(filerel): subdirs.append(filerel) elif os.path.isfile(filerel): template_name = os.path.relpath(filerel, template_root) scripts = self.template_scripts(config, template_name) key = config.name, os.path.splitext(template_name)[0] self.message('Found template: {}; static files: {}'. format(key, scripts), level=3) script_map[key] = scripts for subdir in subdirs: recurse(subdir) recurse(template_root) return script_map
generate_script_map
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, config):\n script_map = OrderedDict()\n template_root = os.path.join(os.path.relpath(config.path, settings.\n BASE_DIR), 'templates')\n\n def x(folder):\n subdirs = []\n if os.path.exists(folder):\n for filename in os.listdir(folder):\n if filename.startswith('__'):\n continue\n filerel = os.path.join(folder, filename)\n if os.path.isdir(filerel):\n subdirs.append(filerel)\n elif os.path.isfile(filerel):\n template_name = os.path.relpath(filerel, template_root)\n scripts = self.template_scripts(config, template_name)\n key = config.name, os.path.splitext(template_name)[0]\n self.message('Found template: {}; static files: {}'.\n format(key, scripts), level=3)\n script_map[key] = scripts\n for subdir in subdirs:\n recurse(subdir)\n recurse(template_root)\n return script_map\n", "role": "user" }, { "content": "generate_script_map", "role": "assistant" } ]
def x(self, config, template_name): dmp = apps.get_app_config('django_mako_plus') template_obj = dmp.engine.get_template_loader(config, create=True ).get_mako_template(template_name, force=True) mako_context = create_mako_context(template_obj) inner_run = WebpackProviderRun(mako_context['self']) inner_run.run() scripts = [] for tpl in inner_run.templates: for p in tpl.providers: if os.path.exists(p.absfilepath): scripts.append(p.absfilepath) return scripts
template_scripts
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, config, template_name):\n dmp = apps.get_app_config('django_mako_plus')\n template_obj = dmp.engine.get_template_loader(config, create=True\n ).get_mako_template(template_name, force=True)\n mako_context = create_mako_context(template_obj)\n inner_run = WebpackProviderRun(mako_context['self'])\n inner_run.run()\n scripts = []\n for tpl in inner_run.templates:\n for p in tpl.providers:\n if os.path.exists(p.absfilepath):\n scripts.append(p.absfilepath)\n return scripts\n", "role": "user" }, { "content": "template_scripts", "role": "assistant" } ]
def x(self, request, *args, **kwargs): response = HttpResponseRedirect(self.redirect_to) response[REDIRECT_HEADER_KEY] = self.redirect_to return response
get_response
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, request, *args, **kwargs):\n response = HttpResponseRedirect(self.redirect_to)\n response[REDIRECT_HEADER_KEY] = self.redirect_to\n return response\n", "role": "user" }, { "content": "get_response", "role": "assistant" } ]
def x(self, request): return HttpResponseJavascriptRedirect(self.redirect_to, *self.args, ** self.kwargs)
get_response
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, request):\n return HttpResponseJavascriptRedirect(self.redirect_to, *self.args, **\n self.kwargs)\n", "role": "user" }, { "content": "get_response", "role": "assistant" } ]
def x(app, subdir='templates'): dmp = apps.get_app_config('django_mako_plus') return dmp.engine.get_template_loader(app, subdir, create=True)
get_template_loader
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(app, subdir='templates'):\n dmp = apps.get_app_config('django_mako_plus')\n return dmp.engine.get_template_loader(app, subdir, create=True)\n", "role": "user" }, { "content": "get_template_loader", "role": "assistant" } ]
def x(request, app, template_name, context=None, subdir='templates', def_name=None): return get_template(app, template_name, subdir).render(context, request, def_name)
render_template
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(request, app, template_name, context=None, subdir='templates',\n def_name=None):\n return get_template(app, template_name, subdir).render(context, request,\n def_name)\n", "role": "user" }, { "content": "render_template", "role": "assistant" } ]
def x(path, use_cache=True): dmp = apps.get_app_config('django_mako_plus') return dmp.engine.get_template_loader_for_path(path, use_cache)
get_template_loader_for_path
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(path, use_cache=True):\n dmp = apps.get_app_config('django_mako_plus')\n return dmp.engine.get_template_loader_for_path(path, use_cache)\n", "role": "user" }, { "content": "get_template_loader_for_path", "role": "assistant" } ]
def x(path, use_cache=True): dmp = apps.get_app_config('django_mako_plus') app_path, template_name = os.path.split(path) return dmp.engine.get_template_loader_for_path(app_path, use_cache= use_cache).get_template(template_name)
get_template_for_path
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(path, use_cache=True):\n dmp = apps.get_app_config('django_mako_plus')\n app_path, template_name = os.path.split(path)\n return dmp.engine.get_template_loader_for_path(app_path, use_cache=\n use_cache).get_template(template_name)\n", "role": "user" }, { "content": "get_template_for_path", "role": "assistant" } ]
def x(request, path, context=None, use_cache=True, def_name=None): return get_template_for_path(path, use_cache).render(context, request, def_name)
render_template_for_path
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(request, path, context=None, use_cache=True, def_name=None):\n return get_template_for_path(path, use_cache).render(context, request,\n def_name)\n", "role": "user" }, { "content": "render_template_for_path", "role": "assistant" } ]
def x(obj): if not hasattr(obj, '__module__'): obj = obj.__class__ module = obj.__module__ if module is None or module == str.__class__.__module__: return obj.__qualname__ return '{}.{}'.format(module, obj.__qualname__)
qualified_name
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(obj):\n if not hasattr(obj, '__module__'):\n obj = obj.__class__\n module = obj.__module__\n if module is None or module == str.__class__.__module__:\n return obj.__qualname__\n return '{}.{}'.format(module, obj.__qualname__)\n", "role": "user" }, { "content": "qualified_name", "role": "assistant" } ]
def x(name): parts = name.rsplit('.', 1) if len(parts) != 2: raise ImportError('Invalid fully-qualified name: {}'.format(name)) try: return getattr(import_module(parts[0]), parts[1]) except AttributeError: raise ImportError('{} not found in module {}'.format(parts[1], parts[0]))
import_qualified
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(name):\n parts = name.rsplit('.', 1)\n if len(parts) != 2:\n raise ImportError('Invalid fully-qualified name: {}'.format(name))\n try:\n return getattr(import_module(parts[0]), parts[1])\n except AttributeError:\n raise ImportError('{} not found in module {}'.format(parts[1],\n parts[0]))\n", "role": "user" }, { "content": "import_qualified", "role": "assistant" } ]
def x(tself, group=None): pr = ProviderRun(tself, group) pr.run() return mark_safe(pr.getvalue())
links
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(tself, group=None):\n pr = ProviderRun(tself, group)\n pr.run()\n return mark_safe(pr.getvalue())\n", "role": "user" }, { "content": "links", "role": "assistant" } ]
def x(request, app, template_name, context=None, group=None, force=True): if isinstance(app, str): app = apps.get_app_config(app) if context is None: context = {} dmp = apps.get_app_config('django_mako_plus') template_obj = dmp.engine.get_template_loader(app, create=True ).get_mako_template(template_name, force=force) return template_obj_links(request, template_obj, context, group)
template_links
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(request, app, template_name, context=None, group=None, force=True):\n if isinstance(app, str):\n app = apps.get_app_config(app)\n if context is None:\n context = {}\n dmp = apps.get_app_config('django_mako_plus')\n template_obj = dmp.engine.get_template_loader(app, create=True\n ).get_mako_template(template_name, force=force)\n return template_obj_links(request, template_obj, context, group)\n", "role": "user" }, { "content": "template_links", "role": "assistant" } ]
def x(request, template_obj, context=None, group=None): template_obj = getattr(template_obj, 'mako_template', template_obj) context_dict = {'request': request} if isinstance(context, Context): for d in context: context_dict.update(d) elif context is not None: context_dict.update(context) mako_context = create_mako_context(template_obj, **context_dict) return links(mako_context['self'], group=group)
template_obj_links
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(request, template_obj, context=None, group=None):\n template_obj = getattr(template_obj, 'mako_template', template_obj)\n context_dict = {'request': request}\n if isinstance(context, Context):\n for d in context:\n context_dict.update(d)\n elif context is not None:\n context_dict.update(context)\n mako_context = create_mako_context(template_obj, **context_dict)\n return links(mako_context['self'], group=group)\n", "role": "user" }, { "content": "template_obj_links", "role": "assistant" } ]
def x(self): attrs = {} attrs['rel'] = 'stylesheet' attrs['href'] = '{}?{:x}'.format(os.path.join(settings.STATIC_URL, self .filepath).replace(os.path.sep, '/'), self.version_id) attrs.update(self.options['link_attrs']) attrs['data-context'] = self.provider_run.uid return '<link{} />'.format(flatatt(attrs))
build_default_link
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n attrs = {}\n attrs['rel'] = 'stylesheet'\n attrs['href'] = '{}?{:x}'.format(os.path.join(settings.STATIC_URL, self\n .filepath).replace(os.path.sep, '/'), self.version_id)\n attrs.update(self.options['link_attrs'])\n attrs['data-context'] = self.provider_run.uid\n return '<link{} />'.format(flatatt(attrs))\n", "role": "user" }, { "content": "build_default_link", "role": "assistant" } ]
def x(self): return os.path.join(self.app_config.name, 'scripts', self. template_relpath + '.js')
build_default_filepath
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n return os.path.join(self.app_config.name, 'scripts', self.\n template_relpath + '.js')\n", "role": "user" }, { "content": "build_default_filepath", "role": "assistant" } ]