source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(self):
host = AGENT_DEFAULT_HOST
port = AGENT_DEFAULT_PORT
if 'INSTANA_AGENT_HOST' in os.environ:
host = os.environ['INSTANA_AGENT_HOST']
if 'INSTANA_AGENT_PORT' in os.environ:
port = int(os.environ['INSTANA_AGENT_PORT'])
elif 'INSTANA_AGENT_IP' in os.environ:
host = os.environ['INSTANA_AGENT_IP']
if 'INSTANA_AGENT_PORT' in os.environ:
port = int(os.environ['INSTANA_AGENT_PORT'])
elif self.agent.sensor.options.agent_host != '':
host = self.agent.sensor.options.agent_host
if self.agent.sensor.options.agent_port != 0:
port = self.agent.sensor.options.agent_port
return host, port
| get_agent_host_port | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n host = AGENT_DEFAULT_HOST\n port = AGENT_DEFAULT_PORT\n if 'INSTANA_AGENT_HOST' in os.environ:\n host = os.environ['INSTANA_AGENT_HOST... |
def x(self):
self.thr = threading.Thread(target=self.collect_and_report)
self.thr.daemon = True
self.thr.name = 'Instana Metric Collection'
self.thr.start()
| 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.thr = threading.Thread(target=self.collect_and_report)\n self.thr.daemon = True\n self.thr.name = 'Instana Metric Collection'\n self.... |
def x(self):
self.last_usage = None
self.last_collect = None
self.last_metrics = None
self.snapshot_countdown = 0
self.run()
| 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.last_usage = None\n self.last_collect = None\n self.last_metrics = None\n self.snapshot_countdown = 0\n self.run()\n",
"role":... |
def x(self):
logger.debug('Metric reporting thread is now alive')
def x():
self.process()
if self.agent.is_timed_out():
logger.warn(
'Host agent offline for >1 min. Going to sit in a corner...')
self.agent.reset()
return False
return True
every(1, metric_work, 'Metrics Collection')
| collect_and_report | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n logger.debug('Metric reporting thread is now alive')\n\n def x():\n self.process()\n if self.agent.is_timed_out():\n lo... |
def x(self):
if self.agent.machine.fsm.current is 'wait4init':
if self.agent.is_agent_ready():
self.agent.machine.fsm.ready()
else:
return
if self.agent.can_send():
self.snapshot_countdown = self.snapshot_countdown - 1
ss = None
cm = self.collect_metrics()
if self.snapshot_countdown < 1:
logger.debug('Sending process snapshot data')
self.snapshot_countdown = self.SNAPSHOT_PERIOD
ss = self.collect_snapshot()
md = copy.deepcopy(cm).delta_data(None)
else:
md = copy.deepcopy(cm).delta_data(self.last_metrics)
ed = EntityData(pid=self.agent.from_.pid, snapshot=ss, metrics=md)
response = self.agent.report_data(ed)
if response:
if response.status_code is 200 and len(response.content) > 2:
self.handle_agent_tasks(json.loads(response.content)[0])
self.last_metrics = cm.__dict__
| process | [
{
"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.agent.machine.fsm.current is 'wait4init':\n if self.agent.is_agent_ready():\n self.agent.machine.fsm.ready()\n els... |
def x(self, task):
logger.debug('Received agent request with messageId: %s' % task[
'messageId'])
if 'action' in task:
if task['action'] == 'python.source':
payload = get_py_source(task['args']['file'])
else:
message = (
'Unrecognized action: %s. An newer Instana package may be required for this. Current version: %s'
% (task['action'], package_version()))
payload = {'error': message}
else:
payload = {'error': 'Instana Python: No action specified in request.'}
self.agent.task_response(task['messageId'], payload)
| handle_agent_tasks | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, task):\n logger.debug('Received agent request with messageId: %s' % task[\n 'messageId'])\n if 'action' in task:\n if task['action'] ... |
def x(self):
try:
if 'INSTANA_SERVICE_NAME' in os.environ:
appname = os.environ['INSTANA_SERVICE_NAME']
elif 'FLASK_APP' in os.environ:
appname = os.environ['FLASK_APP']
elif 'DJANGO_SETTINGS_MODULE' in os.environ:
appname = os.environ['DJANGO_SETTINGS_MODULE'].split('.')[0]
elif os.path.basename(sys.argv[0]) == '' and sys.stdout.isatty():
appname = 'Interactive Console'
elif os.path.basename(sys.argv[0]) == '':
appname = os.path.basename(sys.executable)
else:
appname = os.path.basename(sys.argv[0])
s = Snapshot(name=appname, version=platform.version(), f=platform.
python_implementation(), a=platform.architecture()[0], djmw=
self.djmw)
s.version = sys.version
s.versions = self.collect_modules()
except Exception as e:
logger.debug(e.message)
else:
return s
| collect_snapshot | [
{
"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 if 'INSTANA_SERVICE_NAME' in os.environ:\n appname = os.environ['INSTANA_SERVICE_NAME']\n elif 'FLASK_APP' in os.en... |
def x(self):
try:
res = {}
m = sys.modules
for k in m:
if '.' in k or k[0] == '_':
continue
if m[k]:
try:
d = m[k].__dict__
if 'version' in d and d['version']:
res[k] = self.jsonable(d['version'])
elif '__version__' in d and d['__version__']:
res[k] = self.jsonable(d['__version__'])
else:
res[k] = get_distribution(k).version
except DistributionNotFound:
pass
except Exception:
logger.debug(
'collect_modules: could not process module: %s' % k)
except Exception:
logger.debug('collect_modules', exc_info=True)
else:
return res
| collect_modules | [
{
"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 res = {}\n m = sys.modules\n for k in m:\n if '.' in k or k[0] == '_':\n continue\n ... |
def x(self):
try:
g = None
u = resource.getrusage(resource.RUSAGE_SELF)
if gc_.isenabled():
c = list(gc_.get_count())
th = list(gc_.get_threshold())
g = GC(collect0=c[0] if not self.last_collect else c[0] - self.
last_collect[0], collect1=c[1] if not self.last_collect else
c[1] - self.last_collect[1], collect2=c[2] if not self.
last_collect else c[2] - self.last_collect[2], threshold0=
th[0], threshold1=th[1], threshold2=th[2])
thr = threading.enumerate()
daemon_threads = [(tr.daemon is True) for tr in thr].count(True)
alive_threads = [(tr.daemon is False) for tr in thr].count(True)
dummy_threads = [(type(tr) is threading._DummyThread) for tr in thr
].count(True)
m = Metrics(ru_utime=u[0] if not self.last_usage else u[0] - self.
last_usage[0], ru_stime=u[1] if not self.last_usage else u[1] -
self.last_usage[1], ru_maxrss=u[2], ru_ixrss=u[3], ru_idrss=u[4
], ru_isrss=u[5], ru_minflt=u[6] if not self.last_usage else u[
6] - self.last_usage[6], ru_majflt=u[7] if not self.last_usage else
u[7] - self.last_usage[7], ru_nswap=u[8] if not self.last_usage
else u[8] - self.last_usage[8], ru_inblock=u[9] if not self.
last_usage else u[9] - self.last_usage[9], ru_oublock=u[10] if
not self.last_usage else u[10] - self.last_usage[10], ru_msgsnd
=u[11] if not self.last_usage else u[11] - self.last_usage[11],
ru_msgrcv=u[12] if not self.last_usage else u[12] - self.
last_usage[12], ru_nsignals=u[13] if not self.last_usage else u
[13] - self.last_usage[13], ru_nvcs=u[14] if not self.
last_usage else u[14] - self.last_usage[14], ru_nivcsw=u[15] if
not self.last_usage else u[15] - self.last_usage[15],
alive_threads=alive_threads, dummy_threads=dummy_threads,
daemon_threads=daemon_threads, gc=g)
self.last_usage = u
if gc_.isenabled():
self.last_collect = c
return m
except:
logger.debug('collect_metrics', exc_info=True)
| collect_metrics | [
{
"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 g = None\n u = resource.getrusage(resource.RUSAGE_SELF)\n if gc_.isenabled():\n c = list(gc_.get_count())\n ... |
def x(self, e):
logger.debug('Spawning metric & trace reporting threads')
self.sensor.meter.run()
instana.singletons.tracer.recorder.run()
| start | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, e):\n logger.debug('Spawning metric & trace reporting threads')\n self.sensor.meter.run()\n instana.singletons.tracer.recorder.run()\n",
"ro... |
def x(self):
self.reset()
self.sensor.handle_fork()
instana.singletons.tracer.handle_fork()
| handle_fork | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.reset()\n self.sensor.handle_fork()\n instana.singletons.tracer.handle_fork()\n",
"role": "user"
},
{
"content": "handle_for... |
def x(self, host, port):
try:
rv = False
url = 'http://%s:%s/' % (host, port)
response = self.client.get(url, timeout=0.8)
server_header = response.headers['Server']
if server_header == AGENT_HEADER:
logger.debug('Host agent found on %s:%d' % (host, port))
rv = True
else:
logger.debug(
"...something is listening on %s:%d but it's not the Instana Agent: %s"
% (host, port, server_header))
except (requests.ConnectTimeout, requests.ConnectionError):
logger.debug('No host agent listening on %s:%d' % (host, port))
rv = False
finally:
return rv
| is_agent_listening | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, host, port):\n try:\n rv = False\n url = 'http://%s:%s/' % (host, port)\n response = self.client.get(url, timeout=0.8)\n s... |
def x(self, discovery):
try:
url = self.__discovery_url()
logger.debug('making announce request to %s' % url)
response = None
response = self.client.put(url, data=self.to_json(discovery),
headers={'Content-Type': 'application/json'}, timeout=0.8)
if response.status_code is 200:
self.last_seen = datetime.now()
except (requests.ConnectTimeout, requests.ConnectionError):
logger.debug('announce', exc_info=True)
finally:
return response
| announce | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, discovery):\n try:\n url = self.__discovery_url()\n logger.debug('making announce request to %s' % url)\n response = None\n ... |
def x(self):
try:
response = self.client.head(self.__data_url(), timeout=0.8)
if response.status_code is 200:
return True
return False
except (requests.ConnectTimeout, requests.ConnectionError):
logger.debug('is_agent_ready: host agent connection error')
| is_agent_ready | [
{
"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 response = self.client.head(self.__data_url(), timeout=0.8)\n if response.status_code is 200:\n return True\n ... |
def x(self, entity_data):
try:
response = None
response = self.client.post(self.__data_url(), data=self.to_json(
entity_data), headers={'Content-Type': 'application/json'},
timeout=0.8)
if response.status_code is 200:
self.last_seen = datetime.now()
except (requests.ConnectTimeout, requests.ConnectionError):
logger.debug('report_data: host agent connection error')
finally:
return response
| report_data | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, entity_data):\n try:\n response = None\n response = self.client.post(self.__data_url(), data=self.to_json(\n entity_data), he... |
def x(self, spans):
try:
response = None
response = self.client.post(self.__traces_url(), data=self.to_json(
spans), headers={'Content-Type': 'application/json'}, timeout=0.8)
if response.status_code is 200:
self.last_seen = datetime.now()
except (requests.ConnectTimeout, requests.ConnectionError):
logger.debug('report_traces: host agent connection error')
finally:
return response
| report_traces | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, spans):\n try:\n response = None\n response = self.client.post(self.__traces_url(), data=self.to_json(\n spans), headers={'Co... |
def x(self, message_id, data):
try:
response = None
payload = json.dumps(data)
logger.debug('Task response is %s: %s' % (self.__response_url(
message_id), payload))
response = self.client.post(self.__response_url(message_id), data=
payload, headers={'Content-Type': 'application/json'}, timeout=0.8)
except (requests.ConnectTimeout, requests.ConnectionError):
logger.debug('task_response', exc_info=True)
except Exception:
logger.debug('task_response Exception', exc_info=True)
finally:
return response
| task_response | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, message_id, data):\n try:\n response = None\n payload = json.dumps(data)\n logger.debug('Task response is %s: %s' % (self.__respo... |
def x(self):
port = self.sensor.options.agent_port
if port == 0:
port = AGENT_DEFAULT_PORT
return 'http://%s:%s/%s' % (self.host, port, AGENT_DISCOVERY_PATH)
| discovery_url | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n port = self.sensor.options.agent_port\n if port == 0:\n port = AGENT_DEFAULT_PORT\n return 'http://%s:%s/%s' % (self.host, port, AGENT... |
def x(self):
path = AGENT_DATA_PATH % self.from_.pid
return 'http://%s:%s/%s' % (self.host, self.port, path)
| data_url | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n path = AGENT_DATA_PATH % self.from_.pid\n return 'http://%s:%s/%s' % (self.host, self.port, path)\n",
"role": "user"
},
{
"content":... |
def x(self):
path = AGENT_TRACES_PATH % self.from_.pid
return 'http://%s:%s/%s' % (self.host, self.port, path)
| traces_url | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n path = AGENT_TRACES_PATH % self.from_.pid\n return 'http://%s:%s/%s' % (self.host, self.port, path)\n",
"role": "user"
},
{
"content... |
def x(self, message_id):
if self.from_.pid != 0:
path = AGENT_RESPONSE_PATH % (self.from_.pid, message_id)
return 'http://%s:%s/%s' % (self.host, self.port, path)
| response_url | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, message_id):\n if self.from_.pid != 0:\n path = AGENT_RESPONSE_PATH % (self.from_.pid, message_id)\n return 'http://%s:%s/%s' % (self.host, ... |
def x():
global _current_pid
pid = os.getpid()
if _current_pid != pid:
_current_pid = pid
_rnd.seed(int(1000000 * time.time()) ^ pid)
id = format(_rnd.randint(0, 18446744073709551615), '02x')
if len(id) < 16:
id = id.zfill(16)
return id
| generate_id | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n global _current_pid\n pid = os.getpid()\n if _current_pid != pid:\n _current_pid = pid\n _rnd.seed(int(1000000 * time.time()) ^ pid... |
def x(header):
if not isinstance(header, string_types):
return BAD_ID
try:
int(header, 16)
length = len(header)
if length < 16:
header = header.zfill(16)
elif length > 16:
header = header[-16:]
return header
except ValueError:
return BAD_ID
| header_to_id | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(header):\n if not isinstance(header, string_types):\n return BAD_ID\n try:\n int(header, 16)\n length = len(header)\n if leng... |
def x(obj):
try:
return json.dumps(obj, default=lambda obj: {k.lower(): v for k, v in
obj.__dict__.items()}, sort_keys=False, separators=(',', ':')
).encode()
except Exception as e:
logger.info('to_json: ', e, obj)
| to_json | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(obj):\n try:\n return json.dumps(obj, default=lambda obj: {k.lower(): v for k, v in\n obj.__dict__.items()}, sort_keys=False, separators=(... |
def x():
version = ''
try:
version = pkg_resources.get_distribution('instana').version
except pkg_resources.DistributionNotFound:
version = 'unknown'
finally:
return version
| package_version | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n version = ''\n try:\n version = pkg_resources.get_distribution('instana').version\n except pkg_resources.DistributionNotFound:\n ve... |
def x(qp, matcher, kwlist):
path = None
try:
if qp is None:
return ''
if type(kwlist) is not list:
logger.debug('strip_secrets: bad keyword list')
return qp
if not '=' in qp:
return qp
if '?' in qp:
path, query = qp.split('?')
else:
query = qp
params = parse.parse_qsl(query, keep_blank_values=True)
redacted = ['<redacted>']
if matcher == 'equals-ignore-case':
for keyword in kwlist:
for index, kv in enumerate(params):
if kv[0].lower() == keyword.lower():
params[index] = kv[0], redacted
elif matcher == 'equals':
for keyword in kwlist:
for index, kv in enumerate(params):
if kv[0] == keyword:
params[index] = kv[0], redacted
elif matcher == 'contains-ignore-case':
for keyword in kwlist:
for index, kv in enumerate(params):
if keyword.lower() in kv[0].lower():
params[index] = kv[0], redacted
elif matcher == 'contains':
for keyword in kwlist:
for index, kv in enumerate(params):
if keyword in kv[0]:
params[index] = kv[0], redacted
elif matcher == 'regex':
for regexp in kwlist:
for index, kv in enumerate(params):
if re.match(regexp, kv[0]):
params[index] = kv[0], redacted
else:
logger.debug('strip_secrets: unknown matcher')
return qp
if sys.version_info < (3, 0):
result = urllib.urlencode(params, doseq=True)
else:
result = parse.urlencode(params, doseq=True)
query = parse.unquote(result)
if path:
query = path + '?' + query
return query
except:
logger.debug('strip_secrets', exc_info=True)
| strip_secrets | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(qp, matcher, kwlist):\n path = None\n try:\n if qp is None:\n return ''\n if type(kwlist) is not list:\n logger.debug... |
def x():
try:
with open('/proc/self/net/route') as routes:
for line in routes:
parts = line.split('\t')
if '00000000' == parts[1]:
hip = parts[2]
if hip is not None and len(hip) is 8:
return '%i.%i.%i.%i' % (int(hip[6:8], 16), int(hip[4:6], 16),
int(hip[2:4], 16), int(hip[0:2], 16))
except:
logger.warn('get_default_gateway: ', exc_info=True)
| get_default_gateway | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n try:\n with open('/proc/self/net/route') as routes:\n for line in routes:\n parts = line.split('\\t')\n ... |
def x(file):
try:
response = None
pysource = ''
if regexp_py.search(file) is None:
response = {'error': 'Only Python source files are allowed. (*.py)'
}
else:
with open(file, 'r') as pyfile:
pysource = pyfile.read()
response = {'data': pysource}
except Exception as e:
response = {'error': str(e)}
finally:
return response
| get_py_source | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(file):\n try:\n response = None\n pysource = ''\n if regexp_py.search(file) is None:\n response = {'error': 'Only Python sou... |
def x(delay, task, name):
next_time = time.time() + delay
while True:
time.sleep(max(0, next_time - time.time()))
try:
if task() is False:
break
except Exception:
logger.debug('Problem while executing repetitive task: %s' %
name, exc_info=True)
next_time += (time.time() - next_time) // delay * delay + delay
| every | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(delay, task, name):\n next_time = time.time() + delay\n while True:\n time.sleep(max(0, next_time - time.time()))\n try:\n if ta... |
def x(app=None, *args, **kw):
app = iWSGIMiddleware(app, *args, **kw)
return app
| make_middleware | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(app=None, *args, **kw):\n app = iWSGIMiddleware(app, *args, **kw)\n return app\n",
"role": "user"
},
{
"content": "make_middleware",
"rol... |
def x(trace_id=None, eum_api_key=None, meta={}):
try:
eum_file = open(os.path.dirname(__file__) + '/eum.js')
eum_src = Template(eum_file.read())
ids = {}
ids['meta_kvs'] = ''
parent_span = tracer.active_span
if trace_id or parent_span:
ids['trace_id'] = trace_id or parent_span.trace_id
else:
return ''
if eum_api_key:
ids['eum_api_key'] = eum_api_key
else:
ids['eum_api_key'] = global_eum_api_key
for key, value in meta.items():
ids['meta_kvs'] += "'ineum('meta', '%s', '%s');'" % (key, value)
return eum_src.substitute(ids)
except Exception as e:
logger.debug(e)
return ''
| eum_snippet | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(trace_id=None, eum_api_key=None, meta={}):\n try:\n eum_file = open(os.path.dirname(__file__) + '/eum.js')\n eum_src = Template(eum_file.read(... |
def x(self, operation_name=None, child_of=None, references=None, tags=None,
start_time=None, ignore_active_span=False):
start_time = time.time() if start_time is None else start_time
parent_ctx = None
if child_of is not None:
parent_ctx = child_of if isinstance(child_of, ot.SpanContext
) else child_of.context
elif references is not None and len(references) > 0:
parent_ctx = references[0].referenced_context
if not ignore_active_span and parent_ctx is None:
scope = self.scope_manager.active
if scope is not None:
parent_ctx = scope.span.context
gid = generate_id()
ctx = SpanContext(span_id=gid)
if parent_ctx is not None:
if parent_ctx._baggage is not None:
ctx._baggage = parent_ctx._baggage.copy()
ctx.trace_id = parent_ctx.trace_id
ctx.sampled = parent_ctx.sampled
else:
ctx.trace_id = gid
ctx.sampled = self.sampler.sampled(ctx.trace_id)
span = InstanaSpan(self, operation_name=operation_name, context=ctx,
parent_id=None if parent_ctx is None else parent_ctx.span_id, tags=
tags, start_time=start_time)
if operation_name in self.recorder.exit_spans:
self.__add_stack(span)
elif operation_name in self.recorder.entry_spans:
self.__add_stack(span, limit=2)
return span
| start_span | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, operation_name=None, child_of=None, references=None, tags=None,\n start_time=None, ignore_active_span=False):\n start_time = time.time() if start_t... |
def x(self, span, limit=None):
span.stack = []
frame_count = 0
tb = traceback.extract_stack()
tb.reverse()
for frame in tb:
if limit is not None and frame_count >= limit:
break
if 'INSTANA_DEV' not in os.environ:
if re_tracer_frame.search(frame[0]) is not None:
continue
if re_with_stan_frame.search(frame[2]) is not None:
continue
span.stack.append({'c': frame[0], 'n': frame[1], 'm': frame[2]})
if limit is not None:
frame_count += 1
| add_stack | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, span, limit=None):\n span.stack = []\n frame_count = 0\n tb = traceback.extract_stack()\n tb.reverse()\n for frame in tb:\n if limi... |
def x(module):
if 'INSTANA_DEV' in os.environ:
print('==============================================================')
print('Instana: Running flask hook')
print('==============================================================')
wrapt.wrap_function_wrapper('flask', 'Flask.__init__', wrapper)
| hook | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(module):\n if 'INSTANA_DEV' in os.environ:\n print('==============================================================')\n print('Instana: Running... |
def x(status):
try:
return error_classes[status]
except KeyError:
def x(xml_response):
if status > 400 and status < 500:
return UnexpectedClientError(status, xml_response)
if status > 500 and status < 600:
return UnexpectedServerError(status, xml_response)
return UnexpectedStatusError(status, xml_response)
return new_status_error
| error_class_for_http_status | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(status):\n try:\n return error_classes[status]\n except KeyError:\n\n def x(xml_response):\n if status > 400 and status < 500:\n... |
def x(self):
try:
return self.__dict__['response_doc']
except KeyError:
self.__dict__['response_doc'] = ElementTree.fromstring(self.
response_xml)
return self.__dict__['response_doc']
| response_doc | [
{
"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 return self.__dict__['response_doc']\n except KeyError:\n self.__dict__['response_doc'] = ElementTree.fromstring(self.\n ... |
def x(self):
error = self.response_doc.find('transaction_error')
if error is not None:
code = error.find('error_code')
if code is not None:
return code.text
| transaction_error_code | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n error = self.response_doc.find('transaction_error')\n if error is not None:\n code = error.find('error_code')\n if code is not Non... |
def x(self):
try:
return self.__dict__['errors']
except KeyError:
pass
suberrors = dict()
for err in self.response_doc.findall('error'):
field = err.attrib['field']
symbol = err.attrib['symbol']
message = err.text
sub_err = self.Suberror(field, symbol, message)
if field in suberrors:
if type(suberrors[field]) != list:
suberrors[field] = [suberrors[field]]
suberrors[field].append(sub_err)
else:
suberrors[field] = sub_err
self.__dict__['errors'] = suberrors
return suberrors
| errors | [
{
"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 return self.__dict__['errors']\n except KeyError:\n pass\n suberrors = dict()\n for err in self.response_doc.findall(... |
def x(notification):
notification_el = ElementTree.fromstring(notification)
objects = {'type': notification_el.tag}
for child_el in notification_el:
tag = child_el.tag
res = Resource.value_for_element(child_el)
objects[tag] = res
return objects
| objects_for_push_notification | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(notification):\n notification_el = ElementTree.fromstring(notification)\n objects = {'type': notification_el.tag}\n for child_el in notification_el:\n... |
def x(self, charge):
url = urljoin(self._url, '/adjustments')
return charge.post(url)
| charge | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, charge):\n url = urljoin(self._url, '/adjustments')\n return charge.post(url)\n",
"role": "user"
},
{
"content": "charge",
"role": ... |
def x(self, **kwargs):
url = urljoin(self._url, '/invoices')
if kwargs:
response = self.http_request(url, 'POST', Invoice(**kwargs), {
'Content-Type': 'application/xml; charset=utf-8'})
else:
response = self.http_request(url, 'POST')
if response.status != 201:
self.raise_http_error(response)
response_xml = response.read()
logging.getLogger('recurly.http.response').debug(response_xml)
elem = ElementTree.fromstring(response_xml)
invoice_collection = InvoiceCollection.from_element(elem)
return invoice_collection
| invoice | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **kwargs):\n url = urljoin(self._url, '/invoices')\n if kwargs:\n response = self.http_request(url, 'POST', Invoice(**kwargs), {\n ... |
def x(self, subscription):
url = urljoin(self._url, '/subscriptions')
return subscription.post(url)
| subscribe | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, subscription):\n url = urljoin(self._url, '/subscriptions')\n return subscription.post(url)\n",
"role": "user"
},
{
"content": "subscri... |
def x(self, billing_info):
url = urljoin(self._url, '/billing_info')
response = billing_info.http_request(url, 'PUT', billing_info, {
'Content-Type': 'application/xml; charset=utf-8'})
if response.status == 200:
pass
elif response.status == 201:
billing_info._url = response.getheader('Location')
else:
billing_info.raise_http_error(response)
response_xml = response.read()
logging.getLogger('recurly.http.response').debug(response_xml)
billing_info.update_from_element(ElementTree.fromstring(response_xml))
| update_billing_info | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, billing_info):\n url = urljoin(self._url, '/billing_info')\n response = billing_info.http_request(url, 'PUT', billing_info, {\n 'Content-Typ... |
def x(self, shipping_address):
url = urljoin(self._url, '/shipping_addresses')
return shipping_address.post(url)
| create_shipping_address | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, shipping_address):\n url = urljoin(self._url, '/shipping_addresses')\n return shipping_address.post(url)\n",
"role": "user"
},
{
"conte... |
def x(self):
if hasattr(self, '_url'):
url = self._url + '/preview'
return self.post(url)
else:
url = urljoin(recurly.base_uri(), self.collection_path + '/preview')
return self.post(url)
| preview | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if hasattr(self, '_url'):\n url = self._url + '/preview'\n return self.post(url)\n else:\n url = urljoin(recurly.base_uri()... |
def x(self, account_code):
redemption_path = '%s/redeem' % self.redemption_code
if hasattr(self, '_url'):
url = urljoin(self._url, '/redeem')
else:
url = urljoin(recurly.base_uri(), self.collection_path + '/' +
redemption_path)
recipient_account = _RecipientAccount(account_code=account_code)
return self.post(url, recipient_account)
| redeem | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, account_code):\n redemption_path = '%s/redeem' % self.redemption_code\n if hasattr(self, '_url'):\n url = urljoin(self._url, '/redeem')\n ... |
def x(cls, uuid):
url = urljoin(base_uri(), cls.member_path % (uuid,))
pdf_response = cls.http_request(url, headers={'Accept': 'application/pdf'})
return pdf_response.read()
| pdf | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, uuid):\n url = urljoin(base_uri(), cls.member_path % (uuid,))\n pdf_response = cls.http_request(url, headers={'Accept': 'application/pdf'})\n ret... |
def x(self, transaction):
url = urljoin(self._url, '/transactions')
transaction.post(url)
return transaction
| enter_offline_payment | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, transaction):\n url = urljoin(self._url, '/transactions')\n transaction.post(url)\n return transaction\n",
"role": "user"
},
{
"cont... |
def x(self, **kwargs):
for key, val in iteritems(kwargs):
setattr(self, key, val)
url = urljoin(self._url, '/notes')
self.put(url)
| update_notes | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **kwargs):\n for key, val in iteritems(kwargs):\n setattr(self, key, val)\n url = urljoin(self._url, '/notes')\n self.put(url)\n",
"r... |
def x(self, remaining_pause_cycles):
url = urljoin(self._url, '/pause')
elem = ElementTreeBuilder.Element(self.nodename)
elem.append(Resource.element_for_value('remaining_pause_cycles',
remaining_pause_cycles))
body = ElementTree.tostring(elem, encoding='UTF-8')
response = self.http_request(url, 'PUT', body, {'Content-Type':
'application/xml; charset=utf-8'})
if response.status not in (200, 201, 204):
self.raise_http_error(response)
self.update_from_element(ElementTree.fromstring(response.read()))
| pause | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, remaining_pause_cycles):\n url = urljoin(self._url, '/pause')\n elem = ElementTreeBuilder.Element(self.nodename)\n elem.append(Resource.element_... |
def x(self, sub_add_on, usage):
url = urljoin(self._url, '/add_ons/%s/usage' % (sub_add_on.add_on_code,))
return usage.post(url)
| create_usage | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sub_add_on, usage):\n url = urljoin(self._url, '/add_ons/%s/usage' % (sub_add_on.add_on_code,))\n return usage.post(url)\n",
"role": "user"
}... |
def x(self):
try:
url = self._refund_transaction_url
except AttributeError:
raise ValueError(
'No refund transaction is available for this transaction')
resp, elem = self.element_for_url(url)
value = self.value_for_element(elem)
return value
| get_refund_transaction | [
{
"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 url = self._refund_transaction_url\n except AttributeError:\n raise ValueError(\n 'No refund transaction is avai... |
def x(self, **kwargs):
try:
selfnode = self._elem
except AttributeError:
raise AttributeError('refund')
url, method = None, None
for anchor_elem in selfnode.findall('a'):
if anchor_elem.attrib.get('name') == 'refund':
url = anchor_elem.attrib['href']
method = anchor_elem.attrib['method'].upper()
if url is None or method is None:
raise AttributeError('refund')
actionator = self._make_actionator(url, method, extra_handler=self.
_handle_refund_accepted)
return actionator(**kwargs)
| refund | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **kwargs):\n try:\n selfnode = self._elem\n except AttributeError:\n raise AttributeError('refund')\n url, method = None, None\n ... |
def x(self, add_on_code):
url = urljoin(self._url, '/add_ons/%s' % (add_on_code,))
resp, elem = AddOn.element_for_url(url)
return AddOn.from_element(elem)
| get_add_on | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, add_on_code):\n url = urljoin(self._url, '/add_ons/%s' % (add_on_code,))\n resp, elem = AddOn.element_for_url(url)\n return AddOn.from_element(e... |
def x(self, add_on):
url = urljoin(self._url, '/add_ons')
return add_on.post(url)
| create_add_on | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, add_on):\n url = urljoin(self._url, '/add_ons')\n return add_on.post(url)\n",
"role": "user"
},
{
"content": "create_add_on",
"role... |
def x(track, estimates_dir, output_dir):
user_results = {}
track_estimate_dir = os.path.join(estimates_dir, track.subset, track.name)
for target in glob.glob(track_estimate_dir + '/*.wav'):
target_name = op.splitext(os.path.basename(target))[0]
try:
target_audio, _ = sf.read(target, always_2d=True)
user_results[target_name] = target_audio
except RuntimeError:
pass
if user_results:
eval_mus_track(track, user_results, output_dir=output_dir)
return None
| load_track_estimates | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(track, estimates_dir, output_dir):\n user_results = {}\n track_estimate_dir = os.path.join(estimates_dir, track.subset, track.name)\n for target in gl... |
def x(reference_dir, estimates_dir, output_dir=None, mode='v4', win=1.0,
hop=1.0):
reference = []
estimates = []
data = EvalStore(win=win, hop=hop)
global_rate = None
reference_glob = os.path.join(reference_dir, '*.wav')
for reference_file in glob.glob(reference_glob):
ref_audio, rate = sf.read(reference_file, always_2d=True)
assert global_rate is None or rate == global_rate
global_rate = rate
reference.append(ref_audio)
if not reference:
raise ValueError('`reference_dir` contains no wav files')
estimated_glob = os.path.join(estimates_dir, '*.wav')
targets = []
for estimated_file in glob.glob(estimated_glob):
targets.append(os.path.basename(estimated_file))
ref_audio, rate = sf.read(estimated_file, always_2d=True)
assert global_rate is None or rate == global_rate
global_rate = rate
estimates.append(ref_audio)
SDR, ISR, SIR, SAR = evaluate(reference, estimates, win=int(win *
global_rate), hop=int(hop * global_rate), mode=mode)
for i, target in enumerate(targets):
values = {'SDR': SDR[i].tolist(), 'SIR': SIR[i].tolist(), 'ISR':
ISR[i].tolist(), 'SAR': SAR[i].tolist()}
data.add_target(target_name=target, values=values)
return data
| eval_dir | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(reference_dir, estimates_dir, output_dir=None, mode='v4', win=1.0,\n hop=1.0):\n reference = []\n estimates = []\n data = EvalStore(win=win, hop=ho... |
def x(dataset, estimates_dir, output_dir=None, *args, **kwargs):
est = musdb.DB(root_dir=estimates_dir, is_wav=True)
est_tracks = est.load_mus_tracks()
tracknames = [t.name for t in est_tracks]
tracks = dataset.load_mus_tracks(tracknames=tracknames)
run_fun = functools.partial(_load_track_estimates, estimates_dir=
estimates_dir, output_dir=output_dir)
dataset.run(run_fun, *args, estimates_dir=None, tracks=tracks, **kwargs)
| eval_mus_dir | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dataset, estimates_dir, output_dir=None, *args, **kwargs):\n est = musdb.DB(root_dir=estimates_dir, is_wav=True)\n est_tracks = est.load_mus_tracks()\n ... |
def x(track, user_estimates, output_dir=None, mode='v4', win=1.0, hop=1.0):
audio_estimates = []
audio_reference = []
eval_targets = []
for key, target in list(track.targets.items()):
try:
user_estimates[key]
except KeyError:
continue
eval_targets.append(key)
data = EvalStore(win=win, hop=hop)
has_acc = all(x in eval_targets for x in ['vocals', 'accompaniment'])
if has_acc:
eval_targets.remove('accompaniment')
if len(eval_targets) >= 2:
for target in eval_targets:
audio_estimates.append(user_estimates[target])
audio_reference.append(track.targets[target].audio)
SDR, ISR, SIR, SAR = evaluate(audio_reference, audio_estimates, win
=int(win * track.rate), hop=int(hop * track.rate), mode=mode)
for i, target in enumerate(eval_targets):
if target == 'vocals' and has_acc:
continue
values = {'SDR': SDR[i].tolist(), 'SIR': SIR[i].tolist(), 'ISR':
ISR[i].tolist(), 'SAR': SAR[i].tolist()}
data.add_target(target_name=target, values=values)
if has_acc:
eval_targets = ['vocals', 'accompaniment']
audio_estimates = []
audio_reference = []
for target in eval_targets:
audio_estimates.append(user_estimates[target])
audio_reference.append(track.targets[target].audio)
SDR, ISR, SIR, SAR = evaluate(audio_reference, audio_estimates, win
=int(win * track.rate), hop=int(hop * track.rate), mode=mode)
for i, target in enumerate(eval_targets):
values = {'SDR': SDR[i].tolist(), 'SIR': SIR[i].tolist(), 'ISR':
ISR[i].tolist(), 'SAR': SAR[i].tolist()}
data.add_target(target_name=target, values=values)
if output_dir:
data.validate()
try:
subset_path = op.join(output_dir, track.subset)
if not op.exists(subset_path):
os.makedirs(subset_path)
with open(op.join(subset_path, track.name) + '.json', 'w+') as f:
f.write(data.json)
except IOError:
pass
return data
| eval_mus_track | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(track, user_estimates, output_dir=None, mode='v4', win=1.0, hop=1.0):\n audio_estimates = []\n audio_reference = []\n eval_targets = []\n for key, ... |
def x(audio_reference, audio_estimates):
est_shape = audio_estimates.shape
ref_shape = audio_reference.shape
if est_shape[1] != ref_shape[1]:
if est_shape[1] >= ref_shape[1]:
audio_estimates = audio_estimates[:, :ref_shape[1], :]
else:
audio_estimates = np.pad(audio_estimates, [(0, 0), (0,
ref_shape[1] - est_shape[1]), (0, 0)], mode='constant')
return audio_reference, audio_estimates
| pad_or_truncate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(audio_reference, audio_estimates):\n est_shape = audio_estimates.shape\n ref_shape = audio_reference.shape\n if est_shape[1] != ref_shape[1]:\n ... |
def x(references, estimates, win=1 * 44100, hop=1 * 44100, mode='v4',
padding=True):
estimates = np.array(estimates)
references = np.array(references)
if padding:
references, estimates = pad_or_truncate(references, estimates)
SDR, ISR, SIR, SAR, _ = metrics.bss_eval(references, estimates,
compute_permutation=False, window=win, hop=hop, framewise_filters=
mode == 'v3', bsseval_sources_version=False)
return SDR, ISR, SIR, SAR
| evaluate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(references, estimates, win=1 * 44100, hop=1 * 44100, mode='v4',\n padding=True):\n estimates = np.array(estimates)\n references = np.array(references)... |
def x(self, target_name, values):
target_data = {'name': target_name, 'frames': []}
for i, v in enumerate(values['SDR']):
frame_data = {'time': i * self.hop, 'duration': self.win, 'metrics':
{'SDR': self._q(values['SDR'][i]), 'SIR': self._q(values['SIR']
[i]), 'SAR': self._q(values['SAR'][i]), 'ISR': self._q(values[
'ISR'][i])}}
target_data['frames'].append(frame_data)
self.scores['targets'].append(target_data)
| add_target | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, target_name, values):\n target_data = {'name': target_name, 'frames': []}\n for i, v in enumerate(values['SDR']):\n frame_data = {'time': i ... |
def x(self):
json_string = json.dumps(self.scores, indent=2, allow_nan=True)
return json_string
| json | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n json_string = json.dumps(self.scores, indent=2, allow_nan=True)\n return json_string\n",
"role": "user"
},
{
"content": "json",
... |
def x(self, number, precision='.00001'):
if np.isinf(number):
return np.nan
else:
return D(D(number).quantize(D(precision)))
| q | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, number, precision='.00001'):\n if np.isinf(number):\n return np.nan\n else:\n return D(D(number).quantize(D(precision)))\n",
"rol... |
def x(inargs=None):
parser = argparse.ArgumentParser()
parser.add_argument('reference_dir', type=str)
parser.add_argument('estimates_dir', type=str)
parser.add_argument('-o', help='output_dir')
parser.add_argument('--win', type=float, help='Window size in seconds',
default=1.0)
parser.add_argument('--hop', type=float, help='Hop size in seconds',
default=1.0)
parser.add_argument('-m', type=str, help=
'bss_eval version [`v3`, `v4`]', default='v4')
parser.add_argument('--version', '-v', action='version', version=
'%%(prog)s %s' % util.__version__)
args = parser.parse_args(inargs)
if not args.o:
output_dir = args.estimates_dir
else:
output_dir = args.o
data = eval_dir(args.reference_dir, args.estimates_dir, output_dir=
output_dir, mode=args.m, win=args.win, hop=args.hop)
print(data)
| bsseval | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(inargs=None):\n parser = argparse.ArgumentParser()\n parser.add_argument('reference_dir', type=str)\n parser.add_argument('estimates_dir', type=str)\n... |
def x(inargs=None):
parser = argparse.ArgumentParser()
parser.add_argument('estimates_dir', type=str)
parser.add_argument('-o', help='output_dir')
parser.add_argument('--cpu', type=int, help='number of cpus', default=4)
parser.add_argument('-p', help='enable multiprocessing', action=
'store_true')
parser.add_argument('--musdb', help='path to musdb', type=str)
parser.add_argument('--iswav', help='Read musdb wav instead of stems',
action='store_true')
parser.add_argument('--version', '-v', action='version', version=
'%%(prog)s %s' % util.__version__)
args = parser.parse_args(inargs)
mus = musdb.DB(root_dir=args.musdb, is_wav=args.iswav)
if not args.o:
output_dir = args.estimates_dir
else:
output_dir = args.o
eval_mus_dir(dataset=mus, estimates_dir=args.estimates_dir, output_dir=
output_dir, parallel=args.p, cpus=args.cpu)
| museval | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(inargs=None):\n parser = argparse.ArgumentParser()\n parser.add_argument('estimates_dir', type=str)\n parser.add_argument('-o', help='output_dir')\n ... |
def x(self):
try:
next_url = self.next_url
except AttributeError:
raise PageError('Page %r has no next page' % self)
return self.page_for_url(next_url)
| next_page | [
{
"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 next_url = self.next_url\n except AttributeError:\n raise PageError('Page %r has no next page' % self)\n return self.pag... |
def x(self):
try:
start_url = self.start_url
except AttributeError:
raise PageError('Page %r is already the first page' % self)
return self.page_for_url(start_url)
| first_page | [
{
"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 start_url = self.start_url\n except AttributeError:\n raise PageError('Page %r is already the first page' % self)\n retu... |
def x(cls, url):
resp, elem = Resource.element_for_url(url)
value = Resource.value_for_element(elem)
return cls.page_for_value(resp, value)
| page_for_url | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, url):\n resp, elem = Resource.element_for_url(url)\n value = Resource.value_for_element(elem)\n return cls.page_for_value(resp, value)\n",
"r... |
def x(cls, resp, value):
page = cls(value)
links = parse_link_value(resp.getheader('Link'))
for url, data in six.iteritems(links):
if data.get('rel') == 'start':
page.start_url = url
if data.get('rel') == 'next':
page.next_url = url
return page
| page_for_value | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, resp, value):\n page = cls(value)\n links = parse_link_value(resp.getheader('Link'))\n for url, data in six.iteritems(links):\n if data.ge... |
def x(self):
if hasattr(self, 'blacklist_attributes'):
return [attr for attr in self.attributes if attr not in self.
blacklist_attributes]
else:
return self.attributes
| serializable_attributes | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if hasattr(self, 'blacklist_attributes'):\n return [attr for attr in self.attributes if attr not in self.\n blacklist_attributes]... |
def x(cls, url, method='GET', body=None, headers=None):
if recurly.API_KEY is None:
raise recurly.UnauthorizedError('recurly.API_KEY not set')
url_parts = urlparse(url)
if not any(url_parts.netloc.endswith(d) for d in recurly.VALID_DOMAINS):
raise Exception('Only a recurly domain may be called')
is_non_ascii = lambda s: any(ord(c) >= 128 for c in s)
if is_non_ascii(recurly.API_KEY) or is_non_ascii(recurly.SUBDOMAIN):
raise recurly.ConfigurationError(
"""Setting API_KEY or SUBDOMAIN to
unicode strings may cause problems. Please use strings.
Issue described here:
https://gist.github.com/maximehardy/d3a0a6427d2b6791b3dc"""
)
urlparts = urlsplit(url)
connection_options = {}
if recurly.SOCKET_TIMEOUT_SECONDS:
connection_options['timeout'] = recurly.SOCKET_TIMEOUT_SECONDS
if urlparts.scheme != 'https':
connection = http_client.HTTPConnection(urlparts.netloc, **
connection_options)
elif recurly.CA_CERTS_FILE is None:
connection = http_client.HTTPSConnection(urlparts.netloc, **
connection_options)
else:
connection_options['context'] = ssl.create_default_context(cafile=
recurly.CA_CERTS_FILE)
connection = http_client.HTTPSConnection(urlparts.netloc, **
connection_options)
headers = {} if headers is None else dict(headers)
headers.setdefault('Accept', 'application/xml')
headers.update({'User-Agent': recurly.USER_AGENT})
headers['X-Api-Version'] = recurly.api_version()
headers['Authorization'] = 'Basic %s' % base64.b64encode(six.b('%s:' %
recurly.API_KEY)).decode()
log = logging.getLogger('recurly.http.request')
if log.isEnabledFor(logging.DEBUG):
log.debug('%s %s HTTP/1.1', method, url)
for header, value in six.iteritems(headers):
if header == 'Authorization':
value = '<redacted>'
log.debug('%s: %s', header, value)
log.debug('')
if method in ('POST', 'PUT') and body is not None:
if isinstance(body, Resource):
log.debug(body.as_log_output())
else:
log.debug(body)
if isinstance(body, Resource):
body = ElementTreeBuilder.tostring(body.to_element(), encoding='UTF-8')
headers['Content-Type'] = 'application/xml; charset=utf-8'
if method in ('POST', 'PUT') and body is None:
headers['Content-Length'] = '0'
connection.request(method, url, body, headers)
resp = connection.getresponse()
resp_headers = cls.headers_as_dict(resp)
log = logging.getLogger('recurly.http.response')
if log.isEnabledFor(logging.DEBUG):
log.debug('HTTP/1.1 %d %s', resp.status, resp.reason)
log.debug(resp_headers)
log.debug('')
recurly.cache_rate_limit_headers(resp_headers)
return resp
| http_request | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, url, method='GET', body=None, headers=None):\n if recurly.API_KEY is None:\n raise recurly.UnauthorizedError('recurly.API_KEY not set')\n url... |
def x(cls, resp):
if six.PY2:
pairs = [header.split(':', 1) for header in resp.msg.headers]
return dict([(k, v.strip()) for k, v in pairs])
else:
return dict([(k, v.strip()) for k, v in resp.msg._headers])
| headers_as_dict | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, resp):\n if six.PY2:\n pairs = [header.split(':', 1) for header in resp.msg.headers]\n return dict([(k, v.strip()) for k, v in pairs])\n ... |
def x(self):
elem = self.to_element()
for attrname in self.sensitive_attributes:
for sensitive_el in elem.iter(attrname):
sensitive_el.text = 'XXXXXXXXXXXXXXXX'
return ElementTreeBuilder.tostring(elem, encoding='UTF-8')
| as_log_output | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n elem = self.to_element()\n for attrname in self.sensitive_attributes:\n for sensitive_el in elem.iter(attrname):\n sensitive_e... |
def x(cls, uuid):
if not uuid:
raise ValueError('get must have a value passed as an argument')
uuid = quote(str(uuid))
url = recurly.base_uri() + cls.member_path % (uuid,)
_resp, elem = cls.element_for_url(url)
return cls.from_element(elem)
| get | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, uuid):\n if not uuid:\n raise ValueError('get must have a value passed as an argument')\n uuid = quote(str(uuid))\n url = recurly.base_uri... |
def x(cls, url):
response = cls.http_request(url, method='HEAD')
if response.status != 200:
cls.raise_http_error(response)
return Resource.headers_as_dict(response)
| headers_for_url | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, url):\n response = cls.http_request(url, method='HEAD')\n if response.status != 200:\n cls.raise_http_error(response)\n return Resource.he... |
def x(cls, url):
response = cls.http_request(url)
if response.status != 200:
cls.raise_http_error(response)
assert response.getheader('Content-Type').startswith('application/xml')
response_xml = response.read()
logging.getLogger('recurly.http.response').debug(response_xml)
response_doc = ElementTree.fromstring(response_xml)
return response, response_doc
| element_for_url | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, url):\n response = cls.http_request(url)\n if response.status != 200:\n cls.raise_http_error(response)\n assert response.getheader('Conten... |
def x(cls, elem):
log = logging.getLogger('recurly.resource')
if elem is None:
log.debug('Converting %r element into None value', elem)
return
if elem.attrib.get('nil') is not None:
log.debug('Converting %r element with nil attribute into None value',
elem.tag)
return
if elem.tag.endswith('_in_cents'
) and 'currency' not in cls.attributes and not cls.inherits_currency:
log.debug(
"Converting %r element in class with no matching 'currency' into a Money value"
, elem.tag)
return Money.from_element(elem)
attr_type = elem.attrib.get('type')
log.debug('Converting %r element with type %r', elem.tag, attr_type)
if attr_type == 'integer':
return int(elem.text.strip())
if attr_type == 'float':
return float(elem.text.strip())
if attr_type == 'boolean':
return elem.text.strip() == 'true'
if attr_type == 'datetime':
return iso8601.parse_date(elem.text.strip())
if attr_type == 'array':
return [cls._subclass_for_nodename(sub_elem.tag).from_element(
sub_elem) for sub_elem in elem]
if attr_type is not None:
try:
value_class = cls._subclass_for_nodename(attr_type)
except ValueError:
log.debug(
'Not converting %r element with type %r to a resource as that matches no known nodename'
, elem.tag, attr_type)
else:
return value_class.from_element(elem)
if len(elem):
value_class = cls._subclass_for_nodename(elem.tag)
log.debug('Converting %r tag into a %s', elem.tag, value_class.__name__
)
return value_class.from_element(elem)
value = elem.text or ''
return value.strip()
| value_for_element | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, elem):\n log = logging.getLogger('recurly.resource')\n if elem is None:\n log.debug('Converting %r element into None value', elem)\n r... |
def x(cls, attrname, value):
if isinstance(value, Resource):
if attrname in cls._classes_for_nodename:
return value.to_element(attrname)
return value.to_element()
el = ElementTreeBuilder.Element(attrname)
if value is None:
el.attrib['nil'] = 'nil'
elif isinstance(value, bool):
el.attrib['type'] = 'boolean'
el.text = 'true' if value else 'false'
elif isinstance(value, int):
el.attrib['type'] = 'integer'
el.text = str(value)
elif isinstance(value, datetime):
el.attrib['type'] = 'datetime'
el.text = value.strftime('%Y-%m-%dT%H:%M:%SZ')
elif isinstance(value, list) or isinstance(value, tuple):
for sub_resource in value:
if hasattr(sub_resource, 'to_element'):
el.append(sub_resource.to_element())
else:
el.append(cls.element_for_value(re.sub('s$', '', attrname),
sub_resource))
elif isinstance(value, Money):
value.add_to_element(el)
else:
el.text = six.text_type(value)
return el
| element_for_value | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, attrname, value):\n if isinstance(value, Resource):\n if attrname in cls._classes_for_nodename:\n return value.to_element(attrname)\n... |
def x(self, elem):
self._elem = elem
for attrname in self.attributes:
try:
delattr(self, attrname)
except AttributeError:
pass
document_url = elem.attrib.get('href')
if document_url is not None:
self._url = document_url
return self
| update_from_element | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, elem):\n self._elem = elem\n for attrname in self.attributes:\n try:\n delattr(self, attrname)\n except AttributeError:\n ... |
def x(cls, **kwargs):
url = recurly.base_uri() + cls.collection_path
if kwargs:
url = '%s?%s' % (url, urlencode_params(kwargs))
return Page.page_for_url(url)
| all | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, **kwargs):\n url = recurly.base_uri() + cls.collection_path\n if kwargs:\n url = '%s?%s' % (url, urlencode_params(kwargs))\n return Page.p... |
def x(cls, **kwargs):
url = recurly.base_uri() + cls.collection_path
if kwargs:
url = '%s?%s' % (url, urlencode_params(kwargs))
return Page.count_for_url(url)
| count | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, **kwargs):\n url = recurly.base_uri() + cls.collection_path\n if kwargs:\n url = '%s?%s' % (url, urlencode_params(kwargs))\n return Page.c... |
def x(self, url):
response = self.http_request(url, 'PUT', self, {'Content-Type':
'application/xml; charset=utf-8'})
if response.status != 200:
self.raise_http_error(response)
response_xml = response.read()
logging.getLogger('recurly.http.response').debug(response_xml)
self.update_from_element(ElementTree.fromstring(response_xml))
| put | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, url):\n response = self.http_request(url, 'PUT', self, {'Content-Type':\n 'application/xml; charset=utf-8'})\n if response.status != 200:\n ... |
def x(self, url, body=None):
response = self.http_request(url, 'POST', body or self, {'Content-Type':
'application/xml; charset=utf-8'})
if response.status not in (200, 201, 204):
self.raise_http_error(response)
self._url = response.getheader('Location')
if response.status in (200, 201):
response_xml = response.read()
logging.getLogger('recurly.http.response').debug(response_xml)
self.update_from_element(ElementTree.fromstring(response_xml))
| post | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, url, body=None):\n response = self.http_request(url, 'POST', body or self, {'Content-Type':\n 'application/xml; charset=utf-8'})\n if respon... |
def x(self):
response = self.http_request(self._url, 'DELETE')
if response.status != 204:
self.raise_http_error(response)
| delete | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n response = self.http_request(self._url, 'DELETE')\n if response.status != 204:\n self.raise_http_error(response)\n",
"role": "user"
... |
def x(cls, response):
response_xml = response.read()
logging.getLogger('recurly.http.response').debug(response_xml)
exc_class = recurly.errors.error_class_for_http_status(response.status)
raise exc_class(response_xml)
| raise_http_error | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, response):\n response_xml = response.read()\n logging.getLogger('recurly.http.response').debug(response_xml)\n exc_class = recurly.errors.error_c... |
def x(self, root_name=None):
if not root_name:
root_name = self.nodename
elem = ElementTreeBuilder.Element(root_name)
for attrname in self.serializable_attributes():
try:
value = self.__dict__[attrname]
except KeyError:
continue
if attrname in self.xml_attribute_attributes:
elem.attrib[attrname] = six.text_type(value)
else:
sub_elem = self.element_for_value(attrname, value)
elem.append(sub_elem)
return elem
| to_element | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, root_name=None):\n if not root_name:\n root_name = self.nodename\n elem = ElementTreeBuilder.Element(root_name)\n for attrname in self.se... |
def x(reference_sources, estimated_sources, window=2 * 44100, hop=1.5 *
44100, compute_permutation=False, filters_len=512, framewise_filters=
False, bsseval_sources_version=False):
estimated_sources = np.atleast_3d(estimated_sources)
reference_sources = np.atleast_3d(reference_sources)
validate(reference_sources, estimated_sources)
if reference_sources.size == 0 or estimated_sources.size == 0:
return np.array([]), np.array([]), np.array([]), np.array([]
), np.array([])
nsrc, nsampl, nchan = estimated_sources.shape
if compute_permutation:
candidate_permutations = np.array(list(itertools.permutations(list(
range(nsrc)))))
else:
candidate_permutations = np.array(np.arange(nsrc))[None, :]
framer = Framing(window, hop, nsampl)
nwin = framer.nwin
SDR, ISR, SIR, SAR = list(range(4))
s_r = np.empty((4, nsrc, nsrc, nwin))
def x(win=slice(0, nsampl)):
G, sf = _compute_reference_correlations(reference_sources[:, win],
filters_len)
C = np.zeros((nsrc, nsrc, nchan, filters_len, nchan))
for jtrue in range(nsrc):
C[jtrue] = _compute_projection_filters(G, sf, estimated_sources
[jtrue, win])
return G, sf, C
def x(win=slice(0, nsampl)):
Cj = np.zeros((nsrc, nsrc, 1, nchan, filters_len, nchan))
for jtrue in range(nsrc):
for jest in candidate_permutations[:, jtrue]:
Cj[jtrue, jest] = _compute_projection_filters(G[jtrue,
jtrue], sf[jtrue], estimated_sources[jest, win])
return Cj
if not framewise_filters:
G, sf, C = compute_GsfC()
Cj = compute_Cj()
for t, win in enumerate(framer):
if framewise_filters:
G, sf, C = compute_GsfC(win)
Cj = compute_Cj(win)
done = np.zeros((nsrc, nsrc))
ref_slice = reference_sources[:, win]
est_slice = estimated_sources[:, win]
if not _any_source_silent(ref_slice) and not _any_source_silent(
est_slice):
for jtrue in range(nsrc):
for k, jest in enumerate(candidate_permutations[:, jtrue]):
if not done[jtrue, jest]:
s_true, e_spat, e_interf, e_artif = (
_bss_decomp_mtifilt(reference_sources[:, win],
estimated_sources[jest, win], jtrue, C[jest],
Cj[jtrue, jest, 0]))
s_r[:, jtrue, jest, t] = _bss_crit(s_true, e_spat,
e_interf, e_artif, bsseval_sources_version)
done[jtrue, jest] = True
else:
a = np.empty((4, nsrc, nsrc))
a[:] = np.nan
s_r[:, :, :, t] = a
if framewise_filters:
mean_sir = np.empty((len(candidate_permutations), nwin))
axis_mean = 0
else:
mean_sir = np.empty((len(candidate_permutations), 1))
axis_mean = None
dum = np.arange(nsrc)
for i, perm in enumerate(candidate_permutations):
mean_sir[i] = np.mean(s_r[SIR, dum, perm, :], axis=axis_mean)
popt = candidate_permutations[np.argmax(mean_sir, axis=0)].T
if not framewise_filters:
result = s_r[:, dum, popt[:, 0], :]
else:
result = np.empty((4, nsrc, nwin))
for m, t in itertools.product(list(range(4)), list(range(nwin))):
result[m, :, t] = s_r[m, dum, popt[:, t], t]
return result[SDR], result[ISR], result[SIR], result[SAR], popt
| bss_eval | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(reference_sources, estimated_sources, window=2 * 44100, hop=1.5 * \n 44100, compute_permutation=False, filters_len=512, framewise_filters=\n False, bssev... |
def x(reference_sources, estimated_sources, compute_permutation=True):
sdr, isr, sir, sar, perm = bss_eval(reference_sources,
estimated_sources, window=np.inf, hop=np.inf, compute_permutation=
compute_permutation, filters_len=512, framewise_filters=True,
bsseval_sources_version=True)
return sdr, sir, sar, perm
| bss_eval_sources | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(reference_sources, estimated_sources, compute_permutation=True):\n sdr, isr, sir, sar, perm = bss_eval(reference_sources,\n estimated_sources, window... |
def x(reference_sources, estimated_sources, window=30 * 44100, hop=15 *
44100, compute_permutation=False):
sdr, isr, sir, sar, perm = bss_eval(reference_sources,
estimated_sources, window=window, hop=hop, compute_permutation=
compute_permutation, filters_len=512, framewise_filters=True,
bsseval_sources_version=True)
return sdr, sir, sar, perm
| bss_eval_sources_framewise | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(reference_sources, estimated_sources, window=30 * 44100, hop=15 * \n 44100, compute_permutation=False):\n sdr, isr, sir, sar, perm = bss_eval(reference_s... |
def x(reference_sources, estimated_sources, compute_permutation=True):
return bss_eval(reference_sources, estimated_sources, window=np.inf,
hop=np.inf, compute_permutation=compute_permutation, filters_len=
512, framewise_filters=True, bsseval_sources_version=False)
| bss_eval_images | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(reference_sources, estimated_sources, compute_permutation=True):\n return bss_eval(reference_sources, estimated_sources, window=np.inf,\n hop=np.inf,... |
def x(reference_sources, estimated_sources, window=30 * 44100, hop=15 *
44100, compute_permutation=False):
return bss_eval(reference_sources, estimated_sources, window=window,
hop=hop, compute_permutation=compute_permutation, filters_len=512,
framewise_filters=True, bsseval_sources_version=False)
| bss_eval_images_framewise | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(reference_sources, estimated_sources, window=30 * 44100, hop=15 * \n 44100, compute_permutation=False):\n return bss_eval(reference_sources, estimated_so... |
def x(reference_sources, estimated_source, j, C, Cj):
filters_len = Cj.shape[-2]
s_true = _zeropad(reference_sources[j], filters_len - 1, axis=0)
e_spat = _project(reference_sources[j], Cj) - s_true
e_interf = _project(reference_sources, C) - s_true - e_spat
e_artif = -s_true - e_spat - e_interf
e_artif[:estimated_source.shape[0], :] += estimated_source
return s_true, e_spat, e_interf, e_artif
| bss_decomp_mtifilt | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(reference_sources, estimated_source, j, C, Cj):\n filters_len = Cj.shape[-2]\n s_true = _zeropad(reference_sources[j], filters_len - 1, axis=0)\n e_sp... |
def x(sig, N, axis=0):
sig = np.moveaxis(sig, axis, 0)
out = np.zeros((sig.shape[0] + N,) + sig.shape[1:])
out[:sig.shape[0], ...] = sig
out = np.moveaxis(out, 0, axis)
return out
| zeropad | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(sig, N, axis=0):\n sig = np.moveaxis(sig, axis, 0)\n out = np.zeros((sig.shape[0] + N,) + sig.shape[1:])\n out[:sig.shape[0], ...] = sig\n out = np... |
def x(G):
G = np.moveaxis(G, (1, 3), (3, 4))
nsrc, nchan, filters_len = G.shape[0:3]
G = np.reshape(G, (nsrc * nchan * filters_len, nsrc * nchan * filters_len))
return G
| reshape_G | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(G):\n G = np.moveaxis(G, (1, 3), (3, 4))\n nsrc, nchan, filters_len = G.shape[0:3]\n G = np.reshape(G, (nsrc * nchan * filters_len, nsrc * nchan * fil... |
def x(reference_sources, filters_len):
nsrc, nsampl, nchan = reference_sources.shape
reference_sources = np.moveaxis(reference_sources, 1, 2)
reference_sources = _zeropad(reference_sources, filters_len - 1, axis=2)
n_fft = int(2 ** np.ceil(np.log2(nsampl + filters_len - 1.0)))
sf = scipy.fftpack.fft(reference_sources, n=n_fft, axis=2)
G = np.zeros((nsrc, nsrc, nchan, nchan, filters_len, filters_len))
for (i, c1), (j, c2) in itertools.combinations_with_replacement(itertools
.product(list(range(nsrc)), list(range(nchan))), 2):
ssf = sf[j, c2] * np.conj(sf[i, c1])
ssf = np.real(scipy.fftpack.ifft(ssf))
ss = toeplitz(np.hstack((ssf[0], ssf[-1:-filters_len:-1])), r=ssf[:
filters_len])
G[j, i, c2, c1] = ss
G[i, j, c1, c2] = ss.T
return G, sf
| compute_reference_correlations | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(reference_sources, filters_len):\n nsrc, nsampl, nchan = reference_sources.shape\n reference_sources = np.moveaxis(reference_sources, 1, 2)\n referenc... |
def x(G, sf, estimated_source):
eps = np.finfo(np.float).eps
nsampl, nchan = estimated_source.shape
if len(G.shape) == 4:
G = G[None, None, ...]
sf = sf[None, ...]
nsrc = G.shape[0]
filters_len = G.shape[-1]
estimated_source = _zeropad(estimated_source.T, filters_len - 1, axis=1)
n_fft = int(2 ** np.ceil(np.log2(nsampl + filters_len - 1.0)))
sef = scipy.fftpack.fft(estimated_source, n=n_fft)
D = np.zeros((nsrc, nchan, filters_len, nchan))
for j, cj, c in itertools.product(list(range(nsrc)), list(range(nchan)),
list(range(nchan))):
ssef = sf[j, cj] * np.conj(sef[c])
ssef = np.real(scipy.fftpack.ifft(ssef))
D[j, cj, :, c] = np.hstack((ssef[0], ssef[-1:-filters_len:-1]))
D = D.reshape(nsrc * nchan * filters_len, nchan)
G = _reshape_G(G)
try:
C = np.linalg.solve(G + eps * np.eye(G.shape[0]), D).reshape(nsrc,
nchan, filters_len, nchan)
except np.linalg.linalg.LinAlgError:
C = np.linalg.lstsq(G, D)[0].reshape(nsrc, nchan, filters_len, nchan)
if nsrc == 1:
C = C[0]
return C
| compute_projection_filters | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(G, sf, estimated_source):\n eps = np.finfo(np.float).eps\n nsampl, nchan = estimated_source.shape\n if len(G.shape) == 4:\n G = G[None, None, .... |
def x(reference_sources, C):
if len(reference_sources.shape) == 2:
reference_sources = reference_sources[None, ...]
C = C[None, ...]
nsrc, nsampl, nchan = reference_sources.shape
filters_len = C.shape[-2]
reference_sources = _zeropad(reference_sources, filters_len - 1, axis=1)
sproj = np.zeros((nchan, nsampl + filters_len - 1))
for j, cj, c in itertools.product(list(range(nsrc)), list(range(nchan)),
list(range(nchan))):
sproj[c] += fftconvolve(C[j, cj, :, c], reference_sources[j, :, cj])[:
nsampl + filters_len - 1]
return sproj.T
| project | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(reference_sources, C):\n if len(reference_sources.shape) == 2:\n reference_sources = reference_sources[None, ...]\n C = C[None, ...]\n nsrc... |
def x(s_true, e_spat, e_interf, e_artif, bsseval_sources_version):
if bsseval_sources_version:
s_filt = s_true + e_spat
energy_s_filt = np.sum(s_filt ** 2)
sdr = _safe_db(energy_s_filt, np.sum((e_interf + e_artif) ** 2))
isr = np.empty(sdr.shape) * np.nan
sir = _safe_db(energy_s_filt, np.sum(e_interf ** 2))
sar = _safe_db(np.sum((s_filt + e_interf) ** 2), np.sum(e_artif ** 2))
else:
energy_s_true = np.sum(s_true ** 2)
sdr = _safe_db(energy_s_true, np.sum((e_spat + e_interf + e_artif) **
2))
isr = _safe_db(energy_s_true, np.sum(e_spat ** 2))
sir = _safe_db(np.sum((s_true + e_spat) ** 2), np.sum(e_interf ** 2))
sar = _safe_db(np.sum((s_true + e_spat + e_interf) ** 2), np.sum(
e_artif ** 2))
return sdr, isr, sir, sar
| bss_crit | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(s_true, e_spat, e_interf, e_artif, bsseval_sources_version):\n if bsseval_sources_version:\n s_filt = s_true + e_spat\n energy_s_filt = np.sum... |
def x(num, den):
if den == 0:
return np.inf
return 10 * np.log10(num / den)
| safe_db | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(num, den):\n if den == 0:\n return np.inf\n return 10 * np.log10(num / den)\n",
"role": "user"
},
{
"content": "safe_db",
"role": ... |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.