source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(self, database, schema):
schema = _lower(schema)
with self.lock:
results = [r.inner for r in self.relations.values() if r.schema ==
_lower(schema) and r.database == _lower(database)]
if None in results:
dbt.exceptions.raise_cache_inconsistent(
'in get_relations, a None relation was found in the cache!')
return results
| get_relations | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, database, schema):\n schema = _lower(schema)\n with self.lock:\n results = [r.inner for r in self.relations.values() if r.schema ==\n ... |
def x(self):
with self.lock:
self.relations.clear()
self.schemas.clear()
| clear | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n with self.lock:\n self.relations.clear()\n self.schemas.clear()\n",
"role": "user"
},
{
"content": "clear",
"role": "... |
def x(cls, sql):
sql_s = dbt.compat.to_string(sql)
sql_buf = StringIO(sql_s)
split_query = snowflake.connector.util_text.split_statements(sql_buf)
return [part[0] for part in split_query]
| split_queries | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, sql):\n sql_s = dbt.compat.to_string(sql)\n sql_buf = StringIO(sql_s)\n split_query = snowflake.connector.util_text.split_statements(sql_buf)\n ... |
def x(cls, private_key_path, private_key_passphrase):
if private_key_path is None or private_key_passphrase is None:
return None
with open(private_key_path, 'rb') as key:
p_key = serialization.load_pem_private_key(key.read(), password=
private_key_passphrase.encode(), backend=default_backend())
return p_key.private_bytes(encoding=serialization.Encoding.DER, format=
serialization.PrivateFormat.PKCS8, encryption_algorithm=
serialization.NoEncryption())
| get_private_key | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, private_key_path, private_key_passphrase):\n if private_key_path is None or private_key_passphrase is None:\n return None\n with open(private... |
def x(cls, connection):
try:
connection.handle.rollback()
except snowflake.connector.errors.ProgrammingError as e:
msg = dbt.compat.to_string(e)
if 'Session no longer exists' not in msg:
raise
| rollback_handle | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, connection):\n try:\n connection.handle.rollback()\n except snowflake.connector.errors.ProgrammingError as e:\n msg = dbt.compat.to_st... |
def x(filepath, location, values, validate):
for value in values:
if not isinstance(value, dict):
warn_invalid(filepath, location, value, '(expected a dict)')
continue
try:
yield validate(**value)
except dbt.exceptions.JSONValidationException as exc:
warn_invalid(filepath, location, value, '- ' + exc.msg)
continue
| filter_validate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filepath, location, values, validate):\n for value in values:\n if not isinstance(value, dict):\n warn_invalid(filepath, location, value, ... |
def x(self, models, path, package_name, root_dir):
filtered = _filter_validate(path, 'models', models, UnparsedNodeUpdate)
nodes = itertools.chain.from_iterable(self.parse_models_entry(model,
path, package_name, root_dir) for model in filtered)
for node_type, node in nodes:
yield node_type, node
| parse_all | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, models, path, package_name, root_dir):\n filtered = _filter_validate(path, 'models', models, UnparsedNodeUpdate)\n nodes = itertools.chain.from_ite... |
def x(self, sources, path, package_name, root_dir):
filtered = _filter_validate(path, 'sources', sources, self.
_sources_validate)
nodes = itertools.chain.from_iterable(self.parse_source_entry(source,
path, package_name, root_dir) for source in filtered)
for node_type, node in nodes:
yield node_type, node
| parse_all | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sources, path, package_name, root_dir):\n filtered = _filter_validate(path, 'sources', sources, self.\n _sources_validate)\n nodes = itertoo... |
def x(cls, package_name, root_dir, relative_dirs):
extension = '[!.#~]*.yml'
file_matches = dbt.clients.system.find_matching(root_dir, relative_dirs,
extension)
for file_match in file_matches:
file_contents = dbt.clients.system.load_file_contents(file_match.
get('absolute_path'), strip=False)
test_path = file_match.get('relative_path', '')
original_file_path = os.path.join(file_match.get('searched_path'),
test_path)
try:
test_yml = dbt.clients.yaml_helper.load_yaml_text(file_contents)
except dbt.exceptions.ValidationException as e:
test_yml = None
logger.info('Error reading {}:{} - Skipping\n{}'.format(
package_name, test_path, e))
if test_yml is None:
continue
yield original_file_path, test_yml
| find_schema_yml | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, package_name, root_dir, relative_dirs):\n extension = '[!.#~]*.yml'\n file_matches = dbt.clients.system.find_matching(root_dir, relative_dirs,\n ... |
def x(graph, include_nodes):
new_graph = nx.algorithms.transitive_closure(graph)
include_nodes = set(include_nodes)
for node in graph.nodes():
if node not in include_nodes:
new_graph.remove_node(node)
for node in include_nodes:
if node not in new_graph:
raise RuntimeError(
"Couldn't find model '{}' -- does it exist or is it disabled?"
.format(node))
return new_graph
| subset_graph | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(graph, include_nodes):\n new_graph = nx.algorithms.transitive_closure(graph)\n include_nodes = set(include_nodes)\n for node in graph.nodes():\n ... |
def x(self):
scores = {}
for node in self.graph.nodes():
score = -1 * len([d for d in nx.descendants(self.graph, node) if
self._include_in_cost(d)])
scores[node] = score
return scores
| calculate_scores | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n scores = {}\n for node in self.graph.nodes():\n score = -1 * len([d for d in nx.descendants(self.graph, node) if\n self._inclu... |
def x(self, block=True, timeout=None):
_, node_id = self.inner.get(block=block, timeout=timeout)
with self.lock:
self._mark_in_progress(node_id)
return self.get_node(node_id)
| get | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, block=True, timeout=None):\n _, node_id = self.inner.get(block=block, timeout=timeout)\n with self.lock:\n self._mark_in_progress(node_id)\n... |
def x(self):
for node, in_degree in self.graph.in_degree_iter():
if not self._already_known(node) and in_degree == 0:
self.inner.put((self._scores[node], node))
self.queued.add(node)
| find_new_additions | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n for node, in_degree in self.graph.in_degree_iter():\n if not self._already_known(node) and in_degree == 0:\n self.inner.put((self... |
def x(self, node_id):
with self.lock:
self.in_progress.remove(node_id)
self.graph.remove_node(node_id)
self._find_new_additions()
self.inner.task_done()
| mark_done | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, node_id):\n with self.lock:\n self.in_progress.remove(node_id)\n self.graph.remove_node(node_id)\n self._find_new_additions()\n ... |
def x(self, node_id):
self.queued.remove(node_id)
self.in_progress.add(node_id)
| mark_in_progress | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, node_id):\n self.queued.remove(node_id)\n self.in_progress.add(node_id)\n",
"role": "user"
},
{
"content": "mark_in_progress",
"rol... |
def x(self, manifest, limit_to=None):
if limit_to is None:
graph_nodes = self.graph.nodes()
else:
graph_nodes = limit_to
new_graph = _subset_graph(self.graph, graph_nodes)
return GraphQueue(new_graph, manifest)
| as_graph_queue | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, manifest, limit_to=None):\n if limit_to is None:\n graph_nodes = self.graph.nodes()\n else:\n graph_nodes = limit_to\n new_graph =... |
def x(self, node1, node2):
self.graph.add_node(node1)
self.graph.add_node(node2)
self.graph.add_edge(node2, node1)
| dependency | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, node1, node2):\n self.graph.add_node(node1)\n self.graph.add_node(node2)\n self.graph.add_edge(node2, node1)\n",
"role": "user"
},
{
... |
def x(self, outfile, manifest):
out_graph = _updated_graph(self.graph, manifest)
nx.write_gpickle(out_graph, outfile)
| write_graph | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, outfile, manifest):\n out_graph = _updated_graph(self.graph, manifest)\n nx.write_gpickle(out_graph, outfile)\n",
"role": "user"
},
{
"... |
def x(parsed):
try:
cfg = UserConfig.from_directory(parsed.profiles_dir)
except RuntimeException:
cfg = UserConfig.from_dict(None)
if cfg.send_anonymous_usage_stats:
dbt.tracking.initialize_tracking(parsed.profiles_dir)
else:
dbt.tracking.do_not_track()
if cfg.use_colors:
dbt.ui.printer.use_colors()
| initialize_config_values | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(parsed):\n try:\n cfg = UserConfig.from_directory(parsed.profiles_dir)\n except RuntimeException:\n cfg = UserConfig.from_dict(None)\n i... |
def x(root_path, relative_paths_to_search, file_pattern):
matching = []
root_path = os.path.normpath(root_path)
for relative_path_to_search in relative_paths_to_search:
absolute_path_to_search = os.path.join(root_path,
relative_path_to_search)
walk_results = os.walk(absolute_path_to_search)
for current_path, subdirectories, local_files in walk_results:
for local_file in local_files:
absolute_path = os.path.join(current_path, local_file)
relative_path = os.path.relpath(absolute_path,
absolute_path_to_search)
if fnmatch.fnmatch(local_file, file_pattern):
matching.append({'searched_path':
relative_path_to_search, 'absolute_path':
absolute_path, 'relative_path': relative_path})
return matching
| find_matching | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(root_path, relative_paths_to_search, file_pattern):\n matching = []\n root_path = os.path.normpath(root_path)\n for relative_path_to_search in relativ... |
def x(path):
if not os.path.exists(path):
try:
os.makedirs(path)
except OSError as e:
if e.errno == errno.EEXIST:
pass
else:
raise e
| make_directory | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path):\n if not os.path.exists(path):\n try:\n os.makedirs(path)\n except OSError as e:\n if e.errno == errno.EEXIST:\n ... |
def x(path, contents='', overwrite=False):
if overwrite or not os.path.exists(path):
with open(path, 'w') as fh:
fh.write(contents)
return True
return False
| make_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path, contents='', overwrite=False):\n if overwrite or not os.path.exists(path):\n with open(path, 'w') as fh:\n fh.write(contents)\n ... |
def x(source, link_path):
if not supports_symlinks():
dbt.exceptions.system_error('create a symbolic link')
return os.symlink(source, link_path)
| make_symlink | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(source, link_path):\n if not supports_symlinks():\n dbt.exceptions.system_error('create a symbolic link')\n return os.symlink(source, link_path)\n... |
def x(path_to_resolve, base_path):
return os.path.abspath(os.path.join(base_path, os.path.expanduser(
path_to_resolve)))
| resolve_path_from_base | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path_to_resolve, base_path):\n return os.path.abspath(os.path.join(base_path, os.path.expanduser(\n path_to_resolve)))\n",
"role": "user"
},
... |
def x(path):
logger.debug('DEBUG** Window rmdir sys.platform: {}'.format(sys.platform))
if sys.platform == 'win32':
onerror = _windows_rmdir_readonly
else:
onerror = None
return shutil.rmtree(path, onerror=onerror)
| rmdir | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path):\n logger.debug('DEBUG** Window rmdir sys.platform: {}'.format(sys.platform))\n if sys.platform == 'win32':\n onerror = _windows_rmdir_reado... |
def x(exc, cwd, cmd):
if getattr(exc, 'filename', None) == cwd:
_handle_posix_cwd_error(exc, cwd, cmd)
else:
_handle_posix_cmd_error(exc, cwd, cmd)
| handle_posix_error | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(exc, cwd, cmd):\n if getattr(exc, 'filename', None) == cwd:\n _handle_posix_cwd_error(exc, cwd, cmd)\n else:\n _handle_posix_cmd_error(exc,... |
def x(exc, cwd, cmd):
if len(cmd) == 0:
raise dbt.exceptions.CommandError(cwd, cmd)
if os.name == 'nt':
_handle_windows_error(exc, cwd, cmd)
else:
_handle_posix_error(exc, cwd, cmd)
raise dbt.exceptions.InternalException(
'Unhandled exception in _interpret_oserror: {}'.format(exc))
| interpret_oserror | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(exc, cwd, cmd):\n if len(cmd) == 0:\n raise dbt.exceptions.CommandError(cwd, cmd)\n if os.name == 'nt':\n _handle_windows_error(exc, cwd, c... |
def x(func, path, exc_info):
if func is os.listdir or os.name != 'nt':
raise
os.chmod(path, stat.S_IREAD | stat.S_IWRITE)
func(path)
| chmod_and_retry | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(func, path, exc_info):\n if func is os.listdir or os.name != 'nt':\n raise\n os.chmod(path, stat.S_IREAD | stat.S_IWRITE)\n func(path)\n",
... |
def x(src, dst):
if os.name != 'nt':
return shutil.move(src, dst)
if os.path.isdir(dst):
if _absnorm(src) == _absnorm(dst):
os.rename(src, dst)
return
dst = os.path.join(dst, os.path.basename(src.rstrip('/\\')))
if os.path.exists(dst):
raise EnvironmentError("Path '{}' already exists".format(dst))
try:
os.rename(src, dst)
except OSError:
if os.path.isdir(src):
if _absnorm(dst + '\\').startswith(_absnorm(src + '\\')):
raise EnvironmentError(
"Cannot move a directory '{}' into itself '{}'".format(
src, dst))
shutil.copytree(src, dst, symlinks=True)
rmtree(src)
else:
shutil.copy2(src, dst)
os.unlink(src)
| move | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(src, dst):\n if os.name != 'nt':\n return shutil.move(src, dst)\n if os.path.isdir(dst):\n if _absnorm(src) == _absnorm(dst):\n ... |
def x(self):
for key in self._connection_keys():
if key in self._contents:
yield key, self._contents[key]
| connection_info | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n for key in self._connection_keys():\n if key in self._contents:\n yield key, self._contents[key]\n",
"role": "user"
},
{
... |
def x(manifest):
schemas = frozenset((d.lower(), s.lower()) for d, s in manifest.
get_used_schemas())
def x(row):
table_database = _expect_row_value('table_database', row)
table_schema = _expect_row_value('table_schema', row)
if table_schema is None:
return False
return (table_database.lower(), table_schema.lower()) in schemas
return test
| catalog_filter_schemas | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(manifest):\n schemas = frozenset((d.lower(), s.lower()) for d, s in manifest.\n get_used_schemas())\n\n def x(row):\n table_database = _exp... |
def x(dt, source, field_name):
if dt is None:
raise dbt.exceptions.raise_database_error(
"Expected a non-null value when querying field '{}' of table {} but received value 'null' instead"
.format(field_name, source))
elif not hasattr(dt, 'tzinfo'):
raise dbt.exceptions.raise_database_error(
"Expected a timestamp value when querying field '{}' of table {} but received value of type '{}' instead"
.format(field_name, source, type(dt).__name__))
elif dt.tzinfo:
return dt.astimezone(pytz.UTC)
else:
return dt.replace(tzinfo=pytz.UTC)
| utc | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dt, source, field_name):\n if dt is None:\n raise dbt.exceptions.raise_database_error(\n \"Expected a non-null value when querying field '... |
def x(self, source, filename):
if filename == '<template>':
filename = 'dbt-{}'.format(codecs.encode(os.urandom(12), 'hex').
decode('ascii'))
filename = jinja2._compat.encode_filename(filename)
linecache.cache[filename] = len(source), None, [(line + '\n') for
line in source.splitlines()], filename
return super(MacroFuzzEnvironment, self)._compile(source, filename)
| compile | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, source, filename):\n if filename == '<template>':\n filename = 'dbt-{}'.format(codecs.encode(os.urandom(12), 'hex').\n decode('ascii... |
def x(self):
validator = Draft7Validator(self.SCHEMA)
errors = set()
for error in validator.iter_errors(self.serialize()):
errors.add('.'.join(list(map(str, error.path)) + [error.message]))
if errors:
raise JSONValidationException(type(self).__name__, errors)
| validate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n validator = Draft7Validator(self.SCHEMA)\n errors = set()\n for error in validator.iter_errors(self.serialize()):\n errors.add('.'.joi... |
def x(self):
try:
self.adapter.release_connection()
except Exception as exc:
logger.debug('Error releasing connection for node {}: {!s}\n{}'.
format(self.node.name, exc, traceback.format_exc()))
return dbt.compat.to_string(exc)
return None
| safe_release_connection | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n try:\n self.adapter.release_connection()\n except Exception as exc:\n logger.debug('Error releasing connection for node {}: {!s}\\... |
def x(self, target_freshness, freshness):
for key in ('error', 'warn'):
fullkey = '{}_after'.format(key)
if fullkey not in target_freshness:
continue
target = target_freshness[fullkey]
kwname = target['period'] + 's'
kwargs = {kwname: target['count']}
if freshness > timedelta(**kwargs).total_seconds():
return key
return 'pass'
| calculate_status | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, target_freshness, freshness):\n for key in ('error', 'warn'):\n fullkey = '{}_after'.format(key)\n if fullkey not in target_freshness:\n... |
def x(cls, project, profile, args):
quoting = deepcopy(get_relation_class_by_name(profile.credentials.type)
.DEFAULTS['quote_policy'])
quoting.update(project.quoting)
return cls(project_name=project.project_name, version=project.version,
project_root=project.project_root, source_paths=project.
source_paths, macro_paths=project.macro_paths, data_paths=project.
data_paths, test_paths=project.test_paths, analysis_paths=project.
analysis_paths, docs_paths=project.docs_paths, target_path=project.
target_path, archive_paths=project.archive_paths, clean_targets=
project.clean_targets, log_path=project.log_path, modules_path=
project.modules_path, quoting=quoting, models=project.models,
on_run_start=project.on_run_start, on_run_end=project.on_run_end,
archive=project.archive, seeds=project.seeds, dbt_version=project.
dbt_version, packages=project.packages, profile_name=profile.
profile_name, target_name=profile.target_name, config=profile.
config, threads=profile.threads, credentials=profile.credentials,
args=args)
| from_parts | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, project, profile, args):\n quoting = deepcopy(get_relation_class_by_name(profile.credentials.type)\n .DEFAULTS['quote_policy'])\n quoting.upd... |
def x(self, project_root):
profile = Profile(**self.to_profile_info())
profile.validate()
project = Project.from_project_root(project_root, {})
cfg = self.from_parts(project=project, profile=profile, args=deepcopy(
self.args))
cfg.quoting = deepcopy(self.quoting)
return cfg
| new_project | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, project_root):\n profile = Profile(**self.to_profile_info())\n profile.validate()\n project = Project.from_project_root(project_root, {})\n c... |
def x(self):
result = self.to_project_config(with_packages=True)
result.update(self.to_profile_info(serialize_credentials=True))
result['cli_vars'] = deepcopy(self.cli_vars)
return result
| serialize | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n result = self.to_project_config(with_packages=True)\n result.update(self.to_profile_info(serialize_credentials=True))\n result['cli_vars'] = ... |
def x(self):
try:
Configuration(**self.serialize())
except ValidationException as e:
raise DbtProjectError(str(e))
if getattr(self.args, 'version_check', False):
self.validate_version()
| validate | [
{
"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 Configuration(**self.serialize())\n except ValidationException as e:\n raise DbtProjectError(str(e))\n if getattr(self.a... |
def x(cls, args):
project = Project.from_args(args)
profile = Profile.from_args(args=args, project_profile_name=project.
profile_name)
return cls.from_parts(project=project, profile=profile, args=args)
| from_args | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, args):\n project = Project.from_args(args)\n profile = Profile.from_args(args=args, project_profile_name=project.\n profile_name)\n return... |
def x(qualified_name, package_names, fqn):
if len(qualified_name) == 1 and fqn[-1] == qualified_name[0]:
return True
if qualified_name[0] in package_names:
if is_selected_node(fqn, qualified_name):
return True
for package_name in package_names:
local_qualified_node_name = [package_name] + qualified_name
if is_selected_node(fqn, local_qualified_node_name):
return True
return False
| node_is_match | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(qualified_name, package_names, fqn):\n if len(qualified_name) == 1 and fqn[-1] == qualified_name[0]:\n return True\n if qualified_name[0] in packa... |
def x(self, graph, qualified_name_selector):
qualified_name = qualified_name_selector.split('.')
package_names = get_package_names(graph)
for node, real_node in self.parsed_nodes(graph):
if _node_is_match(qualified_name, package_names, real_node.fqn):
yield node
| get_nodes_by_qualified_name | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, graph, qualified_name_selector):\n qualified_name = qualified_name_selector.split('.')\n package_names = get_package_names(graph)\n for node, re... |
def x(self, graph, tag_name):
for node, real_node in self.parsed_nodes(graph):
if tag_name in real_node.tags:
yield node
| get_nodes_by_tag | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, graph, tag_name):\n for node, real_node in self.parsed_nodes(graph):\n if tag_name in real_node.tags:\n yield node\n",
"role": "... |
def x(self, graph, source_full_name):
parts = source_full_name.split('.')
if len(parts) == 1:
target_source, target_table = parts[0], None
elif len(parts) == 2:
target_source, target_table = parts
else:
msg = (
'Invalid source selector value "{}". Sources must be of the form `${{source_name}}` or `${{source_name}}.${{target_name}}`'
.format(source_full_name))
raise dbt.exceptions.RuntimeException(msg)
for node, real_node in self.source_nodes(graph):
if target_source not in (real_node.source_name, SELECTOR_GLOB):
continue
if target_table in (None, real_node.name, SELECTOR_GLOB):
yield node
| get_nodes_by_source | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, graph, source_full_name):\n parts = source_full_name.split('.')\n if len(parts) == 1:\n target_source, target_table = parts[0], None\n el... |
def x(self, sql, auto_begin=True, bindings=None, abridge_sql_log=False):
return self.connections.add_query(sql, auto_begin, bindings,
abridge_sql_log)
| add_query | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sql, auto_begin=True, bindings=None, abridge_sql_log=False):\n return self.connections.add_query(sql, auto_begin, bindings,\n abridge_sql_log)\... |
def x(self, relation, column_name, new_column_type):
kwargs = {'relation': relation, 'column_name': column_name,
'new_column_type': new_column_type}
self.execute_macro(ALTER_COLUMN_TYPE_MACRO_NAME, kwargs=kwargs)
| alter_column_type | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, relation, column_name, new_column_type):\n kwargs = {'relation': relation, 'column_name': column_name,\n 'new_column_type': new_column_type}\n ... |
def x(unique_id, target_name, target_package, nodetypes, model):
node_type = model.get('resource_type', 'node')
node_parts = unique_id.split('.', 2)
if len(node_parts) != 3:
msg = 'unique_id {} is malformed'.format(unique_id)
dbt.exceptions.raise_compiler_error(msg, model)
resource_type, package_name, node_name = node_parts
if node_type == NodeType.Source:
if node_name.count('.') != 1:
msg = "{} names must contain exactly 1 '.' character".format(
node_type)
dbt.exceptions.raise_compiler_error(msg, model)
elif '.' in node_name:
msg = "{} names cannot contain '.' characters".format(node_type)
dbt.exceptions.raise_compiler_error(msg, model)
if resource_type not in nodetypes:
return False
if target_name != node_name:
return False
return target_package is None or target_package == package_name
| id_matches | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(unique_id, target_name, target_package, nodetypes, model):\n node_type = model.get('resource_type', 'node')\n node_parts = unique_id.split('.', 2)\n i... |
def x(subgraph, target_name, target_package, nodetype):
for name, model in subgraph.items():
if id_matches(name, target_name, target_package, nodetype, model):
return model
return None
| find_in_subgraph_by_name | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(subgraph, target_name, target_package, nodetype):\n for name, model in subgraph.items():\n if id_matches(name, target_name, target_package, nodetype,... |
def x(haystack, target_name, target_package, nodetype):
for model in haystack:
name = model.get('unique_id')
if id_matches(name, target_name, target_package, nodetype, model):
return model
return None
| find_in_list_by_name | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(haystack, target_name, target_package, nodetype):\n for model in haystack:\n name = model.get('unique_id')\n if id_matches(name, target_name, ... |
def x(*args):
if len(args) == 0:
return None
if len(args) == 1:
return copy.deepcopy(args[0])
lst = list(args)
last = copy.deepcopy(lst.pop(len(lst) - 1))
return _deep_merge(deep_merge(*lst), last)
| deep_merge | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*args):\n if len(args) == 0:\n return None\n if len(args) == 1:\n return copy.deepcopy(args[0])\n lst = list(args)\n last = copy.deep... |
def x(func, value):
try:
return _deep_map(func, value, ())
except RuntimeError as exc:
if 'maximum recursion depth exceeded' in str(exc):
raise dbt.exceptions.RecursionException(
'Cycle detected in deep_map')
raise
| deep_map | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(func, value):\n try:\n return _deep_map(func, value, ())\n except RuntimeError as exc:\n if 'maximum recursion depth exceeded' in str(exc):... |
def x(kwargs, aliases):
result = {}
for given_key, value in kwargs.items():
canonical_key = aliases.get(given_key, given_key)
if canonical_key in result:
key_names = ', '.join('{}'.format(k) for k in kwargs if aliases
.get(k) == canonical_key)
raise dbt.exceptions.AliasException(
'Got duplicate keys: ({}) all map to "{}"'.format(key_names,
canonical_key))
result[canonical_key] = value
return result
| translate_aliases | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(kwargs, aliases):\n result = {}\n for given_key, value in kwargs.items():\n canonical_key = aliases.get(given_key, given_key)\n if canonica... |
def x(self, project):
if len(self.version) != 1:
dbt.exceptions.raise_dependency_error(
'Cannot checkout repository until the version is pinned.')
try:
dir_ = dbt.clients.git.clone_and_checkout(self.git, DOWNLOADS_PATH,
branch=self.version[0], dirname=self._checkout_name)
except dbt.exceptions.ExecutableError as exc:
if exc.cmd and exc.cmd[0] == 'git':
logger.error(
'Make sure git is installed on your machine. More information: https://docs.getdbt.com/docs/package-management'
)
raise
return os.path.join(DOWNLOADS_PATH, dir_)
| checkout | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, project):\n if len(self.version) != 1:\n dbt.exceptions.raise_dependency_error(\n 'Cannot checkout repository until the version is p... |
def x(self, relation):
with self.connections.fresh_transaction():
parent = super(RedshiftAdapter, self)
return parent.drop_relation(relation)
| drop_relation | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, relation):\n with self.connections.fresh_transaction():\n parent = super(RedshiftAdapter, self)\n return parent.drop_relation(relation)\... |
def x(cls, package_name, root_dir, relative_dirs):
extension = '[!.#~]*.md'
file_matches = dbt.clients.system.find_matching(root_dir, relative_dirs,
extension)
for file_match in file_matches:
file_contents = dbt.clients.system.load_file_contents(file_match.
get('absolute_path'), strip=False)
parts = dbt.utils.split_path(file_match.get('relative_path', ''))
name, _ = os.path.splitext(parts[-1])
path = file_match.get('relative_path')
original_file_path = os.path.join(file_match.get('searched_path'), path
)
yield UnparsedDocumentationFile(root_path=root_dir, resource_type=
NodeType.Documentation, path=path, original_file_path=
original_file_path, package_name=package_name, file_contents=
file_contents)
| load_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, package_name, root_dir, relative_dirs):\n extension = '[!.#~]*.md'\n file_matches = dbt.clients.system.find_matching(root_dir, relative_dirs,\n ... |
def x(self):
defaults = {'enabled': True, 'materialized': 'view'}
if self.node_type == NodeType.Seed:
defaults['materialized'] = 'seed'
elif self.node_type == NodeType.Archive:
defaults['materialized'] = 'archive'
active_config = self.load_config_from_active_project()
if self.active_project.project_name == self.own_project.project_name:
cfg = self._merge(defaults, active_config, self.in_model_config)
else:
own_config = self.load_config_from_own_project()
cfg = self._merge(defaults, own_config, self.in_model_config,
active_config)
return cfg
| config | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n defaults = {'enabled': True, 'materialized': 'view'}\n if self.node_type == NodeType.Seed:\n defaults['materialized'] = 'seed'\n elif ... |
def x(self):
match = self._expect_match('#}', COMMENT_END_PATTERN)
self.advance(match.end())
| expect_comment_end | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n match = self._expect_match('#}', COMMENT_END_PATTERN)\n self.advance(match.end())\n",
"role": "user"
},
{
"content": "expect_comment... |
def x(self, match, block_start=None):
found = BlockTag(**match.groupdict())
if block_start is None:
block_start = match.start()
self._block_contents = ''
while True:
match = self._expect_match('"{}"'.format(found.end_block_type_name),
found.end_pat(), COMMENT_START_PATTERN, RAW_START_PATTERN,
regex('(?P<quote>([\'"]))'))
groups = match.groupdict()
if groups.get('endblock') is not None:
break
self.advance(match.end())
if groups.get('comment_start') is not None:
self.expect_comment_end()
elif groups.get('raw_start') is not None:
self.expect_raw_end()
elif groups.get('quote') is not None:
self.rewind()
match = self._expect_match('any string', STRING_PATTERN)
self.advance(match.end())
else:
raise dbt.exceptions.InternalException(
'unhandled regex in handle_block, no match: {}'.format(groups))
self.advance(match.start())
found.contents = self._block_contents
self._block_contents = None
self.advance(match.end())
found.full_block = self.data[block_start:self.pos]
return found
| handle_block | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, match, block_start=None):\n found = BlockTag(**match.groupdict())\n if block_start is None:\n block_start = match.start()\n self._block_c... |
def x(self):
while True:
match = self._expect_match('do block component', STRING_PATTERN,
NON_STRING_DO_BLOCK_MEMBER_PATTERN, TAG_CLOSE_PATTERN)
matchgroups = match.groupdict()
self.advance(match.end())
if matchgroups.get('string') is not None:
continue
elif matchgroups.get('quote') is not None:
self.rewind()
match = self._expect_match('any string', STRING_PATTERN)
self.advance(match.end())
elif matchgroups.get('open'):
self._parenthesis_stack.append(True)
elif matchgroups.get('close'):
self._parenthesis_stack.pop()
elif matchgroups.get('tag_close'):
if self._parenthesis_stack:
msg = 'Found "%}", expected ")"'
dbt.exceptions.raise_compiler_error(msg)
return
| process_rval_components | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n while True:\n match = self._expect_match('do block component', STRING_PATTERN,\n NON_STRING_DO_BLOCK_MEMBER_PATTERN, TAG_CLOSE_PA... |
def x(self):
while self._parenthesis_stack:
match = self._expect_match('macro argument', STRING_PATTERN,
NON_STRING_MACRO_ARGS_PATTERN, method='match')
matchgroups = match.groupdict()
self.advance(match.end())
if matchgroups.get('string') is not None:
continue
elif matchgroups.get('quote') is not None:
self.rewind()
match = self._expect_match('any string', STRING_PATTERN)
self.advance(match.end())
elif matchgroups.get('comma') is not None:
if len(self._parenthesis_stack) == 1:
return
elif matchgroups.get('open'):
self._parenthesis_stack.append(True)
elif matchgroups.get('close'):
self._parenthesis_stack.pop()
else:
raise dbt.exceptions.InternalException(
'unhandled regex in _process_macro_default_arg(), no match: {}'
.format(matchgroups))
| process_macro_default_arg | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n while self._parenthesis_stack:\n match = self._expect_match('macro argument', STRING_PATTERN,\n NON_STRING_MACRO_ARGS_PATTERN, me... |
def x(self):
while self._parenthesis_stack:
match = self._expect_match('macro arguments',
MACRO_ARGS_END_PATTERN, MACRO_ARG_PATTERN)
self.advance(match.end())
matchgroups = match.groupdict()
if matchgroups.get('macro_end') is not None:
self._parenthesis_stack.pop()
elif matchgroups.get('value') is not None:
self._process_macro_default_arg()
elif matchgroups.get('more_args') is not None:
continue
else:
raise dbt.exceptions.InternalException(
'unhandled regex in _process_macro_args(), no match: {}'.
format(matchgroups))
| process_macro_args | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n while self._parenthesis_stack:\n match = self._expect_match('macro arguments',\n MACRO_ARGS_END_PATTERN, MACRO_ARG_PATTERN)\n ... |
def x(self, value, keypath):
if self._is_hook_or_model_vars_path(keypath):
return value
return self.render_value(value)
| render_project_entry | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value, keypath):\n if self._is_hook_or_model_vars_path(keypath):\n return value\n return self.render_value(value)\n",
"role": "user"
}... |
def x(self, as_parsed):
try:
return deep_map(self._render_project_entry, as_parsed)
except RecursionException:
raise DbtProjectError(
'Cycle detected: Project input has a reference to itself',
project=as_parsed)
| render_project | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, as_parsed):\n try:\n return deep_map(self._render_project_entry, as_parsed)\n except RecursionException:\n raise DbtProjectError(\n ... |
def x(self, as_parsed):
try:
return deep_map(self._render_profile_data, as_parsed)
except RecursionException:
raise DbtProfileError(
'Cycle detected: Profile input has a reference to itself',
project=as_parsed)
| render_profile_data | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, as_parsed):\n try:\n return deep_map(self._render_profile_data, as_parsed)\n except RecursionException:\n raise DbtProfileError(\n ... |
def x(self):
archives = []
to_return = {}
for name, project in self.all_projects.items():
archives = archives + self.parse_archives_from_project(project)
for a in archives:
archive_config = a.pop('config')
archive = UnparsedNode(**a)
node_path = self.get_path(archive.resource_type, archive.
package_name, archive.name)
to_return[node_path] = self.parse_node(archive, node_path, self.
all_projects.get(archive.package_name), archive_config=
archive_config)
return to_return
| load_and_parse | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n archives = []\n to_return = {}\n for name, project in self.all_projects.items():\n archives = archives + self.parse_archives_from_proj... |
def x(self, serialize_credentials=False):
result = {'profile_name': self.profile_name, 'target_name': self.
target_name, 'config': self.config.to_dict(), 'threads': self.
threads, 'credentials': self.credentials.incorporate()}
if serialize_credentials:
result['credentials'] = result['credentials'].serialize()
return result
| to_profile_info | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, serialize_credentials=False):\n result = {'profile_name': self.profile_name, 'target_name': self.\n target_name, 'config': self.config.to_dict(... |
def x(cls, credentials, threads, profile_name, target_name, user_cfg=None):
config = UserConfig.from_dict(user_cfg)
profile = cls(profile_name=profile_name, target_name=target_name,
config=config, threads=threads, credentials=credentials)
profile.validate()
return profile
| from_credentials | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, credentials, threads, profile_name, target_name, user_cfg=None):\n config = UserConfig.from_dict(user_cfg)\n profile = cls(profile_name=profile_name... |
def x(cls, raw_profile, profile_name, target_override, cli_vars):
renderer = ConfigRenderer(cli_vars=cli_vars)
if target_override is not None:
target_name = target_override
elif 'target' in raw_profile:
target_name = renderer.render_value(raw_profile['target'])
else:
target_name = 'default'
logger.debug("target not specified in profile '{}', using '{}'".
format(profile_name, target_name))
raw_profile_data = cls._get_profile_data(raw_profile, profile_name,
target_name)
profile_data = renderer.render_profile_data(raw_profile_data)
return target_name, profile_data
| render_profile | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, raw_profile, profile_name, target_override, cli_vars):\n renderer = ConfigRenderer(cli_vars=cli_vars)\n if target_override is not None:\n tar... |
def x(cls, raw_profile, profile_name, cli_vars, user_cfg=None,
target_override=None, threads_override=None):
target_name, profile_data = cls.render_profile(raw_profile,
profile_name, target_override, cli_vars)
threads = profile_data.pop('threads', DEFAULT_THREADS)
if threads_override is not None:
threads = threads_override
credentials = cls._credentials_from_profile(profile_data, profile_name,
target_name)
return cls.from_credentials(credentials=credentials, profile_name=
profile_name, target_name=target_name, threads=threads, user_cfg=
user_cfg)
| from_raw_profile_info | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, raw_profile, profile_name, cli_vars, user_cfg=None,\n target_override=None, threads_override=None):\n target_name, profile_data = cls.render_profile... |
def x(cls, raw_profiles, profile_name, cli_vars, target_override=None,
threads_override=None):
if profile_name not in raw_profiles:
raise DbtProjectError("Could not find profile named '{}'".format(
profile_name))
raw_profile = raw_profiles[profile_name]
user_cfg = raw_profiles.get('config')
return cls.from_raw_profile_info(raw_profile=raw_profile, profile_name=
profile_name, cli_vars=cli_vars, user_cfg=user_cfg, target_override
=target_override, threads_override=threads_override)
| from_raw_profiles | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, raw_profiles, profile_name, cli_vars, target_override=None,\n threads_override=None):\n if profile_name not in raw_profiles:\n raise DbtProje... |
def x(cls, args, project_profile_name=None):
cli_vars = parse_cli_vars(getattr(args, 'vars', '{}'))
threads_override = getattr(args, 'threads', None)
target_override = getattr(args, 'target', None)
raw_profiles = read_profile(args.profiles_dir)
profile_name = cls.pick_profile_name(args.profile, project_profile_name)
return cls.from_raw_profiles(raw_profiles=raw_profiles, profile_name=
profile_name, cli_vars=cli_vars, target_override=target_override,
threads_override=threads_override)
| from_args | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, args, project_profile_name=None):\n cli_vars = parse_cli_vars(getattr(args, 'vars', '{}'))\n threads_override = getattr(args, 'threads', None)\n ... |
def x(node, manifest, config, column_name=None):
current_project = config.project_name
def x(*args):
if len(args) == 1:
doc_package_name = None
doc_name = args[0]
elif len(args) == 2:
doc_package_name, doc_name = args
else:
dbt.exceptions.doc_invalid_args(node, args)
target_doc = ParserUtils.resolve_doc(manifest, doc_name,
doc_package_name, current_project, node.package_name)
if target_doc is None:
dbt.exceptions.doc_target_not_found(node, doc_name,
doc_package_name)
return target_doc.block_contents
return do_docs
| docs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(node, manifest, config, column_name=None):\n current_project = config.project_name\n\n def x(*args):\n if len(args) == 1:\n doc_package... |
def x(cls, manifest, target_doc_name, target_doc_package, current_project,
node_package):
if target_doc_package is not None:
return manifest.find_docs_by_name(target_doc_name, target_doc_package)
candidate_targets = [current_project, node_package, None]
target_doc = None
for candidate in candidate_targets:
target_doc = manifest.find_docs_by_name(target_doc_name, candidate)
if target_doc is not None:
break
return target_doc
| resolve_doc | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, manifest, target_doc_name, target_doc_package, current_project,\n node_package):\n if target_doc_package is not None:\n return manifest.find_... |
def x(cls, node, column_name):
if not hasattr(node, 'columns'):
node.set('columns', {})
if column_name in node.columns:
column = node.columns[column_name]
else:
column = {'name': column_name, 'description': ''}
node.columns[column_name] = column
return column
| get_node_column | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, node, column_name):\n if not hasattr(node, 'columns'):\n node.set('columns', {})\n if column_name in node.columns:\n column = node.col... |
def x(cls, manifest, current_project, node):
target_model = None
target_model_name = None
target_model_package = None
for ref in node.refs:
if len(ref) == 1:
target_model_name = ref[0]
elif len(ref) == 2:
target_model_package, target_model_name = ref
target_model = cls.resolve_ref(manifest, target_model_name,
target_model_package, current_project, node.get('package_name'))
if target_model is None or target_model is cls.DISABLED:
node.config['enabled'] = False
dbt.utils.invalid_ref_fail_unless_test(node, target_model_name,
target_model_package, disabled=target_model is cls.DISABLED)
continue
target_model_id = target_model.get('unique_id')
node.depends_on['nodes'].append(target_model_id)
manifest.nodes[node['unique_id']] = node
| process_refs_for_node | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, manifest, current_project, node):\n target_model = None\n target_model_name = None\n target_model_package = None\n for ref in node.refs:\n ... |
def x(cls, manifest, current_project, node, macros):
manifest = manifest.deepcopy(config=current_project)
manifest.macros.update(macros)
if node.unique_id in manifest.nodes:
raise dbt.exceptions.raise_duplicate_resource_name(manifest.nodes[
node.unique_id], node)
manifest.nodes[node.unique_id] = node
cls.process_sources_for_node(manifest, current_project, node)
cls.process_refs_for_node(manifest, current_project, node)
cls.process_docs_for_node(manifest, current_project, node)
return manifest
| add_new_refs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, manifest, current_project, node, macros):\n manifest = manifest.deepcopy(config=current_project)\n manifest.macros.update(macros)\n if node.uniqu... |
def x(versions):
if isinstance(versions, compat.basestring):
versions = versions.split(',')
return [VersionSpecifier.from_version_string(v) for v in versions]
| parse_versions | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(versions):\n if isinstance(versions, compat.basestring):\n versions = versions.split(',')\n return [VersionSpecifier.from_version_string(v) for v ... |
def x(project_dict):
handlers = {('archive',): _list_if_none, ('on-run-start',):
_list_if_none_or_string, ('on-run-end',): _list_if_none_or_string}
for k in ('models', 'seeds'):
handlers[k,] = _dict_if_none
handlers[k, 'vars'] = _dict_if_none
handlers[k, 'pre-hook'] = _list_if_none_or_string
handlers[k, 'post-hook'] = _list_if_none_or_string
handlers['seeds', 'column_types'] = _dict_if_none
def x(value, keypath):
if keypath in handlers:
handler = handlers[keypath]
return handler(value)
else:
return value
return deep_map(converter, project_dict)
| preprocess | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(project_dict):\n handlers = {('archive',): _list_if_none, ('on-run-start',):\n _list_if_none_or_string, ('on-run-end',): _list_if_none_or_string}\n ... |
def x(cls, project_dict, packages_dict=None):
try:
project_dict = cls._preprocess(project_dict)
except RecursionException:
raise DbtProjectError(
'Cycle detected: Project input has a reference to itself',
project=project_dict)
try:
ProjectContract(**project_dict)
except ValidationException as e:
raise DbtProjectError(str(e))
name = project_dict['name']
version = project_dict['version']
project_root = project_dict['project-root']
profile_name = project_dict.get('profile')
source_paths = project_dict.get('source-paths', ['models'])
macro_paths = project_dict.get('macro-paths', ['macros'])
data_paths = project_dict.get('data-paths', ['data'])
test_paths = project_dict.get('test-paths', ['test'])
analysis_paths = project_dict.get('analysis-paths', [])
docs_paths = project_dict.get('docs-paths', source_paths[:])
target_path = project_dict.get('target-path', 'target')
archive_paths = project_dict.get('archive-paths', ['archives'])
clean_targets = project_dict.get('clean-targets', [target_path])
log_path = project_dict.get('log-path', 'logs')
modules_path = project_dict.get('modules-path', 'dbt_modules')
quoting = project_dict.get('quoting', {})
models = project_dict.get('models', {})
on_run_start = project_dict.get('on-run-start', [])
on_run_end = project_dict.get('on-run-end', [])
archive = project_dict.get('archive', [])
seeds = project_dict.get('seeds', {})
dbt_raw_version = project_dict.get('require-dbt-version', '>=0.0.0')
try:
dbt_version = _parse_versions(dbt_raw_version)
except SemverException as e:
raise DbtProjectError(str(e))
packages = package_config_from_data(packages_dict)
project = cls(project_name=name, version=version, project_root=
project_root, profile_name=profile_name, source_paths=source_paths,
macro_paths=macro_paths, data_paths=data_paths, test_paths=
test_paths, analysis_paths=analysis_paths, docs_paths=docs_paths,
target_path=target_path, archive_paths=archive_paths, clean_targets
=clean_targets, log_path=log_path, modules_path=modules_path,
quoting=quoting, models=models, on_run_start=on_run_start,
on_run_end=on_run_end, archive=archive, seeds=seeds, dbt_version=
dbt_version, packages=packages)
project.validate()
return project
| from_project_config | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, project_dict, packages_dict=None):\n try:\n project_dict = cls._preprocess(project_dict)\n except RecursionException:\n raise DbtProje... |
def x(self, with_packages=False):
result = deepcopy({'name': self.project_name, 'version': self.version,
'project-root': self.project_root, 'profile': self.profile_name,
'source-paths': self.source_paths, 'macro-paths': self.macro_paths,
'data-paths': self.data_paths, 'test-paths': self.test_paths,
'analysis-paths': self.analysis_paths, 'docs-paths': self.
docs_paths, 'target-path': self.target_path, 'archive-paths': self.
archive_paths, 'clean-targets': self.clean_targets, 'log-path':
self.log_path, 'quoting': self.quoting, 'models': self.models,
'on-run-start': self.on_run_start, 'on-run-end': self.on_run_end,
'archive': self.archive, 'seeds': self.seeds, 'require-dbt-version':
[v.to_version_string() for v in self.dbt_version]})
if with_packages:
result.update(self.packages.serialize())
return result
| to_project_config | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, with_packages=False):\n result = deepcopy({'name': self.project_name, 'version': self.version,\n 'project-root': self.project_root, 'profile': ... |
def x(cls, project_root, cli_vars):
project_root = os.path.normpath(project_root)
project_yaml_filepath = os.path.join(project_root, 'dbt_project.yml')
if not path_exists(project_yaml_filepath):
raise DbtProjectError('no dbt_project.yml found at expected path {}'
.format(project_yaml_filepath))
if isinstance(cli_vars, compat.basestring):
cli_vars = parse_cli_vars(cli_vars)
renderer = ConfigRenderer(cli_vars)
project_dict = _load_yaml(project_yaml_filepath)
rendered_project = renderer.render_project(project_dict)
rendered_project['project-root'] = project_root
packages_dict = package_data_from_root(project_root)
return cls.from_project_config(rendered_project, packages_dict)
| from_project_root | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, project_root, cli_vars):\n project_root = os.path.normpath(project_root)\n project_yaml_filepath = os.path.join(project_root, 'dbt_project.yml')\n ... |
def x(self, resource_fqns, disabled):
disabled_fqns = frozenset(tuple(fqn) for fqn in disabled)
resource_config_paths = self.get_resource_config_paths()
unused_resource_config_paths = []
for resource_type, config_paths in resource_config_paths.items():
used_fqns = resource_fqns.get(resource_type, frozenset())
fqns = used_fqns | disabled_fqns
for config_path in config_paths:
if not _is_config_used(config_path, fqns):
unused_resource_config_paths.append((resource_type,) +
config_path)
return unused_resource_config_paths
| get_unused_resource_config_paths | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, resource_fqns, disabled):\n disabled_fqns = frozenset(tuple(fqn) for fqn in disabled)\n resource_config_paths = self.get_resource_config_paths()\n ... |
def x(self):
installed = get_installed_version()
if not versions_compatible(*self.dbt_version):
msg = IMPOSSIBLE_VERSION_ERROR.format(package=self.project_name,
version_spec=[x.to_version_string() for x in self.dbt_version])
raise DbtProjectError(msg)
if not versions_compatible(installed, *self.dbt_version):
msg = INVALID_VERSION_ERROR.format(package=self.project_name,
installed=installed.to_version_string(), version_spec=[x.
to_version_string() for x in self.dbt_version])
raise DbtProjectError(msg)
| validate_version | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n installed = get_installed_version()\n if not versions_compatible(*self.dbt_version):\n msg = IMPOSSIBLE_VERSION_ERROR.format(package=self... |
def x(self, other_column):
if not self.is_string() or not other_column.is_string():
return False
return other_column.string_size() > self.string_size()
| can_expand_to | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, other_column):\n if not self.is_string() or not other_column.is_string():\n return False\n return other_column.string_size() > self.string_s... |
def x(self, name=None):
with drop_lock:
connection = self.get_thread_connection()
if connection.transaction_open:
self.commit()
self.begin()
yield
self.commit()
self.begin()
| fresh_transaction | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name=None):\n with drop_lock:\n connection = self.get_thread_connection()\n if connection.transaction_open:\n self.commit()\n... |
def x(cls, db_user, db_name, cluster_id, duration_s):
boto_client = boto3.client('redshift')
try:
return boto_client.get_cluster_credentials(DbUser=db_user, DbName=
db_name, ClusterIdentifier=cluster_id, DurationSeconds=
duration_s, AutoCreate=False)
except boto_client.exceptions.ClientError as e:
raise dbt.exceptions.FailedToConnectException(
'Unable to get temporary Redshift cluster credentials: {}'.
format(e))
| fetch_cluster_credentials | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, db_user, db_name, cluster_id, duration_s):\n boto_client = boto3.client('redshift')\n try:\n return boto_client.get_cluster_credentials(DbUse... |
def x(self, package_name, root_dir, relative_dirs, resource_type, tags=None):
extension = '[!.#~]*.sql'
if tags is None:
tags = []
if dbt.flags.STRICT_MODE:
dbt.contracts.project.ProjectList(**self.all_projects)
file_matches = dbt.clients.system.find_matching(root_dir, relative_dirs,
extension)
result = []
for file_match in file_matches:
file_contents = dbt.clients.system.load_file_contents(file_match.
get('absolute_path'))
parts = dbt.utils.split_path(file_match.get('relative_path', ''))
name, _ = os.path.splitext(parts[-1])
path = self.get_compiled_path(name, file_match.get('relative_path'))
original_file_path = os.path.join(file_match.get('searched_path'), path
)
result.append({'name': name, 'root_path': root_dir, 'resource_type':
resource_type, 'path': path, 'original_file_path':
original_file_path, 'package_name': package_name, 'raw_sql':
file_contents})
return self.parse_sql_nodes(result, tags)
| load_and_parse | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, package_name, root_dir, relative_dirs, resource_type, tags=None):\n extension = '[!.#~]*.sql'\n if tags is None:\n tags = []\n if dbt.fla... |
def x(self):
while True:
get_timeout = self._next_timeout()
try:
msgtype, value = self.queue.get(timeout=get_timeout)
except QueueEmpty:
raise dbt.exceptions.RPCTimeoutException(self.timeout)
if msgtype == QueueMessageType.Log:
self.logs.append(value)
elif msgtype in QueueMessageType.terminating():
return msgtype, value
else:
raise dbt.exceptions.InternalException(
'Got invalid queue message type {}'.format(msgtype))
| wait_for_results | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n while True:\n get_timeout = self._next_timeout()\n try:\n msgtype, value = self.queue.get(timeout=get_timeout)\n ex... |
def x(queue):
handler = QueueLogHandler(queue)
handler.setFormatter(QueueFormatter())
handler.setLevel(DEBUG)
GLOBAL_LOGGER.addHandler(handler)
| add_queue_handler | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(queue):\n handler = QueueLogHandler(queue)\n handler.setFormatter(QueueFormatter())\n handler.setLevel(DEBUG)\n GLOBAL_LOGGER.addHandler(handler)\n... |
def x(method_name, arg_name, got_value, expected_type, version='0.13.0'):
got_type = type(got_value)
msg = (
"As of {version}, 'adapter.{method_name}' expects argument '{arg_name}' to be of type '{expected_type}', instead got {got_value} ({got_type})"
)
raise_compiler_error(msg.format(version=version, method_name=
method_name, arg_name=arg_name, expected_type=expected_type,
got_value=got_value, got_type=got_type))
| invalid_type_error | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(method_name, arg_name, got_value, expected_type, version='0.13.0'):\n got_type = type(got_value)\n msg = (\n \"As of {version}, 'adapter.{method_n... |
def x(sql, ctes):
if len(ctes) == 0:
return sql
parsed_stmts = sqlparse.parse(sql)
parsed = parsed_stmts[0]
with_stmt = None
for token in parsed.tokens:
if token.is_keyword and token.normalized == 'WITH':
with_stmt = token
break
if with_stmt is None:
first_token = parsed.token_first()
with_stmt = sqlparse.sql.Token(sqlparse.tokens.Keyword, 'with')
parsed.insert_before(first_token, with_stmt)
else:
trailing_comma = sqlparse.sql.Token(sqlparse.tokens.Punctuation, ',')
parsed.insert_after(with_stmt, trailing_comma)
token = sqlparse.sql.Token(sqlparse.tokens.Keyword, ', '.join(c['sql'] for
c in ctes))
parsed.insert_after(with_stmt, token)
return dbt.compat.to_string(parsed)
| inject_ctes_into_sql | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(sql, ctes):\n if len(ctes) == 0:\n return sql\n parsed_stmts = sqlparse.parse(sql)\n parsed = parsed_stmts[0]\n with_stmt = None\n for to... |
def x(self, cte_id, sql):
for cte in self.extra_ctes:
if cte['id'] == cte_id:
cte['sql'] = sql
break
else:
self.extra_ctes.append({'id': cte_id, 'sql': sql})
| set_cte | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, cte_id, sql):\n for cte in self.extra_ctes:\n if cte['id'] == cte_id:\n cte['sql'] = sql\n break\n else:\n self... |
def x(self):
os.makedirs(self.adapters_path)
os.makedirs(pj(self.include_path, 'macros'))
with open(pj(self.dbt_dir, '__init__.py'), 'w') as fp:
fp.write(NAMESPACE_INIT_TEMPLATE)
with open(pj(self.dbt_dir, 'adapters', '__init__.py'), 'w') as fp:
fp.write(NAMESPACE_INIT_TEMPLATE)
with open(pj(self.dbt_dir, 'include', '__init__.py'), 'w') as fp:
fp.write(NAMESPACE_INIT_TEMPLATE)
| build_namespace | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n os.makedirs(self.adapters_path)\n os.makedirs(pj(self.include_path, 'macros'))\n with open(pj(self.dbt_dir, '__init__.py'), 'w') as fp:\n ... |
def x(supported_name):
def x(func):
func_name = func.__name__
renamed_method(func_name, supported_name)
@wraps(func)
def x(*args, **kwargs):
warn('adapter:{}'.format(func_name))
return func(*args, **kwargs)
return available(inner)
return wrapper
| available_deprecated | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(supported_name):\n\n def x(func):\n func_name = func.__name__\n renamed_method(func_name, supported_name)\n\n @wraps(func)\n def... |
def x(self, table):
columns = []
for col in table.schema:
dtype = self.Column.translate_type(col.field_type)
column = self.Column(col.name, dtype, col.fields, col.mode)
columns.append(column)
return columns
| get_dbt_columns_from_bq_table | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, table):\n columns = []\n for col in table.schema:\n dtype = self.Column.translate_type(col.field_type)\n column = self.Column(col.nam... |
def x(self, agate_table, column_override):
bq_schema = []
for idx, col_name in enumerate(agate_table.column_names):
inferred_type = self.convert_agate_type(agate_table, idx)
type_ = column_override.get(col_name, inferred_type)
bq_schema.append(google.cloud.bigquery.SchemaField(col_name, type_))
return bq_schema
| agate_to_schema | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, agate_table, column_override):\n bq_schema = []\n for idx, col_name in enumerate(agate_table.column_names):\n inferred_type = self.convert_a... |
def x(self, table):
for col in self._get_dbt_columns_from_bq_table(table):
flattened = col.flatten()
for subcol in flattened:
yield subcol
| flat_columns_in_table | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, table):\n for col in self._get_dbt_columns_from_bq_table(table):\n flattened = col.flatten()\n for subcol in flattened:\n yie... |
def x(cls):
columns = []
stats = ('num_bytes', 'num_rows', 'location', 'partitioning_type',
'clustering_fields')
stat_components = 'label', 'value', 'description', 'include'
for stat_id in stats:
for stat_component in stat_components:
columns.append('stats:{}:{}'.format(stat_id, stat_component))
return tuple(columns)
| get_stats_column_names | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls):\n columns = []\n stats = ('num_bytes', 'num_rows', 'location', 'partitioning_type',\n 'clustering_fields')\n stat_components = 'label', '... |
def x(cls, table, relation_type):
column_names = cls._get_stats_column_names()
clustering_value = None
if table.clustering_fields is not None:
clustering_value = ','.join(table.clustering_fields)
column_values = ('Number of bytes', str(table.num_bytes),
'The number of bytes this table consumes', relation_type == 'table',
'Number of rows', str(table.num_rows),
'The number of rows in this table', relation_type == 'table',
'Location', table.location, 'The geographic location of this table',
True, 'Partitioning Type', table.partitioning_type,
'The partitioning type used for this table', relation_type ==
'table', 'Clustering Fields', clustering_value,
'The clustering fields for this table', relation_type == 'table')
return zip(column_names, column_values)
| get_stats_columns | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, table, relation_type):\n column_names = cls._get_stats_column_names()\n clustering_value = None\n if table.clustering_fields is not None:\n ... |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.