source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(path: str, blocking: bool) ->Generator[Optional[int], None, None]:
try:
with open(path, 'w+') as lockfile:
if not blocking:
lock_command = fcntl.LOCK_EX | fcntl.LOCK_NB
else:
lock_command = fcntl.LOCK_EX
fcntl.lockf(lockfile.fileno(), lock_command)
yield lockfile.fileno()
fcntl.lockf(lockfile.fileno(), fcntl.LOCK_UN)
except FileNotFoundError:
yield
| acquire_lock | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path: str, blocking: bool) ->Generator[Optional[int], None, None]:\n try:\n with open(path, 'w+') as lockfile:\n if not blocking:\n ... |
def x(self, paths: List[str]) ->List[str]:
return [path for path in paths if self._is_tracked(path)]
| process_updated_files | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, paths: List[str]) ->List[str]:\n return [path for path in paths if self._is_tracked(path)]\n",
"role": "user"
},
{
"content": "process_upd... |
def x(self, paths: List[str]) ->List[str]:
tracked_files = []
deleted_paths = [path for path in paths if not os.path.isfile(path)]
new_paths = [path for path in paths if path not in self._symbolic_links and
os.path.isfile(path) and is_parent(os.getcwd(), path)]
updated_paths = [path for path in paths if path not in deleted_paths and
path not in new_paths]
if deleted_paths:
LOG.info('Detected deleted paths: `%s`.', '`,`'.join(deleted_paths))
for path in deleted_paths:
link = self._symbolic_links.pop(path, None)
if link:
try:
_delete_symbolic_link(link)
tracked_files.append(link)
except OSError:
LOG.warning('Failed to delete link at `%s`.', link)
if new_paths:
LOG.info('Detected new paths: %s.', ','.join(new_paths))
try:
for path, relative_link in buck.resolve_relative_paths(new_paths
).items():
link = os.path.join(self.get_root(), relative_link)
try:
add_symbolic_link(link, path)
self._symbolic_links[path] = link
tracked_files.append(link)
except OSError:
LOG.warning('Failed to add link at %s.', link)
except buck.BuckException as error:
LOG.error('Exception occurred when querying buck: %s', error)
LOG.error('No new paths will be added to the analysis directory.')
for path in updated_paths:
if path in self._symbolic_links:
tracked_files.append(self._symbolic_links[path])
elif self._is_tracked(path):
tracked_files.append(path)
return tracked_files
| process_updated_files | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, paths: List[str]) ->List[str]:\n tracked_files = []\n deleted_paths = [path for path in paths if not os.path.isfile(path)]\n new_paths = [path f... |
def x(self, root: str, patterns: List[str], exclude: Optional[List[str]]=None
) ->List[str]:
command = ['find', '.']
command += self._match_any(patterns)
if exclude:
command += ['-and', '!']
command += self._match_any(exclude)
return subprocess.run(command, stdout=subprocess.PIPE, cwd=root
).stdout.decode('utf-8').split()
| list | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, root: str, patterns: List[str], exclude: Optional[List[str]]=None\n ) ->List[str]:\n command = ['find', '.']\n command += self._match_any(patter... |
def x(self, iters: Dict[str, Any]):
count = dict.fromkeys([issue['callable'] for issue in iters['issues']], 0)
for issue in iters['issues']:
count[issue['callable']] += 1
return count
| compute_callables_count | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, iters: Dict[str, Any]):\n count = dict.fromkeys([issue['callable'] for issue in iters['issues']], 0)\n for issue in iters['issues']:\n count... |
def x(self, status=RunStatus.FINISHED, status_description=None) ->Run:
run = Run(job_id=self.summary['job_id'], issue_instances=[], date=
datetime.datetime.now(), status=status, status_description=
status_description, repository=self.summary['repository'], branch=
self.summary['branch'], commit_hash=self.summary['commit_hash'],
kind=self.summary['run_kind'])
return run
| create_empty_run | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, status=RunStatus.FINISHED, status_description=None) ->Run:\n run = Run(job_id=self.summary['job_id'], issue_instances=[], date=\n datetime.date... |
def x(self, run, entry, callablesCount):
trace_frames = []
for p in entry['preconditions']:
tf = self._generate_issue_precondition(run, entry, p)
trace_frames.append(tf)
for p in entry['postconditions']:
tf = self._generate_issue_postcondition(run, entry, p)
trace_frames.append(tf)
features = set()
for f in entry['features']:
features.update(self._generate_issue_feature_contents(entry, f))
callable = entry['callable']
handle = self._get_issue_handle(entry)
initial_sources = {self._get_shared_text(SharedTextKind.SOURCE, s) for
s, _ in entry['initial_sources']}
final_sinks = {self._get_shared_text(SharedTextKind.SINK, s) for s, _ in
entry['final_sinks']}
issue = Issue.Record(id=IssueDBID(), code=entry['code'], handle=handle,
status=IssueStatus.UNCATEGORIZED, first_seen=run.date, run_id=run.id)
self.graph.add_issue(issue)
fix_info = None
fix_info_id = None
if entry.get('fix_info') is not None:
fix_info = IssueInstanceFixInfo.Record(id=DBID(), fix_info=json.
dumps(entry['fix_info']))
fix_info_id = fix_info.id
message = self._get_shared_text(SharedTextKind.MESSAGE, entry['message'])
filename_record = self._get_shared_text(SharedTextKind.FILENAME, entry[
'filename'])
callable_record = self._get_shared_text(SharedTextKind.CALLABLE, callable)
instance = IssueInstance.Record(id=DBID(), issue_id=issue.id, location=
self.get_location(entry), filename_id=filename_record.id,
callable_id=callable_record.id, run_id=run.id, fix_info_id=
fix_info_id, message_id=message.id, rank=0,
min_trace_length_to_sources=self._get_minimum_trace_length(entry[
'postconditions']), min_trace_length_to_sinks=self.
_get_minimum_trace_length(entry['preconditions']), callable_count=
callablesCount[callable])
for sink in final_sinks:
self.graph.add_issue_instance_shared_text_assoc(instance, sink)
for source in initial_sources:
self.graph.add_issue_instance_shared_text_assoc(instance, source)
if fix_info is not None:
self.graph.add_issue_instance_fix_info(instance, fix_info)
for trace_frame in trace_frames:
self.graph.add_issue_instance_trace_frame_assoc(instance, trace_frame)
for feature in features:
feature = self._get_shared_text(SharedTextKind.FEATURE, feature)
self.graph.add_issue_instance_shared_text_assoc(instance, feature)
self.graph.add_issue_instance(instance)
| generate_issue | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, run, entry, callablesCount):\n trace_frames = []\n for p in entry['preconditions']:\n tf = self._generate_issue_precondition(run, entry, p)\... |
def x(self):
line_count = 0
filtered_history = []
for line in self.history:
if 'get_ipython().' not in line:
filtered_history.append(line)
line_count += 1
return filtered_history, line_count
| get_history_without_ipython_calls | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n line_count = 0\n filtered_history = []\n for line in self.history:\n if 'get_ipython().' not in line:\n filtered_history.ap... |
def x(self):
log.info('Preparing bulk save.')
self.graph.update_bulk_saver(self.bulk_saver)
log.info('Dropped %d unused preconditions, %d are missing', sum(len(v) for
v in self.summary['precondition_entries'].values()), len(self.
summary['missing_preconditions']))
log.info('Dropped %d unused postconditions, %d are missing', sum(len(v) for
v in self.summary['postcondition_entries'].values()), len(self.
summary['missing_postconditions']))
del self.summary['postcondition_entries']
| prep_save | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n log.info('Preparing bulk save.')\n self.graph.update_bulk_saver(self.bulk_saver)\n log.info('Dropped %d unused preconditions, %d are missing'... |
def x(self) ->RunSummary:
assert self.summary['run'] is not None, 'Must have called process before'
trace_frames = self.bulk_saver.get_items_to_add(TraceFrame)
log.info('Saving %d issues, %d trace frames, %d trace annotations', len
(self.bulk_saver.get_items_to_add(Issue)), len(self.bulk_saver.
get_items_to_add(TraceFrame)), len(self.bulk_saver.get_items_to_add
(TraceFrameAnnotation)))
num_pre = 0
num_post = 0
for frame in trace_frames:
if frame.kind == TraceKind.PRECONDITION:
num_pre += 1
elif frame.kind == TraceKind.POSTCONDITION:
num_post += 1
log.info('Within trace frames: %d preconditions, %d postconditions',
num_pre, num_post)
with self.database.make_session() as session:
pk_gen = self.primary_key_generator.reserve(session, [Run],
use_lock=self.use_lock)
self.summary['run'].id.resolve(id=pk_gen.get(Run), is_new=True)
session.add(self.summary['run'])
session.commit()
run_id = self.summary['run'].id.resolved()
self.summary['run'] = None
self.bulk_saver.save_all(self.database, self.use_lock)
with self.database.make_session() as session:
run = session.query(self.RUN_MODEL).filter_by(id=run_id).one()
run.status = RunStatus.FINISHED
session.add(run)
session.commit()
run_summary = run.get_summary()
run_summary.num_invisible_issues = 0
run_summary.num_missing_preconditions = len(self.summary[
'missing_preconditions'])
run_summary.num_missing_postconditions = len(self.summary[
'missing_postconditions'])
return run_summary
| save | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self) ->RunSummary:\n assert self.summary['run'] is not None, 'Must have called process before'\n trace_frames = self.bulk_saver.get_items_to_add(TraceFr... |
def x(self, leaves) ->List[Tuple[str, int]]:
return [(self._leaf_name(leaf), 0) for leaf in leaves]
| parse_leaves | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, leaves) ->List[Tuple[str, int]]:\n return [(self._leaf_name(leaf), 0) for leaf in leaves]\n",
"role": "user"
},
{
"content": "parse_leaves... |
def x(self) ->Iterable[IO[str]]:
if self.file_handle:
yield self.file_handle
self.file_handle.close()
self.file_handle = None
else:
for name in self.file_names():
with open(name, 'r') as f:
yield f
| file_handles | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self) ->Iterable[IO[str]]:\n if self.file_handle:\n yield self.file_handle\n self.file_handle.close()\n self.file_handle = None\n el... |
def x(self) ->Iterable[str]:
if self.is_sharded():
yield from ShardedFile(self.filename_spec).get_filenames()
elif self.filename_spec:
yield self.filename_spec
| file_names | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self) ->Iterable[str]:\n if self.is_sharded():\n yield from ShardedFile(self.filename_spec).get_filenames()\n elif self.filename_spec:\n yi... |
def x(cls, session, pkgen, items):
for item in cls.merge(session, items):
if hasattr(item, 'id'):
item.id.resolve(id=pkgen.get(cls), is_new=True)
yield cls.to_dict(item)
| prepare | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, session, pkgen, items):\n for item in cls.merge(session, items):\n if hasattr(item, 'id'):\n item.id.resolve(id=pkgen.get(cls), is_ne... |
def x(cls, session, items, hash_item, *attrs):
items_iter1, items_iter2 = tee(items)
keys = {}
for i in items_iter1:
item_hash = hash_item(i)
keys[item_hash] = {attr.key: getattr(i, attr.key) for attr in attrs}
existing_ids = {}
cls_attrs = [getattr(cls, attr.key) for attr in attrs]
for fetch_keys in split_every(BATCH_SIZE, keys.values()):
filters = []
for fetch_key in fetch_keys:
subfilter = [getattr(cls, attr).__eq__(val) for attr, val in
fetch_key.items()]
filters.append(and_(*subfilter))
existing_items = session.query(cls.id, *cls_attrs).filter(or_(*filters)
).all()
for existing_item in existing_items:
item_hash = hash_item(existing_item)
existing_ids[item_hash] = existing_item.id
new_items = {}
for i in items_iter2:
item_hash = hash_item(i)
if item_hash in existing_ids:
i.id.resolve(existing_ids[item_hash], is_new=False)
elif item_hash in new_items:
i.id.resolve(new_items[item_hash].id, is_new=False)
else:
new_items[item_hash] = i
yield i
| merge_by_keys | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, session, items, hash_item, *attrs):\n items_iter1, items_iter2 = tee(items)\n keys = {}\n for i in items_iter1:\n item_hash = hash_item(i)... |
def x(self, value, dialect):
if value is None:
return None
p = value.split('|')
if len(p) == 0:
return None
return SourceLocation(*map(int, p))
| process_result_value | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value, dialect):\n if value is None:\n return None\n p = value.split('|')\n if len(p) == 0:\n return None\n return SourceLocati... |
def x(self, session: Session, saving_classes: List[Type], item_counts:
Optional[Dict[str, int]]=None, use_lock: bool=False
) ->'PrimaryKeyGenerator':
query_classes = {cls for cls in saving_classes if cls in self.QUERY_CLASSES
}
for cls in query_classes:
if item_counts and cls.__name__ in item_counts:
count = item_counts[cls.__name__]
else:
count = 1
self._reserve_id_range(session, cls, count, use_lock)
return self
| reserve | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, session: Session, saving_classes: List[Type], item_counts:\n Optional[Dict[str, int]]=None, use_lock: bool=False\n ) ->'PrimaryKeyGenerator':\n ... |
def x(self, inputfile: AnalysisOutput, previous_inputfile: Optional[
AnalysisOutput], previous_issue_handles: Optional[AnalysisOutput],
linemapfile: Optional[str]) ->DictEntries:
issues = []
previous_handles: Set[str] = set()
conditions: Dict[ParseType, Dict[str, List[Dict[str, Any]]]] = {ParseType
.PRECONDITION: defaultdict(list), ParseType.POSTCONDITION:
defaultdict(list)}
if linemapfile:
log.info('Parsing linemap file')
with open(linemapfile, 'r') as f:
linemap = json.load(f)
else:
linemap = None
if previous_issue_handles:
log.info('Parsing previous issue handles')
for f in previous_issue_handles.file_handles():
handles = f.read().splitlines()
previous_handles = {handle for handle in handles}
elif previous_inputfile:
log.info('Parsing previous hh_server output')
for typ, master_key, e in self._analysis_output_to_parsed_types(
previous_inputfile):
if typ == ParseType.ISSUE:
diff_handle = BaseParser.compute_diff_handle(e['filename'],
e['line'], e['code'])
previous_handles.add(diff_handle)
previous_handles.add(master_key)
log.info('Parsing hh_server output')
for typ, key, e in self._analysis_output_to_parsed_types(inputfile):
if typ == ParseType.ISSUE:
if not self._is_existing_issue(linemap, previous_handles, e, key):
issues.append(e)
else:
conditions[typ][key].append(e)
return {'issues': issues, 'preconditions': conditions[ParseType.
PRECONDITION], 'postconditions': conditions[ParseType.POSTCONDITION]}
| analysis_output_to_dict_entries | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, inputfile: AnalysisOutput, previous_inputfile: Optional[\n AnalysisOutput], previous_issue_handles: Optional[AnalysisOutput],\n linemapfile: Option... |
def x(filename, old_line, code):
key = '{filename}:{old_line}:{code}'.format(filename=filename, old_line
=old_line, code=code)
return BaseParser.compute_handle_from_key(key)
| compute_diff_handle | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename, old_line, code):\n key = '{filename}:{old_line}:{code}'.format(filename=filename, old_line\n =old_line, code=code)\n return BaseParser.c... |
def x(file=sys.stderr) ->bool:
if not os.isatty(file.fileno()):
return False
terminal = os.getenv('TERM', 'dumb')
return terminal not in ['dumb', 'emacs']
| is_capable_terminal | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(file=sys.stderr) ->bool:\n if not os.isatty(file.fileno()):\n return False\n terminal = os.getenv('TERM', 'dumb')\n return terminal not in ['du... |
def x(base: str, target: str) ->Optional[str]:
while True:
step = os.path.join(base, target)
LOG.debug('Trying with: `%s`', step)
if os.path.isdir(step):
return step
parent_directory = os.path.dirname(base)
if parent_directory == base:
break
base = parent_directory
return None
| find_directory_upwards | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(base: str, target: str) ->Optional[str]:\n while True:\n step = os.path.join(base, target)\n LOG.debug('Trying with: `%s`', step)\n if ... |
def x(self, targets: Iterable[str]) ->Iterable[BuildTarget]:
normalized_targets = set()
for target in targets:
normalized_targets.update(self._normalize_target(target))
targets_to_parse = deque(normalized_targets)
targets_seen = set(normalized_targets)
targets_not_found = []
build_targets = set()
while targets_to_parse:
next_target_string = targets_to_parse.popleft()
next_target = self._parse_target(next_target_string)
build_file = self.parser.parse_file(next_target.build_file_directory)
if next_target.name not in build_file.targets:
targets_not_found.append(next_target_string)
continue
target_to_build = build_file.targets[next_target.name]
build_targets.add(target_to_build)
new_targets = [dependency for dependency in target_to_build.
dependencies if dependency not in targets_seen]
targets_to_parse.extend(new_targets)
targets_seen.update(new_targets)
if targets_not_found and self.fail_on_unbuilt_target:
raise BuilderException('Target(s) could not be built: {}'.format(
', '.join(targets_not_found)), targets=targets_not_found)
return build_targets
| compute_targets_to_build | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, targets: Iterable[str]) ->Iterable[BuildTarget]:\n normalized_targets = set()\n for target in targets:\n normalized_targets.update(self._nor... |
def x(self, targets: Iterable[BuildTarget]) ->Mapping[str, Iterable[
BuildTarget]]:
result = defaultdict(list)
for target in targets:
for dependency in target.dependencies:
result[dependency].append(target)
return result
| compute_reverse_dependencies | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, targets: Iterable[BuildTarget]) ->Mapping[str, Iterable[\n BuildTarget]]:\n result = defaultdict(list)\n for target in targets:\n for dep... |
def x(self, key, default=None, current=None, print_on_success=False):
value = self._configuration.pop(key, default)
if current:
return current
if value and print_on_success:
LOG.debug('Found %s: `%s`', key, ', '.join(value))
if value and key in self._deprecated:
LOG.warning(
'Configuration file uses deprecated item `%s`: please migrate to its replacement `%s`'
, key, self._deprecated[key])
return value
| consume | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, default=None, current=None, print_on_success=False):\n value = self._configuration.pop(key, default)\n if current:\n return current\n ... |
def x(self, location: Optional[str]=None) ->None:
try:
if not location:
location = self.prompt('Analysis results: ', history_key=
'analysis_results', completer=PathCompleter())
self.current_analysis_output = AnalysisOutput.from_str(location)
except AnalysisOutputError as e:
raise UserError(f'Error loading results: {e}')
| analysis_output | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, location: Optional[str]=None) ->None:\n try:\n if not location:\n location = self.prompt('Analysis results: ', history_key=\n ... |
def x(self, issue_instance_id):
with self.db.make_session() as session:
selected_issue = session.query(IssueInstance).filter(IssueInstance.
id == issue_instance_id).scalar()
if selected_issue is None:
self.warning(
f"Issue {issue_instance_id} doesn't exist. Type 'issues' for available issues."
)
return
self.sources = self._get_leaves_issue_instance(session,
issue_instance_id, SharedTextKind.SOURCE)
self.sinks = self._get_leaves_issue_instance(session,
issue_instance_id, SharedTextKind.SINK)
self.current_issue_instance_id = int(selected_issue.id)
self.current_frame_id = -1
self.current_trace_frame_index = 1
print(f'Set issue to {issue_instance_id}.')
if int(selected_issue.run_id) != self.current_run_id:
self.current_run_id = int(selected_issue.run_id)
print(f'Set run to {self.current_run_id}.')
print()
self._generate_trace_from_issue()
self.show()
| issue | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, issue_instance_id):\n with self.db.make_session() as session:\n selected_issue = session.query(IssueInstance).filter(IssueInstance.\n ... |
def x(self):
self._verify_entrypoint_selected()
if self.current_issue_instance_id != -1:
self._show_current_issue_instance()
return
self._show_current_trace_frame()
| show | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self._verify_entrypoint_selected()\n if self.current_issue_instance_id != -1:\n self._show_current_issue_instance()\n return\n ... |
def x(self, use_pager: bool=None, *, codes: Optional[Union[int, List[int]]]
=None, callables: Optional[Union[str, List[str]]]=None, filenames:
Optional[Union[str, List[str]]]=None):
pager = self._resolve_pager(use_pager)
with self.db.make_session() as session:
query = session.query(IssueInstance.id, FilenameText.contents.label
('filename'), IssueInstance.location, Issue.code, CallableText.
contents.label('callable'), MessageText.contents.label('message')
).filter(IssueInstance.run_id == self.current_run_id).join(
FilenameText, FilenameText.id == IssueInstance.filename_id).join(
CallableText, CallableText.id == IssueInstance.callable_id)
if codes is not None:
query = self._add_list_or_int_filter_to_query(codes, query,
Issue.code, 'codes')
if callables is not None:
query = self._add_list_or_string_filter_to_query(callables,
query, CallableText.contents, 'callables')
if filenames is not None:
query = self._add_list_or_string_filter_to_query(filenames,
query, FilenameText.contents, 'filenames')
issues = query.join(Issue, IssueInstance.issue_id == Issue.id).join(
MessageText, MessageText.id == IssueInstance.message_id)
sources_list = [self._get_leaves_issue_instance(session, int(issue.
id), SharedTextKind.SOURCE) for issue in issues]
sinks_list = [self._get_leaves_issue_instance(session, int(issue.id
), SharedTextKind.SINK) for issue in issues]
issue_strings = [self._create_issue_output_string(issue, sources,
sinks) for issue, sources, sinks in zip(issues, sources_list,
sinks_list)]
issue_output = f"\n{'-' * 80}\n".join(issue_strings)
pager(issue_output)
print(
f'Found {len(issue_strings)} issues with run_id {self.current_run_id}.'
)
| issues | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, use_pager: bool=None, *, codes: Optional[Union[int, List[int]]]\n =None, callables: Optional[Union[str, List[str]]]=None, filenames:\n Optional[Uni... |
def x(self, *, callers: Optional[Union[str, List[str]]]=None, callees:
Optional[Union[str, List[str]]]=None, kind: Optional[TraceKind]=None,
limit: Optional[int]=10):
with self.db.make_session() as session:
query = session.query(TraceFrame.id, CallerText.contents.label(
'caller'), TraceFrame.caller_port, CalleeText.contents.label(
'callee'), TraceFrame.callee_port).filter(TraceFrame.run_id ==
self.current_run_id).join(CallerText, CallerText.id ==
TraceFrame.caller_id).join(CalleeText, CalleeText.id ==
TraceFrame.callee_id)
if callers is not None:
query = self._add_list_or_string_filter_to_query(callers, query,
CallerText.contents, 'callers')
if callees is not None:
query = self._add_list_or_string_filter_to_query(callees, query,
CalleeText.contents, 'callees')
if kind is not None:
if kind not in {TraceKind.PRECONDITION, TraceKind.POSTCONDITION}:
raise UserError(
"Try 'frames kind=postcondition' or 'frames kind=precondition'."
)
query = query.filter(TraceFrame.kind == kind)
if limit is not None and not isinstance(limit, int):
raise UserError("'limit' should be an int or None.")
trace_frames = query.group_by(TraceFrame.id).order_by(CallerText.
contents, CalleeText.contents)
total_trace_frames = trace_frames.count()
limit = limit or total_trace_frames
self._output_trace_frames(self._group_trace_frames(trace_frames,
limit), limit, total_trace_frames)
| frames | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *, callers: Optional[Union[str, List[str]]]=None, callees:\n Optional[Union[str, List[str]]]=None, kind: Optional[TraceKind]=None,\n limit: Optiona... |
def x(self):
self._verify_entrypoint_selected()
self.current_trace_frame_index = min(self.current_trace_frame_index + 1,
len(self.trace_tuples) - 1)
self.trace()
| next_cursor_location | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self._verify_entrypoint_selected()\n self.current_trace_frame_index = min(self.current_trace_frame_index + 1,\n len(self.trace_tuples) - ... |
def x(self):
self._verify_entrypoint_selected()
self.current_trace_frame_index = max(self.current_trace_frame_index - 1, 0)
self.trace()
| prev_cursor_location | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self._verify_entrypoint_selected()\n self.current_trace_frame_index = max(self.current_trace_frame_index - 1, 0)\n self.trace()\n",
"role... |
def x(self, selected_number: int) ->None:
self._verify_entrypoint_selected()
if selected_number < 1 or selected_number > len(self.trace_tuples):
raise UserError(
f'Trace frame number out of bounds (expected 1-{len(self.trace_tuples)} but got {selected_number}).'
)
self.current_trace_frame_index = selected_number - 1
self.trace()
| jump | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, selected_number: int) ->None:\n self._verify_entrypoint_selected()\n if selected_number < 1 or selected_number > len(self.trace_tuples):\n r... |
def x(self, selected_number: Optional[int]=None) ->None:
self._verify_entrypoint_selected()
self._verify_multiple_branches()
with self.db.make_session() as session:
branches, leaves_strings = self._get_branch_options(session)
if selected_number is None:
selected_number = self._select_branch_trace_frame(branches,
leaves_strings)
if not isinstance(selected_number, int
) or selected_number < 1 or selected_number > len(branches):
raise UserError(
f'Branch number invalid (expected 1-{len(branches)} but got {selected_number}).'
)
new_navigation = self._navigate_trace_frames(session, branches,
selected_number - 1)
new_trace_tuples = self._create_trace_tuples(new_navigation)
if self._is_before_root():
new_trace_tuples.reverse()
self.trace_tuples = new_trace_tuples + self.trace_tuples[self.
current_trace_frame_index + 1:]
trace_frame_index_delta = len(new_navigation
) - self.current_trace_frame_index - 1
self.current_trace_frame_index += trace_frame_index_delta
else:
self.trace_tuples = self.trace_tuples[:self.current_trace_frame_index
] + new_trace_tuples
self.trace()
| branch | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, selected_number: Optional[int]=None) ->None:\n self._verify_entrypoint_selected()\n self._verify_multiple_branches()\n with self.db.make_session... |
def x(self, context: int=5) ->None:
self._verify_entrypoint_selected()
current_trace_frame = self.trace_tuples[self.current_trace_frame_index
].trace_frame
filename = os.path.join(self.repository_directory, current_trace_frame.
filename)
file_lines: List[str] = []
try:
with open(filename, 'r') as file:
file_lines = file.readlines()
except FileNotFoundError:
self.warning(f"Couldn't open {filename}.")
return
self._output_file_lines(current_trace_frame, file_lines, context)
| list_source_code | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, context: int=5) ->None:\n self._verify_entrypoint_selected()\n current_trace_frame = self.trace_tuples[self.current_trace_frame_index\n ].tr... |
def x(self, *, limit: Optional[int]=5, kind: Optional[TraceKind]=None) ->None:
self._verify_entrypoint_selected()
if limit is not None and not isinstance(limit, int):
raise UserError("'limit' should be an int or None.")
if kind not in {TraceKind.PRECONDITION, TraceKind.POSTCONDITION, None}:
raise UserError(
"Try 'details kind=postcondition' or 'details kind=precondition'.")
current_trace_tuple = self.trace_tuples[self.current_trace_frame_index]
current_trace_frame = current_trace_tuple.trace_frame
callable, _port = self._get_callable_from_trace_tuple(current_trace_tuple)
print(self._create_trace_frame_output_string(current_trace_frame))
print(f'\nIssues in callable ({callable}):', self.
_num_issues_with_callable(current_trace_frame.callee))
if kind is None or kind == TraceKind.POSTCONDITION:
print(f'\nPostconditions with caller ({callable}):')
self.frames(callers=callable, kind=TraceKind.POSTCONDITION, limit=limit
)
if kind is None or kind == TraceKind.PRECONDITION:
print(f'\nPreconditions with caller ({callable}):')
self.frames(callers=callable, kind=TraceKind.PRECONDITION, limit=limit)
| details | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *, limit: Optional[int]=5, kind: Optional[TraceKind]=None) ->None:\n self._verify_entrypoint_selected()\n if limit is not None and not isinstance(l... |
def x(self, trace_frames: Iterable[TraceFrameQueryResult], limit: int) ->Dict[
Tuple[str, str], List[TraceFrameQueryResult]]:
caller_buckets: DefaultDict[Tuple[str, str], List[TraceFrameQueryResult]
] = defaultdict(list)
for trace_frame in itertools.islice(trace_frames, limit):
caller_buckets[trace_frame.caller, trace_frame.caller_port].append(
trace_frame)
return caller_buckets
| group_trace_frames | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, trace_frames: Iterable[TraceFrameQueryResult], limit: int) ->Dict[\n Tuple[str, str], List[TraceFrameQueryResult]]:\n caller_buckets: DefaultDict[T... |
def x(self, session: Session, trace_frame: TraceFrameQueryResult,
visited_ids: Set[int], backwards: bool=False) ->List[TraceFrameQueryResult
]:
query = session.query(TraceFrame.id, TraceFrame.caller_id, CallerText.
contents.label('caller'), TraceFrame.caller_port, TraceFrame.
callee_id, CalleeText.contents.label('callee'), TraceFrame.
callee_port, TraceFrame.callee_location, TraceFrame.kind,
FilenameText.contents.label('filename'), TraceFrameLeafAssoc.
trace_length).filter(TraceFrame.run_id == self.current_run_id).filter(
TraceFrame.kind == trace_frame.kind).join(CallerText, CallerText.id ==
TraceFrame.caller_id).join(CalleeText, CalleeText.id == TraceFrame.
callee_id).join(FilenameText, FilenameText.id == TraceFrame.filename_id
).filter(TraceFrame.caller_id != TraceFrame.callee_id)
if backwards:
query = query.filter(TraceFrame.callee_id == trace_frame.caller_id
).filter(TraceFrame.callee_port == trace_frame.caller_port)
else:
query = query.filter(TraceFrame.caller_id == trace_frame.callee_id
).filter(TraceFrame.caller_port == trace_frame.callee_port)
results = query.join(TraceFrameLeafAssoc, TraceFrameLeafAssoc.
trace_frame_id == TraceFrame.id).group_by(TraceFrame.id).order_by(
TraceFrameLeafAssoc.trace_length, TraceFrame.callee_location)
filter_leaves = (self.sources if trace_frame.kind == TraceKind.
POSTCONDITION else self.sinks)
filtered_results = []
for frame in results:
if int(frame.id) not in visited_ids and filter_leaves.intersection(set
(self._get_leaves_trace_frame(session, int(frame.id), self.
_trace_kind_to_shared_text_kind(frame.kind)))):
filtered_results.append(frame)
return filtered_results
| next_trace_frames | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, session: Session, trace_frame: TraceFrameQueryResult,\n visited_ids: Set[int], backwards: bool=False) ->List[TraceFrameQueryResult\n ]:\n query ... |
def x(self) ->Optional[str]:
if self.current_trace_frame_index != -1:
return self._get_callable_from_trace_tuple(self.trace_tuples[self.
current_trace_frame_index])[0]
return None
| callable | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self) ->Optional[str]:\n if self.current_trace_frame_index != -1:\n return self._get_callable_from_trace_tuple(self.trace_tuples[self.\n c... |
def x(self, trace_tuple: TraceTuple) ->Tuple[str, str]:
trace_frame = trace_tuple.trace_frame
if trace_tuple.placeholder:
return trace_frame.caller, trace_frame.caller_port
return trace_frame.callee, trace_frame.callee_port
| get_callable_from_trace_tuple | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, trace_tuple: TraceTuple) ->Tuple[str, str]:\n trace_frame = trace_tuple.trace_frame\n if trace_tuple.placeholder:\n return trace_frame.calle... |
def x(current_ctx: click.Context, param_name: str) ->None:
ctx = current_ctx
param_definition = None
while ctx is not None:
param_definition = next((p for p in ctx.command.params if p.name ==
param_name), None)
if ctx.params.get(param_name):
return
ctx = ctx.parent
assert param_definition, f'unknown parameter {param_name}'
raise click.MissingParameter(ctx=current_ctx, param=param_definition)
| require_option | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(current_ctx: click.Context, param_name: str) ->None:\n ctx = current_ctx\n param_definition = None\n while ctx is not None:\n param_definition ... |
def x(ctx: click.Context, _param: Parameter, value: Optional[str]):
if value:
return value
if ctx.params['repository']:
return os.path.join(ctx.params['repository'], DB.DEFAULT_DB_FILE)
raise click.BadParameter('Could not guess a database location')
| default_database | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ctx: click.Context, _param: Parameter, value: Optional[str]):\n if value:\n return value\n if ctx.params['repository']:\n return os.path.jo... |
def x(click_ctx: click.Context, run_id: int, filenames: List[str]) ->None:
ctx = click_ctx.obj
require_option(click_ctx, 'repository')
paths = [Path(p).resolve() for p in filenames]
root = Path(ctx.repository).resolve()
relative = [str(Path(f).relative_to(root)) for f in paths]
with ctx.database.make_session() as session:
instances = session.query(IssueInstance.filename, IssueInstance.
location, SharedText.contents, Issue.code).filter(IssueInstance
.run_id == run_id).filter(IssueInstance.filename.in_(relative)
).join(Issue, Issue.id == IssueInstance.issue_id).join(SharedText,
SharedText.id == IssueInstance.message_id).all()
with ctx.database.make_session() as session:
frames = session.query(CallerText.contents.label('caller'),
CalleeText.contents.label('callee'), FilenameText.contents.
label('filename'), TraceFrame.callee_location, TraceFrame.kind,
TraceFrame.callee_port, TraceFrame.caller_port).filter(
TraceFrame.run_id == run_id).join(FilenameText, FilenameText.id ==
TraceFrame.filename_id).filter(FilenameText.contents.in_(relative)
).join(CallerText, CallerText.id == TraceFrame.caller_id).join(
CalleeText, CalleeText.id == TraceFrame.callee_id).all()
def x(filename, code, message, location):
return {'filename': str(root / filename), 'code': code, 'message':
message, 'line': location.line_no, 'col': location.begin_column,
'length': location.begin_column + location.end_column + 1}
lints = [entry(i.filename, str(i.code), i.contents, i.location) for i in
instances] + [entry(i.filename, i.kind.name,
f'{i.caller}:{i.caller_port} -> {i.callee}->{i.callee_port}', i.
callee_location) for i in frames]
for l in sorted(lints, key=itemgetter('filename', 'line', 'code', 'col')):
click.echo(json.dumps(l))
| lint | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(click_ctx: click.Context, run_id: int, filenames: List[str]) ->None:\n ctx = click_ctx.obj\n require_option(click_ctx, 'repository')\n paths = [Path(p... |
def x(source_directory: str, output_directory: str, sources: Sources
) ->Mapping[str, str]:
result = {os.path.join(source_directory, source_file): os.path.join(
output_directory, output_file) for source_file, output_file in
sources.files.items()}
filesystem = get_filesystem()
for glob in sources.globs:
matches = filesystem.list(source_directory, glob.patterns, exclude=
glob.exclude)
result.update({os.path.join(source_directory, match): os.path.join(
output_directory, match) for match in matches})
return result
| resolve_source_mapping | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(source_directory: str, output_directory: str, sources: Sources\n ) ->Mapping[str, str]:\n result = {os.path.join(source_directory, source_file): os.path.... |
def x(paths: List[str]) ->Dict[str, str]:
buck_root = find_buck_root(os.getcwd())
if buck_root is None:
LOG.error(
"Buck root couldn't be found. Returning empty analysis directory mapping."
)
return {}
command = ['buck', 'query', '--json', '--output-attribute', '.*',
'owner(%s)', *paths]
try:
output = json.loads(subprocess.check_output(command, timeout=30,
stderr=subprocess.DEVNULL).decode().strip())
except (subprocess.TimeoutExpired, subprocess.CalledProcessError, json.
decoder.JSONDecodeError) as error:
raise BuckException('Querying buck for relative paths failed: {}'.
format(error))
results = {}
for path in paths:
for owner in output.values():
prefix = os.path.join(buck_root, owner['buck.base_path']) + os.sep
if not path.startswith(prefix):
continue
suffix = path[len(prefix):]
if suffix not in owner['srcs']:
continue
if 'buck.base_module' in owner:
base_path = os.path.join(*owner['buck.base_module'].split('.'))
else:
base_path = owner['buck.base_path']
results[path] = os.path.join(base_path, owner['srcs'][suffix])
break
return results
| resolve_relative_paths | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(paths: List[str]) ->Dict[str, str]:\n buck_root = find_buck_root(os.getcwd())\n if buck_root is None:\n LOG.error(\n \"Buck root couldn... |
def x(self, targets: Iterable[str]) ->Iterable[str]:
return generate_source_directories(targets, build=self._build, prompt=
self._prompt)
| build | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, targets: Iterable[str]) ->Iterable[str]:\n return generate_source_directories(targets, build=self._build, prompt=\n self._prompt)\n",
"role... |
def x(self) ->str:
parameters = []
for parameter in self.parameters:
name = parameter['name']
if parameter['type']:
name += ': ' + dequalify(parameter['type'])
if parameter['value']:
name += ' = ' + parameter['value']
elif parameter['value']:
name += '=' + parameter['value']
parameters.append(name)
return ', '.join(parameters)
| get_parameter_string | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self) ->str:\n parameters = []\n for parameter in self.parameters:\n name = parameter['name']\n if parameter['type']:\n name += ... |
def x(self) ->bool:
if not self.actual:
return False
for parameter in self.parameters:
if parameter['name'] != 'self' and not parameter['type']:
return False
return True
| is_complete | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self) ->bool:\n if not self.actual:\n return False\n for parameter in self.parameters:\n if parameter['name'] != 'self' and not parameter['... |
def x(self) ->str:
classes = defaultdict(list)
typing_imports = set()
contents = ''
for stub in self._stubs:
typing_imports.update(stub.get_typing_imports())
alphabetical_imports = sorted(list(typing_imports))
if alphabetical_imports:
contents += 'from typing import {}\n\n'.format(', '.join(str(
type_import) for type_import in alphabetical_imports))
for stub in self._fields:
parent = _relativize_access(stub.parent, stub.path)
if len(parent) == 1:
classes[parent[0]].append(stub)
else:
contents += stub.to_string() + '\n'
for stub in self._methods:
parent = _relativize_access(stub.parent, stub.path)
if len(parent) == 1:
classes[parent[0]].append(stub)
for stub in self._functions:
contents += stub.to_string() + '\n'
for parent, stubs in classes.items():
contents += '\nclass {}:\n'.format(parent)
for stub in stubs:
contents += ' {}\n'.format(stub.to_string().replace('\n',
'\n '))
return contents
| to_string | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self) ->str:\n classes = defaultdict(list)\n typing_imports = set()\n contents = ''\n for stub in self._stubs:\n typing_imports.update(stub.... |
def x(url):
filepath = get_file(fname='tmp.zip', origin=url, extract=True)
base_dir = os.path.dirname(filepath)
weights_file = os.path.join(base_dir, 'weights.h5')
params_file = os.path.join(base_dir, 'params.json')
preprocessor_file = os.path.join(base_dir, 'preprocessor.pickle')
return weights_file, params_file, preprocessor_file
| download | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(url):\n filepath = get_file(fname='tmp.zip', origin=url, extract=True)\n base_dir = os.path.dirname(filepath)\n weights_file = os.path.join(base_dir, ... |
def x(filename, encoding='utf-8'):
sents, labels = [], []
words, tags = [], []
with open(filename, encoding=encoding) as f:
for line in f:
line = line.rstrip()
if line:
word, tag = line.split('\t')
words.append(word)
tags.append(tag)
else:
sents.append(words)
labels.append(tags)
words, tags = [], []
return sents, labels
| load_data_and_labels | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename, encoding='utf-8'):\n sents, labels = [], []\n words, tags = [], []\n with open(filename, encoding=encoding) as f:\n for line in f:\n ... |
def x(embeddings, vocab, dim):
if not isinstance(embeddings, dict):
return
_embeddings = np.zeros([len(vocab), dim])
for word in vocab:
if word in embeddings:
word_idx = vocab[word]
_embeddings[word_idx] = embeddings[word]
return _embeddings
| filter_embeddings | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(embeddings, vocab, dim):\n if not isinstance(embeddings, dict):\n return\n _embeddings = np.zeros([len(vocab), dim])\n for word in vocab:\n ... |
def x(file):
model = {}
with open(file, encoding='utf8', errors='ignore') as f:
for line in f:
line = line.split(' ')
word = line[0]
vector = np.array([float(val) for val in line[1:]])
model[word] = vector
return model
| load_glove | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(file):\n model = {}\n with open(file, encoding='utf8', errors='ignore') as f:\n for line in f:\n line = line.split(' ')\n wo... |
def x(self, token):
token = self.process_token(token)
self._token_count.update([token])
| add_token | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, token):\n token = self.process_token(token)\n self._token_count.update([token])\n",
"role": "user"
},
{
"content": "add_token",
"ro... |
def x(self, docs):
for sent in docs:
sent = map(self.process_token, sent)
self._token_count.update(sent)
| add_documents | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, docs):\n for sent in docs:\n sent = map(self.process_token, sent)\n self._token_count.update(sent)\n",
"role": "user"
},
{
"... |
def x(self, doc):
doc = map(self.process_token, doc)
return [self.token_to_id(token) for token in doc]
| doc2id | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, doc):\n doc = map(self.process_token, doc)\n return [self.token_to_id(token) for token in doc]\n",
"role": "user"
},
{
"content": "doc2... |
def x(self):
token_freq = self._token_count.most_common(self._max_size)
idx = len(self.vocab)
for token, _ in token_freq:
self._token2id[token] = idx
self._id2token.append(token)
idx += 1
if self._unk:
unk = '<unk>'
self._token2id[unk] = idx
self._id2token.append(unk)
| build | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n token_freq = self._token_count.most_common(self._max_size)\n idx = len(self.vocab)\n for token, _ in token_freq:\n self._token2id[toke... |
def x(self, token):
token = self.process_token(token)
return self._token2id.get(token, len(self._token2id) - 1)
| token_to_id | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, token):\n token = self.process_token(token)\n return self._token2id.get(token, len(self._token2id) - 1)\n",
"role": "user"
},
{
"conten... |
def x(self, text):
assert isinstance(text, str)
words = self.tokenizer(text)
X = self.preprocessor.transform([words])
y = self.model.predict(X)
y = y[0]
return y
| predict_proba | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, text):\n assert isinstance(text, str)\n words = self.tokenizer(text)\n X = self.preprocessor.transform([words])\n y = self.model.predict(X)\n... |
def x(self, text):
pred = self.predict_proba(text)
tags = self._get_tags(pred)
prob = self._get_prob(pred)
res = self._build_response(text, tags, prob)
return res
| analyze | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, text):\n pred = self.predict_proba(text)\n tags = self._get_tags(pred)\n prob = self._get_prob(pred)\n res = self._build_response(text, tags,... |
def x(self, text):
pred = self.predict_proba(text)
tags = self._get_tags(pred)
return tags
| predict | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, text):\n pred = self.predict_proba(text)\n tags = self._get_tags(pred)\n return tags\n",
"role": "user"
},
{
"content": "predict",
... |
def x(sequences, dtype='int32'):
max_sent_len = 0
max_word_len = 0
for sent in sequences:
max_sent_len = max(len(sent), max_sent_len)
for word in sent:
max_word_len = max(len(word), max_word_len)
x = np.zeros((len(sequences), max_sent_len, max_word_len)).astype(dtype)
for i, sent in enumerate(sequences):
for j, word in enumerate(sent):
x[i, j, :len(word)] = word
return x
| pad_nested_sequences | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(sequences, dtype='int32'):\n max_sent_len = 0\n max_word_len = 0\n for sent in sequences:\n max_sent_len = max(len(sent), max_sent_len)\n ... |
def x(self, X, y):
self._word_vocab.add_documents(X)
self._label_vocab.add_documents(y)
if self._use_char:
for doc in X:
self._char_vocab.add_documents(doc)
self._word_vocab.build()
self._char_vocab.build()
self._label_vocab.build()
return self
| fit | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, X, y):\n self._word_vocab.add_documents(X)\n self._label_vocab.add_documents(y)\n if self._use_char:\n for doc in X:\n self._c... |
def x(self, X, y=None):
word_ids = [self._word_vocab.doc2id(doc) for doc in X]
word_ids = pad_sequences(word_ids, padding='post')
if self._use_char:
char_ids = [[self._char_vocab.doc2id(w) for w in doc] for doc in X]
char_ids = pad_nested_sequences(char_ids)
features = [word_ids, char_ids]
else:
features = word_ids
if y is not None:
y = [self._label_vocab.doc2id(doc) for doc in y]
y = pad_sequences(y, padding='post')
y = to_categorical(y, self.label_size).astype(int)
y = y if len(y.shape) == 3 else np.expand_dims(y, axis=0)
return features, y
else:
return features
| transform | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, X, y=None):\n word_ids = [self._word_vocab.doc2id(doc) for doc in X]\n word_ids = pad_sequences(word_ids, padding='post')\n if self._use_char:\n... |
def x(self, X, y=None, **params):
return self.fit(X, y).transform(X, y)
| fit_transform | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, X, y=None, **params):\n return self.fit(X, y).transform(X, y)\n",
"role": "user"
},
{
"content": "fit_transform",
"role": "assistant"
... |
def x(self, y, lengths=None):
y = np.argmax(y, -1)
inverse_y = [self._label_vocab.id2doc(ids) for ids in y]
if lengths is not None:
inverse_y = [iy[:l] for iy, l in zip(inverse_y, lengths)]
return inverse_y
| inverse_transform | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, y, lengths=None):\n y = np.argmax(y, -1)\n inverse_y = [self._label_vocab.id2doc(ids) for ids in y]\n if lengths is not None:\n inverse_y... |
def x(self, X, y=None):
word_ids = [self._word_vocab.doc2id(doc) for doc in X]
word_ids = pad_sequences(word_ids, padding='post')
char_ids = [[self._char_vocab.doc2id(w) for w in doc] for doc in X]
char_ids = pad_nested_sequences(char_ids)
character_ids = batch_to_ids(X)
elmo_embeddings = self._elmo(character_ids)['elmo_representations'][1]
elmo_embeddings = elmo_embeddings.detach().numpy()
features = [word_ids, char_ids, elmo_embeddings]
if y is not None:
y = [self._label_vocab.doc2id(doc) for doc in y]
y = pad_sequences(y, padding='post')
y = to_categorical(y, self.label_size).astype(int)
y = y if len(y.shape) == 3 else np.expand_dims(y, axis=0)
return features, y
else:
return features
| transform | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, X, y=None):\n word_ids = [self._word_vocab.doc2id(doc) for doc in X]\n word_ids = pad_sequences(word_ids, padding='post')\n char_ids = [[self._c... |
def x(self, x_train, y_train, x_valid=None, y_valid=None, epochs=1,
batch_size=32, verbose=1, callbacks=None, shuffle=True):
train_seq = NERSequence(x_train, y_train, batch_size, self.
_preprocessor.transform)
if x_valid and y_valid:
valid_seq = NERSequence(x_valid, y_valid, batch_size, self.
_preprocessor.transform)
f1 = F1score(valid_seq, preprocessor=self._preprocessor)
callbacks = [f1] + callbacks if callbacks else [f1]
self._model.fit_generator(generator=train_seq, epochs=epochs, callbacks
=callbacks, verbose=verbose, shuffle=shuffle)
| train | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, x_train, y_train, x_valid=None, y_valid=None, epochs=1,\n batch_size=32, verbose=1, callbacks=None, shuffle=True):\n train_seq = NERSequence(x_trai... |
def x(self, x_train, y_train, x_valid=None, y_valid=None, epochs=1,
batch_size=32, verbose=1, callbacks=None, shuffle=True):
p = IndexTransformer(initial_vocab=self.initial_vocab, use_char=self.
use_char)
p.fit(x_train, y_train)
embeddings = filter_embeddings(self.embeddings, p._word_vocab.vocab,
self.word_embedding_dim)
model = BiLSTMCRF(char_vocab_size=p.char_vocab_size, word_vocab_size=p.
word_vocab_size, num_labels=p.label_size, word_embedding_dim=self.
word_embedding_dim, char_embedding_dim=self.char_embedding_dim,
word_lstm_size=self.word_lstm_size, char_lstm_size=self.
char_lstm_size, fc_dim=self.fc_dim, dropout=self.dropout,
embeddings=embeddings, use_char=self.use_char, use_crf=self.use_crf)
model, loss = model.build()
model.compile(loss=loss, optimizer=self.optimizer)
trainer = Trainer(model, preprocessor=p)
trainer.train(x_train, y_train, x_valid, y_valid, epochs=epochs,
batch_size=batch_size, verbose=verbose, callbacks=callbacks,
shuffle=shuffle)
self.p = p
self.model = model
| fit | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, x_train, y_train, x_valid=None, y_valid=None, epochs=1,\n batch_size=32, verbose=1, callbacks=None, shuffle=True):\n p = IndexTransformer(initial_v... |
def x(self, x_test):
if self.model:
lengths = map(len, x_test)
x_test = self.p.transform(x_test)
y_pred = self.model.predict(x_test)
y_pred = self.p.inverse_transform(y_pred, lengths)
return y_pred
else:
raise OSError('Could not find a model. Call load(dir_path).')
| predict | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, x_test):\n if self.model:\n lengths = map(len, x_test)\n x_test = self.p.transform(x_test)\n y_pred = self.model.predict(x_test)\... |
def x(self, text, tokenizer=str.split):
if not self.tagger:
self.tagger = Tagger(self.model, preprocessor=self.p, tokenizer=
tokenizer)
return self.tagger.analyze(text)
| analyze | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, text, tokenizer=str.split):\n if not self.tagger:\n self.tagger = Tagger(self.model, preprocessor=self.p, tokenizer=\n tokenizer)\n ... |
def x(self, input_energy, mask, **kwargs):
logZ = self.recursion(input_energy, mask, return_sequences=False, **kwargs)
return logZ[:, 0]
| get_log_normalization_constant | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, input_energy, mask, **kwargs):\n logZ = self.recursion(input_energy, mask, return_sequences=False, **kwargs)\n return logZ[:, 0]\n",
"role": "u... |
def x(self, y_true, input_energy, mask):
input_energy = K.sum(input_energy * y_true, 2)
chain_energy = K.sum(K.dot(y_true[:, :-1, :], self.chain_kernel) *
y_true[:, 1:, :], 2)
if mask is not None:
mask = K.cast(mask, K.floatx())
chain_mask = mask[:, :-1] * mask[:, 1:]
input_energy = input_energy * mask
chain_energy = chain_energy * chain_mask
total_energy = K.sum(input_energy, -1) + K.sum(chain_energy, -1)
return total_energy
| get_energy | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, y_true, input_energy, mask):\n input_energy = K.sum(input_energy * y_true, 2)\n chain_energy = K.sum(K.dot(y_true[:, :-1, :], self.chain_kernel) *\... |
def x(self, y_true, X, mask):
input_energy = self.activation(K.dot(X, self.kernel) + self.bias)
if self.use_boundary:
input_energy = self.add_boundary_energy(input_energy, mask, self.
left_boundary, self.right_boundary)
energy = self.get_energy(y_true, input_energy, mask)
logZ = self.get_log_normalization_constant(input_energy, mask,
input_length=K.int_shape(X)[1])
nloglik = logZ + energy
if mask is not None:
nloglik = nloglik / K.sum(K.cast(mask, K.floatx()), 1)
else:
nloglik = nloglik / K.cast(K.shape(X)[1], K.floatx())
return nloglik
| get_negative_log_likelihood | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, y_true, X, mask):\n input_energy = self.activation(K.dot(X, self.kernel) + self.bias)\n if self.use_boundary:\n input_energy = self.add_boun... |
def x(self, input_energy, mask=None, go_backwards=False, return_sequences=
True, return_logZ=True, input_length=None):
chain_energy = self.chain_kernel
chain_energy = K.expand_dims(chain_energy, 0)
prev_target_val = K.zeros_like(input_energy[:, 0, :])
if go_backwards:
input_energy = K.reverse(input_energy, 1)
if mask is not None:
mask = K.reverse(mask, 1)
initial_states = [prev_target_val, K.zeros_like(prev_target_val[:, :1])]
constants = [chain_energy]
if mask is not None:
mask2 = K.cast(K.concatenate([mask, K.zeros_like(mask[:, :1])],
axis=1), K.floatx())
constants.append(mask2)
def x(input_energy_i, states):
return self.step(input_energy_i, states, return_logZ)
target_val_last, target_val_seq, _ = K.rnn(_step, input_energy,
initial_states, constants=constants, input_length=input_length,
unroll=self.unroll)
if return_sequences:
if go_backwards:
target_val_seq = K.reverse(target_val_seq, 1)
return target_val_seq
else:
return target_val_last
| recursion | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, input_energy, mask=None, go_backwards=False, return_sequences=\n True, return_logZ=True, input_length=None):\n chain_energy = self.chain_kernel\n ... |
def x(sql):
sql = force_text(sql)
sql = sql.strip()
first_space = sql.find(' ')
if first_space < 0:
return sql
second_space = sql.find(' ', first_space + 1)
sql_type = sql[0:first_space].upper()
if sql_type in ['INSERT', 'DELETE']:
keyword = 'INTO' if sql_type == 'INSERT' else 'FROM'
sql_type = sql_type + ' ' + keyword
table_name = look_for_table(sql, keyword)
elif sql_type in ['CREATE', 'DROP']:
sql_type = sql_type + sql[first_space:second_space]
table_name = ''
elif sql_type == 'UPDATE':
table_name = look_for_table(sql, 'UPDATE')
elif sql_type == 'SELECT':
try:
sql_type = 'SELECT FROM'
table_name = look_for_table(sql, 'FROM')
except Exception:
table_name = ''
else:
table_name = ''
signature = ' '.join(filter(bool, [sql_type, table_name]))
return signature
| extract_signature | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(sql):\n sql = force_text(sql)\n sql = sql.strip()\n first_space = sql.find(' ')\n if first_space < 0:\n return sql\n second_space = sql.f... |
def x(self, timeout):
deadline = time.time() + timeout
with self._queue.all_tasks_done:
while self._queue.unfinished_tasks:
delay = deadline - time.time()
if delay <= 0:
return False
self._queue.all_tasks_done.wait(timeout=delay)
return True
| timed_queue_join | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, timeout):\n deadline = time.time() + timeout\n with self._queue.all_tasks_done:\n while self._queue.unfinished_tasks:\n delay = d... |
def x(self):
self._lock.acquire()
try:
if not self._thread:
self._thread = Thread(target=self._target)
self._thread.setDaemon(True)
self._thread.name = 'elasticapm sender thread'
self._thread.start()
finally:
self._lock.release()
| start | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self._lock.acquire()\n try:\n if not self._thread:\n self._thread = Thread(target=self._target)\n self._thread.setD... |
def x(self, timeout=None):
self._lock.acquire()
try:
if self._thread:
self._queue.put_nowait(self._terminator)
self._thread.join(timeout=timeout)
self._thread = None
finally:
self._lock.release()
| stop | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, timeout=None):\n self._lock.acquire()\n try:\n if self._thread:\n self._queue.put_nowait(self._terminator)\n self._thr... |
def x():
version_file = open(os.path.join('elasticapm', 'version.py'), encoding=
'utf-8')
for line in version_file:
if line.startswith('__version__'):
version_tuple = ast.literal_eval(line.split(' = ')[1])
return '.'.join(map(str, version_tuple))
return 'unknown'
| get_version | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n version_file = open(os.path.join('elasticapm', 'version.py'), encoding=\n 'utf-8')\n for line in version_file:\n if line.startswith('_... |
def x(environ):
for key, value in compat.iteritems(environ):
key = str(key)
if key.startswith('HTTP_') and key not in ('HTTP_CONTENT_TYPE',
'HTTP_CONTENT_LENGTH'):
yield key[5:].replace('_', '-').lower(), value
elif key in ('CONTENT_TYPE', 'CONTENT_LENGTH'):
yield key.replace('_', '-').lower(), value
| get_headers | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(environ):\n for key, value in compat.iteritems(environ):\n key = str(key)\n if key.startswith('HTTP_') and key not in ('HTTP_CONTENT_TYPE',\n ... |
def x(environ, root_only=False, strip_querystring=False, host_only=False):
tmp = [environ['wsgi.url_scheme'], '://', get_host(environ)]
cat = tmp.append
if host_only:
return ''.join(tmp) + '/'
cat(quote(environ.get('SCRIPT_NAME', '').rstrip('/')))
if root_only:
cat('/')
else:
cat(quote('/' + environ.get('PATH_INFO', '').lstrip('/')))
if not strip_querystring:
qs = environ.get('QUERY_STRING')
if qs:
cat('?' + qs)
return ''.join(tmp)
| get_current_url | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(environ, root_only=False, strip_querystring=False, host_only=False):\n tmp = [environ['wsgi.url_scheme'], '://', get_host(environ)]\n cat = tmp.append\n ... |
def x(self, buffer):
if not self.state.should_try():
logger.error('dropping flushed data due to transport failure back-off')
else:
fileobj = buffer.fileobj
buffer.close()
data = fileobj.getbuffer() if hasattr(fileobj, 'getbuffer'
) else fileobj.getvalue()
try:
self.send(data)
self.handle_transport_success()
except Exception as e:
self.handle_transport_fail(e)
| flush | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, buffer):\n if not self.state.should_try():\n logger.error('dropping flushed data due to transport failure back-off')\n else:\n fileob... |
def x(self):
if self._closed:
return
self._closed = True
self.queue('close', None)
if not self._flushed.wait(timeout=self._max_flush_time):
raise ValueError('close timed out')
| close | [
{
"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._closed:\n return\n self._closed = True\n self.queue('close', None)\n if not self._flushed.wait(timeout=self._max_flush_tim... |
def x(self):
self.queue(None, None, flush=True)
if not self._flushed.wait(timeout=self._max_flush_time):
raise ValueError('flush timed out')
| flush | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.queue(None, None, flush=True)\n if not self._flushed.wait(timeout=self._max_flush_time):\n raise ValueError('flush timed out')\n",
... |
def x(self, exception=None, **kwargs):
message = str(exception)
logger.error('Failed to submit message: %r', message, exc_info=getattr(
exception, 'print_trace', True))
self.state.set_fail()
| handle_transport_fail | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, exception=None, **kwargs):\n message = str(exception)\n logger.error('Failed to submit message: %r', message, exc_info=getattr(\n exception,... |
def x(self, item, block=True, timeout=None, chill=True):
with self.not_full:
if self.maxsize > 0:
if not block:
if self._qsize() >= self.maxsize:
raise compat.queue.Full
elif timeout is None:
while self._qsize() >= self.maxsize:
self.not_full.wait()
elif timeout < 0:
raise ValueError("'timeout' must be a non-negative number")
else:
endtime = time.time() + timeout
while self._qsize() >= self.maxsize:
remaining = endtime - time.time()
if remaining <= 0.0:
raise compat.queue.Full
self.not_full.wait(remaining)
self._put(item)
self.unfinished_tasks += 1
if not chill or self._qsize() > self._chill_until or time.time(
) - self._last_unchill > self._max_chill_time:
self.not_empty.notify()
self._last_unchill = time.time()
| put | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, item, block=True, timeout=None, chill=True):\n with self.not_full:\n if self.maxsize > 0:\n if not block:\n if self._... |
def x(request):
url = request.get_full_url()
parse_result = compat.urlparse.urlparse(url)
scheme, host, port = (parse_result.scheme, parse_result.hostname,
parse_result.port)
try:
port = int(port)
except ValueError:
pass
if host == '':
host = request.get_header('Host', '')
if port != default_ports.get(scheme):
host = '%s:%s' % (host, port)
return host
| request_host | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(request):\n url = request.get_full_url()\n parse_result = compat.urlparse.urlparse(url)\n scheme, host, port = (parse_result.scheme, parse_result.host... |
def x(client=None):
global _client
tmp_client = client is not None
if not tmp_client:
config = getattr(django_settings, 'ELASTIC_APM', {})
client = config.get('CLIENT', default_client_class)
if _client[0] != client:
client_class = import_string(client)
instance = client_class()
if not tmp_client:
_client = client, instance
return instance
return _client[1]
| get_client | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(client=None):\n global _client\n tmp_client = client is not None\n if not tmp_client:\n config = getattr(django_settings, 'ELASTIC_APM', {})\n ... |
def x():
out = set()
for app in django_settings.INSTALLED_APPS:
out.add(app)
return out
| get_installed_apps_paths | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n out = set()\n for app in django_settings.INSTALLED_APPS:\n out.add(app)\n return out\n",
"role": "user"
},
{
"content": "get_i... |
def x(self, frames, library_frame_context_lines=None,
in_app_frame_context_lines=None, with_locals=True,
locals_processor_func=None):
return list(iterate_with_template_sources(frames, with_locals=
with_locals, library_frame_context_lines=
library_frame_context_lines, in_app_frame_context_lines=
in_app_frame_context_lines, include_paths_re=self.include_paths_re,
exclude_paths_re=self.exclude_paths_re, locals_processor_func=
locals_processor_func))
| get_stack_info_for_trace | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, frames, library_frame_context_lines=None,\n in_app_frame_context_lines=None, with_locals=True,\n locals_processor_func=None):\n return list(iter... |
def x(self, url, **kwargs):
if self.config.server_url:
return super(DjangoClient, self).send(url, **kwargs)
else:
self.error_logger.error(
'No server configured, and elasticapm not installed. Cannot send message'
)
return None
| send | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, url, **kwargs):\n if self.config.server_url:\n return super(DjangoClient, self).send(url, **kwargs)\n else:\n self.error_logger.error... |
def x(alternative=None):
def x(func):
@functools.wraps(func)
def x(*args, **kwargs):
msg = 'Call to deprecated function {0}.'.format(func.__name__)
if alternative:
msg += ' Use {0} instead'.format(alternative)
warnings.warn_explicit(msg, category=DeprecationWarning,
filename=compat.get_function_code(func).co_filename, lineno
=compat.get_function_code(func).co_firstlineno + 1)
return func(*args, **kwargs)
return new_func
return real_decorator
| deprecated | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(alternative=None):\n\n def x(func):\n\n @functools.wraps(func)\n def x(*args, **kwargs):\n msg = 'Call to deprecated function {0}.'... |
def x(self, class_path):
if class_path in self._metricsets:
return
else:
try:
class_obj = import_string(class_path)
self._metricsets[class_path] = class_obj(self)
except ImportError as e:
logger.warning('Could not register %s metricset: %s',
class_path, compat.text_type(e))
| register | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, class_path):\n if class_path in self._metricsets:\n return\n else:\n try:\n class_obj = import_string(class_path)\n ... |
def x(self):
logger.debug('Collecting metrics')
for name, metricset in compat.iteritems(self._metricsets):
data = metricset.collect()
if data:
self._queue_func(constants.METRICSET, data)
| collect | [
{
"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('Collecting metrics')\n for name, metricset in compat.iteritems(self._metricsets):\n data = metricset.collect()\n if ... |
def x(self, name):
with self._lock:
if name not in self._counters:
if self._registry._ignore_patterns and any(pattern.match(name) for
pattern in self._registry._ignore_patterns):
counter = noop_metric
else:
counter = Counter(name)
self._counters[name] = counter
return self._counters[name]
| counter | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name):\n with self._lock:\n if name not in self._counters:\n if self._registry._ignore_patterns and any(pattern.match(name) for\n ... |
def x(self, name):
with self._lock:
if name not in self._gauges:
if self._registry._ignore_patterns and any(pattern.match(name) for
pattern in self._registry._ignore_patterns):
gauge = noop_metric
else:
gauge = Gauge(name)
self._gauges[name] = gauge
return self._gauges[name]
| gauge | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name):\n with self._lock:\n if name not in self._gauges:\n if self._registry._ignore_patterns and any(pattern.match(name) for\n ... |
def x(self):
samples = {}
if self._counters:
samples.update({label: {'value': c.val} for label, c in compat.
iteritems(self._counters) if c is not noop_metric})
if self._gauges:
samples.update({label: {'value': g.val} for label, g in compat.
iteritems(self._gauges) if g is not noop_metric})
if samples:
return {'samples': samples, 'timestamp': int(time.time() * 1000000)}
| collect | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n samples = {}\n if self._counters:\n samples.update({label: {'value': c.val} for label, c in compat.\n iteritems(self._counters... |
def x(**tags):
transaction = execution_context.get_transaction()
if not transaction:
error_logger.warning(
'Ignored tags %s. No transaction currently active.', ', '.join(
tags.keys()))
else:
transaction.tag(**tags)
| tag | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(**tags):\n transaction = execution_context.get_transaction()\n if not transaction:\n error_logger.warning(\n 'Ignored tags %s. No trans... |
def x(self, name, span_type, context=None, leaf=False, tags=None):
return self._begin_span(name, span_type, context=context, leaf=leaf,
tags=tags, parent_span_id=None)
| begin_span | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, span_type, context=None, leaf=False, tags=None):\n return self._begin_span(name, span_type, context=context, leaf=leaf,\n tags=tags, pare... |
def x(self):
if self.trace_parent.span_id == self.id:
self.trace_parent.span_id = '%016x' % random.getrandbits(64)
logger.debug('Set parent id to generated %s', self.trace_parent.span_id
)
return self.trace_parent.span_id
| ensure_parent_id | [
{
"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.trace_parent.span_id == self.id:\n self.trace_parent.span_id = '%016x' % random.getrandbits(64)\n logger.debug('Set parent id... |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.