source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(self, userid):
username = self.user_map.get(userid)
if not username:
users = self.get_users()
if users:
members = {m['id']: m['name'] for m in users.get('members', [{}
]) if m.get('id') and m.get('name')}
if members:
self.user_map.update(members)
username = self.user_map.get(userid, userid)
return username
| get_username | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, userid):\n username = self.user_map.get(userid)\n if not username:\n users = self.get_users()\n if users:\n members = {m['... |
def x(self, botid):
botinfo = self.slack_client.api_call('bots.info', bot=botid)
if botinfo['ok'] is True:
return botinfo['bot'].get('user_id')
else:
return botid
| get_userid_from_botid | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, botid):\n botinfo = self.slack_client.api_call('bots.info', bot=botid)\n if botinfo['ok'] is True:\n return botinfo['bot'].get('user_id')\n ... |
def x(self, message):
metadata = Metadata(source=self.actor_urn).__dict__
metadata['thread_ts'] = message.get('thread_ts')
if 'presence' in message:
metadata['presence'] = message['presence']
if 'text' in message:
metadata['text'] = message['text']
elif 'previous_message' in message:
if 'text' in message['previous_message']:
metadata['text'] = message['previous_message']['text']
else:
metadata['text'] = None
else:
metadata['text'] = None
if 'user' in message:
metadata['source_user'] = message['user']
elif 'bot_id' in message:
metadata['source_user'] = self.get_userid_from_botid(message['bot_id'])
elif 'message' in message and 'user' in message['message']:
metadata['source_user'] = message['message']['user']
else:
metadata['source_user'] = None
metadata['user_id'] = metadata['source_user']
metadata['display_name'] = self.get_username(metadata['source_user'])
if 'channel' in message:
metadata['source_channel'] = message['channel']
if message['channel'].startswith('D'):
metadata['is_private_message'] = True
else:
metadata['is_private_message'] = False
metadata['source_connector'] = 'slack'
return metadata
| parse_metadata | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, message):\n metadata = Metadata(source=self.actor_urn).__dict__\n metadata['thread_ts'] = message.get('thread_ts')\n if 'presence' in message:\n... |
def x(self, text, target, attachment, thread):
attachment = {'as_user': True, 'text': text, 'channel': target,
'attachments': [{'fallback': text, 'image_url': attachment}]}
if thread:
attachment['thread_ts'] = thread
return attachment
| build_attachment | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, text, target, attachment, thread):\n attachment = {'as_user': True, 'text': text, 'channel': target,\n 'attachments': [{'fallback': text, 'imag... |
def x(self, message):
logger.debug(message)
if Utilities.isNotEmpty(message['metadata']['opts']):
target = message['metadata']['opts']['target']
thread = message['metadata']['opts'].get('thread')
pattern = re.compile('^@([a-zA-Z0-9._-]+)|\\s@([a-zA-Z0-9._-]+)')
matches = re.findall(pattern, message['text'])
matches = set(matches)
logger.debug('MATCHES!!!! {}'.format(matches))
for match in matches:
if isinstance(match, tuple):
if match[0] != '':
match = match[0]
else:
match = match[1]
if not match.startswith('@'):
match = '@' + match
message['text'] = message['text'].replace(match, '<{}>'.format(
match))
pattern = re.compile('#([A-Za-z0-9-]+)')
matches = re.findall(pattern, message['text'])
matches = set(matches)
for match in matches:
channel_id = self.botThread.get_channel_id_by_name(match)
if channel_id:
message['text'] = message['text'].replace('#' + match,
'<#{}|{}>'.format(channel_id, match))
if message['text'].find('<<@') != -1 or message['text'].find('<<#'
) != -1:
message['text'] = message['text'].replace('<<', '<')
message['text'] = message['text'].replace('>>', '>')
if target.startswith('U'):
target = self.botThread.get_dm_channel(target)
attachment = message['metadata']['opts'].get('attachment')
if attachment:
text = message['metadata']['opts'].get('fallback')
attachment = self.build_attachment(text, target, attachment, thread
)
self.botThread.post_attachment(attachment)
else:
self.botThread.slack_client.rtm_send_message(target, message[
'text'], thread=thread)
| handle | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, message):\n logger.debug(message)\n if Utilities.isNotEmpty(message['metadata']['opts']):\n target = message['metadata']['opts']['target']\n... |
def x(system):
files = system.files
maybe = []
if files.input_format:
maybe.append(files.input_format)
for key, val in input_formats.items():
if type(val) == list:
for item in val:
if files.ext.strip('.').lower() == item:
maybe.append(key)
elif files.ext.strip('.').lower() == val:
maybe.append(key)
true_format = ''
fid = open(files.case, 'r')
for item in maybe:
try:
parser = importlib.import_module('.' + item, __name__)
testlines = getattr(parser, 'testlines')
if testlines(fid):
true_format = item
break
except ImportError:
logger.debug(
'Parser for {:s} format is not found. Format guess will continue.'
.format(item))
fid.close()
if true_format:
logger.debug('Input format guessed as {:s}.'.format(true_format))
else:
logger.error('Unable to determine case format.')
files.input_format = true_format
if files.addfile:
_, add_ext = os.path.splitext(files.addfile)
for key, val in input_formats.items():
if type(val) == list:
if add_ext[1:] in val:
files.add_format = key
elif add_ext[1:] == val:
files.add_format = key
return true_format
| guess | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(system):\n files = system.files\n maybe = []\n if files.input_format:\n maybe.append(files.input_format)\n for key, val in input_formats.ite... |
def x(system):
t, _ = elapsed()
input_format = system.files.input_format
add_format = system.files.add_format
if not input_format:
logger.error(
'No input format found. Specify or guess a format before parsing.')
return False
try:
parser = importlib.import_module('.' + input_format, __name__)
dmparser = importlib.import_module('.' + 'dome', __name__)
if add_format:
addparser = importlib.import_module('.' + add_format, __name__)
except ImportError:
logger.error('Parser for {:s} format not found. Program will exit.'
.format(input_format))
return False
logger.info('Parsing input file <{:s}>'.format(system.files.fullname))
if not parser.read(system.files.case, system):
logger.error('Error parsing case file {:s} with {:s} format parser.'
.format(system.files.fullname, input_format))
return False
if system.files.addfile:
if not system.files.add_format:
logger.error('Unknown addfile format.')
return
logger.info('Parsing additional file {:s}.'.format(system.files.
addfile))
if not addparser.readadd(system.files.addfile, system):
logger.error('Error parsing addfile {:s} with {:s} format parser.'
.format(system.files.addfile, input_format))
return False
if system.files.dynfile:
logger.info('Parsing input file {:s}.'.format(system.files.dynfile))
if not dmparser.read(system.files.dynfile, system):
logger.error('Error parsing dynfile {:s} with dm format parser.'
.format(system.files.dynfile))
return False
_, s = elapsed(t)
logger.debug('Case file {:s} parsed in {:s}.'.format(system.files.
fullname, s))
return True
| parse | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(system):\n t, _ = elapsed()\n input_format = system.files.input_format\n add_format = system.files.add_format\n if not input_format:\n logge... |
def x(self):
system = self.system
Gyx = matrix(system.dae.Gx)
self.solver.linsolve(system.dae.Gy, Gyx)
self.As = matrix(system.dae.Fx - system.dae.Fy * Gyx)
return self.As
| calc_state_matrix | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n system = self.system\n Gyx = matrix(system.dae.Gx)\n self.solver.linsolve(system.dae.Gy, Gyx)\n self.As = matrix(system.dae.Fx - system.da... |
def x(self):
self.eigs = numpy.linalg.eigvals(self.As)
return self.eigs
| calc_eigvals | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.eigs = numpy.linalg.eigvals(self.As)\n return self.eigs\n",
"role": "user"
},
{
"content": "calc_eigvals",
"role": "assista... |
def x(self):
mu, N = numpy.linalg.eig(self.As)
N = matrix(N)
n = len(mu)
idx = range(n)
W = matrix(spmatrix(1.0, idx, idx, (n, n), N.typecode))
gesv(N, W)
partfact = mul(abs(W.T), abs(N))
b = matrix(1.0, (1, n))
WN = b * partfact
partfact = partfact.T
for item in idx:
mu_real = mu[item].real
mu_imag = mu[item].imag
mu[item] = complex(round(mu_real, 4), round(mu_imag, 4))
partfact[item, :] /= WN[item]
self.mu = matrix(mu)
self.part_fact = matrix(partfact)
return self.mu, self.part_fact
| calc_part_factor | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n mu, N = numpy.linalg.eig(self.As)\n N = matrix(N)\n n = len(mu)\n idx = range(n)\n W = matrix(spmatrix(1.0, idx, idx, (n, n), N.typecod... |
def x(self):
system = self.system
mu = self.mu
partfact = self.part_fact
if system.files.no_output:
return
text = []
header = []
rowname = []
data = []
neig = len(mu)
mu_real = mu.real()
mu_imag = mu.imag()
npositive = sum(1 for x in mu_real if x > 0)
nzero = sum(1 for x in mu_real if x == 0)
nnegative = sum(1 for x in mu_real if x < 0)
numeral = []
for idx, item in enumerate(range(neig)):
if mu_real[idx] == 0:
marker = '*'
elif mu_real[idx] > 0:
marker = '**'
else:
marker = ''
numeral.append('#' + str(idx + 1) + marker)
freq = [0] * neig
ufreq = [0] * neig
damping = [0] * neig
for idx, item in enumerate(mu):
if item.imag == 0:
freq[idx] = 0
ufreq[idx] = 0
damping[idx] = 0
else:
freq[idx] = abs(item) / 2 / pi
ufreq[idx] = abs(item.imag / 2 / pi)
damping[idx] = -div(item.real, abs(item)) * 100
var_assoc = []
for prow in range(neig):
temp_row = partfact[prow, :]
name_idx = list(temp_row).index(max(temp_row))
var_assoc.append(system.varname.unamex[name_idx])
pf = []
for prow in range(neig):
temp_row = []
for pcol in range(neig):
temp_row.append(round(partfact[prow, pcol], 5))
pf.append(temp_row)
text.append(system.report.info)
header.append([''])
rowname.append(['EIGENVALUE ANALYSIS REPORT'])
data.append('')
text.append('STATISTICS\n')
header.append([''])
rowname.append(['Positives', 'Zeros', 'Negatives'])
data.append([npositive, nzero, nnegative])
text.append('EIGENVALUE DATA\n')
header.append(['Most Associated', 'Real', 'Imag', 'Damped Freq.',
'Frequency', 'Damping [%]'])
rowname.append(numeral)
data.append([var_assoc, list(mu_real), list(mu_imag), ufreq, freq, damping]
)
cpb = 7
nblock = int(ceil(neig / cpb))
if nblock <= 100:
for idx in range(nblock):
start = cpb * idx
end = cpb * (idx + 1)
text.append('PARTICIPATION FACTORS [{}/{}]\n'.format(idx + 1,
nblock))
header.append(numeral[start:end])
rowname.append(system.varname.unamex)
data.append(pf[start:end])
dump_data(text, header, rowname, data, system.files.eig)
logger.info('report saved.')
| dump_results | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n system = self.system\n mu = self.mu\n partfact = self.part_fact\n if system.files.no_output:\n return\n text = []\n header = ... |
def x(self):
if not self.n:
return []
self.times = list(mul(self.u1, self.t1)) + list(mul(self.u2, self.t2)
) + list(mul(self.u3, self.t3)) + list(mul(self.u4, self.t4))
self.times = matrix(list(set(self.times)))
self.times = list(self.times) + list(self.times - 1e-06)
return self.times
| get_times | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if not self.n:\n return []\n self.times = list(mul(self.u1, self.t1)) + list(mul(self.u2, self.t2)\n ) + list(mul(self.u3, self.t3... |
def x(self, ws, seq):
payload = {'op': 1, 'd': seq}
payload = json.dumps(payload)
logger.debug('Sending heartbeat with payload {}'.format(payload))
ws.send(payload)
return
| send | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, ws, seq):\n payload = {'op': 1, 'd': seq}\n payload = json.dumps(payload)\n logger.debug('Sending heartbeat with payload {}'.format(payload))\n ... |
def x(self, channel_id, text):
baseurl = self.rest_baseurl + '/channels/{}/messages'.format(channel_id)
requests.post(baseurl, headers=self.headers, data=json.dumps({'content':
text}))
| create_message | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, channel_id, text):\n baseurl = self.rest_baseurl + '/channels/{}/messages'.format(channel_id)\n requests.post(baseurl, headers=self.headers, data=j... |
def x(self, token):
payload = {'op': 2, 'd': {'token': self.token, 'properties': {'$os':
sys.platform, '$browser': 'legobot', '$device': 'legobot'},
'compress': False, 'large_threshold': 250}}
payload['d']['synced_guilds'] = []
logger.info(
'Identifying with the following message: {}'.
format(payload))
self.ws.send(json.dumps(payload))
return
| identify | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, token):\n payload = {'op': 2, 'd': {'token': self.token, 'properties': {'$os':\n sys.platform, '$browser': 'legobot', '$device': 'legobot'},\n ... |
def x(self, message):
logger.info('Got a hello')
self.identify(self.token)
self.heartbeat_thread = Heartbeat(self.ws, message['d'][
'heartbeat_interval'])
self.heartbeat_thread.start()
return
| on_hello | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, message):\n logger.info('Got a hello')\n self.identify(self.token)\n self.heartbeat_thread = Heartbeat(self.ws, message['d'][\n 'heartbea... |
def x(self, message):
logger.info('Got a heartbeat')
logger.info('Heartbeat message: {}'.format(message))
self.heartbeat_thread.update_sequence(message['d'])
return
| on_heartbeat | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, message):\n logger.info('Got a heartbeat')\n logger.info('Heartbeat message: {}'.format(message))\n self.heartbeat_thread.update_sequence(messag... |
def x(self, message):
if 'content' in message['d']:
metadata = self._parse_metadata(message)
message = Message(text=message['d']['content'], metadata=metadata
).__dict__
logger.debug(message)
self.baseplate.tell(message)
| on_message | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, message):\n if 'content' in message['d']:\n metadata = self._parse_metadata(message)\n message = Message(text=message['d']['content'], m... |
def x(self, message):
metadata = Metadata(source=self.actor_urn).__dict__
if 'author' in message['d']:
metadata['source_user'] = message['d']['author']['username']
else:
metadata['source_user'] = None
if 'channel_id' in message['d']:
metadata['source_channel'] = message['d']['channel_id']
else:
metadata['source_channel'] = None
metadata['user_id'] = metadata['source_user']
metadata['display_name'] = metadata['source_user']
metadata['source_connector'] = 'discord'
return metadata
| parse_metadata | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, message):\n metadata = Metadata(source=self.actor_urn).__dict__\n if 'author' in message['d']:\n metadata['source_user'] = message['d']['aut... |
def x(self, message):
opcode = message['op']
if opcode == 10:
self.on_hello(message)
elif opcode == 11:
self.on_heartbeat(message)
elif opcode == 0:
self.on_message(message)
else:
logger.debug('Not a message we handle: OPCODE {}'.format(opcode))
return
| handle | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, message):\n opcode = message['op']\n if opcode == 10:\n self.on_hello(message)\n elif opcode == 11:\n self.on_heartbeat(message)\n... |
def x(self):
self.ws = self.connect()
while True:
try:
data = json.loads(self.ws.recv())
self.handle(data)
except json.decoder.JSONDecodeError as e:
logger.fatal('No data on socket...')
| 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.ws = self.connect()\n while True:\n try:\n data = json.loads(self.ws.recv())\n self.handle(data)\n exce... |
def x(self, message):
logger.debug(message)
if Utilities.isNotEmpty(message['metadata']['opts']):
target = message['metadata']['opts']['target']
self.botThread.create_message(target, message['text'])
| handle | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, message):\n logger.debug(message)\n if Utilities.isNotEmpty(message['metadata']['opts']):\n target = message['metadata']['opts']['target']\n... |
def x(self):
yext = self.m - len(self.y)
xext = self.n - len(self.x)
if yext > 0:
yzeros = zeros(yext, 1)
yones = ones(yext, 1)
self.y = matrix([self.y, yzeros], (self.m, 1), 'd')
self.g = matrix([self.g, yzeros], (self.m, 1), 'd')
self.uy = matrix([self.uy, yones], (self.m, 1), 'd')
self.zymin = matrix([self.zymin, yones], (self.m, 1), 'd')
self.zymax = matrix([self.zymax, yones], (self.m, 1), 'd')
if xext > 0:
xzeros = zeros(xext, 1)
xones = ones(xext, 1)
self.x = matrix([self.x, xzeros], (self.n, 1), 'd')
self.f = matrix([self.f, xzeros], (self.n, 1), 'd')
self.ux = matrix([self.ux, xones], (self.n, 1), 'd')
self.zxmin = matrix([self.zxmin, xones], (self.n, 1), 'd')
self.zxmax = matrix([self.zxmax, xones], (self.n, 1), 'd')
| resize | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n yext = self.m - len(self.y)\n xext = self.n - len(self.x)\n if yext > 0:\n yzeros = zeros(yext, 1)\n yones = ones(yext, 1)\n ... |
def x(self, yidx, ymin, ymax, min_set=None, max_set=None):
yidx = matrix(yidx)
yval = self.y[yidx]
ny = len(yidx)
if isinstance(ymin, (int, float, list)):
ymin = matrix(ymin, (ny, 1), 'd')
if isinstance(ymax, (int, float, list)):
ymax = matrix(ymax, (ny, 1), 'd')
if not min_set:
min_set = ymin
elif isinstance(min_set, (int, float, list)):
min_set = matrix(min_set, (ny, 1), 'd')
if not max_set:
max_set = ymax
elif isinstance(max_set, (int, float, list)):
max_set = matrix(max_set, (ny, 1), 'd')
above = ageb(yval, ymax)
below = aleb(yval, ymin)
above_idx = index(above, 1.0)
below_idx = index(below, 1.0)
above_yidx = yidx[above_idx]
below_yidx = yidx[below_idx]
idx = list(above_idx) + list(below_idx)
if len(above_yidx) > 0:
self.y[above_yidx] = max_set[above_idx]
self.zymax[above_yidx] = 0
if len(below_yidx) > 0:
self.y[below_yidx] = min_set[below_idx]
self.zymin[below_yidx] = 0
if len(idx):
self.g[yidx[idx]] = 0
self.ac_reset = True
| hard_limit | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, yidx, ymin, ymax, min_set=None, max_set=None):\n yidx = matrix(yidx)\n yval = self.y[yidx]\n ny = len(yidx)\n if isinstance(ymin, (int, float... |
def x(self, yidx, ridx, rtype='y', rmin=None, rmax=None, min_yset=0, max_yset=0
):
ny = len(yidx)
assert ny == len(ridx
), 'Length of output vars and remote vars does not match'
assert rtype in ('x', 'y'), 'ridx must be either y (algeb) or x (state)'
if isinstance(min_yset, (int, float)):
min_yset = matrix(min_yset, (ny, 1), 'd')
if isinstance(max_yset, (int, float)):
max_yset = matrix(max_yset, (ny, 1), 'd')
above_idx, below_idx = list(), list()
yidx = matrix(yidx)
if rmax:
above = ageb(self.__dict__[rtype][ridx], rmax)
above_idx = index(above, 1.0)
self.y[yidx[above_idx]] = max_yset[above_idx]
self.zymax[yidx[above_idx]] = 0
if rmin:
below = aleb(self.__dict__[rtype][ridx], rmin)
below_idx = index(below, 1.0)
self.y[yidx[below_idx]] = min_yset[below_idx]
self.zymin[yidx[below_idx]] = 0
idx = above_idx + below_idx
self.g[yidx[idx]] = 0
if len(idx) > 0:
self.factorize = True
| hard_limit_remote | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, yidx, ridx, rtype='y', rmin=None, rmax=None, min_yset=0, max_yset=0\n ):\n ny = len(yidx)\n assert ny == len(ridx\n ), 'Length of output ... |
def x(self, xidx, xmin, xmax):
xidx = matrix(xidx)
xval = self.x[xidx]
fval = self.f[xidx]
if isinstance(xmin, (float, int, list)):
xmin = matrix(xmin, xidx.size, 'd')
if isinstance(xmax, (float, int, list)):
xmax = matrix(xmax, xidx.size, 'd')
x_above = ageb(xval, xmax)
f_above = ageb(fval, 0.0)
x_below = aleb(xval, xmin)
f_below = aleb(fval, 0.0)
above = aandb(x_above, f_above)
above_idx = index(above, 1.0)
if len(above_idx) > 0:
above_xidx = xidx[above_idx]
self.x[above_xidx] = xmax[above_idx]
self.zxmax[above_xidx] = 0
below = aandb(x_below, f_below)
below_idx = index(below, 1.0)
if len(below_idx) > 0:
below_xidx = xidx[below_idx]
self.x[below_xidx] = xmin[below_idx]
self.zxmin[below_xidx] = 0
idx = list(above_idx) + list(below_idx)
if len(idx) > 0:
self.f[xidx[idx]] = 0
self.ac_reset = True
| anti_windup | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, xidx, xmin, xmax):\n xidx = matrix(xidx)\n xval = self.x[xidx]\n fval = self.f[xidx]\n if isinstance(xmin, (float, int, list)):\n xmin... |
def x(self):
if self.ac_reset is False:
return
mn = self.m + self.n
x = index(aandb(self.zxmin, self.zxmax), 0.0)
y = [(i + self.n) for i in index(aandb(self.zymin, self.zymax), 0.0)]
xy = list(x) + y
eye = spdiag([1.0] * mn)
H = spmatrix(1.0, xy, xy, (mn, mn), 'd')
for idx in xy:
eye[idx, idx] = 0
if len(xy) > 0:
self.Ac = eye * (self.Ac * eye) - H
self.q[x] = 0
self.ac_reset = False
self.factorize = True
| reset_Ac | [
{
"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.ac_reset is False:\n return\n mn = self.m + self.n\n x = index(aandb(self.zxmin, self.zxmax), 0.0)\n y = [(i + self.n) for ... |
def x(self, m):
nrow, ncol = 0, 0
if m[0] == 'F':
nrow = self.n
elif m[0] == 'G':
nrow = self.m
if m[1] == 'x':
ncol = self.n
elif m[1] == 'y':
ncol = self.m
return nrow, ncol
| get_size | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, m):\n nrow, ncol = 0, 0\n if m[0] == 'F':\n nrow = self.n\n elif m[0] == 'G':\n nrow = self.m\n if m[1] == 'x':\n ncol =... |
def x(self, m, val, row, col):
assert m in ('Fx', 'Fy', 'Gx', 'Gy', 'Fx0', 'Fy0', 'Gx0', 'Gy0'
), 'Wrong Jacobian matrix name <{0}>'.format(m)
if isinstance(val, (int, float)):
val = val * ones(len(row), 1)
self._temp[m]['I'] = matrix([self._temp[m]['I'], matrix(row)])
self._temp[m]['J'] = matrix([self._temp[m]['J'], matrix(col)])
self._temp[m]['V'] = matrix([self._temp[m]['V'], matrix(val)])
| add_jac | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, m, val, row, col):\n assert m in ('Fx', 'Fy', 'Gx', 'Gy', 'Fx0', 'Fy0', 'Gx0', 'Gy0'\n ), 'Wrong Jacobian matrix name <{0}>'.format(m)\n if ... |
def x(self, ty):
assert ty in ('jac0', 'jac')
jac0s = ['Fx0', 'Fy0', 'Gx0', 'Gy0']
jacs = ['Fx', 'Fy', 'Gx', 'Gy']
if ty == 'jac0':
todo = jac0s
elif ty == 'jac':
todo = jacs
for m in todo:
self.__dict__[m] = spmatrix(self._temp[m]['V'], self._temp[m]['I'],
self._temp[m]['J'], self.get_size(m), 'd')
if ty == 'jac':
self.__dict__[m] += self.__dict__[m + '0']
self.apply_set(ty)
| temp_to_spmatrix | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, ty):\n assert ty in ('jac0', 'jac')\n jac0s = ['Fx0', 'Fy0', 'Gx0', 'Gy0']\n jacs = ['Fx', 'Fy', 'Gx', 'Gy']\n if ty == 'jac0':\n todo... |
def x(self, m, val, row, col):
assert m in ('Fx', 'Fy', 'Gx', 'Gy', 'Fx0', 'Fy0', 'Gx0', 'Gy0'
), 'Wrong Jacobian matrix name <{0}>'.format(m)
if isinstance(val, (int, float)) and isinstance(row, (np.ndarray,
matrix, list)):
val = val * ones(len(row), 1)
self._set[m]['I'] = matrix([self._set[m]['I'], matrix(row)])
self._set[m]['J'] = matrix([self._set[m]['J'], matrix(col)])
self._set[m]['V'] = matrix([self._set[m]['V'], matrix(val)])
| set_jac | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, m, val, row, col):\n assert m in ('Fx', 'Fy', 'Gx', 'Gy', 'Fx0', 'Fy0', 'Gx0', 'Gy0'\n ), 'Wrong Jacobian matrix name <{0}>'.format(m)\n if ... |
def x(self, ty):
assert ty in ('jac0', 'jac')
if ty == 'jac0':
todo = ['Fx0', 'Fy0', 'Gx0', 'Gy0']
else:
todo = ['Fx', 'Fy', 'Gx', 'Gy']
for m in todo:
for idx in range(len(self._set[m]['I'])):
i = self._set[m]['I'][idx]
j = self._set[m]['J'][idx]
v = self._set[m]['V'][idx]
self.__dict__[m][i, j] = v
| apply_set | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, ty):\n assert ty in ('jac0', 'jac')\n if ty == 'jac0':\n todo = ['Fx0', 'Fy0', 'Gx0', 'Gy0']\n else:\n todo = ['Fx', 'Fy', 'Gx', '... |
def x(self, eq, value=None):
if eq in ['f', 'x']:
key = 'unamex'
elif eq in ['g', 'y']:
key = 'unamey'
if value:
value = list(value)
else:
value = list(self.__dict__[eq])
out = ''
for name, val, idx in zip(self.system.varname.__dict__[key], value,
range(len(value))):
out += '{:20s} [{:>12.4f}] {:g}\n'.format(name, val, idx)
return out
| show | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, eq, value=None):\n if eq in ['f', 'x']:\n key = 'unamex'\n elif eq in ['g', 'y']:\n key = 'unamey'\n if value:\n value = li... |
def x(self, eq, val):
if eq not in ('f', 'g', 'q'):
return
elif eq in ('f', 'q'):
key = 'unamex'
elif eq == 'g':
key = 'unamey'
idx = 0
for m, n in zip(self.system.varname.__dict__[key], self.__dict__[eq]):
if n == val:
return m, idx
idx += 1
return
| find_val | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, eq, val):\n if eq not in ('f', 'g', 'q'):\n return\n elif eq in ('f', 'q'):\n key = 'unamex'\n elif eq == 'g':\n key = 'una... |
def x(self, eq):
assert eq in ('f', 'g')
for idx, var in enumerate(self.__dict__[eq]):
if abs(var) <= 1e-12:
self.__dict__[eq][idx] = 0
| reset_small | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, eq):\n assert eq in ('f', 'g')\n for idx, var in enumerate(self.__dict__[eq]):\n if abs(var) <= 1e-12:\n self.__dict__[eq][idx] =... |
def x(self, jac, name):
system = self.system
pos = []
names = []
pairs = ''
size = jac.size
diag = jac[0:size[0] ** 2:size[0] + 1]
for idx in range(size[0]):
if abs(diag[idx]) <= 1e-08:
pos.append(idx)
for idx in pos:
names.append(system.varname.__dict__[name][idx])
if len(names) > 0:
for i, j in zip(pos, names):
pairs += '{0}: {1}\n'.format(i, j)
logger.debug('Jacobian diagonal check:')
logger.debug(pairs)
| check_diag | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, jac, name):\n system = self.system\n pos = []\n names = []\n pairs = ''\n size = jac.size\n diag = jac[0:size[0] ** 2:size[0] + 1]\n ... |
def x():
_, _, tb = sys.exc_info()
while tb.tb_next:
tb = tb.tb_next
f = tb.tb_frame
lineno = tb.tb_lineno
co = f.f_code
filefullpath = co.co_filename
filename = os.path.basename(filefullpath)
name = co.co_name
linecache.checkcache(filefullpath)
line = linecache.getline(filefullpath, lineno, f.f_globals)
if line:
line = line.strip()
else:
line = None
return filefullpath, filename, lineno, name, line
| get_exception_source | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n _, _, tb = sys.exc_info()\n while tb.tb_next:\n tb = tb.tb_next\n f = tb.tb_frame\n lineno = tb.tb_lineno\n co = f.f_code\n filef... |
def x(self, record):
self.format(record)
record.msg = record.message
record.args = None
record.exc_info = None
return record
| prepare | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, record):\n self.format(record)\n record.msg = record.message\n record.args = None\n record.exc_info = None\n return record\n",
"role":... |
def x(self, record):
try:
self._callback(self.prepare(record))
except Exception:
self.handleError(record)
| emit | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, record):\n try:\n self._callback(self.prepare(record))\n except Exception:\n self.handleError(record)\n",
"role": "user"
},
{... |
def x(self, status_code=None):
if status_code is not None:
self._service_status = status_code
self._utilization.update_status(status_code)
if self._service_status == CommonService.SERVICE_STATUS_IDLE:
if self._status_idle_since is None:
self._status_idle_since = time.time()
return
elif self._status_idle_since + 0.5 > time.time():
return
else:
self._status_idle_since = None
new_status = self._service_status != self._service_status_announced
if (new_status or self._status_last_broadcast + self._status_interval <=
time.time()) and self._transport and self._transport.is_connected():
self._service_status_announced = self._service_status
self._transport.broadcast_status(self.get_status())
self._status_last_broadcast = time.time()
| update_status | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, status_code=None):\n if status_code is not None:\n self._service_status = status_code\n self._utilization.update_status(status_code)\n ... |
def x(self):
self.log.debug('Entered main loop')
while not self.shutdown:
if not self._pipe_service:
time.sleep(0.3)
self.update_status()
if self._pipe_service and self._pipe_service.poll(1):
try:
message = self._pipe_service.recv()
if isinstance(message, dict) and 'band' in message:
try:
handler = getattr(self, 'parse_band_' + message['band']
)
except AttributeError:
handler = None
self.log.warning('Unknown band %s', str(message[
'band']))
if handler:
handler(message)
else:
self.log.warning('Invalid message received %s', str(
message))
except EOFError:
error_message = False
if self._service_status == CommonService.SERVICE_STATUS_END:
self.log.info('Service terminated')
elif self._service_status == CommonService.SERVICE_STATUS_ERROR:
error_message = 'Service terminated with error code'
elif self._service_status in (CommonService.
SERVICE_STATUS_NONE, CommonService.SERVICE_STATUS_NEW,
CommonService.SERVICE_STATUS_STARTING):
error_message = (
'Service may have died unexpectedly in ' +
'initialization (last known status: %s)' %
CommonService.human_readable_state.get(self.
_service_status, self._service_status))
else:
error_message = (
'Service may have died unexpectedly (last known status: %s)'
% CommonService.human_readable_state.get(self.
_service_status, self._service_status))
if error_message:
self.log.error(error_message)
self._terminate_service()
if self.restart_service:
self.exponential_backoff()
else:
self.shutdown = True
if error_message:
raise workflows.Error(error_message)
with self.__lock:
if (self._service is None and self.restart_service and self.
_service_factory):
self.update_status(status_code=CommonService.SERVICE_STATUS_NEW
)
self.switch_service()
if not self._transport.is_connected():
self._terminate_service()
raise workflows.Error('Lost transport layer connection')
self.log.debug('Left main loop')
self.update_status(status_code=CommonService.SERVICE_STATUS_TEARDOWN)
self._terminate_service()
self.log.debug('Terminating.')
| 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.log.debug('Entered main loop')\n while not self.shutdown:\n if not self._pipe_service:\n time.sleep(0.3)\n self.up... |
def x(self, command):
if self._pipe_commands:
self._pipe_commands.send(command)
elif self.shutdown:
self.log.info(
'During shutdown no command queue pipe found for command\n%s',
str(command))
else:
self.log.error('No command queue pipe found for command\n%s', str(
command))
| send_command | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, command):\n if self._pipe_commands:\n self._pipe_commands.send(command)\n elif self.shutdown:\n self.log.info(\n 'During s... |
def x(self, header, message):
if not isinstance(message, dict):
return
relevant = False
if 'host' in message:
if message['host'] != self.__hostid:
return
relevant = True
if 'service' in message:
if message['service'] != self._service_class_name:
return
relevant = True
if not relevant:
return
if message.get('command'):
self.log.info("Received command '%s' via transport layer", message[
'command'])
if message['command'] == 'shutdown':
self.shutdown = True
else:
self.log.warning('Received invalid transport command message')
| process_transport_command | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, header, message):\n if not isinstance(message, dict):\n return\n relevant = False\n if 'host' in message:\n if message['host'] != ... |
def x(self, message):
if 'payload' in message and hasattr(message['payload'], 'name'):
record = message['payload']
for k in dir(record):
if k.startswith('workflows_exc_'):
setattr(record, k[14:], getattr(record, k))
delattr(record, k)
for k, v in self.get_status().items():
setattr(record, 'workflows_' + k, v)
logging.getLogger(record.name).handle(record)
else:
self.log.warning('Received broken record on log band\n' +
'Message: %s\nRecord: %s', str(message), str(hasattr(message.
get('payload'), '__dict__') and message['payload'].__dict__))
| parse_band_log | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, message):\n if 'payload' in message and hasattr(message['payload'], 'name'):\n record = message['payload']\n for k in dir(record):\n ... |
def x(self, message):
self.log.debug('Service requests termination')
self._terminate_service()
if not self.restart_service:
self.shutdown = True
| parse_band_request_termination | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, message):\n self.log.debug('Service requests termination')\n self._terminate_service()\n if not self.restart_service:\n self.shutdown = T... |
def x(self, message):
if message.get('name'):
self._service_name = message['name']
else:
self.log.warning('Received broken record on set_name band\nMessage: %s'
, str(message))
| parse_band_set_name | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, message):\n if message.get('name'):\n self._service_name = message['name']\n else:\n self.log.warning('Received broken record on set_... |
def x(self, message):
self.log.debug('Status update: ' + str(message))
self.update_status(status_code=message['statuscode'])
| parse_band_status_update | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, message):\n self.log.debug('Status update: ' + str(message))\n self.update_status(status_code=message['statuscode'])\n",
"role": "user"
},
... |
def x(self):
return {'host': self.__hostid, 'status': self._service_status_announced,
'statustext': CommonService.human_readable_state.get(self.
_service_status_announced), 'service': self._service_name,
'serviceclass': self._service_class_name, 'utilization': self.
_utilization.report(), 'workflows': workflows.version()}
| get_status | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return {'host': self.__hostid, 'status': self._service_status_announced,\n 'statustext': CommonService.human_readable_state.get(self.\n ... |
def x(self):
last_service_switch = self._service_starttime
if not last_service_switch:
return
time_since_last_switch = time.time() - last_service_switch
if not self._service_rapidstarts:
self._service_rapidstarts = 0
minimum_wait = 0.1 * 2 ** self._service_rapidstarts
minimum_wait = min(5, minimum_wait)
if time_since_last_switch > 10:
self._service_rapidstarts = 0
return
self._service_rapidstarts += 1
self.log.debug('Slowing down service starts (%.1f seconds)', minimum_wait)
time.sleep(minimum_wait)
| exponential_backoff | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n last_service_switch = self._service_starttime\n if not last_service_switch:\n return\n time_since_last_switch = time.time() - last_ser... |
def x(self, new_service=None):
if new_service:
self._service_factory = new_service
with self.__lock:
if self._service is not None:
self._terminate_service()
if isinstance(self._service_factory, basestring):
self._service_factory = workflows.services.lookup(self.
_service_factory)
if not self._service_factory:
return False
service_instance = self._service_factory(environment=self.
_service_environment)
svc_commands, self._pipe_commands = multiprocessing.Pipe(False)
self._pipe_service, svc_tofrontend = multiprocessing.Pipe(False)
service_instance.connect(commands=svc_commands, frontend=svc_tofrontend
)
service_instance.transport = self._transport_factory()
self._service = multiprocessing.Process(target=service_instance.
start, args=(), kwargs={'verbose_log': self._verbose_service})
self._service_name = service_instance.get_name()
self._service_class_name = service_instance.__class__.__name__
self._service.daemon = True
self._service.name = 'workflows-service'
self._service.start()
self._service_starttime = time.time()
svc_commands.close()
svc_tofrontend.close()
self.log.info('Started service: %s', self._service_name)
return True
| switch_service | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, new_service=None):\n if new_service:\n self._service_factory = new_service\n with self.__lock:\n if self._service is not None:\n ... |
def x(self):
with self.__lock:
if self._service:
self._service.terminate()
if self._pipe_commands:
self._pipe_commands.close()
if self._pipe_service:
self._pipe_service.close()
self._pipe_commands = None
self._pipe_service = None
self._service_class_name = None
self._service_name = None
if self._service_status != CommonService.SERVICE_STATUS_TEARDOWN:
self.update_status(status_code=CommonService.SERVICE_STATUS_END)
if self._service:
self._service.join()
self._service = None
| terminate_service | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n with self.__lock:\n if self._service:\n self._service.terminate()\n if self._pipe_commands:\n self._pipe_comman... |
def x(self, A):
if self.sparselib == 'umfpack':
return umfpack.symbolic(A)
elif self.sparselib == 'klu':
return klu.symbolic(A)
| symbolic | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, A):\n if self.sparselib == 'umfpack':\n return umfpack.symbolic(A)\n elif self.sparselib == 'klu':\n return klu.symbolic(A)\n",
"... |
def x(self, A, F):
if self.sparselib == 'umfpack':
return umfpack.numeric(A, F)
elif self.sparselib == 'klu':
return klu.numeric(A, F)
| numeric | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, A, F):\n if self.sparselib == 'umfpack':\n return umfpack.numeric(A, F)\n elif self.sparselib == 'klu':\n return klu.numeric(A, F)\n"... |
def x(self, A, F, N, b):
if self.sparselib == 'umfpack':
umfpack.solve(A, N, b)
elif self.sparselib == 'klu':
klu.solve(A, F, N, b)
| solve | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, A, F, N, b):\n if self.sparselib == 'umfpack':\n umfpack.solve(A, N, b)\n elif self.sparselib == 'klu':\n klu.solve(A, F, N, b)\n",
... |
def x(self, A, b):
if self.sparselib == 'umfpack':
return umfpack.linsolve(A, b)
elif self.sparselib == 'klu':
return klu.linsolve(A, b)
| linsolve | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, A, b):\n if self.sparselib == 'umfpack':\n return umfpack.linsolve(A, b)\n elif self.sparselib == 'klu':\n return klu.linsolve(A, b)\... |
def x(self):
if not self.n:
return
m = self.system.dae.m
xy_idx = range(m, self.n + m)
self.system.varname.append(listname='unamey', xy_idx=xy_idx, var_name=
'P', element_name=self.name)
self.system.varname.append(listname='fnamey', xy_idx=xy_idx, var_name=
'P', element_name=self.name)
xy_idx = range(m + self.n, m + 2 * self.n)
self.system.varname.append(listname='unamey', xy_idx=xy_idx, var_name=
'Q', element_name=self.name)
self.system.varname.append(listname='fnamey', xy_idx=xy_idx, var_name=
'Q', element_name=self.name)
| varname_inj | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if not self.n:\n return\n m = self.system.dae.m\n xy_idx = range(m, self.n + m)\n self.system.varname.append(listname='unamey', xy_... |
def x(self, dae):
if not self.system.pflow.config.flatstart:
dae.y[self.a] = self.angle + 1e-10 * uniform(self.n)
dae.y[self.v] = self.voltage
else:
dae.y[self.a] = matrix(0.0, (self.n, 1), 'd') + 1e-10 * uniform(self.n)
dae.y[self.v] = matrix(1.0, (self.n, 1), 'd')
| init0 | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, dae):\n if not self.system.pflow.config.flatstart:\n dae.y[self.a] = self.angle + 1e-10 * uniform(self.n)\n dae.y[self.v] = self.voltage... |
def x(self, dae):
if not self.islanded_buses and not self.island_sets:
return
a, v = list(), list()
a = self.islanded_buses
v = [(self.n + item) for item in a]
dae.g[a] = 0
dae.g[v] = 0
| gisland | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, dae):\n if not self.islanded_buses and not self.island_sets:\n return\n a, v = list(), list()\n a = self.islanded_buses\n v = [(self.n... |
def x(self, dae):
if self.system.Bus.islanded_buses:
a = self.system.Bus.islanded_buses
v = [(self.system.Bus.n + item) for item in a]
dae.set_jac(Gy, 1e-06, a, a)
dae.set_jac(Gy, 1e-06, v, v)
| gyisland | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, dae):\n if self.system.Bus.islanded_buses:\n a = self.system.Bus.islanded_buses\n v = [(self.system.Bus.n + item) for item in a]\n ... |
def x(self, dae):
if not (self.islanded_buses and self.island_sets):
return
a, v = list(), list()
for island in self.island_sets:
nosw = 1
for item in self.system.SW.bus:
if self.uid[item] in island:
nosw = 0
break
if nosw:
self.islanded_buses += island
self.island_sets.remove(island)
a = self.islanded_buses
v = [(self.n + item) for item in a]
dae.g[a] = 0
dae.g[v] = 0
| gisland | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, dae):\n if not (self.islanded_buses and self.island_sets):\n return\n a, v = list(), list()\n for island in self.island_sets:\n no... |
def x():
if not hasattr(get_known_transports, 'cache'):
setattr(get_known_transports, 'cache', {e.name: e.load() for e in
pkg_resources.iter_entry_points('workflows.transport')})
return get_known_transports.cache.copy()
| get_known_transports | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n if not hasattr(get_known_transports, 'cache'):\n setattr(get_known_transports, 'cache', {e.name: e.load() for e in\n pkg_resources.it... |
def x(self, t):
ws = [0] * self.n
for i in range(self.n):
q = ceil(t / self.dt[i])
q_prev = 0 if q == 0 else q - 1
r = t % self.dt[i]
r = 0 if abs(r) < 1e-06 else r
if r == 0:
ws[i] = self.speed[i][q]
else:
t1 = self.time[i][q_prev]
s1 = self.speed[i][q_prev]
s2 = self.speed[i][q]
ws[i] = s1 + (t - t1) * (s2 - s1) / self.dt[i]
return matrix(ws)
| windspeed | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, t):\n ws = [0] * self.n\n for i in range(self.n):\n q = ceil(t / self.dt[i])\n q_prev = 0 if q == 0 else q - 1\n r = t % self.... |
def x(self, vf):
self.vf0 = vf
self.system.dae.y[self.vf] = matrix(vf)
| set_vf0 | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, vf):\n self.vf0 = vf\n self.system.dae.y[self.vf] = matrix(vf)\n",
"role": "user"
},
{
"content": "set_vf0",
"role": "assistant"
... |
def x(self):
self.devman.sort_device()
self.call.setup()
self.model_setup()
self.xy_addr0()
self.dae.setup()
self.to_sysbase()
return self
| setup | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.devman.sort_device()\n self.call.setup()\n self.model_setup()\n self.xy_addr0()\n self.dae.setup()\n self.to_sysbase()\n ret... |
def x(self):
if self.config.base:
for item in self.devman.devices:
self.__dict__[item].data_to_sys_base()
| to_sysbase | [
{
"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.config.base:\n for item in self.devman.devices:\n self.__dict__[item].data_to_sys_base()\n",
"role": "user"
},
{
... |
def x(self):
if self.config.base:
for item in self.devman.devices:
self.__dict__[item].data_to_elem_base()
| to_elembase | [
{
"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.config.base:\n for item in self.devman.devices:\n self.__dict__[item].data_to_elem_base()\n",
"role": "user"
},
{... |
def x(self, name='Ungrouped'):
if not hasattr(self, name):
self.__dict__[name] = Group(self, name)
self.loaded_groups.append(name)
| group_add | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name='Ungrouped'):\n if not hasattr(self, name):\n self.__dict__[name] = Group(self, name)\n self.loaded_groups.append(name)\n",
"ro... |
def x(self):
for file, pair in non_jits.items():
for cls, name in pair.items():
themodel = importlib.import_module('andes.models.' + file)
theclass = getattr(themodel, cls)
self.__dict__[name] = theclass(self, name)
group = self.__dict__[name]._group
self.group_add(group)
self.__dict__[group].register_model(name)
self.devman.register_device(name)
for file, pair in jits.items():
for cls, name in pair.items():
self.__dict__[name] = JIT(self, file, cls, name)
| model_import | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n for file, pair in non_jits.items():\n for cls, name in pair.items():\n themodel = importlib.import_module('andes.models.' + file)... |
def x(self):
for r in routines.__all__:
file = importlib.import_module('.' + r.lower(), 'andes.routines')
self.__dict__[r.lower()] = getattr(file, r)(self)
| routine_import | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n for r in routines.__all__:\n file = importlib.import_module('.' + r.lower(), 'andes.routines')\n self.__dict__[r.lower()] = getattr(f... |
def x(self):
for device in self.devman.devices:
if self.__dict__[device].n:
try:
self.__dict__[device].setup()
except Exception as e:
raise e
| model_setup | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n for device in self.devman.devices:\n if self.__dict__[device].n:\n try:\n self.__dict__[device].setup()\n ... |
def x(self):
for device, pflow in zip(self.devman.devices, self.call.pflow):
if pflow:
self.__dict__[device]._addr()
self.__dict__[device]._intf_network()
self.__dict__[device]._intf_ctrl()
self.varname.resize()
for device, pflow in zip(self.devman.devices, self.call.pflow):
if pflow:
self.__dict__[device]._varname()
| xy_addr0 | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n for device, pflow in zip(self.devman.devices, self.call.pflow):\n if pflow:\n self.__dict__[device]._addr()\n self.__d... |
def x(self, idx):
stagens = []
for device, stagen in zip(self.devman.devices, self.call.stagen):
if stagen:
stagens.append(device)
for gen in idx:
for stagen in stagens:
if gen in self.__dict__[stagen].uid.keys():
self.__dict__[stagen].disable_gen(gen)
| rmgen | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, idx):\n stagens = []\n for device, stagen in zip(self.devman.devices, self.call.stagen):\n if stagen:\n stagens.append(device)\n ... |
def x(self, sim_time):
ret = []
for model in self.__dict__['Event'].all_models:
if self.__dict__[model].is_time(sim_time):
ret.append(model)
if self.Breaker.is_time(sim_time):
ret.append('Breaker')
return ret
| check_event | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sim_time):\n ret = []\n for model in self.__dict__['Event'].all_models:\n if self.__dict__[model].is_time(sim_time):\n ret.append... |
def x(self):
times = []
times.extend(self.Breaker.get_times())
for model in self.__dict__['Event'].all_models:
times.extend(self.__dict__[model].get_times())
if times:
times = sorted(list(set(times)))
return times
| get_event_times | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n times = []\n times.extend(self.Breaker.get_times())\n for model in self.__dict__['Event'].all_models:\n times.extend(self.__dict__[mod... |
def x(self, conf_path):
if conf_path is None:
return
conf = configparser.ConfigParser()
conf.read(conf_path)
self.config.load_config(conf)
for r in routines.__all__:
self.__dict__[r.lower()].config.load_config(conf)
logger.debug('Loaded config file from {}.'.format(conf_path))
| load_config | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, conf_path):\n if conf_path is None:\n return\n conf = configparser.ConfigParser()\n conf.read(conf_path)\n self.config.load_config(con... |
def x(self, file_path):
if os.path.isfile(file_path):
logger.debug('File {} alreay exist. Overwrite? [y/N]'.format(file_path)
)
choice = input('File {} alreay exist. Overwrite? [y/N]'.format(
file_path)).lower()
if len(choice) == 0 or choice[0] != 'y':
logger.info('File not overwritten.')
return
conf = self.config.dump_conf()
for r in routines.__all__:
conf = self.__dict__[r.lower()].config.dump_conf(conf)
with open(file_path, 'w') as f:
conf.write(f)
logger.info('Config written to {}'.format(file_path))
| dump_config | [
{
"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 if os.path.isfile(file_path):\n logger.debug('File {} alreay exist. Overwrite? [y/N]'.format(file_path)\n )\n c... |
def x(self, show_info=False):
if not hasattr(self, 'Line'):
logger.error('<Line> device not found.')
return
self.Line.connectivity(self.Bus)
if show_info is True:
if len(self.Bus.islanded_buses) == 0 and len(self.Bus.island_sets
) == 0:
logger.debug('System is interconnected.')
else:
logger.info('System contains {:d} islands and {:d} islanded buses.'
.format(len(self.Bus.island_sets), len(self.Bus.
islanded_buses)))
nosw_island = []
msw_island = []
for idx, island in enumerate(self.Bus.island_sets):
nosw = 1
for item in self.SW.bus:
if self.Bus.uid[item] in island:
nosw -= 1
if nosw == 1:
nosw_island.append(idx)
elif nosw < 0:
msw_island.append(idx)
if nosw_island:
logger.warning('Slack bus is not defined for {:g} island(s).'.
format(len(nosw_island)))
if msw_island:
logger.warning(
'Multiple slack buses are defined for {:g} island(s).'.
format(len(nosw_island)))
if not nosw_island and not msw_island:
logger.debug('Each island has a slack bus correctly defined.')
| check_islands | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, show_info=False):\n if not hasattr(self, 'Line'):\n logger.error('<Line> device not found.')\n return\n self.Line.connectivity(self.B... |
def x(self, sort_names=False):
if self.pflow.solved is False:
logger.error('Power flow not solved when getting bus data.')
return tuple([False] * 8)
idx = self.Bus.idx
names = self.Bus.name
Vm = [self.dae.y[x] for x in self.Bus.v]
if self.pflow.config.usedegree:
Va = [(self.dae.y[x] * rad2deg) for x in self.Bus.a]
else:
Va = [self.dae.y[x] for x in self.Bus.a]
Pg = [self.Bus.Pg[x] for x in range(self.Bus.n)]
Qg = [self.Bus.Qg[x] for x in range(self.Bus.n)]
Pl = [self.Bus.Pl[x] for x in range(self.Bus.n)]
Ql = [self.Bus.Ql[x] for x in range(self.Bus.n)]
if sort_names:
ret = (list(x) for x in zip(*sorted(zip(idx, names, Vm, Va, Pg, Qg,
Pl, Ql), key=itemgetter(0))))
else:
ret = idx, names, Vm, Va, Pg, Qg, Pl, Ql
return ret
| get_busdata | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sort_names=False):\n if self.pflow.solved is False:\n logger.error('Power flow not solved when getting bus data.')\n return tuple([False... |
def x(self, sort_names=False):
if not self.Node.n:
return
if not self.pflow.solved:
logger.error('Power flow not solved when getting bus data.')
return tuple([False] * 7)
idx = self.Node.idx
names = self.Node.name
V = [self.dae.y[x] for x in self.Node.v]
if sort_names:
ret = (list(x) for x in zip(*sorted(zip(idx, names, V), key=
itemgetter(0))))
else:
ret = idx, names, V
return ret
| get_nodedata | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sort_names=False):\n if not self.Node.n:\n return\n if not self.pflow.solved:\n logger.error('Power flow not solved when getting bus ... |
def x(self, sort_names=False):
if not self.pflow.solved:
logger.error('Power flow not solved when getting line data.')
return tuple([False] * 7)
idx = self.Line.idx
fr = self.Line.bus1
to = self.Line.bus2
Sloss = self.Line.S1 + self.Line.S2
Pfr = list(self.Line.S1.real())
Qfr = list(self.Line.S1.imag())
Pto = list(self.Line.S2.real())
Qto = list(self.Line.S2.imag())
Ploss = list(Sloss.real())
Qloss = list(Sloss.imag())
if sort_names:
ret = (list(x) for x in zip(*sorted(zip(idx, fr, to, Pfr, Qfr, Pto,
Qto, Ploss, Qloss), key=itemgetter(0))))
else:
ret = idx, fr, to, Pfr, Qfr, Pto, Qto, Ploss, Qloss
return ret
| get_linedata | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sort_names=False):\n if not self.pflow.solved:\n logger.error('Power flow not solved when getting line data.')\n return tuple([False] * ... |
def x(self, model):
assert isinstance(model, str)
if model not in self.all_models:
self.all_models.append(model)
| register_model | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, model):\n assert isinstance(model, str)\n if model not in self.all_models:\n self.all_models.append(model)\n",
"role": "user"
},
{
... |
def x(self, model, idx):
if idx is None:
idx = model + '_' + str(len(self._idx_model))
self._idx_model[idx] = model
self._idx.append(idx)
return idx
| register_element | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, model, idx):\n if idx is None:\n idx = model + '_' + str(len(self._idx_model))\n self._idx_model[idx] = model\n self._idx.append(idx)\n ... |
def x(self, field, idx):
ret = []
scalar = False
if isinstance(idx, (int, float, str)):
scalar = True
idx = [idx]
models = [self._idx_model[i] for i in idx]
for i, m in zip(idx, models):
ret.append(self.system.__dict__[m].get_field(field, idx=i))
if scalar is True:
return ret[0]
else:
return ret
| get_field | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, field, idx):\n ret = []\n scalar = False\n if isinstance(idx, (int, float, str)):\n scalar = True\n idx = [idx]\n models = [sel... |
def x(self, field, idx, value):
if isinstance(idx, (int, float, str)):
idx = [idx]
if isinstance(value, (int, float)):
value = [value]
models = [self._idx_model[i] for i in idx]
for i, m, v in zip(idx, models, value):
assert hasattr(self.system.__dict__[m], field)
uid = self.system.__dict__[m].get_uid(idx)
self.system.__dict__[m].__dict__[field][uid] = v
| set_field | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, field, idx, value):\n if isinstance(idx, (int, float, str)):\n idx = [idx]\n if isinstance(value, (int, float)):\n value = [value]\n ... |
def x(self, cmdline_args=None, program_name='start_service', version=
workflows.version(), **kwargs):
known_services = workflows.services.get_known_services()
parser = OptionParser(usage=program_name + ' [options]' if program_name
else None, version=version)
parser.add_option('-?', action='help', help=SUPPRESS_HELP)
parser.add_option('-s', '--service', dest='service', metavar='SVC',
default=None, help='Name of the service to start. Known services: ' +
', '.join(known_services))
parser.add_option('-t', '--transport', dest='transport', metavar='TRN',
default='StompTransport', help=
'Transport mechanism. Known mechanisms: ' + ', '.join(workflows.
transport.get_known_transports()) + ' (default: %default)')
workflows.transport.add_command_line_options(parser)
parser = self.on_parser_preparation(parser) or parser
options, args = parser.parse_args(cmdline_args)
options, args = self.on_parsing(options, args) or (options, args)
transport_factory = workflows.transport.lookup(options.transport)
transport_factory = self.on_transport_factory_preparation(transport_factory
) or transport_factory
true_transport_factory_call = transport_factory.__call__
def x():
transport_object = true_transport_factory_call()
return self.on_transport_preparation(transport_object
) or transport_object
transport_factory.__call__ = on_transport_preparation_hook
if options.service and options.service not in known_services:
matching = [s for s in known_services if s.startswith(options.service)]
if not matching:
matching = [s for s in known_services if s.lower().startswith(
options.service.lower())]
if matching and len(matching) == 1:
options.service = matching[0]
kwargs.update({'service': options.service, 'transport': transport_factory})
kwargs = self.before_frontend_construction(kwargs) or kwargs
frontend = workflows.frontend.Frontend(**kwargs)
frontend = self.on_frontend_preparation(frontend) or frontend
try:
frontend.run()
except KeyboardInterrupt:
print('\nShutdown via Ctrl+C')
| run | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, cmdline_args=None, program_name='start_service', version=\n workflows.version(), **kwargs):\n known_services = workflows.services.get_known_service... |
def x(request):
sort_direction = request.GET.get('dir')
field_name = request.GET.get('sort') or '' if sort_direction else ''
sort_sign = '-' if sort_direction == 'desc' else ''
result_field = '{sign}{field}'.format(sign=sort_sign, field=field_name)
return result_field
| get_sort_field | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(request):\n sort_direction = request.GET.get('dir')\n field_name = request.GET.get('sort') or '' if sort_direction else ''\n sort_sign = '-' if sort_d... |
def x(parser, token):
bits = [b for b in token.split_contents()]
if len(bits) < 2:
raise template.TemplateSyntaxError(
'anchor tag takes at least 1 argument.')
title_is_var = False
try:
title = bits[2]
if title[0] in ('"', "'"):
if title[0] == title[-1]:
title = title[1:-1]
else:
raise template.TemplateSyntaxError(
'anchor tag title must be a "string", _("trans string"), or variable'
)
elif title.startswith('_("') or title.startswith("_('"):
title = _(title[3:-2])
else:
title_is_var = True
except IndexError:
title = bits[1].capitalize()
return SortAnchorNode(bits[1].strip(), title.strip(), title_is_var)
| anchor | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(parser, token):\n bits = [b for b in token.split_contents()]\n if len(bits) < 2:\n raise template.TemplateSyntaxError(\n 'anchor tag ta... |
def x(self, url, params, force_get=False):
params['format'] = 'json'
if sys.version_info[0] == 3:
fixed = urllib.urlencode(tuple(params.items()))
elif sys.version_info[0] == 2:
fixed = urllib.urlencode(tuple((to_bytes(k), to_bytes(v)) for k, v in
params.items())).encode('utf-8')
if force_get:
request = urllib2.Request(url + '?' + fixed)
else:
if sys.version_info[0] == 3:
fixed = bytearray(fixed, 'utf-8')
request = urllib2.Request(url, fixed)
if self._http_user is not None:
auth_str = '%s:%s' % (self._http_user, self._http_password)
if sys.version_info[0] == 3:
auth_str = bytearray(auth_str, 'utf-8')
base64string = base64.encodestring(auth_str).replace('\n', '')
request.add_header('Authorization', 'Basic %s' % base64string)
request.add_header('Accept-encoding', 'gzip')
response = self._opener.open(request)
if isinstance(self._cj, cookielib.FileCookieJar):
self._cj.save()
if response.headers.get('Content-Encoding') == 'gzip':
compressed = StringIO(response.read())
gzipper = gzip.GzipFile(fileobj=compressed)
data = gzipper.read()
else:
data = response.read()
if sys.version_info[0] == 3:
encoding = response.info().get_content_charset() or 'utf-8'
data = data.decode(encoding)
return data
| fetch_http | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, url, params, force_get=False):\n params['format'] = 'json'\n if sys.version_info[0] == 3:\n fixed = urllib.urlencode(tuple(params.items()))\... |
def x(self, params):
return json.loads(self._fetch_http(self._api_url, params))
| call | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, params):\n return json.loads(self._fetch_http(self._api_url, params))\n",
"role": "user"
},
{
"content": "call",
"role": "assistant"
... |
def x(self):
def x(self, api_url):
data = self._fetch_http(api_url, {'action': 'query', 'meta':
'siteinfo'})
try:
data_json = json.loads(data)
return data, data_json
except ValueError:
return data, None
data, data_json = tester(self, self._api_url)
if data_json:
return self._api_url
else:
if 'index.php' in self._api_url:
test_api_url = self._api_url.split('index.php')[0] + 'api.php'
test_data, test_data_json = tester(self, test_api_url)
if test_data_json:
self._api_url = test_api_url
return self._api_url
return None
| normalize_api_url | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n\n def x(self, api_url):\n data = self._fetch_http(api_url, {'action': 'query', 'meta':\n 'siteinfo'})\n try:\n ... |
def x(self, user, passwd):
def x(self, user, passwd, token=None):
data = {'action': 'login', 'lgname': user, 'lgpassword': passwd}
if token:
data['lgtoken'] = token
result = self.call(data)
if result['login']['result'] == 'Success':
self._high_limits = None
return True
elif result['login']['result'] == 'NeedToken' and not token:
return do_login(self, user, passwd, result['login']['token'])
else:
return False
return do_login(self, user, passwd)
| login | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, user, passwd):\n\n def x(self, user, passwd, token=None):\n data = {'action': 'login', 'lgname': user, 'lgpassword': passwd}\n if token:... |
def x(self, low, high):
if self._high_limits is None:
result = self.call({'action': 'query', 'meta': 'userinfo', 'uiprop':
'rights'})
self._high_limits = 'apihighlimits' in result['query']['userinfo'][
'rights']
if self._high_limits:
return high
else:
return low
| limits | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, low, high):\n if self._high_limits is None:\n result = self.call({'action': 'query', 'meta': 'userinfo', 'uiprop':\n 'rights'})\n ... |
def x(self, psuedo=True):
if self._namespaces is None:
result = self.call({'action': 'query', 'meta': 'siteinfo', 'siprop':
'namespaces'})
self._namespaces = {}
self._psuedo_namespaces = {}
for nsid in result['query']['namespaces']:
if int(nsid) >= 0:
self._namespaces[int(nsid)] = result['query']['namespaces'][
nsid]['*']
else:
self._psuedo_namespaces[int(nsid)] = result['query'][
'namespaces'][nsid]['*']
if psuedo:
retval = {}
retval.update(self._namespaces)
retval.update(self._psuedo_namespaces)
return retval
else:
return self._namespaces
| namespaces | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, psuedo=True):\n if self._namespaces is None:\n result = self.call({'action': 'query', 'meta': 'siteinfo', 'siprop':\n 'namespaces'})... |
def x(self, locationElement):
if self._strictAxisNames and not self.documentObject.axes:
raise DesignSpaceDocumentError('No axes defined')
loc = {}
for dimensionElement in locationElement.findall('.dimension'):
dimName = dimensionElement.attrib.get('name')
if self._strictAxisNames and dimName not in self.axisDefaults:
self.log.warning('Location with undefined axis: "%s".', dimName)
continue
xValue = yValue = None
try:
xValue = dimensionElement.attrib.get('xvalue')
xValue = float(xValue)
except ValueError:
self.log.warning('KeyError in readLocation xValue %3.3f', xValue)
try:
yValue = dimensionElement.attrib.get('yvalue')
if yValue is not None:
yValue = float(yValue)
except ValueError:
pass
if yValue is not None:
loc[dimName] = xValue, yValue
else:
loc[dimName] = xValue
return loc
| readLocationElement | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, locationElement):\n if self._strictAxisNames and not self.documentObject.axes:\n raise DesignSpaceDocumentError('No axes defined')\n loc = {... |
def x(documentPath, outputUFOFormatVersion=3, roundGeometry=True, verbose=
True, logPath=None, progressFunc=None, processRules=True, logger=None,
useVarlib=False):
import os, glob
if os.path.isdir(documentPath):
todo = glob.glob(os.path.join(documentPath, '*.designspace'))
else:
todo = [documentPath]
results = []
for path in todo:
document = DesignSpaceProcessor(ufoVersion=outputUFOFormatVersion)
document.useVarlib = useVarlib
document.roundGeometry = roundGeometry
document.read(path)
try:
r = document.generateUFO(processRules=processRules)
results.append(r)
except:
if logger:
logger.exception('ufoProcessor error')
reader = None
return results
| build | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(documentPath, outputUFOFormatVersion=3, roundGeometry=True, verbose=\n True, logPath=None, progressFunc=None, processRules=True, logger=None,\n useVarlib... |
def x(self):
if self._infoMutator:
return self._infoMutator
infoItems = []
for sourceDescriptor in self.sources:
if sourceDescriptor.layerName is not None:
continue
loc = Location(sourceDescriptor.location)
sourceFont = self.fonts[sourceDescriptor.name]
if sourceFont is None:
continue
if hasattr(sourceFont.info, 'toMathInfo'):
infoItems.append((loc, sourceFont.info.toMathInfo()))
else:
infoItems.append((loc, self.mathInfoClass(sourceFont.info)))
bias, self._infoMutator = self.getVariationModel(infoItems, axes=self.
serializedAxes, bias=self.newDefaultLocation())
return self._infoMutator
| getInfoMutator | [
{
"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._infoMutator:\n return self._infoMutator\n infoItems = []\n for sourceDescriptor in self.sources:\n if sourceDescriptor... |
def x(self, pairs=None):
if self._kerningMutator and pairs == self._kerningMutatorPairs:
return self._kerningMutator
kerningItems = []
if pairs is None:
for sourceDescriptor in self.sources:
if sourceDescriptor.layerName is not None:
continue
if not sourceDescriptor.muteKerning:
loc = Location(sourceDescriptor.location)
sourceFont = self.fonts[sourceDescriptor.name]
if sourceFont is None:
continue
kerningItems.append((loc, self.mathKerningClass(sourceFont.
kerning, sourceFont.groups)))
else:
self._kerningMutatorPairs = pairs
for sourceDescriptor in self.sources:
if sourceDescriptor.layerName is not None:
continue
if not os.path.exists(sourceDescriptor.path):
continue
if not sourceDescriptor.muteKerning:
sourceFont = self.fonts[sourceDescriptor.name]
if sourceFont is None:
continue
loc = Location(sourceDescriptor.location)
kerningItem = self.mathKerningClass(sourceFont.kerning,
sourceFont.groups)
sparseKerning = {}
for pair in pairs:
v = kerningItem.get(pair)
if v is not None:
sparseKerning[pair] = v
kerningItems.append((loc, self.mathKerningClass(sparseKerning))
)
bias, self._kerningMutator = self.getVariationModel(kerningItems, axes=
self.serializedAxes, bias=self.newDefaultLocation())
return self._kerningMutator
| getKerningMutator | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, pairs=None):\n if self._kerningMutator and pairs == self._kerningMutatorPairs:\n return self._kerningMutator\n kerningItems = []\n if pai... |
def x(self, glyphName, decomposeComponents=False):
items = []
empties = []
foundEmpty = False
for sourceDescriptor in self.sources:
if not os.path.exists(sourceDescriptor.path):
p = '\tMissing UFO at %s' % sourceDescriptor.path
if p not in self.problems:
self.problems.append(p)
continue
if glyphName in sourceDescriptor.mutedGlyphNames:
continue
thisIsDefault = self.default == sourceDescriptor
ignoreMaster, filteredLocation = self.filterThisLocation(
sourceDescriptor.location, self.mutedAxisNames)
if ignoreMaster:
continue
f = self.fonts.get(sourceDescriptor.name)
if f is None:
continue
loc = Location(sourceDescriptor.location)
sourceLayer = f
if not glyphName in f:
continue
layerName = getDefaultLayerName(f)
sourceGlyphObject = None
if sourceDescriptor.layerName is not None:
layerName = sourceDescriptor.layerName
sourceLayer = getLayer(f, sourceDescriptor.layerName)
if sourceLayer is None:
continue
if glyphName not in sourceLayer:
continue
if not glyphName in sourceLayer:
continue
else:
sourceGlyphObject = sourceLayer[glyphName]
if checkGlyphIsEmpty(sourceGlyphObject, allowWhiteSpace=True):
foundEmpty = True
if decomposeComponents:
temp = self.glyphClass()
p = temp.getPointPen()
dpp = DecomposePointPen(sourceLayer, p)
sourceGlyphObject.drawPoints(dpp)
temp.width = sourceGlyphObject.width
temp.name = sourceGlyphObject.name
processThis = temp
else:
processThis = sourceGlyphObject
sourceInfo = dict(source=f.path, glyphName=glyphName, layerName=
layerName, location=filteredLocation, sourceName=
sourceDescriptor.name)
if hasattr(processThis, 'toMathGlyph'):
processThis = processThis.toMathGlyph()
else:
processThis = self.mathGlyphClass(processThis)
items.append((loc, processThis, sourceInfo))
empties.append((thisIsDefault, foundEmpty))
checkedItems = []
emptiesAllowed = False
for i, p in enumerate(empties):
isDefault, isEmpty = p
if isDefault and isEmpty:
emptiesAllowed = True
if not emptiesAllowed:
for i, p in enumerate(empties):
isDefault, isEmpty = p
if not isEmpty:
checkedItems.append(items[i])
else:
for i, p in enumerate(empties):
isDefault, isEmpty = p
if isEmpty:
checkedItems.append(items[i])
return checkedItems
| collectMastersForGlyph | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, glyphName, decomposeComponents=False):\n items = []\n empties = []\n foundEmpty = False\n for sourceDescriptor in self.sources:\n if n... |
def x(self, path):
try:
return self.fontClass(path, layerClass=self.layerClass, libClass=
self.libClass, kerningClass=self.kerningClass, groupsClass=self
.groupsClass, infoClass=self.infoClass, featuresClass=self.
featuresClass, glyphClass=self.glyphClass, glyphContourClass=
self.glyphContourClass, glyphPointClass=self.glyphPointClass,
glyphComponentClass=self.glyphComponentClass, glyphAnchorClass=
self.glyphAnchorClass)
except TypeError:
return self.fontClass(path)
| instantiateFont | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, path):\n try:\n return self.fontClass(path, layerClass=self.layerClass, libClass=\n self.libClass, kerningClass=self.kerningClass, g... |
def x(glyph, allowWhiteSpace=True):
whiteSpace = [9, 10, 11, 12, 13, 32, 133, 160, 5760, 6158, 8192, 8193,
8195, 8196, 8197, 8198, 8199, 8200, 8201, 8202, 8232, 8233, 8239,
8287, 12288]
emptyPen = EmptyPen()
glyph.drawPoints(emptyPen)
if emptyPen.isEmpty():
if glyph.unicode in whiteSpace and allowWhiteSpace:
return False
return True
return False
| checkGlyphIsEmpty | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(glyph, allowWhiteSpace=True):\n whiteSpace = [9, 10, 11, 12, 13, 32, 133, 160, 5760, 6158, 8192, 8193, \n 8195, 8196, 8197, 8198, 8199, 8200, 8201, 8... |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.