source_code
stringlengths 45
7.24k
| function_name
stringlengths 1
111
| messages
list |
|---|---|---|
def x(self):
ret = b''
while True:
try:
pos = self.__read_buffer.index(CRLF)
ret = self.__read_buffer[:pos]
self.__read_buffer = self.__read_buffer[pos + len(CRLF):]
break
except ValueError:
pass
try:
nval = self.sock.recv(self.read_size)
self.__dprint(nval)
if not len(nval):
break
self.__read_buffer += nval
except (socket.timeout, ssl.SSLError):
raise Error('Failed to read data from the server')
if len(ret):
m = self.__size_expr.match(ret)
if m:
raise Literal(int(m.group(1)))
m = self.__respcode_expr.match(ret)
if m:
if m.group(1) == b'BYE':
raise Error('Connection closed by server')
if m.group(1) == b'NO':
self.__parse_error(m.group(2))
raise Response(m.group(1), m.group(2))
return ret
|
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 ret = b''\n while True:\n try:\n pos = self.__read_buffer.index(CRLF)\n ret = self.__read_buffer[:pos]\n self.__read_buffer = self.__read_buffer[pos + len(CRLF):]\n break\n except ValueError:\n pass\n try:\n nval = self.sock.recv(self.read_size)\n self.__dprint(nval)\n if not len(nval):\n break\n self.__read_buffer += nval\n except (socket.timeout, ssl.SSLError):\n raise Error('Failed to read data from the server')\n if len(ret):\n m = self.__size_expr.match(ret)\n if m:\n raise Literal(int(m.group(1)))\n m = self.__respcode_expr.match(ret)\n if m:\n if m.group(1) == b'BYE':\n raise Error('Connection closed by server')\n if m.group(1) == b'NO':\n self.__parse_error(m.group(2))\n raise Response(m.group(1), m.group(2))\n return ret\n",
"role": "user"
},
{
"content": "read_line",
"role": "assistant"
}
] |
def x(self, nblines=-1):
resp, code, data = b'', None, None
cpt = 0
while True:
try:
line = self.__read_line()
except Response as inst:
code = inst.code
data = inst.data
break
except Literal as inst:
resp += self.__read_block(inst.value)
if not resp.endswith(CRLF):
resp += self.__read_line() + CRLF
continue
if not len(line):
continue
resp += line + CRLF
cpt += 1
if nblines != -1 and cpt == nblines:
break
return code, data, resp
|
read_response
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, nblines=-1):\n resp, code, data = b'', None, None\n cpt = 0\n while True:\n try:\n line = self.__read_line()\n except Response as inst:\n code = inst.code\n data = inst.data\n break\n except Literal as inst:\n resp += self.__read_block(inst.value)\n if not resp.endswith(CRLF):\n resp += self.__read_line() + CRLF\n continue\n if not len(line):\n continue\n resp += line + CRLF\n cpt += 1\n if nblines != -1 and cpt == nblines:\n break\n return code, data, resp\n",
"role": "user"
},
{
"content": "read_response",
"role": "assistant"
}
] |
def x(self, args):
ret = []
for a in args:
if isinstance(a, six.binary_type):
if self.__size_expr.match(a):
ret += [a]
else:
ret += [b'"' + a + b'"']
continue
ret += [bytes(str(a).encode('utf-8'))]
return ret
|
prepare_args
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, args):\n ret = []\n for a in args:\n if isinstance(a, six.binary_type):\n if self.__size_expr.match(a):\n ret += [a]\n else:\n ret += [b'\"' + a + b'\"']\n continue\n ret += [bytes(str(a).encode('utf-8'))]\n return ret\n",
"role": "user"
},
{
"content": "prepare_args",
"role": "assistant"
}
] |
def x(self, name, args=None, withcontent=False, extralines=None, nblines=-1):
tosend = name.encode('utf-8')
if args:
tosend += b' ' + b' '.join(self.__prepare_args(args))
self.__dprint(b'Command: ' + tosend)
self.sock.sendall(tosend + CRLF)
if extralines:
for l in extralines:
self.sock.sendall(l + CRLF)
code, data, content = self.__read_response(nblines)
if isinstance(code, six.binary_type):
code = code.decode('utf-8')
if isinstance(data, six.binary_type):
data = data.decode('utf-8')
if withcontent:
return code, data, content
return code, data
|
send_command
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, args=None, withcontent=False, extralines=None, nblines=-1):\n tosend = name.encode('utf-8')\n if args:\n tosend += b' ' + b' '.join(self.__prepare_args(args))\n self.__dprint(b'Command: ' + tosend)\n self.sock.sendall(tosend + CRLF)\n if extralines:\n for l in extralines:\n self.sock.sendall(l + CRLF)\n code, data, content = self.__read_response(nblines)\n if isinstance(code, six.binary_type):\n code = code.decode('utf-8')\n if isinstance(data, six.binary_type):\n data = data.decode('utf-8')\n if withcontent:\n return code, data, content\n return code, data\n",
"role": "user"
},
{
"content": "send_command",
"role": "assistant"
}
] |
def x(self, text):
m = self.__size_expr.match(text)
if m is not None:
self.errcode = b''
self.errmsg = self.__read_block(int(m.group(1)) + 2)
return
m = self.__error_expr.match(text)
if m is None:
raise Error('Bad error message')
if m.group(1) is not None:
self.errcode = m.group(1).strip(b'()')
else:
self.errcode = b''
self.errmsg = m.group(2).strip(b'"')
|
parse_error
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, text):\n m = self.__size_expr.match(text)\n if m is not None:\n self.errcode = b''\n self.errmsg = self.__read_block(int(m.group(1)) + 2)\n return\n m = self.__error_expr.match(text)\n if m is None:\n raise Error('Bad error message')\n if m.group(1) is not None:\n self.errcode = m.group(1).strip(b'()')\n else:\n self.errcode = b''\n self.errmsg = m.group(2).strip(b'\"')\n",
"role": "user"
},
{
"content": "parse_error",
"role": "assistant"
}
] |
def x(self, login, password, authz_id=b''):
if isinstance(login, six.text_type):
login = login.encode('utf-8')
if isinstance(password, six.text_type):
password = password.encode('utf-8')
params = base64.b64encode(b'\x00'.join([authz_id, login, password]))
code, data = self.__send_command('AUTHENTICATE', [b'PLAIN', params])
if code == 'OK':
return True
return False
|
plain_authentication
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, login, password, authz_id=b''):\n if isinstance(login, six.text_type):\n login = login.encode('utf-8')\n if isinstance(password, six.text_type):\n password = password.encode('utf-8')\n params = base64.b64encode(b'\\x00'.join([authz_id, login, password]))\n code, data = self.__send_command('AUTHENTICATE', [b'PLAIN', params])\n if code == 'OK':\n return True\n return False\n",
"role": "user"
},
{
"content": "plain_authentication",
"role": "assistant"
}
] |
def x(self, login, password, authz_id=''):
extralines = [b'"%s"' % base64.b64encode(login.encode('utf-8')),
b'"%s"' % base64.b64encode(password.encode('utf-8'))]
code, data = self.__send_command('AUTHENTICATE', [b'LOGIN'], extralines
=extralines)
if code == 'OK':
return True
return False
|
login_authentication
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, login, password, authz_id=''):\n extralines = [b'\"%s\"' % base64.b64encode(login.encode('utf-8')), \n b'\"%s\"' % base64.b64encode(password.encode('utf-8'))]\n code, data = self.__send_command('AUTHENTICATE', [b'LOGIN'], extralines\n =extralines)\n if code == 'OK':\n return True\n return False\n",
"role": "user"
},
{
"content": "login_authentication",
"role": "assistant"
}
] |
def x(self, login, password, authz_id=''):
code, data, challenge = self.__send_command('AUTHENTICATE', [
b'DIGEST-MD5'], withcontent=True, nblines=1)
dmd5 = DigestMD5(challenge, 'sieve/%s' % self.srvaddr)
code, data, challenge = self.__send_command('"%s"' % dmd5.response(
login, password, authz_id), withcontent=True, nblines=1)
if not challenge:
return False
if not dmd5.check_last_challenge(login, password, challenge):
self.errmsg = 'Bad challenge received from server'
return False
code, data = self.__send_command('""')
if code == 'OK':
return True
return False
|
digest_md5_authentication
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, login, password, authz_id=''):\n code, data, challenge = self.__send_command('AUTHENTICATE', [\n b'DIGEST-MD5'], withcontent=True, nblines=1)\n dmd5 = DigestMD5(challenge, 'sieve/%s' % self.srvaddr)\n code, data, challenge = self.__send_command('\"%s\"' % dmd5.response(\n login, password, authz_id), withcontent=True, nblines=1)\n if not challenge:\n return False\n if not dmd5.check_last_challenge(login, password, challenge):\n self.errmsg = 'Bad challenge received from server'\n return False\n code, data = self.__send_command('\"\"')\n if code == 'OK':\n return True\n return False\n",
"role": "user"
},
{
"content": "digest_md5_authentication",
"role": "assistant"
}
] |
def x(self, login, password, authz_id=b'', authmech=None):
if 'SASL' not in self.__capabilities:
raise Error('SASL not supported by the server')
srv_mechanisms = self.get_sasl_mechanisms()
if authmech is None or authmech not in SUPPORTED_AUTH_MECHS:
mech_list = SUPPORTED_AUTH_MECHS
else:
mech_list = [authmech]
for mech in mech_list:
if mech not in srv_mechanisms:
continue
mech = mech.lower().replace('-', '_')
auth_method = getattr(self, '_%s_authentication' % mech)
if auth_method(login, password, authz_id):
self.authenticated = True
return True
return False
self.errmsg = b'No suitable mechanism found'
return False
|
authenticate
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, login, password, authz_id=b'', authmech=None):\n if 'SASL' not in self.__capabilities:\n raise Error('SASL not supported by the server')\n srv_mechanisms = self.get_sasl_mechanisms()\n if authmech is None or authmech not in SUPPORTED_AUTH_MECHS:\n mech_list = SUPPORTED_AUTH_MECHS\n else:\n mech_list = [authmech]\n for mech in mech_list:\n if mech not in srv_mechanisms:\n continue\n mech = mech.lower().replace('-', '_')\n auth_method = getattr(self, '_%s_authentication' % mech)\n if auth_method(login, password, authz_id):\n self.authenticated = True\n return True\n return False\n self.errmsg = b'No suitable mechanism found'\n return False\n",
"role": "user"
},
{
"content": "authenticate",
"role": "assistant"
}
] |
def x(self, keyfile=None, certfile=None):
if not self.has_tls_support():
raise Error('STARTTLS not supported by the server')
code, data = self.__send_command('STARTTLS')
if code != 'OK':
return False
try:
nsock = ssl.wrap_socket(self.sock, keyfile, certfile)
except ssl.SSLError as e:
raise Error('SSL error: %s' % str(e))
self.sock = nsock
self.__capabilities = {}
self.__get_capabilities()
return True
|
starttls
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, keyfile=None, certfile=None):\n if not self.has_tls_support():\n raise Error('STARTTLS not supported by the server')\n code, data = self.__send_command('STARTTLS')\n if code != 'OK':\n return False\n try:\n nsock = ssl.wrap_socket(self.sock, keyfile, certfile)\n except ssl.SSLError as e:\n raise Error('SSL error: %s' % str(e))\n self.sock = nsock\n self.__capabilities = {}\n self.__get_capabilities()\n return True\n",
"role": "user"
},
{
"content": "starttls",
"role": "assistant"
}
] |
def x(self):
if isinstance(self.__capabilities['SIEVE'], six.string_types):
self.__capabilities['SIEVE'] = self.__capabilities['SIEVE'].split()
return self.__capabilities['SIEVE']
|
get_sieve_capabilities
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if isinstance(self.__capabilities['SIEVE'], six.string_types):\n self.__capabilities['SIEVE'] = self.__capabilities['SIEVE'].split()\n return self.__capabilities['SIEVE']\n",
"role": "user"
},
{
"content": "get_sieve_capabilities",
"role": "assistant"
}
] |
def x(self, login, password, authz_id=b'', starttls=False, authmech=None):
try:
self.sock = socket.create_connection((self.srvaddr, self.srvport))
self.sock.settimeout(Client.read_timeout)
except socket.error as msg:
raise Error('Connection to server failed: %s' % str(msg))
if not self.__get_capabilities():
raise Error('Failed to read capabilities from server')
if starttls and not self.__starttls():
return False
if self.__authenticate(login, password, authz_id, authmech):
return True
return False
|
connect
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, login, password, authz_id=b'', starttls=False, authmech=None):\n try:\n self.sock = socket.create_connection((self.srvaddr, self.srvport))\n self.sock.settimeout(Client.read_timeout)\n except socket.error as msg:\n raise Error('Connection to server failed: %s' % str(msg))\n if not self.__get_capabilities():\n raise Error('Failed to read capabilities from server')\n if starttls and not self.__starttls():\n return False\n if self.__authenticate(login, password, authz_id, authmech):\n return True\n return False\n",
"role": "user"
},
{
"content": "connect",
"role": "assistant"
}
] |
def x(self):
code, data, capabilities = self.__send_command('CAPABILITY',
withcontent=True)
if code == 'OK':
return capabilities
return None
|
capability
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n code, data, capabilities = self.__send_command('CAPABILITY',\n withcontent=True)\n if code == 'OK':\n return capabilities\n return None\n",
"role": "user"
},
{
"content": "capability",
"role": "assistant"
}
] |
def x(self, scriptname, scriptsize):
code, data = self.__send_command('HAVESPACE', [scriptname.encode(
'utf-8'), scriptsize])
if code == 'OK':
return True
return False
|
havespace
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, scriptname, scriptsize):\n code, data = self.__send_command('HAVESPACE', [scriptname.encode(\n 'utf-8'), scriptsize])\n if code == 'OK':\n return True\n return False\n",
"role": "user"
},
{
"content": "havespace",
"role": "assistant"
}
] |
def x(self):
code, data, listing = self.__send_command('LISTSCRIPTS', withcontent=True)
if code == 'NO':
return None
ret = []
active_script = None
for l in listing.splitlines():
if self.__size_expr.match(l):
continue
m = re.match(b'"([^"]+)"\\s*(.+)', l)
if m is None:
ret += [l.strip(b'"').decode('utf-8')]
continue
script = m.group(1).decode('utf-8')
if self.__active_expr.match(m.group(2)):
active_script = script
continue
ret += [script]
self.__dprint(ret)
return active_script, ret
|
listscripts
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n code, data, listing = self.__send_command('LISTSCRIPTS', withcontent=True)\n if code == 'NO':\n return None\n ret = []\n active_script = None\n for l in listing.splitlines():\n if self.__size_expr.match(l):\n continue\n m = re.match(b'\"([^\"]+)\"\\\\s*(.+)', l)\n if m is None:\n ret += [l.strip(b'\"').decode('utf-8')]\n continue\n script = m.group(1).decode('utf-8')\n if self.__active_expr.match(m.group(2)):\n active_script = script\n continue\n ret += [script]\n self.__dprint(ret)\n return active_script, ret\n",
"role": "user"
},
{
"content": "listscripts",
"role": "assistant"
}
] |
def x(self, name):
code, data, content = self.__send_command('GETSCRIPT', [name.encode(
'utf-8')], withcontent=True)
if code == 'OK':
lines = content.splitlines()
if self.__size_expr.match(lines[0]) is not None:
lines = lines[1:]
return u'\n'.join([line.decode('utf-8') for line in lines])
return None
|
getscript
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name):\n code, data, content = self.__send_command('GETSCRIPT', [name.encode(\n 'utf-8')], withcontent=True)\n if code == 'OK':\n lines = content.splitlines()\n if self.__size_expr.match(lines[0]) is not None:\n lines = lines[1:]\n return u'\\n'.join([line.decode('utf-8') for line in lines])\n return None\n",
"role": "user"
},
{
"content": "getscript",
"role": "assistant"
}
] |
def x(self, name, content):
content = tools.to_bytes(content)
content = tools.to_bytes('{%d+}' % len(content)) + CRLF + content
code, data = self.__send_command('PUTSCRIPT', [name.encode('utf-8'),
content])
if code == 'OK':
return True
return False
|
putscript
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, content):\n content = tools.to_bytes(content)\n content = tools.to_bytes('{%d+}' % len(content)) + CRLF + content\n code, data = self.__send_command('PUTSCRIPT', [name.encode('utf-8'),\n content])\n if code == 'OK':\n return True\n return False\n",
"role": "user"
},
{
"content": "putscript",
"role": "assistant"
}
] |
def x(self, name):
code, data = self.__send_command('DELETESCRIPT', [name.encode('utf-8')])
if code == 'OK':
return True
return False
|
deletescript
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name):\n code, data = self.__send_command('DELETESCRIPT', [name.encode('utf-8')])\n if code == 'OK':\n return True\n return False\n",
"role": "user"
},
{
"content": "deletescript",
"role": "assistant"
}
] |
def x(self, oldname, newname):
if 'VERSION' in self.__capabilities:
code, data = self.__send_command('RENAMESCRIPT', [oldname.encode(
'utf-8'), newname.encode('utf-8')])
if code == 'OK':
return True
return False
active_script, scripts = self.listscripts()
condition = oldname != active_script and (scripts is None or oldname not in
scripts)
if condition:
self.errmsg = b'Old script does not exist'
return False
if newname in scripts:
self.errmsg = b'New script already exists'
return False
oldscript = self.getscript(oldname)
if oldscript is None:
return False
if not self.putscript(newname, oldscript):
return False
if active_script == oldname:
if not self.setactive(newname):
return False
if not self.deletescript(oldname):
return False
return True
|
renamescript
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, oldname, newname):\n if 'VERSION' in self.__capabilities:\n code, data = self.__send_command('RENAMESCRIPT', [oldname.encode(\n 'utf-8'), newname.encode('utf-8')])\n if code == 'OK':\n return True\n return False\n active_script, scripts = self.listscripts()\n condition = oldname != active_script and (scripts is None or oldname not in\n scripts)\n if condition:\n self.errmsg = b'Old script does not exist'\n return False\n if newname in scripts:\n self.errmsg = b'New script already exists'\n return False\n oldscript = self.getscript(oldname)\n if oldscript is None:\n return False\n if not self.putscript(newname, oldscript):\n return False\n if active_script == oldname:\n if not self.setactive(newname):\n return False\n if not self.deletescript(oldname):\n return False\n return True\n",
"role": "user"
},
{
"content": "renamescript",
"role": "assistant"
}
] |
def x(self, scriptname):
code, data = self.__send_command('SETACTIVE', [scriptname.encode('utf-8')])
if code == 'OK':
return True
return False
|
setactive
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, scriptname):\n code, data = self.__send_command('SETACTIVE', [scriptname.encode('utf-8')])\n if code == 'OK':\n return True\n return False\n",
"role": "user"
},
{
"content": "setactive",
"role": "assistant"
}
] |
def x(self, content):
if 'VERSION' not in self.__capabilities:
raise NotImplementedError('server does not support CHECKSCRIPT command'
)
content = tools.to_bytes(content)
content = tools.to_bytes('{%d+}' % len(content)) + CRLF + content
code, data = self.__send_command('CHECKSCRIPT', [content])
if code == 'OK':
return True
return False
|
checkscript
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, content):\n if 'VERSION' not in self.__capabilities:\n raise NotImplementedError('server does not support CHECKSCRIPT command'\n )\n content = tools.to_bytes(content)\n content = tools.to_bytes('{%d+}' % len(content)) + CRLF + content\n code, data = self.__send_command('CHECKSCRIPT', [content])\n if code == 'OK':\n return True\n return False\n",
"role": "user"
},
{
"content": "checkscript",
"role": "assistant"
}
] |
def x(self, text):
self.pos = 0
self.text = text
while self.pos < len(text):
m = self.wsregexp.match(text, self.pos)
if m is not None:
self.pos = m.end()
continue
m = self.regexp.match(text, self.pos)
if m is None:
raise ParseError('unknown token %s' % text[self.pos:])
self.pos = m.end()
yield m.lastgroup, m.group(m.lastgroup)
|
scan
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, text):\n self.pos = 0\n self.text = text\n while self.pos < len(text):\n m = self.wsregexp.match(text, self.pos)\n if m is not None:\n self.pos = m.end()\n continue\n m = self.regexp.match(text, self.pos)\n if m is None:\n raise ParseError('unknown token %s' % text[self.pos:])\n self.pos = m.end()\n yield m.lastgroup, m.group(m.lastgroup)\n",
"role": "user"
},
{
"content": "scan",
"role": "assistant"
}
] |
def x(self):
self.result = []
self.hash_comments = []
self.__cstate = None
self.__curcommand = None
self.__curstringlist = None
self.__expected = None
self.__opened_blocks = 0
RequireCommand.loaded_extensions = []
|
reset_parser
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.result = []\n self.hash_comments = []\n self.__cstate = None\n self.__curcommand = None\n self.__curstringlist = None\n self.__expected = None\n self.__opened_blocks = 0\n RequireCommand.loaded_extensions = []\n",
"role": "user"
},
{
"content": "reset_parser",
"role": "assistant"
}
] |
def x(self, onlyrecord=False):
if self.__curcommand.must_follow is not None:
if not self.__curcommand.parent:
prevcmd = self.result[-1] if len(self.result) else None
else:
prevcmd = self.__curcommand.parent.children[-2] if len(self.
__curcommand.parent.children) >= 2 else None
if (prevcmd is None or prevcmd.name not in self.__curcommand.
must_follow):
raise ParseError('the %s command must follow an %s command' % (
self.__curcommand.name, ' or '.join(self.__curcommand.
must_follow)))
if not self.__curcommand.parent:
self.__curcommand.hash_comments = self.hash_comments
self.hash_comments = []
self.result += [self.__curcommand]
if not onlyrecord:
while self.__curcommand:
self.__curcommand = self.__curcommand.parent
condition = self.__curcommand and self.__curcommand.get_type(
) == 'test' and self.__curcommand.iscomplete()
if condition:
continue
break
|
up
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, onlyrecord=False):\n if self.__curcommand.must_follow is not None:\n if not self.__curcommand.parent:\n prevcmd = self.result[-1] if len(self.result) else None\n else:\n prevcmd = self.__curcommand.parent.children[-2] if len(self.\n __curcommand.parent.children) >= 2 else None\n if (prevcmd is None or prevcmd.name not in self.__curcommand.\n must_follow):\n raise ParseError('the %s command must follow an %s command' % (\n self.__curcommand.name, ' or '.join(self.__curcommand.\n must_follow)))\n if not self.__curcommand.parent:\n self.__curcommand.hash_comments = self.hash_comments\n self.hash_comments = []\n self.result += [self.__curcommand]\n if not onlyrecord:\n while self.__curcommand:\n self.__curcommand = self.__curcommand.parent\n condition = self.__curcommand and self.__curcommand.get_type(\n ) == 'test' and self.__curcommand.iscomplete()\n if condition:\n continue\n break\n",
"role": "user"
},
{
"content": "up",
"role": "assistant"
}
] |
def x(self, testsemicolon=True):
if not self.__curcommand.iscomplete():
return True
ctype = self.__curcommand.get_type()
if (ctype == 'action' or ctype == 'control' and not self.__curcommand.
accept_children):
if testsemicolon:
self.__set_expected('semicolon')
return True
while self.__curcommand.parent:
cmd = self.__curcommand
self.__curcommand = self.__curcommand.parent
if self.__curcommand.get_type() in ['control', 'test']:
if self.__curcommand.iscomplete():
if self.__curcommand.get_type() == 'control':
break
continue
if not self.__curcommand.check_next_arg('test', cmd, add=False):
return False
if not self.__curcommand.iscomplete():
if self.__curcommand.variable_args_nb:
self.__set_expected('comma', 'right_parenthesis')
break
return True
|
check_command_completion
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, testsemicolon=True):\n if not self.__curcommand.iscomplete():\n return True\n ctype = self.__curcommand.get_type()\n if (ctype == 'action' or ctype == 'control' and not self.__curcommand.\n accept_children):\n if testsemicolon:\n self.__set_expected('semicolon')\n return True\n while self.__curcommand.parent:\n cmd = self.__curcommand\n self.__curcommand = self.__curcommand.parent\n if self.__curcommand.get_type() in ['control', 'test']:\n if self.__curcommand.iscomplete():\n if self.__curcommand.get_type() == 'control':\n break\n continue\n if not self.__curcommand.check_next_arg('test', cmd, add=False):\n return False\n if not self.__curcommand.iscomplete():\n if self.__curcommand.variable_args_nb:\n self.__set_expected('comma', 'right_parenthesis')\n break\n return True\n",
"role": "user"
},
{
"content": "check_command_completion",
"role": "assistant"
}
] |
def x(self, ttype, tvalue):
if ttype == 'string':
self.__curstringlist += [tvalue.decode('utf-8')]
self.__set_expected('comma', 'right_bracket')
return True
if ttype == 'comma':
self.__set_expected('string')
return True
if ttype == 'right_bracket':
self.__curcommand.check_next_arg('stringlist', self.__curstringlist)
self.__cstate = self.__arguments
return self.__check_command_completion()
return False
|
stringlist
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, ttype, tvalue):\n if ttype == 'string':\n self.__curstringlist += [tvalue.decode('utf-8')]\n self.__set_expected('comma', 'right_bracket')\n return True\n if ttype == 'comma':\n self.__set_expected('string')\n return True\n if ttype == 'right_bracket':\n self.__curcommand.check_next_arg('stringlist', self.__curstringlist)\n self.__cstate = self.__arguments\n return self.__check_command_completion()\n return False\n",
"role": "user"
},
{
"content": "stringlist",
"role": "assistant"
}
] |
def x(self, ttype, tvalue):
if ttype in ['multiline', 'string']:
return self.__curcommand.check_next_arg('string', tvalue.decode(
'utf-8'))
if ttype in ['number', 'tag']:
return self.__curcommand.check_next_arg(ttype, tvalue.decode('ascii'))
if ttype == 'left_bracket':
self.__cstate = self.__stringlist
self.__curstringlist = []
self.__set_expected('string')
return True
condition = ttype in ['left_cbracket', 'comma'
] and self.__curcommand.non_deterministic_args
if condition:
self.__curcommand.reassign_arguments()
self.lexer.pos -= 1
return True
return False
|
argument
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, ttype, tvalue):\n if ttype in ['multiline', 'string']:\n return self.__curcommand.check_next_arg('string', tvalue.decode(\n 'utf-8'))\n if ttype in ['number', 'tag']:\n return self.__curcommand.check_next_arg(ttype, tvalue.decode('ascii'))\n if ttype == 'left_bracket':\n self.__cstate = self.__stringlist\n self.__curstringlist = []\n self.__set_expected('string')\n return True\n condition = ttype in ['left_cbracket', 'comma'\n ] and self.__curcommand.non_deterministic_args\n if condition:\n self.__curcommand.reassign_arguments()\n self.lexer.pos -= 1\n return True\n return False\n",
"role": "user"
},
{
"content": "argument",
"role": "assistant"
}
] |
def x(self, ttype, tvalue):
if ttype == 'identifier':
test = get_command_instance(tvalue.decode('ascii'), self.__curcommand)
self.__curcommand.check_next_arg('test', test)
self.__expected = test.get_expected_first()
self.__curcommand = test
return self.__check_command_completion(testsemicolon=False)
if ttype == 'left_parenthesis':
self.__set_expected('identifier')
return True
if ttype == 'comma':
self.__set_expected('identifier')
return True
if ttype == 'right_parenthesis':
self.__up()
return True
if self.__argument(ttype, tvalue):
return self.__check_command_completion(testsemicolon=False)
return False
|
arguments
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, ttype, tvalue):\n if ttype == 'identifier':\n test = get_command_instance(tvalue.decode('ascii'), self.__curcommand)\n self.__curcommand.check_next_arg('test', test)\n self.__expected = test.get_expected_first()\n self.__curcommand = test\n return self.__check_command_completion(testsemicolon=False)\n if ttype == 'left_parenthesis':\n self.__set_expected('identifier')\n return True\n if ttype == 'comma':\n self.__set_expected('identifier')\n return True\n if ttype == 'right_parenthesis':\n self.__up()\n return True\n if self.__argument(ttype, tvalue):\n return self.__check_command_completion(testsemicolon=False)\n return False\n",
"role": "user"
},
{
"content": "arguments",
"role": "assistant"
}
] |
def x(self, ttype, tvalue):
if self.__cstate is None:
if ttype == 'right_cbracket':
self.__up()
self.__opened_blocks -= 1
self.__cstate = None
return True
if ttype != 'identifier':
return False
command = get_command_instance(tvalue.decode('ascii'), self.
__curcommand)
if command.get_type() == 'test':
raise ParseError('%s may not appear as a first command' %
command.name)
if command.get_type(
) == 'control' and command.accept_children and command.has_arguments(
):
self.__set_expected('identifier')
if self.__curcommand is not None:
if not self.__curcommand.addchild(command):
raise ParseError('%s unexpected after a %s' % (tvalue, self
.__curcommand.name))
self.__curcommand = command
self.__cstate = self.__arguments
return True
if self.__cstate(ttype, tvalue):
return True
if ttype == 'left_cbracket':
self.__opened_blocks += 1
self.__cstate = None
return True
if ttype == 'semicolon':
self.__cstate = None
if not self.__check_command_completion(testsemicolon=False):
return False
self.__curcommand.complete_cb()
self.__up()
return True
return False
|
command
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, ttype, tvalue):\n if self.__cstate is None:\n if ttype == 'right_cbracket':\n self.__up()\n self.__opened_blocks -= 1\n self.__cstate = None\n return True\n if ttype != 'identifier':\n return False\n command = get_command_instance(tvalue.decode('ascii'), self.\n __curcommand)\n if command.get_type() == 'test':\n raise ParseError('%s may not appear as a first command' %\n command.name)\n if command.get_type(\n ) == 'control' and command.accept_children and command.has_arguments(\n ):\n self.__set_expected('identifier')\n if self.__curcommand is not None:\n if not self.__curcommand.addchild(command):\n raise ParseError('%s unexpected after a %s' % (tvalue, self\n .__curcommand.name))\n self.__curcommand = command\n self.__cstate = self.__arguments\n return True\n if self.__cstate(ttype, tvalue):\n return True\n if ttype == 'left_cbracket':\n self.__opened_blocks += 1\n self.__cstate = None\n return True\n if ttype == 'semicolon':\n self.__cstate = None\n if not self.__check_command_completion(testsemicolon=False):\n return False\n self.__curcommand.complete_cb()\n self.__up()\n return True\n return False\n",
"role": "user"
},
{
"content": "command",
"role": "assistant"
}
] |
def x(self, text):
if isinstance(text, text_type):
text = text.encode('utf-8')
self.__reset_parser()
try:
for ttype, tvalue in self.lexer.scan(text):
if ttype == 'hash_comment':
self.hash_comments += [tvalue.strip()]
continue
if ttype == 'bracket_comment':
continue
if self.__expected is not None:
if ttype not in self.__expected:
if self.lexer.pos < len(text):
msg = "%s found while %s expected near '%s'" % (ttype,
'|'.join(self.__expected), text[self.lexer.pos])
else:
msg = '%s found while %s expected at end of file' % (
ttype, '|'.join(self.__expected))
raise ParseError(msg)
self.__expected = None
if not self.__command(ttype, tvalue):
msg = "unexpected token '%s' found near '%s'" % (tvalue.
decode(), text.decode()[self.lexer.pos])
raise ParseError(msg)
if self.__opened_blocks:
self.__set_expected('right_cbracket')
if self.__expected is not None:
raise ParseError('end of script reached while %s expected' %
'|'.join(self.__expected))
except (ParseError, CommandError) as e:
self.error = 'line %d: %s' % (self.lexer.curlineno(), str(e))
return False
return True
|
parse
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, text):\n if isinstance(text, text_type):\n text = text.encode('utf-8')\n self.__reset_parser()\n try:\n for ttype, tvalue in self.lexer.scan(text):\n if ttype == 'hash_comment':\n self.hash_comments += [tvalue.strip()]\n continue\n if ttype == 'bracket_comment':\n continue\n if self.__expected is not None:\n if ttype not in self.__expected:\n if self.lexer.pos < len(text):\n msg = \"%s found while %s expected near '%s'\" % (ttype,\n '|'.join(self.__expected), text[self.lexer.pos])\n else:\n msg = '%s found while %s expected at end of file' % (\n ttype, '|'.join(self.__expected))\n raise ParseError(msg)\n self.__expected = None\n if not self.__command(ttype, tvalue):\n msg = \"unexpected token '%s' found near '%s'\" % (tvalue.\n decode(), text.decode()[self.lexer.pos])\n raise ParseError(msg)\n if self.__opened_blocks:\n self.__set_expected('right_cbracket')\n if self.__expected is not None:\n raise ParseError('end of script reached while %s expected' %\n '|'.join(self.__expected))\n except (ParseError, CommandError) as e:\n self.error = 'line %d: %s' % (self.lexer.curlineno(), str(e))\n return False\n return True\n",
"role": "user"
},
{
"content": "parse",
"role": "assistant"
}
] |
def x(self, name):
with open(name, 'rb') as fp:
return self.parse(fp.read())
|
parse_file
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name):\n with open(name, 'rb') as fp:\n return self.parse(fp.read())\n",
"role": "user"
},
{
"content": "parse_file",
"role": "assistant"
}
] |
def x(self, target=sys.stdout):
for r in self.result:
r.dump(target=target)
|
dump
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, target=sys.stdout):\n for r in self.result:\n r.dump(target=target)\n",
"role": "user"
},
{
"content": "dump",
"role": "assistant"
}
] |
def x(cmds):
if not isinstance(cmds, Iterable):
cmds = [cmds]
for command in cmds:
if command.__name__.endswith('Command'):
globals()[command.__name__] = command
|
add_commands
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cmds):\n if not isinstance(cmds, Iterable):\n cmds = [cmds]\n for command in cmds:\n if command.__name__.endswith('Command'):\n globals()[command.__name__] = command\n",
"role": "user"
},
{
"content": "add_commands",
"role": "assistant"
}
] |
def x(name, parent=None, checkexists=True):
cname = '%sCommand' % name.lower().capitalize()
gl = globals()
condition = cname not in gl or checkexists and gl[cname].extension and gl[
cname].extension not in RequireCommand.loaded_extensions
if condition:
raise UnknownCommand(name)
return gl[cname](parent)
|
get_command_instance
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name, parent=None, checkexists=True):\n cname = '%sCommand' % name.lower().capitalize()\n gl = globals()\n condition = cname not in gl or checkexists and gl[cname].extension and gl[\n cname].extension not in RequireCommand.loaded_extensions\n if condition:\n raise UnknownCommand(name)\n return gl[cname](parent)\n",
"role": "user"
},
{
"content": "get_command_instance",
"role": "assistant"
}
] |
def x(self, indentlevel=0, target=sys.stdout):
self.__print(self.name, indentlevel, nocr=True, target=target)
if self.has_arguments():
for arg in self.args_definition:
if not arg['name'] in self.arguments:
continue
target.write(' ')
value = self.arguments[arg['name']]
atype = arg['type']
if 'tag' in atype:
target.write(value)
if arg['name'] in self.extra_arguments:
value = self.extra_arguments[arg['name']]
atype = arg['extra_arg']['type']
target.write(' ')
else:
continue
if type(value) == list:
if self.__get_arg_type(arg['name']) == ['testlist']:
target.write('(')
for t in value:
t.tosieve(target=target)
if value.index(t) != len(value) - 1:
target.write(', ')
target.write(')')
else:
target.write('[{}]'.format(', '.join([('"%s"' % v.strip
('"')) for v in value])))
continue
if isinstance(value, Command):
value.tosieve(indentlevel, target=target)
continue
if 'string' in atype:
target.write(value)
if not value.startswith('"') and not value.startswith('['):
target.write('\n')
else:
target.write(value)
if not self.accept_children:
if self.get_type() != 'test':
target.write(';\n')
return
if self.get_type() != 'control':
return
target.write(' {\n')
for ch in self.children:
ch.tosieve(indentlevel + 4, target=target)
self.__print('}', indentlevel, target=target)
|
tosieve
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, indentlevel=0, target=sys.stdout):\n self.__print(self.name, indentlevel, nocr=True, target=target)\n if self.has_arguments():\n for arg in self.args_definition:\n if not arg['name'] in self.arguments:\n continue\n target.write(' ')\n value = self.arguments[arg['name']]\n atype = arg['type']\n if 'tag' in atype:\n target.write(value)\n if arg['name'] in self.extra_arguments:\n value = self.extra_arguments[arg['name']]\n atype = arg['extra_arg']['type']\n target.write(' ')\n else:\n continue\n if type(value) == list:\n if self.__get_arg_type(arg['name']) == ['testlist']:\n target.write('(')\n for t in value:\n t.tosieve(target=target)\n if value.index(t) != len(value) - 1:\n target.write(', ')\n target.write(')')\n else:\n target.write('[{}]'.format(', '.join([('\"%s\"' % v.strip\n ('\"')) for v in value])))\n continue\n if isinstance(value, Command):\n value.tosieve(indentlevel, target=target)\n continue\n if 'string' in atype:\n target.write(value)\n if not value.startswith('\"') and not value.startswith('['):\n target.write('\\n')\n else:\n target.write(value)\n if not self.accept_children:\n if self.get_type() != 'test':\n target.write(';\\n')\n return\n if self.get_type() != 'control':\n return\n target.write(' {\\n')\n for ch in self.children:\n ch.tosieve(indentlevel + 4, target=target)\n self.__print('}', indentlevel, target=target)\n",
"role": "user"
},
{
"content": "tosieve",
"role": "assistant"
}
] |
def x(self, indentlevel=0, target=sys.stdout):
self.__print(self, indentlevel, target=target)
indentlevel += 4
if self.has_arguments():
for arg in self.args_definition:
if not arg['name'] in self.arguments:
continue
value = self.arguments[arg['name']]
atype = arg['type']
if 'tag' in atype:
self.__print(str(value), indentlevel, target=target)
if arg['name'] in self.extra_arguments:
value = self.extra_arguments[arg['name']]
atype = arg['extra_arg']['type']
else:
continue
if type(value) == list:
if self.__get_arg_type(arg['name']) == ['testlist']:
for t in value:
t.dump(indentlevel, target)
else:
self.__print('[' + ','.join(value) + ']', indentlevel,
target=target)
continue
if isinstance(value, Command):
value.dump(indentlevel, target)
continue
self.__print(str(value), indentlevel, target=target)
for ch in self.children:
ch.dump(indentlevel, target)
|
dump
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, indentlevel=0, target=sys.stdout):\n self.__print(self, indentlevel, target=target)\n indentlevel += 4\n if self.has_arguments():\n for arg in self.args_definition:\n if not arg['name'] in self.arguments:\n continue\n value = self.arguments[arg['name']]\n atype = arg['type']\n if 'tag' in atype:\n self.__print(str(value), indentlevel, target=target)\n if arg['name'] in self.extra_arguments:\n value = self.extra_arguments[arg['name']]\n atype = arg['extra_arg']['type']\n else:\n continue\n if type(value) == list:\n if self.__get_arg_type(arg['name']) == ['testlist']:\n for t in value:\n t.dump(indentlevel, target)\n else:\n self.__print('[' + ','.join(value) + ']', indentlevel,\n target=target)\n continue\n if isinstance(value, Command):\n value.dump(indentlevel, target)\n continue\n self.__print(str(value), indentlevel, target=target)\n for ch in self.children:\n ch.dump(indentlevel, target)\n",
"role": "user"
},
{
"content": "dump",
"role": "assistant"
}
] |
def x(self):
yield self
if self.has_arguments():
for arg in self.args_definition:
if not arg['name'] in self.arguments:
continue
value = self.arguments[arg['name']]
if type(value) == list:
if self.__get_arg_type(arg['name']) == ['testlist']:
for t in value:
for node in t.walk():
yield node
if isinstance(value, Command):
for node in value.walk():
yield node
for ch in self.children:
for node in ch.walk():
yield node
|
walk
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n yield self\n if self.has_arguments():\n for arg in self.args_definition:\n if not arg['name'] in self.arguments:\n continue\n value = self.arguments[arg['name']]\n if type(value) == list:\n if self.__get_arg_type(arg['name']) == ['testlist']:\n for t in value:\n for node in t.walk():\n yield node\n if isinstance(value, Command):\n for node in value.walk():\n yield node\n for ch in self.children:\n for node in ch.walk():\n yield node\n",
"role": "user"
},
{
"content": "walk",
"role": "assistant"
}
] |
def x(self, child):
if not self.accept_children:
return False
self.children += [child]
return True
|
addchild
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, child):\n if not self.accept_children:\n return False\n self.children += [child]\n return True\n",
"role": "user"
},
{
"content": "addchild",
"role": "assistant"
}
] |
def x(self, atype=None, avalue=None):
if self.variable_args_nb:
return False
if self.required_args == -1:
self.required_args = 0
for arg in self.args_definition:
if arg.get('required', False):
self.required_args += 1
return (not self.curarg or 'extra_arg' not in self.curarg or
'valid_for' in self.curarg['extra_arg'] and atype and atype in self
.curarg['extra_arg']['type'] and avalue not in self.curarg[
'extra_arg']['valid_for']) and self.rargs_cnt == self.required_args
|
iscomplete
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, atype=None, avalue=None):\n if self.variable_args_nb:\n return False\n if self.required_args == -1:\n self.required_args = 0\n for arg in self.args_definition:\n if arg.get('required', False):\n self.required_args += 1\n return (not self.curarg or 'extra_arg' not in self.curarg or \n 'valid_for' in self.curarg['extra_arg'] and atype and atype in self\n .curarg['extra_arg']['type'] and avalue not in self.curarg[\n 'extra_arg']['valid_for']) and self.rargs_cnt == self.required_args\n",
"role": "user"
},
{
"content": "iscomplete",
"role": "assistant"
}
] |
def x(self, arg, value, check_extension=True):
if 'values' not in arg and 'extension_values' not in arg:
return True
if 'values' in arg and value.lower() in arg['values']:
return True
if 'extension_values' in arg:
extension = arg['extension_values'].get(value.lower())
if extension:
condition = (check_extension and extension not in
RequireCommand.loaded_extensions)
if condition:
raise ExtensionNotLoaded(extension)
return True
return False
|
is_valid_value_for_arg
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, arg, value, check_extension=True):\n if 'values' not in arg and 'extension_values' not in arg:\n return True\n if 'values' in arg and value.lower() in arg['values']:\n return True\n if 'extension_values' in arg:\n extension = arg['extension_values'].get(value.lower())\n if extension:\n condition = (check_extension and extension not in\n RequireCommand.loaded_extensions)\n if condition:\n raise ExtensionNotLoaded(extension)\n return True\n return False\n",
"role": "user"
},
{
"content": "is_valid_value_for_arg",
"role": "assistant"
}
] |
def x(self, typ, typlist):
typ_is_str = typ == 'string'
str_list_in_typlist = 'stringlist' in typlist
return typ in typlist or typ_is_str and str_list_in_typlist
|
is_valid_type
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, typ, typlist):\n typ_is_str = typ == 'string'\n str_list_in_typlist = 'stringlist' in typlist\n return typ in typlist or typ_is_str and str_list_in_typlist\n",
"role": "user"
},
{
"content": "is_valid_type",
"role": "assistant"
}
] |
def x(self, atype, avalue, add=True, check_extension=True):
if not self.has_arguments():
return False
if self.iscomplete(atype, avalue):
return False
if self.curarg is not None and 'extra_arg' in self.curarg:
condition = atype in self.curarg['extra_arg']['type'] and ('values'
not in self.curarg['extra_arg'] or avalue in self.curarg[
'extra_arg']['values'])
if condition:
if add:
self.extra_arguments[self.curarg['name']] = avalue
self.curarg = None
return True
raise BadValue(self.curarg['name'], avalue)
failed = False
pos = self.nextargpos
while pos < len(self.args_definition):
curarg = self.args_definition[pos]
if curarg.get('required', False):
if curarg['type'] == ['testlist']:
if atype != 'test':
failed = True
elif add:
if not curarg['name'] in self.arguments:
self.arguments[curarg['name']] = []
self.arguments[curarg['name']] += [avalue]
elif not self.__is_valid_type(atype, curarg['type']
) or not self.__is_valid_value_for_arg(curarg, avalue,
check_extension):
failed = True
else:
self.curarg = curarg
self.rargs_cnt += 1
self.nextargpos = pos + 1
if add:
self.arguments[curarg['name']] = avalue
break
condition = atype in curarg['type'] and self.__is_valid_value_for_arg(
curarg, avalue, check_extension)
if condition:
ext = curarg.get('extension')
condition = (check_extension and ext and ext not in
RequireCommand.loaded_extensions)
if condition:
raise ExtensionNotLoaded(ext)
condition = 'extra_arg' in curarg and ('valid_for' not in
curarg['extra_arg'] or avalue in curarg['extra_arg'][
'valid_for'])
if condition:
self.curarg = curarg
if add:
self.arguments[curarg['name']] = avalue
break
pos += 1
if failed:
raise BadArgument(self.name, avalue, self.args_definition[pos]['type'])
return True
|
check_next_arg
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, atype, avalue, add=True, check_extension=True):\n if not self.has_arguments():\n return False\n if self.iscomplete(atype, avalue):\n return False\n if self.curarg is not None and 'extra_arg' in self.curarg:\n condition = atype in self.curarg['extra_arg']['type'] and ('values'\n not in self.curarg['extra_arg'] or avalue in self.curarg[\n 'extra_arg']['values'])\n if condition:\n if add:\n self.extra_arguments[self.curarg['name']] = avalue\n self.curarg = None\n return True\n raise BadValue(self.curarg['name'], avalue)\n failed = False\n pos = self.nextargpos\n while pos < len(self.args_definition):\n curarg = self.args_definition[pos]\n if curarg.get('required', False):\n if curarg['type'] == ['testlist']:\n if atype != 'test':\n failed = True\n elif add:\n if not curarg['name'] in self.arguments:\n self.arguments[curarg['name']] = []\n self.arguments[curarg['name']] += [avalue]\n elif not self.__is_valid_type(atype, curarg['type']\n ) or not self.__is_valid_value_for_arg(curarg, avalue,\n check_extension):\n failed = True\n else:\n self.curarg = curarg\n self.rargs_cnt += 1\n self.nextargpos = pos + 1\n if add:\n self.arguments[curarg['name']] = avalue\n break\n condition = atype in curarg['type'] and self.__is_valid_value_for_arg(\n curarg, avalue, check_extension)\n if condition:\n ext = curarg.get('extension')\n condition = (check_extension and ext and ext not in\n RequireCommand.loaded_extensions)\n if condition:\n raise ExtensionNotLoaded(ext)\n condition = 'extra_arg' in curarg and ('valid_for' not in\n curarg['extra_arg'] or avalue in curarg['extra_arg'][\n 'valid_for'])\n if condition:\n self.curarg = curarg\n if add:\n self.arguments[curarg['name']] = avalue\n break\n pos += 1\n if failed:\n raise BadArgument(self.name, avalue, self.args_definition[pos]['type'])\n return True\n",
"role": "user"
},
{
"content": "check_next_arg",
"role": "assistant"
}
] |
def x(self):
value = self.arguments['header-names']
if isinstance(value, list):
value = '[{}]'.format(','.join('"{}"'.format(item) for item in value))
if not value.startswith('['):
return 'exists', value.strip('"')
return ('exists',) + tuple(tools.to_list(value))
|
args_as_tuple
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n value = self.arguments['header-names']\n if isinstance(value, list):\n value = '[{}]'.format(','.join('\"{}\"'.format(item) for item in value))\n if not value.startswith('['):\n return 'exists', value.strip('\"')\n return ('exists',) + tuple(tools.to_list(value))\n",
"role": "user"
},
{
"content": "args_as_tuple",
"role": "assistant"
}
] |
def x(self):
if ',' in self.arguments['header-names']:
result = tuple(tools.to_list(self.arguments['header-names']))
else:
result = self.arguments['header-names'].strip('"'),
result = result + (self.arguments['match-type'],)
if ',' in self.arguments['key-list']:
result = result + tuple(tools.to_list(self.arguments['key-list'],
unquote=False))
else:
result = result + (self.arguments['key-list'].strip('"'),)
return result
|
args_as_tuple
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if ',' in self.arguments['header-names']:\n result = tuple(tools.to_list(self.arguments['header-names']))\n else:\n result = self.arguments['header-names'].strip('\"'),\n result = result + (self.arguments['match-type'],)\n if ',' in self.arguments['key-list']:\n result = result + tuple(tools.to_list(self.arguments['key-list'],\n unquote=False))\n else:\n result = result + (self.arguments['key-list'].strip('\"'),)\n return result\n",
"role": "user"
},
{
"content": "args_as_tuple",
"role": "assistant"
}
] |
def x(self):
result = 'body',
result = result + (self.arguments['body-transform'], self.arguments[
'match-type'])
if self.arguments['key-list'].startswith('['):
result = result + tuple(tools.to_list(self.arguments['key-list']))
else:
result = result + (self.arguments['key-list'].strip('"'),)
return result
|
args_as_tuple
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n result = 'body',\n result = result + (self.arguments['body-transform'], self.arguments[\n 'match-type'])\n if self.arguments['key-list'].startswith('['):\n result = result + tuple(tools.to_list(self.arguments['key-list']))\n else:\n result = result + (self.arguments['key-list'].strip('\"'),)\n return result\n",
"role": "user"
},
{
"content": "args_as_tuple",
"role": "assistant"
}
] |
def x(self):
condition = ('variable-list' in self.arguments and 'list-of-flags' not in
self.arguments)
if condition:
self.arguments['list-of-flags'] = self.arguments.pop('variable-list')
self.rargs_cnt = 1
|
reassign_arguments
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n condition = ('variable-list' in self.arguments and 'list-of-flags' not in\n self.arguments)\n if condition:\n self.arguments['list-of-flags'] = self.arguments.pop('variable-list')\n self.rargs_cnt = 1\n",
"role": "user"
},
{
"content": "reassign_arguments",
"role": "assistant"
}
] |
def x(self):
result = 'currentdate',
result += ':zone', self.extra_arguments['zone'].strip('"'), self.arguments[
'match-type']
if self.arguments['match-type'] in [':count', ':value']:
result += self.extra_arguments['match-type'].strip('"'),
result += self.arguments['date-part'].strip('"'),
value = self.arguments['key-list']
if isinstance(value, list):
value = '[{}]'.format(','.join('"{}"'.format(item) for item in value))
if value.startswith('['):
result = result + tuple(tools.to_list(value))
else:
result = result + (value.strip('"'),)
return result
|
args_as_tuple
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n result = 'currentdate',\n result += ':zone', self.extra_arguments['zone'].strip('\"'), self.arguments[\n 'match-type']\n if self.arguments['match-type'] in [':count', ':value']:\n result += self.extra_arguments['match-type'].strip('\"'),\n result += self.arguments['date-part'].strip('\"'),\n value = self.arguments['key-list']\n if isinstance(value, list):\n value = '[{}]'.format(','.join('\"{}\"'.format(item) for item in value))\n if value.startswith('['):\n result = result + tuple(tools.to_list(value))\n else:\n result = result + (value.strip('\"'),)\n return result\n",
"role": "user"
},
{
"content": "args_as_tuple",
"role": "assistant"
}
] |
def x(s, encoding='utf-8'):
if isinstance(s, six.binary_type):
return s
if six.PY3:
return bytes(s, encoding)
return s.encode(encoding)
|
to_bytes
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(s, encoding='utf-8'):\n if isinstance(s, six.binary_type):\n return s\n if six.PY3:\n return bytes(s, encoding)\n return s.encode(encoding)\n",
"role": "user"
},
{
"content": "to_bytes",
"role": "assistant"
}
] |
def x(stringlist, unquote=True):
stringlist = stringlist[1:-1]
return [(string.strip('"') if unquote else string) for string in
stringlist.split(',')]
|
to_list
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(stringlist, unquote=True):\n stringlist = stringlist[1:-1]\n return [(string.strip('\"') if unquote else string) for string in\n stringlist.split(',')]\n",
"role": "user"
},
{
"content": "to_list",
"role": "assistant"
}
] |
def x():
import jinja2.ext
from puente.ext import PuenteI18nExtension
jinja2.ext.InternationalizationExtension = PuenteI18nExtension
jinja2.ext.i18n = PuenteI18nExtension
|
monkeypatch_i18n
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n import jinja2.ext\n from puente.ext import PuenteI18nExtension\n jinja2.ext.InternationalizationExtension = PuenteI18nExtension\n jinja2.ext.i18n = PuenteI18nExtension\n",
"role": "user"
},
{
"content": "monkeypatch_i18n",
"role": "assistant"
}
] |
def x(additional_keywords=None):
keywords = dict(BABEL_KEYWORDS)
keywords.update({'_lazy': None, 'gettext_lazy': None, 'ugettext_lazy':
None, 'gettext_noop': None, 'ugettext_noop': None, 'ngettext_lazy':
(1, 2), 'ungettext_lazy': (1, 2), 'npgettext': ((1, 'c'), 2, 3),
'pgettext_lazy': ((1, 'c'), 2), 'npgettext_lazy': ((1, 'c'), 2, 3)})
if additional_keywords:
for key, val in additional_keywords.items():
keywords[key] = val
return keywords
|
generate_keywords
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(additional_keywords=None):\n keywords = dict(BABEL_KEYWORDS)\n keywords.update({'_lazy': None, 'gettext_lazy': None, 'ugettext_lazy':\n None, 'gettext_noop': None, 'ugettext_noop': None, 'ngettext_lazy':\n (1, 2), 'ungettext_lazy': (1, 2), 'npgettext': ((1, 'c'), 2, 3),\n 'pgettext_lazy': ((1, 'c'), 2), 'npgettext_lazy': ((1, 'c'), 2, 3)})\n if additional_keywords:\n for key, val in additional_keywords.items():\n keywords[key] = val\n return keywords\n",
"role": "user"
},
{
"content": "generate_keywords",
"role": "assistant"
}
] |
def x(message):
return u' '.join(map(lambda s: s.strip(), filter(None, message.strip().
splitlines())))
|
collapse_whitespace
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(message):\n return u' '.join(map(lambda s: s.strip(), filter(None, message.strip().\n splitlines())))\n",
"role": "user"
},
{
"content": "collapse_whitespace",
"role": "assistant"
}
] |
def x():
try:
return settings.PUENTE['JINJA2_CONFIG']
except KeyError:
pass
for tmpl_config in getattr(settings, 'TEMPLATES', []):
try:
backend = tmpl_config['BACKEND']
except KeyError:
continue
if backend == 'django_jinja.backend.Jinja2':
extensions = tmpl_config.get('OPTIONS', {}).get('extensions', [])
return {'**.*': {'extensions': ','.join(extensions), 'silent':
'False'}}
if getattr(settings, 'JINJA_CONFIG'):
jinja_config = settings.JINJA_CONFIG
if callable(jinja_config):
jinja_config = jinja_config()
return {'**.*': {'extensions': ','.join(jinja_config['extensions']),
'silent': 'False'}}
raise CommandError(
'No valid jinja2 config found in settings. See configuration documentation.'
)
|
generate_options_map
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n try:\n return settings.PUENTE['JINJA2_CONFIG']\n except KeyError:\n pass\n for tmpl_config in getattr(settings, 'TEMPLATES', []):\n try:\n backend = tmpl_config['BACKEND']\n except KeyError:\n continue\n if backend == 'django_jinja.backend.Jinja2':\n extensions = tmpl_config.get('OPTIONS', {}).get('extensions', [])\n return {'**.*': {'extensions': ','.join(extensions), 'silent':\n 'False'}}\n if getattr(settings, 'JINJA_CONFIG'):\n jinja_config = settings.JINJA_CONFIG\n if callable(jinja_config):\n jinja_config = jinja_config()\n return {'**.*': {'extensions': ','.join(jinja_config['extensions']),\n 'silent': 'False'}}\n raise CommandError(\n 'No valid jinja2 config found in settings. See configuration documentation.'\n )\n",
"role": "user"
},
{
"content": "generate_options_map",
"role": "assistant"
}
] |
def x(outputdir, domain_methods, text_domain, keywords, comment_tags,
base_dir, project, version, msgid_bugs_address):
monkeypatch_i18n()
outputdir = os.path.abspath(outputdir)
if not os.path.isdir(outputdir):
print('Creating output dir %s ...' % outputdir)
os.makedirs(outputdir)
domains = domain_methods.keys()
def x(filename, method, options):
if method != 'ignore':
print(' %s' % filename)
for domain in domains:
print('Extracting all strings in domain %s...' % domain)
methods = domain_methods[domain]
catalog = Catalog(header_comment='', project=project, version=
version, msgid_bugs_address=msgid_bugs_address, charset='utf-8')
extracted = extract_from_dir(base_dir, method_map=methods,
options_map=generate_options_map(), keywords=keywords,
comment_tags=comment_tags, callback=callback)
for filename, lineno, msg, cmts, ctxt in extracted:
catalog.add(msg, None, [(filename, lineno)], auto_comments=cmts,
context=ctxt)
with open(os.path.join(outputdir, '%s.pot' % domain), 'wb') as fp:
write_po(fp, catalog, width=80)
print('Done')
|
extract_command
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(outputdir, domain_methods, text_domain, keywords, comment_tags,\n base_dir, project, version, msgid_bugs_address):\n monkeypatch_i18n()\n outputdir = os.path.abspath(outputdir)\n if not os.path.isdir(outputdir):\n print('Creating output dir %s ...' % outputdir)\n os.makedirs(outputdir)\n domains = domain_methods.keys()\n\n def x(filename, method, options):\n if method != 'ignore':\n print(' %s' % filename)\n for domain in domains:\n print('Extracting all strings in domain %s...' % domain)\n methods = domain_methods[domain]\n catalog = Catalog(header_comment='', project=project, version=\n version, msgid_bugs_address=msgid_bugs_address, charset='utf-8')\n extracted = extract_from_dir(base_dir, method_map=methods,\n options_map=generate_options_map(), keywords=keywords,\n comment_tags=comment_tags, callback=callback)\n for filename, lineno, msg, cmts, ctxt in extracted:\n catalog.add(msg, None, [(filename, lineno)], auto_comments=cmts,\n context=ctxt)\n with open(os.path.join(outputdir, '%s.pot' % domain), 'wb') as fp:\n write_po(fp, catalog, width=80)\n print('Done')\n",
"role": "user"
},
{
"content": "extract_command",
"role": "assistant"
}
] |
def x(create, backup, base_dir, domain_methods, languages):
locale_dir = os.path.join(base_dir, 'locale')
if not call(['which', 'msginit'], stdout=PIPE) == 0:
raise CommandError('You do not have gettext installed.')
if not call(['which', 'msgmerge'], stdout=PIPE) == 0:
raise CommandError('You do not have gettext installed.')
if languages and isinstance(languages[0], (tuple, list)):
languages = [lang[0] for lang in languages]
if create:
for lang in languages:
d = os.path.join(locale_dir, lang.replace('-', '_'), 'LC_MESSAGES')
if not os.path.exists(d):
os.makedirs(d)
domains = domain_methods.keys()
for domain in domains:
print('Merging %s strings to each locale...' % domain)
domain_pot = os.path.join(locale_dir, 'templates', 'LC_MESSAGES',
'%s.pot' % domain)
if not os.path.isfile(domain_pot):
raise CommandError('Can not find %s.pot' % domain)
for locale in os.listdir(locale_dir):
if not os.path.isdir(os.path.join(locale_dir, locale)
) or locale.startswith('.') or locale == 'templates':
continue
domain_po = os.path.join(locale_dir, locale, 'LC_MESSAGES',
'%s.po' % domain)
if not os.path.isfile(domain_po):
print(' Can not find (%s). Creating...' % domain_po)
p1 = Popen(['msginit', '--no-translator', '--locale=%s' %
locale, '--input=%s' % domain_pot, '--output-file=%s' %
domain_po, '--width=200'])
p1.communicate()
print('Merging %s.po for %s' % (domain, locale))
with open(domain_pot) as domain_pot_file:
if locale == 'en_US':
with TemporaryFile('w+t') as enmerged:
p2 = Popen(['msgen', '-'], stdin=domain_pot_file,
stdout=enmerged)
p2.communicate()
_msgmerge(domain_po, enmerged, backup)
else:
_msgmerge(domain_po, domain_pot_file, backup)
print('Domain %s finished' % domain)
print('All finished')
|
merge_command
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(create, backup, base_dir, domain_methods, languages):\n locale_dir = os.path.join(base_dir, 'locale')\n if not call(['which', 'msginit'], stdout=PIPE) == 0:\n raise CommandError('You do not have gettext installed.')\n if not call(['which', 'msgmerge'], stdout=PIPE) == 0:\n raise CommandError('You do not have gettext installed.')\n if languages and isinstance(languages[0], (tuple, list)):\n languages = [lang[0] for lang in languages]\n if create:\n for lang in languages:\n d = os.path.join(locale_dir, lang.replace('-', '_'), 'LC_MESSAGES')\n if not os.path.exists(d):\n os.makedirs(d)\n domains = domain_methods.keys()\n for domain in domains:\n print('Merging %s strings to each locale...' % domain)\n domain_pot = os.path.join(locale_dir, 'templates', 'LC_MESSAGES', \n '%s.pot' % domain)\n if not os.path.isfile(domain_pot):\n raise CommandError('Can not find %s.pot' % domain)\n for locale in os.listdir(locale_dir):\n if not os.path.isdir(os.path.join(locale_dir, locale)\n ) or locale.startswith('.') or locale == 'templates':\n continue\n domain_po = os.path.join(locale_dir, locale, 'LC_MESSAGES', \n '%s.po' % domain)\n if not os.path.isfile(domain_po):\n print(' Can not find (%s). Creating...' % domain_po)\n p1 = Popen(['msginit', '--no-translator', '--locale=%s' %\n locale, '--input=%s' % domain_pot, '--output-file=%s' %\n domain_po, '--width=200'])\n p1.communicate()\n print('Merging %s.po for %s' % (domain, locale))\n with open(domain_pot) as domain_pot_file:\n if locale == 'en_US':\n with TemporaryFile('w+t') as enmerged:\n p2 = Popen(['msgen', '-'], stdin=domain_pot_file,\n stdout=enmerged)\n p2.communicate()\n _msgmerge(domain_po, enmerged, backup)\n else:\n _msgmerge(domain_po, domain_pot_file, backup)\n print('Domain %s finished' % domain)\n print('All finished')\n",
"role": "user"
},
{
"content": "merge_command",
"role": "assistant"
}
] |
def x(po_path, pot_file, backup):
pot_file.seek(0)
command = ['msgmerge', '--update', '--width=200', '--backup=%s' % (
'simple' if backup else 'off'), po_path, '-']
p3 = Popen(command, stdin=pot_file)
p3.communicate()
|
msgmerge
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(po_path, pot_file, backup):\n pot_file.seek(0)\n command = ['msgmerge', '--update', '--width=200', '--backup=%s' % (\n 'simple' if backup else 'off'), po_path, '-']\n p3 = Popen(command, stdin=pot_file)\n p3.communicate()\n",
"role": "user"
},
{
"content": "msgmerge",
"role": "assistant"
}
] |
def x(self):
self.preRun_()
self.running = True
while self.running:
self.cycle_()
self.handleSignal_()
self.postRun_()
|
run
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.preRun_()\n self.running = True\n while self.running:\n self.cycle_()\n self.handleSignal_()\n self.postRun_()\n",
"role": "user"
},
{
"content": "run",
"role": "assistant"
}
] |
def x(self):
self.report('preRun_')
super().preRun_()
self.client = ShmemRGBClient(name=self.shmem_name, n_ringbuffer=self.
n_buffer, width=self.image_dimensions[0], height=self.
image_dimensions[1], mstimeout=1000, verbose=False)
|
preRun_
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.report('preRun_')\n super().preRun_()\n self.client = ShmemRGBClient(name=self.shmem_name, n_ringbuffer=self.\n n_buffer, width=self.image_dimensions[0], height=self.\n image_dimensions[1], mstimeout=1000, verbose=False)\n",
"role": "user"
},
{
"content": "preRun_",
"role": "assistant"
}
] |
def x(self):
self.preRun_()
self.running = True
while self.running:
if self.active:
self.cycle_()
else:
if self.verbose:
print(self.pre, 'sleep')
time.sleep(0.2)
self.handleSignal_()
self.postRun_()
|
run
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.preRun_()\n self.running = True\n while self.running:\n if self.active:\n self.cycle_()\n else:\n if self.verbose:\n print(self.pre, 'sleep')\n time.sleep(0.2)\n self.handleSignal_()\n self.postRun_()\n",
"role": "user"
},
{
"content": "run",
"role": "assistant"
}
] |
def x(self, n_buffer, image_dimensions, shmem_name):
self.active = True
self.image_dimensions = image_dimensions
self.client = ShmemRGBClient(name=shmem_name, n_ringbuffer=n_buffer,
width=image_dimensions[0], height=image_dimensions[1], mstimeout=
1000, verbose=False)
self.postActivate_()
|
activate_
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, n_buffer, image_dimensions, shmem_name):\n self.active = True\n self.image_dimensions = image_dimensions\n self.client = ShmemRGBClient(name=shmem_name, n_ringbuffer=n_buffer,\n width=image_dimensions[0], height=image_dimensions[1], mstimeout=\n 1000, verbose=False)\n self.postActivate_()\n",
"role": "user"
},
{
"content": "activate_",
"role": "assistant"
}
] |
def x(self):
self.preDeactivate_()
self.active = False
self.image_dimensions = None
self.client = None
|
deactivate_
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.preDeactivate_()\n self.active = False\n self.image_dimensions = None\n self.client = None\n",
"role": "user"
},
{
"content": "deactivate_",
"role": "assistant"
}
] |
def x(self):
import subprocess
import fcntl
width = str(self.image_dimensions[0])
height = str(self.image_dimensions[1])
comlist = self.executable.split() + [width, height, self.tmpfile]
try:
self.p = subprocess.Popen(comlist, stdout=subprocess.PIPE, stdin=
subprocess.PIPE)
except Exception as e:
print(self.pre, "Could not open external process. Failed with '" +
str(e) + "'")
return
self.reset()
|
init
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n import subprocess\n import fcntl\n width = str(self.image_dimensions[0])\n height = str(self.image_dimensions[1])\n comlist = self.executable.split() + [width, height, self.tmpfile]\n try:\n self.p = subprocess.Popen(comlist, stdout=subprocess.PIPE, stdin=\n subprocess.PIPE)\n except Exception as e:\n print(self.pre, \"Could not open external process. Failed with '\" +\n str(e) + \"'\")\n return\n self.reset()\n",
"role": "user"
},
{
"content": "init",
"role": "assistant"
}
] |
def x(self):
self.report('sending reset')
try:
self.p.stdin.write(bytes('T\n', 'utf-8'))
self.p.stdin.flush()
except IOError:
self.report('could not send reset command')
|
reset
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.report('sending reset')\n try:\n self.p.stdin.write(bytes('T\\n', 'utf-8'))\n self.p.stdin.flush()\n except IOError:\n self.report('could not send reset command')\n",
"role": "user"
},
{
"content": "reset",
"role": "assistant"
}
] |
def x(self):
try:
self.p.stdin.write(bytes('X\n', 'utf-8'))
self.p.stdin.flush()
except IOError:
self.report('could not send exit command')
self.p.wait()
try:
os.remove(self.tmpfile)
except FileNotFoundError:
pass
|
close
|
[
{
"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 self.p.stdin.write(bytes('X\\n', 'utf-8'))\n self.p.stdin.flush()\n except IOError:\n self.report('could not send exit command')\n self.p.wait()\n try:\n os.remove(self.tmpfile)\n except FileNotFoundError:\n pass\n",
"role": "user"
},
{
"content": "close",
"role": "assistant"
}
] |
def x(self):
btt = bytes()
while True:
bt = self.p.stdout.read(1)
if bt:
btt += bt
else:
break
"""
if (bt == "
"):
break
"""
return btt[0:-1].decode('utf-8')
|
readStdout
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n btt = bytes()\n while True:\n bt = self.p.stdout.read(1)\n if bt:\n btt += bt\n else:\n break\n \"\"\"\n if (bt == \"\n\"):\n break\n \"\"\"\n return btt[0:-1].decode('utf-8')\n",
"role": "user"
},
{
"content": "readStdout",
"role": "assistant"
}
] |
def x(self):
self.tmpfile = os.path.join(constant.tmpdir, 'valkka-' + str(os.getpid()))
self.analyzer = ExternalDetector(executable=self.executable,
image_dimensions=self.image_dimensions, tmpfile=self.tmpfile)
|
postActivate_
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.tmpfile = os.path.join(constant.tmpdir, 'valkka-' + str(os.getpid()))\n self.analyzer = ExternalDetector(executable=self.executable,\n image_dimensions=self.image_dimensions, tmpfile=self.tmpfile)\n",
"role": "user"
},
{
"content": "postActivate_",
"role": "assistant"
}
] |
def x():
from veripress import app
from veripress.model import storage
from veripress.model.parsers import get_standard_format_name
from veripress.helpers import traverse_directory
deploy_dir = get_deploy_dir()
def x(src, dst):
makedirs(os.path.dirname(dst), mode=493, exist_ok=True)
shutil.copyfile(src, dst)
with app.app_context(), app.test_client() as client:
root_path = os.path.join(app.instance_path, 'pages')
for path in traverse_directory(root_path):
rel_path = os.path.relpath(path, root_path)
filename, ext = os.path.splitext(rel_path)
if get_standard_format_name(ext[1:]) is not None:
rel_url = filename.replace(os.path.sep, '/') + '.html'
page = storage.get_page(rel_url, include_draft=False)
if page is not None:
makedirs(os.path.join(deploy_dir, os.path.dirname(
rel_path)), mode=493, exist_ok=True)
with open(os.path.join(deploy_dir, filename + '.html'),
'wb') as f:
f.write(client.get('/' + rel_url).data)
if app.config['PAGE_SOURCE_ACCESSIBLE']:
copy_file(path, os.path.join(deploy_dir, rel_path))
else:
copy_file(path, os.path.join(deploy_dir, rel_path))
|
generate_pages_by_file
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n from veripress import app\n from veripress.model import storage\n from veripress.model.parsers import get_standard_format_name\n from veripress.helpers import traverse_directory\n deploy_dir = get_deploy_dir()\n\n def x(src, dst):\n makedirs(os.path.dirname(dst), mode=493, exist_ok=True)\n shutil.copyfile(src, dst)\n with app.app_context(), app.test_client() as client:\n root_path = os.path.join(app.instance_path, 'pages')\n for path in traverse_directory(root_path):\n rel_path = os.path.relpath(path, root_path)\n filename, ext = os.path.splitext(rel_path)\n if get_standard_format_name(ext[1:]) is not None:\n rel_url = filename.replace(os.path.sep, '/') + '.html'\n page = storage.get_page(rel_url, include_draft=False)\n if page is not None:\n makedirs(os.path.join(deploy_dir, os.path.dirname(\n rel_path)), mode=493, exist_ok=True)\n with open(os.path.join(deploy_dir, filename + '.html'),\n 'wb') as f:\n f.write(client.get('/' + rel_url).data)\n if app.config['PAGE_SOURCE_ACCESSIBLE']:\n copy_file(path, os.path.join(deploy_dir, rel_path))\n else:\n copy_file(path, os.path.join(deploy_dir, rel_path))\n",
"role": "user"
},
{
"content": "generate_pages_by_file",
"role": "assistant"
}
] |
def x(self, base_address, nstart, n, port, tail, username, password):
self.camera_collection.clear()
self.camera_collection.save()
cc = nstart
for i in range(1, min((n + 1, constant.max_devices + 1))):
print(i)
self.camera_collection.new(self.RTSPCameraRow, {'slot': i,
'address': base_address + '.' + str(cc), 'username': username,
'password': password, 'port': port, 'tail': tail,
'subaddress_main': '', 'live_main': True, 'rec_main': False,
'subaddress_sub': '', 'live_sub': False, 'rec_sub': False})
cc += 1
print('Camera addesses now:')
for c, device in enumerate(self.camera_collection.get()):
print(c + 1, self.RTSPCameraRow.getMainAddressFromDict(device))
for i in range(n + 1, constant.max_devices + 1):
self.camera_collection.new(self.EmptyRow, {'slot': i})
self.camera_collection.save()
print('Camera collection now:')
for c, device in enumerate(self.camera_collection.get()):
print(c + 1, device)
|
autoGenerateCameraCollection
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, base_address, nstart, n, port, tail, username, password):\n self.camera_collection.clear()\n self.camera_collection.save()\n cc = nstart\n for i in range(1, min((n + 1, constant.max_devices + 1))):\n print(i)\n self.camera_collection.new(self.RTSPCameraRow, {'slot': i,\n 'address': base_address + '.' + str(cc), 'username': username,\n 'password': password, 'port': port, 'tail': tail,\n 'subaddress_main': '', 'live_main': True, 'rec_main': False,\n 'subaddress_sub': '', 'live_sub': False, 'rec_sub': False})\n cc += 1\n print('Camera addesses now:')\n for c, device in enumerate(self.camera_collection.get()):\n print(c + 1, self.RTSPCameraRow.getMainAddressFromDict(device))\n for i in range(n + 1, constant.max_devices + 1):\n self.camera_collection.new(self.EmptyRow, {'slot': i})\n self.camera_collection.save()\n print('Camera collection now:')\n for c, device in enumerate(self.camera_collection.get()):\n print(c + 1, device)\n",
"role": "user"
},
{
"content": "autoGenerateCameraCollection",
"role": "assistant"
}
] |
def x(self):
self.collections = []
self.camera_collection = SimpleCollection(filename=os.path.join(self.
directory, 'devices.dat'), row_classes=[DataModel.EmptyRow,
DataModel.RTSPCameraRow, DataModel.USBCameraRow])
self.collections.append(self.camera_collection)
self.config_collection = SimpleCollection(filename=os.path.join(self.
directory, 'config.dat'), row_classes=[DataModel.MemoryConfigRow])
self.collections.append(self.config_collection)
|
define
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.collections = []\n self.camera_collection = SimpleCollection(filename=os.path.join(self.\n directory, 'devices.dat'), row_classes=[DataModel.EmptyRow,\n DataModel.RTSPCameraRow, DataModel.USBCameraRow])\n self.collections.append(self.camera_collection)\n self.config_collection = SimpleCollection(filename=os.path.join(self.\n directory, 'config.dat'), row_classes=[DataModel.MemoryConfigRow])\n self.collections.append(self.config_collection)\n",
"role": "user"
},
{
"content": "define",
"role": "assistant"
}
] |
def x(self):
rows = self.camera_collection.get()
devices_by_id = {}
for row in rows:
classname = row.pop('classname')
if classname == 'RTSPCameraRow':
device = DataModel.RTSPCameraDevice(**row)
elif classname == 'USBCameraRow':
device = DataModel.USBCameraDevice(**row)
else:
device = None
if device:
devices_by_id[device._id] = device
return devices_by_id
|
getDevicesById
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n rows = self.camera_collection.get()\n devices_by_id = {}\n for row in rows:\n classname = row.pop('classname')\n if classname == 'RTSPCameraRow':\n device = DataModel.RTSPCameraDevice(**row)\n elif classname == 'USBCameraRow':\n device = DataModel.USBCameraDevice(**row)\n else:\n device = None\n if device:\n devices_by_id[device._id] = device\n return devices_by_id\n",
"role": "user"
},
{
"content": "getDevicesById",
"role": "assistant"
}
] |
def x(self):
from valkka.mvision.alpr.openalpr_fix import Alpr
self.movement = MovementDetector()
self.alpr = Alpr(self.country, self.conf_file, self.runtime_data)
if not self.alpr.is_loaded():
self.alpr = None
return
self.alpr.set_top_n(self.top_n)
self.reset()
"""
# test in ipython:
from valkka.mvision.alpr.openalpr_fix import Alpr
country="eu"
conf_file="/usr/share/openalpr/config/openalpr.defaults.conf"
runtime_data="/usr/share/openalpr/runtime_data"
a = Alpr(country, conf_file, runtime_data)
a.is_loaded()
"""
|
init
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n from valkka.mvision.alpr.openalpr_fix import Alpr\n self.movement = MovementDetector()\n self.alpr = Alpr(self.country, self.conf_file, self.runtime_data)\n if not self.alpr.is_loaded():\n self.alpr = None\n return\n self.alpr.set_top_n(self.top_n)\n self.reset()\n \"\"\"\n # test in ipython:\n from valkka.mvision.alpr.openalpr_fix import Alpr\n country=\"eu\"\n conf_file=\"/usr/share/openalpr/config/openalpr.defaults.conf\"\n runtime_data=\"/usr/share/openalpr/runtime_data\"\n a = Alpr(country, conf_file, runtime_data)\n a.is_loaded() \n \"\"\"\n",
"role": "user"
},
{
"content": "init",
"role": "assistant"
}
] |
def x(self):
self.analyzer = LicensePlateDetector(**self.analyzer_pars)
self.report('analyzer object=', self.analyzer)
|
postActivate_
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.analyzer = LicensePlateDetector(**self.analyzer_pars)\n self.report('analyzer object=', self.analyzer)\n",
"role": "user"
},
{
"content": "postActivate_",
"role": "assistant"
}
] |
def x(self):
if self.is_injected():
return False
with open(self, mode='a+') as fp:
fp.seek(0)
fp.write('\n'.join(['', 'try:', ' import pout',
'except ImportError:', ' pass', 'else:', ' pout.inject()',
'']))
return True
|
inject
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self.is_injected():\n return False\n with open(self, mode='a+') as fp:\n fp.seek(0)\n fp.write('\\n'.join(['', 'try:', ' import pout',\n 'except ImportError:', ' pass', 'else:', ' pout.inject()',\n '']))\n return True\n",
"role": "user"
},
{
"content": "inject",
"role": "assistant"
}
] |
def x(self, publish_type, rel_url):
if publish_type == 'post':
return self.fix_post_relative_url(rel_url), False
elif publish_type == 'page':
return self.fix_page_relative_url(rel_url)
else:
raise ValueError('Publish type "{}" is not supported'.format(
publish_type))
|
fix_relative_url
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, publish_type, rel_url):\n if publish_type == 'post':\n return self.fix_post_relative_url(rel_url), False\n elif publish_type == 'page':\n return self.fix_page_relative_url(rel_url)\n else:\n raise ValueError('Publish type \"{}\" is not supported'.format(\n publish_type))\n",
"role": "user"
},
{
"content": "fix_relative_url",
"role": "assistant"
}
] |
def x(rel_url):
m = re.match(
'^(?P<year>\\d{4})/(?P<month>\\d{1,2})/(?P<day>\\d{1,2})/(?P<post_name>[^/]+?)(?:(?:\\.html)|(?:/(?P<index>index(?:\\.html?)?)?))?$'
, rel_url)
if not m:
return None
year, month, day, post_name = m.groups()[:4]
try:
d = date(year=int(year), month=int(month), day=int(day))
return '/'.join((d.strftime('%Y/%m/%d'), post_name, 'index.html' if
m.group('index') else ''))
except (TypeError, ValueError):
return None
|
fix_post_relative_url
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(rel_url):\n m = re.match(\n '^(?P<year>\\\\d{4})/(?P<month>\\\\d{1,2})/(?P<day>\\\\d{1,2})/(?P<post_name>[^/]+?)(?:(?:\\\\.html)|(?:/(?P<index>index(?:\\\\.html?)?)?))?$'\n , rel_url)\n if not m:\n return None\n year, month, day, post_name = m.groups()[:4]\n try:\n d = date(year=int(year), month=int(month), day=int(day))\n return '/'.join((d.strftime('%Y/%m/%d'), post_name, 'index.html' if\n m.group('index') else ''))\n except (TypeError, ValueError):\n return None\n",
"role": "user"
},
{
"content": "fix_post_relative_url",
"role": "assistant"
}
] |
def x(result, filter_functions=None):
if filter_functions is not None:
for filter_func in filter_functions:
result = filter(filter_func, result)
return result
|
filter_result
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(result, filter_functions=None):\n if filter_functions is not None:\n for filter_func in filter_functions:\n result = filter(filter_func, result)\n return result\n",
"role": "user"
},
{
"content": "filter_result",
"role": "assistant"
}
] |
def x(self, include_draft=False, **limits):
filter_funcs = []
for attr in ('title', 'layout', 'author', 'email', 'tags', 'categories'):
if limits.get(attr):
filter_set = set(to_list(limits.get(attr)))
def x(filter_set_, attr_):
return lambda p: filter_set_.intersection(to_list(getattr(p,
attr_)))
filter_funcs.append(get_filter_func(filter_set, attr))
for attr in ('created', 'updated'):
interval = limits.get(attr)
if isinstance(interval, (list, tuple)) and len(interval
) == 2 and isinstance(interval[0], date) and isinstance(interval
[1], date):
start, end = interval
start = to_datetime(start)
if not isinstance(end, datetime):
end = datetime.strptime('%04d-%02d-%02d' % (end.year, end.
month, end.day), '%Y-%m-%d')
end += timedelta(days=1)
def x(attr_, start_dt, end_dt):
return lambda p: start_dt <= getattr(p, attr_) < end_dt
filter_funcs.append(get_filter_func(attr, start, end))
return self.get_posts(include_draft=include_draft, filter_functions=
filter_funcs)
|
get_posts_with_limits
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, include_draft=False, **limits):\n filter_funcs = []\n for attr in ('title', 'layout', 'author', 'email', 'tags', 'categories'):\n if limits.get(attr):\n filter_set = set(to_list(limits.get(attr)))\n\n def x(filter_set_, attr_):\n return lambda p: filter_set_.intersection(to_list(getattr(p,\n attr_)))\n filter_funcs.append(get_filter_func(filter_set, attr))\n for attr in ('created', 'updated'):\n interval = limits.get(attr)\n if isinstance(interval, (list, tuple)) and len(interval\n ) == 2 and isinstance(interval[0], date) and isinstance(interval\n [1], date):\n start, end = interval\n start = to_datetime(start)\n if not isinstance(end, datetime):\n end = datetime.strptime('%04d-%02d-%02d' % (end.year, end.\n month, end.day), '%Y-%m-%d')\n end += timedelta(days=1)\n\n def x(attr_, start_dt, end_dt):\n return lambda p: start_dt <= getattr(p, attr_) < end_dt\n filter_funcs.append(get_filter_func(attr, start, end))\n return self.get_posts(include_draft=include_draft, filter_functions=\n filter_funcs)\n",
"role": "user"
},
{
"content": "get_posts_with_limits",
"role": "assistant"
}
] |
def x(self, query, include_draft=False):
query = query.lower()
if not query:
return []
def x(post_or_page):
contains = query in post_or_page.title.lower() or query in Markup(
get_parser(post_or_page.format).parse_whole(post_or_page.
raw_content)).striptags().lower()
return contains
return filter(contains_query_keyword, chain(self.get_posts(
include_draft=include_draft), self.get_pages(include_draft=
include_draft) if current_app.config['ALLOW_SEARCH_PAGES'] else []))
|
search_for
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, query, include_draft=False):\n query = query.lower()\n if not query:\n return []\n\n def x(post_or_page):\n contains = query in post_or_page.title.lower() or query in Markup(\n get_parser(post_or_page.format).parse_whole(post_or_page.\n raw_content)).striptags().lower()\n return contains\n return filter(contains_query_keyword, chain(self.get_posts(\n include_draft=include_draft), self.get_pages(include_draft=\n include_draft) if current_app.config['ALLOW_SEARCH_PAGES'] else []))\n",
"role": "user"
},
{
"content": "search_for",
"role": "assistant"
}
] |
def x(rel_url):
rel_url = rel_url.lstrip('/')
endswith_slash = rel_url.endswith('/')
rel_url = rel_url.rstrip('/') + ('/' if endswith_slash else '')
if not rel_url or rel_url == '/':
return None, False
file_path = os.path.join(current_app.instance_path, 'pages', rel_url.
replace('/', os.path.sep))
if rel_url.endswith('/'):
index_html_file_path = os.path.join(file_path, 'index.html')
if os.path.isfile(index_html_file_path):
return index_html_file_path, True
return rel_url, False
elif os.path.isfile(file_path):
ext = os.path.splitext(file_path)[1][1:]
if get_standard_format_name(ext) is not None:
if current_app.config['PAGE_SOURCE_ACCESSIBLE']:
return file_path, True
else:
return file_path, True
elif os.path.isdir(file_path):
return rel_url + '/', False
sp = rel_url.rsplit('/', 1)
m = re.match('(.+)\\.html?', sp[-1])
if m:
sp[-1] = m.group(1) + '.html'
else:
sp[-1] += '.html'
return '/'.join(sp), False
|
fix_page_relative_url
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(rel_url):\n rel_url = rel_url.lstrip('/')\n endswith_slash = rel_url.endswith('/')\n rel_url = rel_url.rstrip('/') + ('/' if endswith_slash else '')\n if not rel_url or rel_url == '/':\n return None, False\n file_path = os.path.join(current_app.instance_path, 'pages', rel_url.\n replace('/', os.path.sep))\n if rel_url.endswith('/'):\n index_html_file_path = os.path.join(file_path, 'index.html')\n if os.path.isfile(index_html_file_path):\n return index_html_file_path, True\n return rel_url, False\n elif os.path.isfile(file_path):\n ext = os.path.splitext(file_path)[1][1:]\n if get_standard_format_name(ext) is not None:\n if current_app.config['PAGE_SOURCE_ACCESSIBLE']:\n return file_path, True\n else:\n return file_path, True\n elif os.path.isdir(file_path):\n return rel_url + '/', False\n sp = rel_url.rsplit('/', 1)\n m = re.match('(.+)\\\\.html?', sp[-1])\n if m:\n sp[-1] = m.group(1) + '.html'\n else:\n sp[-1] += '.html'\n return '/'.join(sp), False\n",
"role": "user"
},
{
"content": "fix_page_relative_url",
"role": "assistant"
}
] |
def x(search_root, search_filename, instance_relative_root=False):
if instance_relative_root:
search_root = os.path.join(current_app.instance_path, search_root)
file_path = None
file_ext = None
for file in os.listdir(search_root):
filename, ext = os.path.splitext(file)
if filename == search_filename and ext and ext != '.':
file_path = os.path.join(search_root, filename + ext)
file_ext = ext[1:]
break
return file_path, file_ext
|
search_file
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(search_root, search_filename, instance_relative_root=False):\n if instance_relative_root:\n search_root = os.path.join(current_app.instance_path, search_root)\n file_path = None\n file_ext = None\n for file in os.listdir(search_root):\n filename, ext = os.path.splitext(file)\n if filename == search_filename and ext and ext != '.':\n file_path = os.path.join(search_root, filename + ext)\n file_ext = ext[1:]\n break\n return file_path, file_ext\n",
"role": "user"
},
{
"content": "search_file",
"role": "assistant"
}
] |
def x(file_path):
with open(file_path, 'r', encoding='utf-8') as f:
whole = f.read().strip()
if whole.startswith('---'):
sp = re.split('-{3,}', whole.lstrip('-'), maxsplit=1)
if len(sp) == 2:
return yaml.load(sp[0]), sp[1].lstrip()
return {}, whole
|
read_file
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(file_path):\n with open(file_path, 'r', encoding='utf-8') as f:\n whole = f.read().strip()\n if whole.startswith('---'):\n sp = re.split('-{3,}', whole.lstrip('-'), maxsplit=1)\n if len(sp) == 2:\n return yaml.load(sp[0]), sp[1].lstrip()\n return {}, whole\n",
"role": "user"
},
{
"content": "read_file",
"role": "assistant"
}
] |
def x(self, include_draft=False, filter_functions=None):
def x(path):
if os.path.isdir(path):
for file in os.listdir(path):
filename, ext = os.path.splitext(file)
format_name = get_standard_format_name(ext[1:])
if format_name is not None and re.match(
'\\d{4}-\\d{2}-\\d{2}-.+', filename):
post = Post()
post.format = format_name
post.meta, post.raw_content = FileStorage.read_file(os.
path.join(path, file))
post.rel_url = filename.replace('-', '/', 3) + '/'
post.unique_key = '/post/' + post.rel_url
yield post
posts_path = os.path.join(current_app.instance_path, 'posts')
result = filter(lambda p: include_draft or not p.is_draft,
posts_generator(posts_path))
result = self._filter_result(result, filter_functions)
return sorted(result, key=lambda p: p.created, reverse=True)
|
get_posts
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, include_draft=False, filter_functions=None):\n\n def x(path):\n if os.path.isdir(path):\n for file in os.listdir(path):\n filename, ext = os.path.splitext(file)\n format_name = get_standard_format_name(ext[1:])\n if format_name is not None and re.match(\n '\\\\d{4}-\\\\d{2}-\\\\d{2}-.+', filename):\n post = Post()\n post.format = format_name\n post.meta, post.raw_content = FileStorage.read_file(os.\n path.join(path, file))\n post.rel_url = filename.replace('-', '/', 3) + '/'\n post.unique_key = '/post/' + post.rel_url\n yield post\n posts_path = os.path.join(current_app.instance_path, 'posts')\n result = filter(lambda p: include_draft or not p.is_draft,\n posts_generator(posts_path))\n result = self._filter_result(result, filter_functions)\n return sorted(result, key=lambda p: p.created, reverse=True)\n",
"role": "user"
},
{
"content": "get_posts",
"role": "assistant"
}
] |
def x(self, rel_url, include_draft=False):
raw_rel_url = str(rel_url)
if rel_url.endswith('/index.html'):
rel_url = rel_url.rsplit('/', 1)[0] + '/'
post_filename = rel_url[:-1].replace('/', '-')
post_file_path, post_file_ext = FileStorage.search_instance_file('posts',
post_filename)
if (post_file_path is None or post_file_ext is None or
get_standard_format_name(post_file_ext) is None):
return None
post = Post()
post.rel_url = raw_rel_url
post.unique_key = '/post/' + rel_url
post.format = get_standard_format_name(post_file_ext)
post.meta, post.raw_content = FileStorage.read_file(post_file_path)
return post if include_draft or not post.is_draft else None
|
get_post
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, rel_url, include_draft=False):\n raw_rel_url = str(rel_url)\n if rel_url.endswith('/index.html'):\n rel_url = rel_url.rsplit('/', 1)[0] + '/'\n post_filename = rel_url[:-1].replace('/', '-')\n post_file_path, post_file_ext = FileStorage.search_instance_file('posts',\n post_filename)\n if (post_file_path is None or post_file_ext is None or \n get_standard_format_name(post_file_ext) is None):\n return None\n post = Post()\n post.rel_url = raw_rel_url\n post.unique_key = '/post/' + rel_url\n post.format = get_standard_format_name(post_file_ext)\n post.meta, post.raw_content = FileStorage.read_file(post_file_path)\n return post if include_draft or not post.is_draft else None\n",
"role": "user"
},
{
"content": "get_post",
"role": "assistant"
}
] |
def x(self):
posts = self.get_posts(include_draft=True)
result = {}
for post in posts:
for tag_name in set(post.tags):
result[tag_name] = result.setdefault(tag_name, Pair(0, 0)) + Pair(
1, 0 if post.is_draft else 1)
return list(result.items())
|
get_tags
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n posts = self.get_posts(include_draft=True)\n result = {}\n for post in posts:\n for tag_name in set(post.tags):\n result[tag_name] = result.setdefault(tag_name, Pair(0, 0)) + Pair(\n 1, 0 if post.is_draft else 1)\n return list(result.items())\n",
"role": "user"
},
{
"content": "get_tags",
"role": "assistant"
}
] |
def x(self):
posts = self.get_posts(include_draft=True)
result = {}
for post in posts:
for category_name in set(post.categories):
result[category_name] = result.setdefault(category_name, Pair(0, 0)
) + Pair(1, 0 if post.is_draft else 1)
return list(result.items())
|
get_categories
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n posts = self.get_posts(include_draft=True)\n result = {}\n for post in posts:\n for category_name in set(post.categories):\n result[category_name] = result.setdefault(category_name, Pair(0, 0)\n ) + Pair(1, 0 if post.is_draft else 1)\n return list(result.items())\n",
"role": "user"
},
{
"content": "get_categories",
"role": "assistant"
}
] |
def x(self, include_draft=False):
def x(pages_root_path):
for file_path in traverse_directory(pages_root_path, yield_dir=False):
rel_path = os.path.relpath(file_path, pages_root_path)
rel_path, ext = os.path.splitext(rel_path)
if not ext or ext == '.' or get_standard_format_name(ext[1:]
) is None:
continue
if rel_path.endswith(os.path.sep + 'index'):
rel_path = rel_path[:-len('index')]
else:
rel_path += '.html'
page = self.get_page(rel_path.replace(os.path.sep, '/'),
include_draft=include_draft)
if page is not None:
yield page
pages_path = os.path.join(current_app.instance_path, 'pages')
return list(pages_generator(pages_path))
|
get_pages
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, include_draft=False):\n\n def x(pages_root_path):\n for file_path in traverse_directory(pages_root_path, yield_dir=False):\n rel_path = os.path.relpath(file_path, pages_root_path)\n rel_path, ext = os.path.splitext(rel_path)\n if not ext or ext == '.' or get_standard_format_name(ext[1:]\n ) is None:\n continue\n if rel_path.endswith(os.path.sep + 'index'):\n rel_path = rel_path[:-len('index')]\n else:\n rel_path += '.html'\n page = self.get_page(rel_path.replace(os.path.sep, '/'),\n include_draft=include_draft)\n if page is not None:\n yield page\n pages_path = os.path.join(current_app.instance_path, 'pages')\n return list(pages_generator(pages_path))\n",
"role": "user"
},
{
"content": "get_pages",
"role": "assistant"
}
] |
def x(self, rel_url, include_draft=False):
page_dir = os.path.dirname(rel_url.replace('/', os.path.sep))
page_path = os.path.join(current_app.instance_path, 'pages', page_dir)
if not os.path.isdir(page_path):
return None
page_filename = rel_url[len(page_dir):].lstrip('/')
if not page_filename:
page_filename = 'index'
else:
page_filename = os.path.splitext(page_filename)[0]
page_file_path, page_file_ext = FileStorage.search_file(page_path,
page_filename)
if (page_file_path is None or page_file_ext is None or
get_standard_format_name(page_file_ext) is None):
return None
page = Page()
page.rel_url = rel_url
page.unique_key = '/' + (rel_url.rsplit('/', 1)[0] + '/' if rel_url.
endswith('/index.html') else rel_url)
page.format = get_standard_format_name(page_file_ext)
page.meta, page.raw_content = FileStorage.read_file(page_file_path)
return page if include_draft or not page.is_draft else None
|
get_page
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, rel_url, include_draft=False):\n page_dir = os.path.dirname(rel_url.replace('/', os.path.sep))\n page_path = os.path.join(current_app.instance_path, 'pages', page_dir)\n if not os.path.isdir(page_path):\n return None\n page_filename = rel_url[len(page_dir):].lstrip('/')\n if not page_filename:\n page_filename = 'index'\n else:\n page_filename = os.path.splitext(page_filename)[0]\n page_file_path, page_file_ext = FileStorage.search_file(page_path,\n page_filename)\n if (page_file_path is None or page_file_ext is None or \n get_standard_format_name(page_file_ext) is None):\n return None\n page = Page()\n page.rel_url = rel_url\n page.unique_key = '/' + (rel_url.rsplit('/', 1)[0] + '/' if rel_url.\n endswith('/index.html') else rel_url)\n page.format = get_standard_format_name(page_file_ext)\n page.meta, page.raw_content = FileStorage.read_file(page_file_path)\n return page if include_draft or not page.is_draft else None\n",
"role": "user"
},
{
"content": "get_page",
"role": "assistant"
}
] |
def x(self, position=None, include_draft=False):
def x(path):
if os.path.isdir(path):
for file in os.listdir(path):
_, ext = os.path.splitext(file)
format_name = get_standard_format_name(ext[1:])
if format_name is not None:
widget = Widget()
widget.format = format_name
widget.meta, widget.raw_content = FileStorage.read_file(os
.path.join(path, file))
yield widget
widgets_path = os.path.join(current_app.instance_path, 'widgets')
positions = to_list(position) if position is not None else position
result = filter(lambda w: (w.position in positions if positions is not
None else True) and (include_draft or not w.is_draft),
widgets_generator(widgets_path))
return sorted(result, key=lambda w: (w.position, w.order))
|
get_widgets
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, position=None, include_draft=False):\n\n def x(path):\n if os.path.isdir(path):\n for file in os.listdir(path):\n _, ext = os.path.splitext(file)\n format_name = get_standard_format_name(ext[1:])\n if format_name is not None:\n widget = Widget()\n widget.format = format_name\n widget.meta, widget.raw_content = FileStorage.read_file(os\n .path.join(path, file))\n yield widget\n widgets_path = os.path.join(current_app.instance_path, 'widgets')\n positions = to_list(position) if position is not None else position\n result = filter(lambda w: (w.position in positions if positions is not\n None else True) and (include_draft or not w.is_draft),\n widgets_generator(widgets_path))\n return sorted(result, key=lambda w: (w.position, w.order))\n",
"role": "user"
},
{
"content": "get_widgets",
"role": "assistant"
}
] |
def x(template_name_or_list, **context):
response_str = render_template(functools.reduce(lambda x, y: x + [os.
path.join('custom', y), y], to_list(template_name_or_list), []), **
context)
if hasattr(g, 'status_code'):
status_code = g.status_code
else:
status_code = 200
return response_str, status_code
|
custom_render_template
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(template_name_or_list, **context):\n response_str = render_template(functools.reduce(lambda x, y: x + [os.\n path.join('custom', y), y], to_list(template_name_or_list), []), **\n context)\n if hasattr(g, 'status_code'):\n status_code = g.status_code\n else:\n status_code = 200\n return response_str, status_code\n",
"role": "user"
},
{
"content": "custom_render_template",
"role": "assistant"
}
] |
def x(template=None, *templates):
def x(func):
@functools.wraps(func)
def x(*args, **kwargs):
template_ = template
if template_ is None:
template_ = request.endpoint.split('.', 1)[1].replace('.', '/'
) + '.html'
context = func(*args, **kwargs)
if context is None:
context = {}
elif not isinstance(context, dict):
return context
return custom_render_template(list(chain(to_list(template_),
templates)), **context)
return wrapper
return decorator
|
templated
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(template=None, *templates):\n\n def x(func):\n\n @functools.wraps(func)\n def x(*args, **kwargs):\n template_ = template\n if template_ is None:\n template_ = request.endpoint.split('.', 1)[1].replace('.', '/'\n ) + '.html'\n context = func(*args, **kwargs)\n if context is None:\n context = {}\n elif not isinstance(context, dict):\n return context\n return custom_render_template(list(chain(to_list(template_),\n templates)), **context)\n return wrapper\n return decorator\n",
"role": "user"
},
{
"content": "templated",
"role": "assistant"
}
] |
def x(src, dst):
for file in os.listdir(src):
file_path = os.path.join(src, file)
dst_file_path = os.path.join(dst, file)
if os.path.isdir(file_path):
shutil.copytree(file_path, dst_file_path)
else:
shutil.copyfile(file_path, dst_file_path)
|
copy_folder_content
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(src, dst):\n for file in os.listdir(src):\n file_path = os.path.join(src, file)\n dst_file_path = os.path.join(dst, file)\n if os.path.isdir(file_path):\n shutil.copytree(file_path, dst_file_path)\n else:\n shutil.copyfile(file_path, dst_file_path)\n",
"role": "user"
},
{
"content": "copy_folder_content",
"role": "assistant"
}
] |
def x(path, ignore_hidden_file=False):
for file in os.listdir(path):
if ignore_hidden_file and file.startswith('.'):
continue
file_path = os.path.join(path, file)
if os.path.isdir(file_path):
shutil.rmtree(file_path)
else:
os.remove(file_path)
|
remove_folder_content
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path, ignore_hidden_file=False):\n for file in os.listdir(path):\n if ignore_hidden_file and file.startswith('.'):\n continue\n file_path = os.path.join(path, file)\n if os.path.isdir(file_path):\n shutil.rmtree(file_path)\n else:\n os.remove(file_path)\n",
"role": "user"
},
{
"content": "remove_folder_content",
"role": "assistant"
}
] |
def x(path, mode=511, exist_ok=False):
os.makedirs(path, mode, exist_ok)
|
makedirs
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path, mode=511, exist_ok=False):\n os.makedirs(path, mode, exist_ok)\n",
"role": "user"
},
{
"content": "makedirs",
"role": "assistant"
}
] |
def x(self):
if self.loaded:
self.loaded = False
self._openalprpy_lib.dispose(self.alpr_pointer)
|
unload
|
[
{
"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.loaded:\n self.loaded = False\n self._openalprpy_lib.dispose(self.alpr_pointer)\n",
"role": "user"
},
{
"content": "unload",
"role": "assistant"
}
] |
def x(self, file_path):
file_path = _convert_to_charp(file_path)
ptr = self._recognize_file_func(self.alpr_pointer, file_path)
json_data = ctypes.cast(ptr, ctypes.c_char_p).value
json_data = _convert_from_charp(json_data)
response_obj = json.loads(json_data)
self._free_json_mem_func(ctypes.c_void_p(ptr))
return response_obj
|
recognize_file
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, file_path):\n file_path = _convert_to_charp(file_path)\n ptr = self._recognize_file_func(self.alpr_pointer, file_path)\n json_data = ctypes.cast(ptr, ctypes.c_char_p).value\n json_data = _convert_from_charp(json_data)\n response_obj = json.loads(json_data)\n self._free_json_mem_func(ctypes.c_void_p(ptr))\n return response_obj\n",
"role": "user"
},
{
"content": "recognize_file",
"role": "assistant"
}
] |
def x(self, byte_array):
if type(byte_array) != bytes:
raise TypeError(
'Expected a byte array (string in Python 2, bytes in Python 3)')
pb = ctypes.cast(byte_array, ctypes.POINTER(ctypes.c_ubyte))
ptr = self._recognize_array_func(self.alpr_pointer, pb, len(byte_array))
json_data = ctypes.cast(ptr, ctypes.c_char_p).value
json_data = _convert_from_charp(json_data)
response_obj = json.loads(json_data)
self._free_json_mem_func(ctypes.c_void_p(ptr))
return response_obj
|
recognize_array
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, byte_array):\n if type(byte_array) != bytes:\n raise TypeError(\n 'Expected a byte array (string in Python 2, bytes in Python 3)')\n pb = ctypes.cast(byte_array, ctypes.POINTER(ctypes.c_ubyte))\n ptr = self._recognize_array_func(self.alpr_pointer, pb, len(byte_array))\n json_data = ctypes.cast(ptr, ctypes.c_char_p).value\n json_data = _convert_from_charp(json_data)\n response_obj = json.loads(json_data)\n self._free_json_mem_func(ctypes.c_void_p(ptr))\n return response_obj\n",
"role": "user"
},
{
"content": "recognize_array",
"role": "assistant"
}
] |
def x(self, ndarray):
if self._recognize_raw_image_func is None:
raise RuntimeError('NumPy missing')
height, width = ndarray.shape[:2]
bpp = ndarray.shape[2] if len(ndarray.shape) > 2 else 1
ptr = self._recognize_raw_image_func(self.alpr_pointer, ndarray.flatten
(), bpp, width, height)
json_data = ctypes.cast(ptr, ctypes.c_char_p).value
json_data = _convert_from_charp(json_data)
p = re.compile('\\d(\\,)\\d')
json_data = p.subn('.', json_data)[0]
response_obj = json.loads(json_data)
self._free_json_mem_func(ctypes.c_void_p(ptr))
return response_obj
|
recognize_ndarray
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, ndarray):\n if self._recognize_raw_image_func is None:\n raise RuntimeError('NumPy missing')\n height, width = ndarray.shape[:2]\n bpp = ndarray.shape[2] if len(ndarray.shape) > 2 else 1\n ptr = self._recognize_raw_image_func(self.alpr_pointer, ndarray.flatten\n (), bpp, width, height)\n json_data = ctypes.cast(ptr, ctypes.c_char_p).value\n json_data = _convert_from_charp(json_data)\n p = re.compile('\\\\d(\\\\,)\\\\d')\n json_data = p.subn('.', json_data)[0]\n response_obj = json.loads(json_data)\n self._free_json_mem_func(ctypes.c_void_p(ptr))\n return response_obj\n",
"role": "user"
},
{
"content": "recognize_ndarray",
"role": "assistant"
}
] |
def x(self):
ptr = self._get_version_func(self.alpr_pointer)
version_number = ctypes.cast(ptr, ctypes.c_char_p).value
version_number = _convert_from_charp(version_number)
self._free_json_mem_func(ctypes.c_void_p(ptr))
return version_number
|
get_version
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n ptr = self._get_version_func(self.alpr_pointer)\n version_number = ctypes.cast(ptr, ctypes.c_char_p).value\n version_number = _convert_from_charp(version_number)\n self._free_json_mem_func(ctypes.c_void_p(ptr))\n return version_number\n",
"role": "user"
},
{
"content": "get_version",
"role": "assistant"
}
] |
def x(self, country):
country = _convert_to_charp(country)
self._set_country_func(self.alpr_pointer, country)
|
set_country
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, country):\n country = _convert_to_charp(country)\n self._set_country_func(self.alpr_pointer, country)\n",
"role": "user"
},
{
"content": "set_country",
"role": "assistant"
}
] |
def x(self, prewarp):
prewarp = _convert_to_charp(prewarp)
self._set_prewarp_func(self.alpr_pointer, prewarp)
|
set_prewarp
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, prewarp):\n prewarp = _convert_to_charp(prewarp)\n self._set_prewarp_func(self.alpr_pointer, prewarp)\n",
"role": "user"
},
{
"content": "set_prewarp",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.