source_code
stringlengths 45
7.24k
| function_name
stringlengths 1
111
| messages
list |
|---|---|---|
def x(self):
threshold = self._tree.leaf_threshold
if self._tree.data.is_continuous_class:
var = self._class_cdist.variance
if var is not None and threshold is not None and var <= threshold:
return False
else:
best_prob = self._class_ddist.best_prob
if (best_prob is not None and threshold is not None and best_prob >=
threshold):
return False
return (self._tree.auto_grow and not self.attr_name and self.n >= self.
_tree.splitting_n)
|
ready_to_split
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n threshold = self._tree.leaf_threshold\n if self._tree.data.is_continuous_class:\n var = self._class_cdist.variance\n if var is not None and threshold is not None and var <= threshold:\n return False\n else:\n best_prob = self._class_ddist.best_prob\n if (best_prob is not None and threshold is not None and best_prob >=\n threshold):\n return False\n return (self._tree.auto_grow and not self.attr_name and self.n >= self.\n _tree.splitting_n)\n",
"role": "user"
},
{
"content": "ready_to_split",
"role": "assistant"
}
] |
def x(self, attr_value, dist):
assert self.attr_name
assert self.tree.data.is_valid(self.attr_name, attr_value
), 'Value %s is invalid for attribute %s.' % (attr_value, self.
attr_name)
if self.is_continuous_class:
assert isinstance(dist, CDist)
assert self.attr_name
self._attr_value_cdist[self.attr_name][attr_value] = dist.copy()
else:
assert isinstance(dist, DDist)
self._attr_value_counts[self.attr_name][attr_value] += 1
self._attr_value_count_totals[self.attr_name] += 1
for cls_value, cls_count in iteritems(dist.counts):
self._attr_class_value_counts[self.attr_name][attr_value][cls_value
] += cls_count
|
set_leaf_dist
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, attr_value, dist):\n assert self.attr_name\n assert self.tree.data.is_valid(self.attr_name, attr_value\n ), 'Value %s is invalid for attribute %s.' % (attr_value, self.\n attr_name)\n if self.is_continuous_class:\n assert isinstance(dist, CDist)\n assert self.attr_name\n self._attr_value_cdist[self.attr_name][attr_value] = dist.copy()\n else:\n assert isinstance(dist, DDist)\n self._attr_value_counts[self.attr_name][attr_value] += 1\n self._attr_value_count_totals[self.attr_name] += 1\n for cls_value, cls_count in iteritems(dist.counts):\n self._attr_class_value_counts[self.attr_name][attr_value][cls_value\n ] += cls_count\n",
"role": "user"
},
{
"content": "set_leaf_dist",
"role": "assistant"
}
] |
def x(self, record):
self.n += 1
class_attr = self.tree.data.class_attribute_name
class_value = record[class_attr]
is_con = self.tree.data.is_continuous_class
if is_con:
self._class_cdist += class_value
else:
self._class_ddist.add(class_value)
for an, av in iteritems(record):
if an == class_attr:
continue
self._attr_value_counts[an][av] += 1
self._attr_value_count_totals[an] += 1
if is_con:
self._attr_value_cdist[an][av] += class_value
else:
self._attr_class_value_counts[an][av][class_value] += 1
if self.ready_to_split:
self.attr_name = self.get_best_splitting_attr()
self.tree.leaf_count -= 1
for av in self._attr_value_counts[self.attr_name]:
self._branches[av] = Node(tree=self.tree)
self.tree.leaf_count += 1
if self.attr_name:
key = record[self.attr_name]
del record[self.attr_name]
self._branches[key].train(record)
|
train
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, record):\n self.n += 1\n class_attr = self.tree.data.class_attribute_name\n class_value = record[class_attr]\n is_con = self.tree.data.is_continuous_class\n if is_con:\n self._class_cdist += class_value\n else:\n self._class_ddist.add(class_value)\n for an, av in iteritems(record):\n if an == class_attr:\n continue\n self._attr_value_counts[an][av] += 1\n self._attr_value_count_totals[an] += 1\n if is_con:\n self._attr_value_cdist[an][av] += class_value\n else:\n self._attr_class_value_counts[an][av][class_value] += 1\n if self.ready_to_split:\n self.attr_name = self.get_best_splitting_attr()\n self.tree.leaf_count -= 1\n for av in self._attr_value_counts[self.attr_name]:\n self._branches[av] = Node(tree=self.tree)\n self.tree.leaf_count += 1\n if self.attr_name:\n key = record[self.attr_name]\n del record[self.attr_name]\n self._branches[key].train(record)\n",
"role": "user"
},
{
"content": "train",
"role": "assistant"
}
] |
def x(cls, data, *args, **kwargs):
assert isinstance(data, Data)
if data.is_continuous_class:
fitness_func = gain_variance
else:
fitness_func = get_gain
t = cls(*args, data=data, **kwargs)
t._data = data
t.sample_count = len(data)
t._tree = create_decision_tree(data=data, attributes=data.
attribute_names, class_attr=data.class_attribute_name, fitness_func
=fitness_func, wrapper=t)
return t
|
build
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, data, *args, **kwargs):\n assert isinstance(data, Data)\n if data.is_continuous_class:\n fitness_func = gain_variance\n else:\n fitness_func = get_gain\n t = cls(*args, data=data, **kwargs)\n t._data = data\n t.sample_count = len(data)\n t._tree = create_decision_tree(data=data, attributes=data.\n attribute_names, class_attr=data.class_attribute_name, fitness_func\n =fitness_func, wrapper=t)\n return t\n",
"role": "user"
},
{
"content": "build",
"role": "assistant"
}
] |
def x(self):
if not self._out_of_bag_mae_clean:
try:
self._out_of_bag_mae = self.test(self.out_of_bag_samples)
self._out_of_bag_mae_clean = True
except NodeNotReadyToPredict:
return
return self._out_of_bag_mae.copy()
|
out_of_bag_mae
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if not self._out_of_bag_mae_clean:\n try:\n self._out_of_bag_mae = self.test(self.out_of_bag_samples)\n self._out_of_bag_mae_clean = True\n except NodeNotReadyToPredict:\n return\n return self._out_of_bag_mae.copy()\n",
"role": "user"
},
{
"content": "out_of_bag_mae",
"role": "assistant"
}
] |
def x(self):
class O(object):
def x(self, tree):
self.tree = tree
def x(self):
return len(self.tree._out_of_bag_samples)
def x(self, v):
self.tree._out_of_bag_mae_clean = False
return self.tree._out_of_bag_samples.append(v)
def x(self, v):
self.tree._out_of_bag_mae_clean = False
return self.tree._out_of_bag_samples.pop(v)
def x(self):
for _ in self.tree._out_of_bag_samples:
yield _
return O(self)
|
out_of_bag_samples
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n\n\n class O(object):\n\n def x(self, tree):\n self.tree = tree\n\n def x(self):\n return len(self.tree._out_of_bag_samples)\n\n def x(self, v):\n self.tree._out_of_bag_mae_clean = False\n return self.tree._out_of_bag_samples.append(v)\n\n def x(self, v):\n self.tree._out_of_bag_mae_clean = False\n return self.tree._out_of_bag_samples.pop(v)\n\n def x(self):\n for _ in self.tree._out_of_bag_samples:\n yield _\n return O(self)\n",
"role": "user"
},
{
"content": "out_of_bag_samples",
"role": "assistant"
}
] |
def x(self, policy, target_attr_name=None):
assert policy in MISSING_VALUE_POLICIES, 'Unknown policy: %s' % (policy,)
for attr_name in self.data.attribute_names:
if target_attr_name is not None and target_attr_name != attr_name:
continue
self.missing_value_policy[attr_name] = policy
|
set_missing_value_policy
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, policy, target_attr_name=None):\n assert policy in MISSING_VALUE_POLICIES, 'Unknown policy: %s' % (policy,)\n for attr_name in self.data.attribute_names:\n if target_attr_name is not None and target_attr_name != attr_name:\n continue\n self.missing_value_policy[attr_name] = policy\n",
"role": "user"
},
{
"content": "set_missing_value_policy",
"role": "assistant"
}
] |
def x(self, record):
assert self.data.class_attribute_name in record, 'The class attribute must be present in the record.'
record = record.copy()
self.sample_count += 1
self.tree.train(record)
|
train
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, record):\n assert self.data.class_attribute_name in record, 'The class attribute must be present in the record.'\n record = record.copy()\n self.sample_count += 1\n self.tree.train(record)\n",
"role": "user"
},
{
"content": "train",
"role": "assistant"
}
] |
def x(self):
if callable(self.fell_method):
for tree in self.fell_method(list(self.trees)):
self.trees.remove(tree)
|
fell_trees
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if callable(self.fell_method):\n for tree in self.fell_method(list(self.trees)):\n self.trees.remove(tree)\n",
"role": "user"
},
{
"content": "fell_trees",
"role": "assistant"
}
] |
def x(self, record, train=True):
if not self.trees:
return
best = +1e1000, None
for tree in self.trees:
best = min(best, (tree.mae.mean, tree))
_, best_tree = best
prediction, tree_mae = best_tree.predict(record, train=train)
return prediction.mean
|
get_best_prediction
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, record, train=True):\n if not self.trees:\n return\n best = +1e1000, None\n for tree in self.trees:\n best = min(best, (tree.mae.mean, tree))\n _, best_tree = best\n prediction, tree_mae = best_tree.predict(record, train=train)\n return prediction.mean\n",
"role": "user"
},
{
"content": "get_best_prediction",
"role": "assistant"
}
] |
def x(trees):
best = +1e1000, None
for tree in trees:
oob_mae = tree.out_of_bag_mae
if oob_mae is None or oob_mae.mean is None:
continue
best = min(best, (oob_mae.mean, tree))
best_mae, best_tree = best
if best_tree is None:
return
return [(1.0, best_tree)]
|
best_oob_mae_weight
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(trees):\n best = +1e1000, None\n for tree in trees:\n oob_mae = tree.out_of_bag_mae\n if oob_mae is None or oob_mae.mean is None:\n continue\n best = min(best, (oob_mae.mean, tree))\n best_mae, best_tree = best\n if best_tree is None:\n return\n return [(1.0, best_tree)]\n",
"role": "user"
},
{
"content": "best_oob_mae_weight",
"role": "assistant"
}
] |
def x(trees):
weights = []
active_trees = []
for tree in trees:
oob_mae = tree.out_of_bag_mae
if oob_mae is None or oob_mae.mean is None:
continue
weights.append(oob_mae.mean)
active_trees.append(tree)
if not active_trees:
return
weights = normalize(weights)
return zip(weights, active_trees)
|
mean_oob_mae_weight
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(trees):\n weights = []\n active_trees = []\n for tree in trees:\n oob_mae = tree.out_of_bag_mae\n if oob_mae is None or oob_mae.mean is None:\n continue\n weights.append(oob_mae.mean)\n active_trees.append(tree)\n if not active_trees:\n return\n weights = normalize(weights)\n return zip(weights, active_trees)\n",
"role": "user"
},
{
"content": "mean_oob_mae_weight",
"role": "assistant"
}
] |
def x(self):
if self.grow_method == GROW_AUTO_INCREMENTAL:
self.tree_kwargs['auto_grow'] = True
while len(self.trees) < self.size:
self.trees.append(Tree(data=self.data, **self.tree_kwargs))
|
grow_trees
|
[
{
"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.grow_method == GROW_AUTO_INCREMENTAL:\n self.tree_kwargs['auto_grow'] = True\n while len(self.trees) < self.size:\n self.trees.append(Tree(data=self.data, **self.tree_kwargs))\n",
"role": "user"
},
{
"content": "grow_trees",
"role": "assistant"
}
] |
def x(self, record):
predictions = {}
for tree in self.trees:
_p = tree.predict(record)
if _p is None:
continue
if isinstance(_p, CDist):
if _p.mean is None:
continue
elif isinstance(_p, DDist):
if not _p.count:
continue
predictions[tree] = _p
if not predictions:
return
weights = self.weighting_method(predictions.keys())
if not weights:
return
if self.data.is_continuous_class:
total = sum(w * predictions[tree].mean for w, tree in weights)
else:
total = DDist()
for weight, tree in weights:
prediction = predictions[tree]
for cls_value, cls_prob in prediction.probs:
total.add(cls_value, cls_prob * weight)
return total
|
predict
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, record):\n predictions = {}\n for tree in self.trees:\n _p = tree.predict(record)\n if _p is None:\n continue\n if isinstance(_p, CDist):\n if _p.mean is None:\n continue\n elif isinstance(_p, DDist):\n if not _p.count:\n continue\n predictions[tree] = _p\n if not predictions:\n return\n weights = self.weighting_method(predictions.keys())\n if not weights:\n return\n if self.data.is_continuous_class:\n total = sum(w * predictions[tree].mean for w, tree in weights)\n else:\n total = DDist()\n for weight, tree in weights:\n prediction = predictions[tree]\n for cls_value, cls_prob in prediction.probs:\n total.add(cls_value, cls_prob * weight)\n return total\n",
"role": "user"
},
{
"content": "predict",
"role": "assistant"
}
] |
def x(self, record):
self._fell_trees()
self._grow_trees()
for tree in self.trees:
if random.random() < self.sample_ratio:
tree.train(record)
else:
tree.out_of_bag_samples.append(record)
while len(tree.out_of_bag_samples) > self.max_out_of_bag_samples:
tree.out_of_bag_samples.pop(0)
|
train
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, record):\n self._fell_trees()\n self._grow_trees()\n for tree in self.trees:\n if random.random() < self.sample_ratio:\n tree.train(record)\n else:\n tree.out_of_bag_samples.append(record)\n while len(tree.out_of_bag_samples) > self.max_out_of_bag_samples:\n tree.out_of_bag_samples.pop(0)\n",
"role": "user"
},
{
"content": "train",
"role": "assistant"
}
] |
def x(system=True, user=True, local=True, only_existing=True):
candidates = []
if system:
candidates.extend(homebase.site_config_dir_list(app_author=
CONF_AUTHOR, app_name=CONF_APP, use_virtualenv=False, create=False)
)
if user:
candidates.append(homebase.user_config_dir(app_author=CONF_AUTHOR,
app_name=CONF_APP, roaming=False, use_virtualenv=False, create=
False))
if local:
candidates.append('.')
paths = [os.path.join(base, CONF_FILENAME) for base in candidates]
if only_existing:
paths = list(filter(os.path.exists, paths))
return paths
|
get_configfile_paths
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(system=True, user=True, local=True, only_existing=True):\n candidates = []\n if system:\n candidates.extend(homebase.site_config_dir_list(app_author=\n CONF_AUTHOR, app_name=CONF_APP, use_virtualenv=False, create=False)\n )\n if user:\n candidates.append(homebase.user_config_dir(app_author=CONF_AUTHOR,\n app_name=CONF_APP, roaming=False, use_virtualenv=False, create=\n False))\n if local:\n candidates.append('.')\n paths = [os.path.join(base, CONF_FILENAME) for base in candidates]\n if only_existing:\n paths = list(filter(os.path.exists, paths))\n return paths\n",
"role": "user"
},
{
"content": "get_configfile_paths",
"role": "assistant"
}
] |
def x():
base = homebase.user_config_dir(app_author=CONF_AUTHOR, app_name=
CONF_APP, roaming=False, use_virtualenv=False, create=False)
path = os.path.join(base, CONF_FILENAME)
return path
|
get_default_configfile_path
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n base = homebase.user_config_dir(app_author=CONF_AUTHOR, app_name=\n CONF_APP, roaming=False, use_virtualenv=False, create=False)\n path = os.path.join(base, CONF_FILENAME)\n return path\n",
"role": "user"
},
{
"content": "get_default_configfile_path",
"role": "assistant"
}
] |
def x(filenames=None):
if filenames is None:
filenames = get_configfile_paths()
config = configparser.ConfigParser(default_section='defaults')
for filename in filenames:
try:
with open(filename, 'r') as f:
config.read_file(f, filename)
except (IOError, OSError):
raise ConfigFileReadError('Failed to read {!r}'.format(filename))
except configparser.Error:
raise ConfigFileParseError('Failed to parse {!r}'.format(filename))
return config
|
load_config_from_files
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filenames=None):\n if filenames is None:\n filenames = get_configfile_paths()\n config = configparser.ConfigParser(default_section='defaults')\n for filename in filenames:\n try:\n with open(filename, 'r') as f:\n config.read_file(f, filename)\n except (IOError, OSError):\n raise ConfigFileReadError('Failed to read {!r}'.format(filename))\n except configparser.Error:\n raise ConfigFileParseError('Failed to parse {!r}'.format(filename))\n return config\n",
"role": "user"
},
{
"content": "load_config_from_files",
"role": "assistant"
}
] |
def x(filenames=None, profile=None):
config = load_config_from_files(filenames)
first_section = next(iter(config.sections() + [None]))
config_defaults = config.defaults()
if not profile:
profile = config_defaults.get('profile', first_section)
if profile:
try:
section = dict(config[profile])
except KeyError:
raise ValueError('Config profile {!r} not found'.format(profile))
elif config_defaults:
section = config_defaults
else:
section = {}
return section
|
load_profile_from_files
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filenames=None, profile=None):\n config = load_config_from_files(filenames)\n first_section = next(iter(config.sections() + [None]))\n config_defaults = config.defaults()\n if not profile:\n profile = config_defaults.get('profile', first_section)\n if profile:\n try:\n section = dict(config[profile])\n except KeyError:\n raise ValueError('Config profile {!r} not found'.format(profile))\n elif config_defaults:\n section = config_defaults\n else:\n section = {}\n return section\n",
"role": "user"
},
{
"content": "load_profile_from_files",
"role": "assistant"
}
] |
def x(config_file=None, profile=None, client=None, endpoint=None, token=
None, solver=None, proxy=None):
if profile is None:
profile = os.getenv('DWAVE_PROFILE')
if config_file == False:
section = {}
elif config_file == True:
section = load_profile_from_files(None, profile)
else:
if config_file is None:
config_file = os.getenv('DWAVE_CONFIG_FILE')
filenames = None
if config_file:
if isinstance(config_file, six.string_types):
filenames = [config_file]
else:
filenames = config_file
section = load_profile_from_files(filenames, profile)
section['client'] = client or os.getenv('DWAVE_API_CLIENT', section.get
('client'))
section['endpoint'] = endpoint or os.getenv('DWAVE_API_ENDPOINT',
section.get('endpoint'))
section['token'] = token or os.getenv('DWAVE_API_TOKEN', section.get(
'token'))
section['solver'] = solver or os.getenv('DWAVE_API_SOLVER', section.get
('solver'))
section['proxy'] = proxy or os.getenv('DWAVE_API_PROXY', section.get(
'proxy'))
return section
|
load_config
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(config_file=None, profile=None, client=None, endpoint=None, token=\n None, solver=None, proxy=None):\n if profile is None:\n profile = os.getenv('DWAVE_PROFILE')\n if config_file == False:\n section = {}\n elif config_file == True:\n section = load_profile_from_files(None, profile)\n else:\n if config_file is None:\n config_file = os.getenv('DWAVE_CONFIG_FILE')\n filenames = None\n if config_file:\n if isinstance(config_file, six.string_types):\n filenames = [config_file]\n else:\n filenames = config_file\n section = load_profile_from_files(filenames, profile)\n section['client'] = client or os.getenv('DWAVE_API_CLIENT', section.get\n ('client'))\n section['endpoint'] = endpoint or os.getenv('DWAVE_API_ENDPOINT',\n section.get('endpoint'))\n section['token'] = token or os.getenv('DWAVE_API_TOKEN', section.get(\n 'token'))\n section['solver'] = solver or os.getenv('DWAVE_API_SOLVER', section.get\n ('solver'))\n section['proxy'] = proxy or os.getenv('DWAVE_API_PROXY', section.get(\n 'proxy'))\n return section\n",
"role": "user"
},
{
"content": "load_config",
"role": "assistant"
}
] |
def x(profile=None, endpoint=None, token=None, solver=None, proxy=None, **
kwargs):
def x(fp, filename):
fields = 'endpoint', 'token', 'proxy', 'solver'
config = OrderedDict()
for line in fp:
line = line.strip()
if not line or line.startswith('#'):
continue
try:
label, data = line.split('|', 1)
values = [(v.strip() or None) for v in data.split(',')]
config[label] = dict(zip(fields, values))
except:
raise ConfigFileParseError('Failed to parse {!r}, line {!r}'
.format(filename, line))
return config
def x(filename):
try:
with open(filename, 'r') as f:
return _parse_config(f, filename)
except (IOError, OSError):
raise ConfigFileReadError('Failed to read {!r}'.format(filename))
config = {}
filename = os.path.expanduser('~/.dwrc')
if os.path.exists(filename):
config = _read_config(filename)
if profile:
try:
section = config[profile]
except KeyError:
raise ValueError('Config profile {!r} not found'.format(profile))
else:
try:
_, section = next(iter(config.items()))
except StopIteration:
section = {}
section['endpoint'] = endpoint or os.getenv('DW_INTERNAL__HTTPLINK',
section.get('endpoint'))
section['token'] = token or os.getenv('DW_INTERNAL__TOKEN', section.get
('token'))
section['proxy'] = proxy or os.getenv('DW_INTERNAL__HTTPPROXY', section
.get('proxy'))
section['solver'] = solver or os.getenv('DW_INTERNAL__SOLVER', section.
get('solver'))
section.update(kwargs)
return section
|
legacy_load_config
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(profile=None, endpoint=None, token=None, solver=None, proxy=None, **\n kwargs):\n\n def x(fp, filename):\n fields = 'endpoint', 'token', 'proxy', 'solver'\n config = OrderedDict()\n for line in fp:\n line = line.strip()\n if not line or line.startswith('#'):\n continue\n try:\n label, data = line.split('|', 1)\n values = [(v.strip() or None) for v in data.split(',')]\n config[label] = dict(zip(fields, values))\n except:\n raise ConfigFileParseError('Failed to parse {!r}, line {!r}'\n .format(filename, line))\n return config\n\n def x(filename):\n try:\n with open(filename, 'r') as f:\n return _parse_config(f, filename)\n except (IOError, OSError):\n raise ConfigFileReadError('Failed to read {!r}'.format(filename))\n config = {}\n filename = os.path.expanduser('~/.dwrc')\n if os.path.exists(filename):\n config = _read_config(filename)\n if profile:\n try:\n section = config[profile]\n except KeyError:\n raise ValueError('Config profile {!r} not found'.format(profile))\n else:\n try:\n _, section = next(iter(config.items()))\n except StopIteration:\n section = {}\n section['endpoint'] = endpoint or os.getenv('DW_INTERNAL__HTTPLINK',\n section.get('endpoint'))\n section['token'] = token or os.getenv('DW_INTERNAL__TOKEN', section.get\n ('token'))\n section['proxy'] = proxy or os.getenv('DW_INTERNAL__HTTPPROXY', section\n .get('proxy'))\n section['solver'] = solver or os.getenv('DW_INTERNAL__SOLVER', section.\n get('solver'))\n section.update(kwargs)\n return section\n",
"role": "user"
},
{
"content": "legacy_load_config",
"role": "assistant"
}
] |
def x(data):
if not (data.dtype == _np.float32 and data.flags.c_contiguous):
raise ValueError('supplied data must be float32 and C contiguous')
if data.ndim == 2:
num_frames, channels = data.shape
elif data.ndim == 1:
num_frames, channels = data.size, 1
else:
raise ValueError('rank > 2 not supported')
return num_frames, channels
|
check_data
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data):\n if not (data.dtype == _np.float32 and data.flags.c_contiguous):\n raise ValueError('supplied data must be float32 and C contiguous')\n if data.ndim == 2:\n num_frames, channels = data.shape\n elif data.ndim == 1:\n num_frames, channels = data.size, 1\n else:\n raise ValueError('rank > 2 not supported')\n return num_frames, channels\n",
"role": "user"
},
{
"content": "check_data",
"role": "assistant"
}
] |
def x(input_data, output_data, ratio, converter_type, channels):
input_frames, _ = _check_data(input_data)
output_frames, _ = _check_data(output_data)
data = ffi.new('SRC_DATA*')
data.input_frames = input_frames
data.output_frames = output_frames
data.src_ratio = ratio
data.data_in = ffi.cast('float*', ffi.from_buffer(input_data))
data.data_out = ffi.cast('float*', ffi.from_buffer(output_data))
error = _lib.src_simple(data, converter_type, channels)
return error, data.input_frames_used, data.output_frames_gen
|
src_simple
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(input_data, output_data, ratio, converter_type, channels):\n input_frames, _ = _check_data(input_data)\n output_frames, _ = _check_data(output_data)\n data = ffi.new('SRC_DATA*')\n data.input_frames = input_frames\n data.output_frames = output_frames\n data.src_ratio = ratio\n data.data_in = ffi.cast('float*', ffi.from_buffer(input_data))\n data.data_out = ffi.cast('float*', ffi.from_buffer(output_data))\n error = _lib.src_simple(data, converter_type, channels)\n return error, data.input_frames_used, data.output_frames_gen\n",
"role": "user"
},
{
"content": "src_simple",
"role": "assistant"
}
] |
def x(converter_type, channels):
error = ffi.new('int*')
state = _lib.src_new(converter_type, channels, error)
return state, error[0]
|
src_new
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(converter_type, channels):\n error = ffi.new('int*')\n state = _lib.src_new(converter_type, channels, error)\n return state, error[0]\n",
"role": "user"
},
{
"content": "src_new",
"role": "assistant"
}
] |
def x(state, input_data, output_data, ratio, end_of_input=0):
input_frames, _ = _check_data(input_data)
output_frames, _ = _check_data(output_data)
data = ffi.new('SRC_DATA*')
data.input_frames = input_frames
data.output_frames = output_frames
data.src_ratio = ratio
data.data_in = ffi.cast('float*', ffi.from_buffer(input_data))
data.data_out = ffi.cast('float*', ffi.from_buffer(output_data))
data.end_of_input = end_of_input
error = _lib.src_process(state, data)
return error, data.input_frames_used, data.output_frames_gen
|
src_process
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(state, input_data, output_data, ratio, end_of_input=0):\n input_frames, _ = _check_data(input_data)\n output_frames, _ = _check_data(output_data)\n data = ffi.new('SRC_DATA*')\n data.input_frames = input_frames\n data.output_frames = output_frames\n data.src_ratio = ratio\n data.data_in = ffi.cast('float*', ffi.from_buffer(input_data))\n data.data_out = ffi.cast('float*', ffi.from_buffer(output_data))\n data.end_of_input = end_of_input\n error = _lib.src_process(state, data)\n return error, data.input_frames_used, data.output_frames_gen\n",
"role": "user"
},
{
"content": "src_process",
"role": "assistant"
}
] |
def x(cb_data, data):
cb_data = ffi.from_handle(cb_data)
ret = cb_data['callback']()
if ret is None:
cb_data['last_input'] = None
return 0
input_data = _np.require(ret, requirements='C', dtype=_np.float32)
input_frames, channels = _check_data(input_data)
if cb_data['channels'] != channels:
raise ValueError('Invalid number of channels in callback.')
cb_data['last_input'] = input_data
data[0] = ffi.cast('float*', ffi.from_buffer(input_data))
return input_frames
|
src_input_callback
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cb_data, data):\n cb_data = ffi.from_handle(cb_data)\n ret = cb_data['callback']()\n if ret is None:\n cb_data['last_input'] = None\n return 0\n input_data = _np.require(ret, requirements='C', dtype=_np.float32)\n input_frames, channels = _check_data(input_data)\n if cb_data['channels'] != channels:\n raise ValueError('Invalid number of channels in callback.')\n cb_data['last_input'] = input_data\n data[0] = ffi.cast('float*', ffi.from_buffer(input_data))\n return input_frames\n",
"role": "user"
},
{
"content": "src_input_callback",
"role": "assistant"
}
] |
def x(callback, converter_type, channels):
cb_data = {'callback': callback, 'channels': channels}
handle = ffi.new_handle(cb_data)
error = ffi.new('int*')
state = _lib.src_callback_new(_src_input_callback, converter_type,
channels, error, handle)
if state == ffi.NULL:
return None, handle, error[0]
return state, handle, error[0]
|
src_callback_new
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(callback, converter_type, channels):\n cb_data = {'callback': callback, 'channels': channels}\n handle = ffi.new_handle(cb_data)\n error = ffi.new('int*')\n state = _lib.src_callback_new(_src_input_callback, converter_type,\n channels, error, handle)\n if state == ffi.NULL:\n return None, handle, error[0]\n return state, handle, error[0]\n",
"role": "user"
},
{
"content": "src_callback_new",
"role": "assistant"
}
] |
def x(state, ratio, frames, data):
data_ptr = ffi.cast('float*f', ffi.from_buffer(data))
return _lib.src_callback_read(state, ratio, frames, data_ptr)
|
src_callback_read
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(state, ratio, frames, data):\n data_ptr = ffi.cast('float*f', ffi.from_buffer(data))\n return _lib.src_callback_read(state, ratio, frames, data_ptr)\n",
"role": "user"
},
{
"content": "src_callback_read",
"role": "assistant"
}
] |
def x(cls, config_file=None, profile=None, client=None, endpoint=None,
token=None, solver=None, proxy=None, legacy_config_fallback=False, **kwargs
):
config = load_config(config_file=config_file, profile=profile, client=
client, endpoint=endpoint, token=token, solver=solver, proxy=proxy)
_LOGGER.debug('Config loaded: %r', config)
if legacy_config_fallback:
warnings.warn(
"'legacy_config_fallback' is deprecated, please convert your legacy .dwrc file to the new config format."
, DeprecationWarning)
if not config.get('token'):
config = legacy_load_config(profile=profile, client=client,
endpoint=endpoint, token=token, solver=solver, proxy=proxy)
_LOGGER.debug('Legacy config loaded: %r', config)
config.update(kwargs)
from dwave.cloud import qpu, sw
_clients = {'qpu': qpu.Client, 'sw': sw.Client, 'base': cls}
_client = config.pop('client', None) or 'base'
_LOGGER.debug('Final config used for %s.Client(): %r', _client, config)
return _clients[_client](**config)
|
from_config
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, config_file=None, profile=None, client=None, endpoint=None,\n token=None, solver=None, proxy=None, legacy_config_fallback=False, **kwargs\n ):\n config = load_config(config_file=config_file, profile=profile, client=\n client, endpoint=endpoint, token=token, solver=solver, proxy=proxy)\n _LOGGER.debug('Config loaded: %r', config)\n if legacy_config_fallback:\n warnings.warn(\n \"'legacy_config_fallback' is deprecated, please convert your legacy .dwrc file to the new config format.\"\n , DeprecationWarning)\n if not config.get('token'):\n config = legacy_load_config(profile=profile, client=client,\n endpoint=endpoint, token=token, solver=solver, proxy=proxy)\n _LOGGER.debug('Legacy config loaded: %r', config)\n config.update(kwargs)\n from dwave.cloud import qpu, sw\n _clients = {'qpu': qpu.Client, 'sw': sw.Client, 'base': cls}\n _client = config.pop('client', None) or 'base'\n _LOGGER.debug('Final config used for %s.Client(): %r', _client, config)\n return _clients[_client](**config)\n",
"role": "user"
},
{
"content": "from_config",
"role": "assistant"
}
] |
def x(self):
_LOGGER.debug('Joining submission queue')
self._submission_queue.join()
_LOGGER.debug('Joining cancel queue')
self._cancel_queue.join()
_LOGGER.debug('Joining poll queue')
self._poll_queue.join()
_LOGGER.debug('Joining load queue')
self._load_queue.join()
for _ in self._submission_workers:
self._submission_queue.put(None)
for _ in self._cancel_workers:
self._cancel_queue.put(None)
for _ in self._poll_workers:
self._poll_queue.put((-1, None))
for _ in self._load_workers:
self._load_queue.put(None)
for worker in chain(self._submission_workers, self._cancel_workers,
self._poll_workers, self._load_workers):
worker.join()
self.session.close()
|
close
|
[
{
"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('Joining submission queue')\n self._submission_queue.join()\n _LOGGER.debug('Joining cancel queue')\n self._cancel_queue.join()\n _LOGGER.debug('Joining poll queue')\n self._poll_queue.join()\n _LOGGER.debug('Joining load queue')\n self._load_queue.join()\n for _ in self._submission_workers:\n self._submission_queue.put(None)\n for _ in self._cancel_workers:\n self._cancel_queue.put(None)\n for _ in self._poll_workers:\n self._poll_queue.put((-1, None))\n for _ in self._load_workers:\n self._load_queue.put(None)\n for worker in chain(self._submission_workers, self._cancel_workers,\n self._poll_workers, self._load_workers):\n worker.join()\n self.session.close()\n",
"role": "user"
},
{
"content": "close",
"role": "assistant"
}
] |
def x(self, refresh=False, order_by='avg_load', **filters):
def x(prop, val):
if not isinstance(prop, (list, tuple)) or not len(prop) == 2:
raise ValueError(
'2-element list/tuple range required for LHS value')
llo, lhi = min(prop), max(prop)
if isinstance(val, (list, tuple)) and len(val) == 2:
rlo, rhi = min(val), max(val)
return llo <= rlo and lhi >= rhi
else:
return llo <= val <= lhi
def x(prop, val):
try:
return covers_op(val, prop)
except ValueError:
raise ValueError(
'2-element list/tuple range required for RHS value')
def x(iterable):
first = next(iter(iterable))
if isinstance(first, list):
return set(tuple(x) for x in iterable)
return set(iterable)
def x(op):
@wraps(op)
def x(prop, val):
if prop is None:
return False
return op(prop, val)
return _wrapper
ops = {'lt': with_valid_lhs(operator.lt), 'lte': with_valid_lhs(
operator.le), 'gt': with_valid_lhs(operator.gt), 'gte':
with_valid_lhs(operator.ge), 'eq': operator.eq, 'available': lambda
prop, val: prop is not None if val else prop is None, 'regex':
with_valid_lhs(lambda prop, val: re.match('^{}$'.format(val), prop)
), 'covers': with_valid_lhs(covers_op), 'within': with_valid_lhs(
within_op), 'in': lambda prop, val: prop in val, 'contains':
with_valid_lhs(lambda prop, val: val in prop), 'issubset':
with_valid_lhs(lambda prop, val: _set(prop).issubset(_set(val))),
'issuperset': with_valid_lhs(lambda prop, val: _set(prop).
issuperset(_set(val)))}
def x(solver, query, val):
assert len(query) >= 1
potential_path, potential_op_name = query[:-1], query[-1]
if potential_op_name in ops:
op_name = potential_op_name
else:
op_name = None
potential_path = query
path = '.'.join(potential_path)
if path in solver.derived_properties:
op = ops[op_name or 'eq']
return op(getattr(solver, path), val)
elif pluck(solver.parameters, path, None) is not None:
op = ops[op_name or 'available']
return op(pluck(solver.parameters, path), val)
elif pluck(solver.properties, path, None) is not None:
op = ops[op_name or 'eq']
return op(pluck(solver.properties, path), val)
else:
op = ops[op_name or 'eq']
return op(None, val)
sort_reverse = False
if not order_by:
sort_key = None
elif isinstance(order_by, six.string_types):
if order_by[0] == '-':
sort_reverse = True
order_by = order_by[1:]
if not order_by:
sort_key = None
else:
sort_key = lambda solver: pluck(solver, order_by, None)
elif callable(order_by):
sort_key = order_by
else:
raise TypeError("expected string or callable for 'order_by'")
filters.setdefault('online', True)
predicates = []
for lhs, val in filters.items():
query = lhs.split('__')
predicates.append(partial(predicate, query=query, val=val))
_LOGGER.debug('Filtering solvers with predicates=%r', predicates)
query = dict(refresh_=refresh)
if 'name' in filters:
query['name'] = filters['name']
if 'name__eq' in filters:
query['name'] = filters['name__eq']
solvers = self._fetch_solvers(**query)
solvers = [s for s in solvers if all(p(s) for p in predicates)]
if sort_key is not None:
solvers_with_keys = [(sort_key(solver), solver) for solver in solvers]
solvers_with_invalid_keys = [(key, solver) for key, solver in
solvers_with_keys if key is None]
solvers_with_valid_keys = [(key, solver) for key, solver in
solvers_with_keys if key is not None]
solvers_with_valid_keys.sort(key=operator.itemgetter(0))
solvers = [solver for key, solver in chain(solvers_with_valid_keys,
solvers_with_invalid_keys)]
if sort_reverse:
solvers.reverse()
return solvers
|
get_solvers
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, refresh=False, order_by='avg_load', **filters):\n\n def x(prop, val):\n if not isinstance(prop, (list, tuple)) or not len(prop) == 2:\n raise ValueError(\n '2-element list/tuple range required for LHS value')\n llo, lhi = min(prop), max(prop)\n if isinstance(val, (list, tuple)) and len(val) == 2:\n rlo, rhi = min(val), max(val)\n return llo <= rlo and lhi >= rhi\n else:\n return llo <= val <= lhi\n\n def x(prop, val):\n try:\n return covers_op(val, prop)\n except ValueError:\n raise ValueError(\n '2-element list/tuple range required for RHS value')\n\n def x(iterable):\n first = next(iter(iterable))\n if isinstance(first, list):\n return set(tuple(x) for x in iterable)\n return set(iterable)\n\n def x(op):\n\n @wraps(op)\n def x(prop, val):\n if prop is None:\n return False\n return op(prop, val)\n return _wrapper\n ops = {'lt': with_valid_lhs(operator.lt), 'lte': with_valid_lhs(\n operator.le), 'gt': with_valid_lhs(operator.gt), 'gte':\n with_valid_lhs(operator.ge), 'eq': operator.eq, 'available': lambda\n prop, val: prop is not None if val else prop is None, 'regex':\n with_valid_lhs(lambda prop, val: re.match('^{}$'.format(val), prop)\n ), 'covers': with_valid_lhs(covers_op), 'within': with_valid_lhs(\n within_op), 'in': lambda prop, val: prop in val, 'contains':\n with_valid_lhs(lambda prop, val: val in prop), 'issubset':\n with_valid_lhs(lambda prop, val: _set(prop).issubset(_set(val))),\n 'issuperset': with_valid_lhs(lambda prop, val: _set(prop).\n issuperset(_set(val)))}\n\n def x(solver, query, val):\n assert len(query) >= 1\n potential_path, potential_op_name = query[:-1], query[-1]\n if potential_op_name in ops:\n op_name = potential_op_name\n else:\n op_name = None\n potential_path = query\n path = '.'.join(potential_path)\n if path in solver.derived_properties:\n op = ops[op_name or 'eq']\n return op(getattr(solver, path), val)\n elif pluck(solver.parameters, path, None) is not None:\n op = ops[op_name or 'available']\n return op(pluck(solver.parameters, path), val)\n elif pluck(solver.properties, path, None) is not None:\n op = ops[op_name or 'eq']\n return op(pluck(solver.properties, path), val)\n else:\n op = ops[op_name or 'eq']\n return op(None, val)\n sort_reverse = False\n if not order_by:\n sort_key = None\n elif isinstance(order_by, six.string_types):\n if order_by[0] == '-':\n sort_reverse = True\n order_by = order_by[1:]\n if not order_by:\n sort_key = None\n else:\n sort_key = lambda solver: pluck(solver, order_by, None)\n elif callable(order_by):\n sort_key = order_by\n else:\n raise TypeError(\"expected string or callable for 'order_by'\")\n filters.setdefault('online', True)\n predicates = []\n for lhs, val in filters.items():\n query = lhs.split('__')\n predicates.append(partial(predicate, query=query, val=val))\n _LOGGER.debug('Filtering solvers with predicates=%r', predicates)\n query = dict(refresh_=refresh)\n if 'name' in filters:\n query['name'] = filters['name']\n if 'name__eq' in filters:\n query['name'] = filters['name__eq']\n solvers = self._fetch_solvers(**query)\n solvers = [s for s in solvers if all(p(s) for p in predicates)]\n if sort_key is not None:\n solvers_with_keys = [(sort_key(solver), solver) for solver in solvers]\n solvers_with_invalid_keys = [(key, solver) for key, solver in\n solvers_with_keys if key is None]\n solvers_with_valid_keys = [(key, solver) for key, solver in\n solvers_with_keys if key is not None]\n solvers_with_valid_keys.sort(key=operator.itemgetter(0))\n solvers = [solver for key, solver in chain(solvers_with_valid_keys,\n solvers_with_invalid_keys)]\n if sort_reverse:\n solvers.reverse()\n return solvers\n",
"role": "user"
},
{
"content": "get_solvers",
"role": "assistant"
}
] |
def x(self, refresh=False, **filters):
warnings.warn("'solvers' is deprecated in favor of 'get_solvers'.",
DeprecationWarning)
return self.get_solvers(refresh=refresh, **filters)
|
solvers
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, refresh=False, **filters):\n warnings.warn(\"'solvers' is deprecated in favor of 'get_solvers'.\",\n DeprecationWarning)\n return self.get_solvers(refresh=refresh, **filters)\n",
"role": "user"
},
{
"content": "solvers",
"role": "assistant"
}
] |
def x(self, name=None, refresh=False, **filters):
_LOGGER.debug('Requested a solver that best matches feature filters=%r',
filters)
if name is not None:
filters.setdefault('name', name)
if not filters and self.default_solver:
filters = self.default_solver
try:
_LOGGER.debug('Fetching solvers according to filters=%r', filters)
return self.get_solvers(refresh=refresh, **filters)[0]
except IndexError:
raise SolverNotFoundError(
'Solver with the requested features not available')
|
get_solver
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name=None, refresh=False, **filters):\n _LOGGER.debug('Requested a solver that best matches feature filters=%r',\n filters)\n if name is not None:\n filters.setdefault('name', name)\n if not filters and self.default_solver:\n filters = self.default_solver\n try:\n _LOGGER.debug('Fetching solvers according to filters=%r', filters)\n return self.get_solvers(refresh=refresh, **filters)[0]\n except IndexError:\n raise SolverNotFoundError(\n 'Solver with the requested features not available')\n",
"role": "user"
},
{
"content": "get_solver",
"role": "assistant"
}
] |
def x(self, body, future):
self._submission_queue.put(self._submit.Message(body, future))
|
submit
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, body, future):\n self._submission_queue.put(self._submit.Message(body, future))\n",
"role": "user"
},
{
"content": "submit",
"role": "assistant"
}
] |
def x(self):
try:
while True:
item = self._submission_queue.get()
if item is None:
break
ready_problems = [item]
while len(ready_problems) < self._SUBMIT_BATCH_SIZE:
try:
ready_problems.append(self._submission_queue.get_nowait())
except queue.Empty:
break
_LOGGER.debug('Submitting %d problems', len(ready_problems))
body = '[' + ','.join(mess.body for mess in ready_problems) + ']'
try:
try:
response = self.session.post(posixpath.join(self.
endpoint, 'problems/'), body)
localtime_of_response = epochnow()
except requests.exceptions.Timeout:
raise RequestTimeout
if response.status_code == 401:
raise SolverAuthenticationError()
response.raise_for_status()
message = response.json()
_LOGGER.debug('Finished submitting %d problems', len(
ready_problems))
except BaseException as exception:
_LOGGER.debug('Submit failed for %d problems', len(
ready_problems))
if not isinstance(exception, SolverAuthenticationError):
exception = IOError(exception)
for mess in ready_problems:
mess.future._set_error(exception, sys.exc_info())
self._submission_queue.task_done()
continue
for submission, res in zip(ready_problems, message):
submission.future._set_clock_diff(response,
localtime_of_response)
self._handle_problem_status(res, submission.future)
self._submission_queue.task_done()
time.sleep(0)
except BaseException as err:
_LOGGER.exception(err)
|
do_submit_problems
|
[
{
"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 while True:\n item = self._submission_queue.get()\n if item is None:\n break\n ready_problems = [item]\n while len(ready_problems) < self._SUBMIT_BATCH_SIZE:\n try:\n ready_problems.append(self._submission_queue.get_nowait())\n except queue.Empty:\n break\n _LOGGER.debug('Submitting %d problems', len(ready_problems))\n body = '[' + ','.join(mess.body for mess in ready_problems) + ']'\n try:\n try:\n response = self.session.post(posixpath.join(self.\n endpoint, 'problems/'), body)\n localtime_of_response = epochnow()\n except requests.exceptions.Timeout:\n raise RequestTimeout\n if response.status_code == 401:\n raise SolverAuthenticationError()\n response.raise_for_status()\n message = response.json()\n _LOGGER.debug('Finished submitting %d problems', len(\n ready_problems))\n except BaseException as exception:\n _LOGGER.debug('Submit failed for %d problems', len(\n ready_problems))\n if not isinstance(exception, SolverAuthenticationError):\n exception = IOError(exception)\n for mess in ready_problems:\n mess.future._set_error(exception, sys.exc_info())\n self._submission_queue.task_done()\n continue\n for submission, res in zip(ready_problems, message):\n submission.future._set_clock_diff(response,\n localtime_of_response)\n self._handle_problem_status(res, submission.future)\n self._submission_queue.task_done()\n time.sleep(0)\n except BaseException as err:\n _LOGGER.exception(err)\n",
"role": "user"
},
{
"content": "do_submit_problems",
"role": "assistant"
}
] |
def x(self, message, future):
try:
_LOGGER.trace('Handling response: %r', message)
_LOGGER.debug('Handling response for %s with status %s', message.
get('id'), message.get('status'))
if 'error_code' in message and 'error_msg' in message:
raise SolverFailureError(message['error_msg'])
if 'status' not in message:
raise InvalidAPIResponseError(
"'status' missing in problem description response")
if 'id' not in message:
raise InvalidAPIResponseError(
"'id' missing in problem description response")
future.id = message['id']
future.remote_status = status = message['status']
with future._single_cancel_lock:
if future._cancel_requested:
if not future._cancel_sent and status == self.STATUS_PENDING:
self._cancel(message['id'], future)
future._cancel_sent = True
if not future.time_received and message.get('submitted_on'):
future.time_received = parse_datetime(message['submitted_on'])
if not future.time_solved and message.get('solved_on'):
future.time_solved = parse_datetime(message['solved_on'])
if not future.eta_min and message.get('earliest_estimated_completion'):
future.eta_min = parse_datetime(message[
'earliest_estimated_completion'])
if not future.eta_max and message.get('latest_estimated_completion'):
future.eta_max = parse_datetime(message[
'latest_estimated_completion'])
if status == self.STATUS_COMPLETE:
if 'answer' in message:
future._set_message(message)
else:
self._load(future)
elif status in self.ANY_STATUS_ONGOING:
self._poll(future)
elif status == self.STATUS_CANCELLED:
raise CanceledFutureError()
else:
errmsg = message.get('error_message',
'An unknown error has occurred.')
if 'solver is offline' in errmsg.lower():
raise SolverOfflineError(errmsg)
else:
raise SolverFailureError(errmsg)
except Exception as error:
future._set_error(error, sys.exc_info())
|
handle_problem_status
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, message, future):\n try:\n _LOGGER.trace('Handling response: %r', message)\n _LOGGER.debug('Handling response for %s with status %s', message.\n get('id'), message.get('status'))\n if 'error_code' in message and 'error_msg' in message:\n raise SolverFailureError(message['error_msg'])\n if 'status' not in message:\n raise InvalidAPIResponseError(\n \"'status' missing in problem description response\")\n if 'id' not in message:\n raise InvalidAPIResponseError(\n \"'id' missing in problem description response\")\n future.id = message['id']\n future.remote_status = status = message['status']\n with future._single_cancel_lock:\n if future._cancel_requested:\n if not future._cancel_sent and status == self.STATUS_PENDING:\n self._cancel(message['id'], future)\n future._cancel_sent = True\n if not future.time_received and message.get('submitted_on'):\n future.time_received = parse_datetime(message['submitted_on'])\n if not future.time_solved and message.get('solved_on'):\n future.time_solved = parse_datetime(message['solved_on'])\n if not future.eta_min and message.get('earliest_estimated_completion'):\n future.eta_min = parse_datetime(message[\n 'earliest_estimated_completion'])\n if not future.eta_max and message.get('latest_estimated_completion'):\n future.eta_max = parse_datetime(message[\n 'latest_estimated_completion'])\n if status == self.STATUS_COMPLETE:\n if 'answer' in message:\n future._set_message(message)\n else:\n self._load(future)\n elif status in self.ANY_STATUS_ONGOING:\n self._poll(future)\n elif status == self.STATUS_CANCELLED:\n raise CanceledFutureError()\n else:\n errmsg = message.get('error_message',\n 'An unknown error has occurred.')\n if 'solver is offline' in errmsg.lower():\n raise SolverOfflineError(errmsg)\n else:\n raise SolverFailureError(errmsg)\n except Exception as error:\n future._set_error(error, sys.exc_info())\n",
"role": "user"
},
{
"content": "handle_problem_status",
"role": "assistant"
}
] |
def x(self):
try:
while True:
item = self._cancel_queue.get()
if item is None:
break
item_list = [item]
while True:
try:
item_list.append(self._cancel_queue.get_nowait())
except queue.Empty:
break
try:
body = [item[0] for item in item_list]
try:
self.session.delete(posixpath.join(self.endpoint,
'problems/'), json=body)
except requests.exceptions.Timeout:
raise RequestTimeout
except Exception as err:
for _, future in item_list:
if future is not None:
future._set_error(err, sys.exc_info())
[self._cancel_queue.task_done() for _ in item_list]
time.sleep(0)
except Exception as err:
_LOGGER.exception(err)
|
do_cancel_problems
|
[
{
"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 while True:\n item = self._cancel_queue.get()\n if item is None:\n break\n item_list = [item]\n while True:\n try:\n item_list.append(self._cancel_queue.get_nowait())\n except queue.Empty:\n break\n try:\n body = [item[0] for item in item_list]\n try:\n self.session.delete(posixpath.join(self.endpoint,\n 'problems/'), json=body)\n except requests.exceptions.Timeout:\n raise RequestTimeout\n except Exception as err:\n for _, future in item_list:\n if future is not None:\n future._set_error(err, sys.exc_info())\n [self._cancel_queue.task_done() for _ in item_list]\n time.sleep(0)\n except Exception as err:\n _LOGGER.exception(err)\n",
"role": "user"
},
{
"content": "do_cancel_problems",
"role": "assistant"
}
] |
def x(self, future):
if future._poll_backoff is None:
future._poll_backoff = self._POLL_BACKOFF_MIN
if future.eta_min and self._is_clock_diff_acceptable(future):
at = datetime_to_timestamp(future.eta_min)
_LOGGER.debug(
'Response ETA indicated and local clock reliable. Scheduling first polling at +%.2f sec'
, at - epochnow())
else:
at = time.time() + future._poll_backoff
_LOGGER.debug(
'Response ETA not indicated, or local clock unreliable. Scheduling first polling at +%.2f sec'
, at - epochnow())
else:
future._poll_backoff = max(self._POLL_BACKOFF_MIN, min(future.
_poll_backoff * 2, self._POLL_BACKOFF_MAX))
at = time.time() + future._poll_backoff
now = utcnow()
future_age = (now - future.time_created).total_seconds()
_LOGGER.debug(
"Polling scheduled at %.2f with %.2f sec new back-off for: %s (future's age: %.2f sec)"
, at, future._poll_backoff, future.id, future_age)
future_age_on_next_poll = future_age + (at - datetime_to_timestamp(now))
if (self.polling_timeout is not None and future_age_on_next_poll > self
.polling_timeout):
_LOGGER.debug(
'Polling timeout exceeded before next poll: %.2f sec > %.2f sec, aborting polling!'
, future_age_on_next_poll, self.polling_timeout)
raise PollingTimeout
self._poll_queue.put((at, future))
|
poll
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, future):\n if future._poll_backoff is None:\n future._poll_backoff = self._POLL_BACKOFF_MIN\n if future.eta_min and self._is_clock_diff_acceptable(future):\n at = datetime_to_timestamp(future.eta_min)\n _LOGGER.debug(\n 'Response ETA indicated and local clock reliable. Scheduling first polling at +%.2f sec'\n , at - epochnow())\n else:\n at = time.time() + future._poll_backoff\n _LOGGER.debug(\n 'Response ETA not indicated, or local clock unreliable. Scheduling first polling at +%.2f sec'\n , at - epochnow())\n else:\n future._poll_backoff = max(self._POLL_BACKOFF_MIN, min(future.\n _poll_backoff * 2, self._POLL_BACKOFF_MAX))\n at = time.time() + future._poll_backoff\n now = utcnow()\n future_age = (now - future.time_created).total_seconds()\n _LOGGER.debug(\n \"Polling scheduled at %.2f with %.2f sec new back-off for: %s (future's age: %.2f sec)\"\n , at, future._poll_backoff, future.id, future_age)\n future_age_on_next_poll = future_age + (at - datetime_to_timestamp(now))\n if (self.polling_timeout is not None and future_age_on_next_poll > self\n .polling_timeout):\n _LOGGER.debug(\n 'Polling timeout exceeded before next poll: %.2f sec > %.2f sec, aborting polling!'\n , future_age_on_next_poll, self.polling_timeout)\n raise PollingTimeout\n self._poll_queue.put((at, future))\n",
"role": "user"
},
{
"content": "poll",
"role": "assistant"
}
] |
def x(self):
try:
frame_futures = {}
def x():
self._poll_queue.task_done()
def x(future):
if future is None:
task_done()
return False
if future.id not in frame_futures and not future.done():
frame_futures[future.id] = future
else:
task_done()
return True
while True:
frame_futures.clear()
frame_earliest, future = self._poll_queue.get()
if not add(future):
return
while len(frame_futures) < self._STATUS_QUERY_SIZE:
try:
task = self._poll_queue.get_nowait()
except queue.Empty:
break
at, future = task
if at - frame_earliest <= self._POLL_GROUP_TIMEFRAME:
if not add(future):
return
else:
task_done()
self._poll_queue.put(task)
break
ids = [future.id for future in frame_futures.values()]
_LOGGER.debug('Polling for status of futures: %s', ids)
query_string = 'problems/?id=' + ','.join(ids)
if not ids:
continue
delay = frame_earliest - time.time()
if delay > 0:
_LOGGER.debug('Pausing polling %.2f sec for futures: %s',
delay, ids)
time.sleep(delay)
else:
_LOGGER.trace('Skipping non-positive delay of %.2f sec', delay)
try:
_LOGGER.trace('Executing poll API request')
try:
response = self.session.get(posixpath.join(self.
endpoint, query_string))
except requests.exceptions.Timeout:
raise RequestTimeout
if response.status_code == 401:
raise SolverAuthenticationError()
response.raise_for_status()
statuses = response.json()
for status in statuses:
self._handle_problem_status(status, frame_futures[
status['id']])
except BaseException as exception:
if not isinstance(exception, SolverAuthenticationError):
exception = IOError(exception)
for id_ in frame_futures.keys():
frame_futures[id_]._set_error(IOError(exception), sys.
exc_info())
for id_ in frame_futures.keys():
task_done()
time.sleep(0)
except Exception as err:
_LOGGER.exception(err)
|
do_poll_problems
|
[
{
"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 frame_futures = {}\n\n def x():\n self._poll_queue.task_done()\n\n def x(future):\n if future is None:\n task_done()\n return False\n if future.id not in frame_futures and not future.done():\n frame_futures[future.id] = future\n else:\n task_done()\n return True\n while True:\n frame_futures.clear()\n frame_earliest, future = self._poll_queue.get()\n if not add(future):\n return\n while len(frame_futures) < self._STATUS_QUERY_SIZE:\n try:\n task = self._poll_queue.get_nowait()\n except queue.Empty:\n break\n at, future = task\n if at - frame_earliest <= self._POLL_GROUP_TIMEFRAME:\n if not add(future):\n return\n else:\n task_done()\n self._poll_queue.put(task)\n break\n ids = [future.id for future in frame_futures.values()]\n _LOGGER.debug('Polling for status of futures: %s', ids)\n query_string = 'problems/?id=' + ','.join(ids)\n if not ids:\n continue\n delay = frame_earliest - time.time()\n if delay > 0:\n _LOGGER.debug('Pausing polling %.2f sec for futures: %s',\n delay, ids)\n time.sleep(delay)\n else:\n _LOGGER.trace('Skipping non-positive delay of %.2f sec', delay)\n try:\n _LOGGER.trace('Executing poll API request')\n try:\n response = self.session.get(posixpath.join(self.\n endpoint, query_string))\n except requests.exceptions.Timeout:\n raise RequestTimeout\n if response.status_code == 401:\n raise SolverAuthenticationError()\n response.raise_for_status()\n statuses = response.json()\n for status in statuses:\n self._handle_problem_status(status, frame_futures[\n status['id']])\n except BaseException as exception:\n if not isinstance(exception, SolverAuthenticationError):\n exception = IOError(exception)\n for id_ in frame_futures.keys():\n frame_futures[id_]._set_error(IOError(exception), sys.\n exc_info())\n for id_ in frame_futures.keys():\n task_done()\n time.sleep(0)\n except Exception as err:\n _LOGGER.exception(err)\n",
"role": "user"
},
{
"content": "do_poll_problems",
"role": "assistant"
}
] |
def x(self):
try:
while True:
future = self._load_queue.get()
if future is None:
break
_LOGGER.debug('Loading results of: %s', future.id)
query_string = 'problems/{}/'.format(future.id)
try:
try:
response = self.session.get(posixpath.join(self.
endpoint, query_string))
except requests.exceptions.Timeout:
raise RequestTimeout
if response.status_code == 401:
raise SolverAuthenticationError()
response.raise_for_status()
message = response.json()
except BaseException as exception:
if not isinstance(exception, SolverAuthenticationError):
exception = IOError(exception)
future._set_error(IOError(exception), sys.exc_info())
continue
self._handle_problem_status(message, future)
self._load_queue.task_done()
time.sleep(0)
except Exception as err:
_LOGGER.error('Load result error: ' + str(err))
|
do_load_results
|
[
{
"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 while True:\n future = self._load_queue.get()\n if future is None:\n break\n _LOGGER.debug('Loading results of: %s', future.id)\n query_string = 'problems/{}/'.format(future.id)\n try:\n try:\n response = self.session.get(posixpath.join(self.\n endpoint, query_string))\n except requests.exceptions.Timeout:\n raise RequestTimeout\n if response.status_code == 401:\n raise SolverAuthenticationError()\n response.raise_for_status()\n message = response.json()\n except BaseException as exception:\n if not isinstance(exception, SolverAuthenticationError):\n exception = IOError(exception)\n future._set_error(IOError(exception), sys.exc_info())\n continue\n self._handle_problem_status(message, future)\n self._load_queue.task_done()\n time.sleep(0)\n except Exception as err:\n _LOGGER.error('Load result error: ' + str(err))\n",
"role": "user"
},
{
"content": "do_load_results",
"role": "assistant"
}
] |
def x(solver, linear, quadratic):
active = active_qubits(linear, quadratic)
nan = float('nan')
lin = [uniform_get(linear, qubit, 0 if qubit in active else nan) for
qubit in solver._encoding_qubits]
lin = base64.b64encode(struct.pack('<' + 'd' * len(lin), *lin))
quad = [(quadratic.get((q1, q2), 0) + quadratic.get((q2, q1), 0)) for
q1, q2 in solver._encoding_couplers if q1 in active and q2 in active]
quad = base64.b64encode(struct.pack('<' + 'd' * len(quad), *quad))
return {'format': 'qp', 'lin': lin.decode('utf-8'), 'quad': quad.decode
('utf-8')}
|
encode_bqm_as_qp
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(solver, linear, quadratic):\n active = active_qubits(linear, quadratic)\n nan = float('nan')\n lin = [uniform_get(linear, qubit, 0 if qubit in active else nan) for\n qubit in solver._encoding_qubits]\n lin = base64.b64encode(struct.pack('<' + 'd' * len(lin), *lin))\n quad = [(quadratic.get((q1, q2), 0) + quadratic.get((q2, q1), 0)) for \n q1, q2 in solver._encoding_couplers if q1 in active and q2 in active]\n quad = base64.b64encode(struct.pack('<' + 'd' * len(quad), *quad))\n return {'format': 'qp', 'lin': lin.decode('utf-8'), 'quad': quad.decode\n ('utf-8')}\n",
"role": "user"
},
{
"content": "encode_bqm_as_qp",
"role": "assistant"
}
] |
def x(msg):
result = msg['answer']
result['active_variables'] = _decode_ints(result['active_variables'])
active_variables = result['active_variables']
if 'num_occurrences' in result:
result['num_occurrences'] = _decode_ints(result['num_occurrences'])
result['energies'] = _decode_doubles(result['energies'])
num_solutions = len(result['energies'])
num_variables = len(result['active_variables'])
solution_bytes = -(-num_variables // 8)
total_variables = result['num_variables']
default = 3 if msg['type'] == 'qubo' else 0
binary = base64.b64decode(result['solutions'])
solutions = []
for solution_index in range(num_solutions):
buffer_index = solution_index * solution_bytes
solution_buffer = binary[buffer_index:buffer_index + solution_bytes]
bytes = struct.unpack('B' * solution_bytes, solution_buffer)
solution = [default] * total_variables
index = 0
for byte in bytes:
values = _decode_byte(byte)
for _ in range(min(8, len(active_variables) - index)):
i = active_variables[index]
index += 1
solution[i] = values.pop()
if msg['type'] == 'ising':
values = {(0): -1, (1): 1}
solution = [values.get(v, default) for v in solution]
solutions.append(solution)
result['solutions'] = solutions
return result
|
decode_qp
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(msg):\n result = msg['answer']\n result['active_variables'] = _decode_ints(result['active_variables'])\n active_variables = result['active_variables']\n if 'num_occurrences' in result:\n result['num_occurrences'] = _decode_ints(result['num_occurrences'])\n result['energies'] = _decode_doubles(result['energies'])\n num_solutions = len(result['energies'])\n num_variables = len(result['active_variables'])\n solution_bytes = -(-num_variables // 8)\n total_variables = result['num_variables']\n default = 3 if msg['type'] == 'qubo' else 0\n binary = base64.b64decode(result['solutions'])\n solutions = []\n for solution_index in range(num_solutions):\n buffer_index = solution_index * solution_bytes\n solution_buffer = binary[buffer_index:buffer_index + solution_bytes]\n bytes = struct.unpack('B' * solution_bytes, solution_buffer)\n solution = [default] * total_variables\n index = 0\n for byte in bytes:\n values = _decode_byte(byte)\n for _ in range(min(8, len(active_variables) - index)):\n i = active_variables[index]\n index += 1\n solution[i] = values.pop()\n if msg['type'] == 'ising':\n values = {(0): -1, (1): 1}\n solution = [values.get(v, default) for v in solution]\n solutions.append(solution)\n result['solutions'] = solutions\n return result\n",
"role": "user"
},
{
"content": "decode_qp",
"role": "assistant"
}
] |
def x(byte):
bits = []
for _ in range(8):
bits.append(byte & 1)
byte >>= 1
return bits
|
decode_byte
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(byte):\n bits = []\n for _ in range(8):\n bits.append(byte & 1)\n byte >>= 1\n return bits\n",
"role": "user"
},
{
"content": "decode_byte",
"role": "assistant"
}
] |
def x(message):
binary = base64.b64decode(message)
return struct.unpack('<' + 'i' * (len(binary) // 4), binary)
|
decode_ints
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(message):\n binary = base64.b64decode(message)\n return struct.unpack('<' + 'i' * (len(binary) // 4), binary)\n",
"role": "user"
},
{
"content": "decode_ints",
"role": "assistant"
}
] |
def x(message):
binary = base64.b64decode(message)
return struct.unpack('<' + 'd' * (len(binary) // 8), binary)
|
decode_doubles
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(message):\n binary = base64.b64decode(message)\n return struct.unpack('<' + 'd' * (len(binary) // 8), binary)\n",
"role": "user"
},
{
"content": "decode_doubles",
"role": "assistant"
}
] |
def x(msg, return_matrix=True):
import numpy as np
result = msg['answer']
double_type = np.dtype(np.double)
double_type = double_type.newbyteorder('<')
int_type = np.dtype(np.int32)
int_type = int_type.newbyteorder('<')
result['energies'] = np.frombuffer(base64.b64decode(result['energies']),
dtype=double_type)
if 'num_occurrences' in result:
result['num_occurrences'] = np.frombuffer(base64.b64decode(result[
'num_occurrences']), dtype=int_type)
result['active_variables'] = np.frombuffer(base64.b64decode(result[
'active_variables']), dtype=int_type)
num_solutions = len(result['energies'])
active_variables = result['active_variables']
num_variables = len(active_variables)
total_variables = result['num_variables']
byte_type = np.dtype(np.uint8)
byte_type = byte_type.newbyteorder('<')
bits = np.unpackbits(np.frombuffer(base64.b64decode(result['solutions']
), dtype=byte_type))
if num_solutions:
bits = np.reshape(bits, (num_solutions, bits.size // num_solutions))
bits = np.delete(bits, range(num_variables, bits.shape[1]), 1)
default = 3
if msg['type'] == 'ising':
bits = bits.astype(np.int8)
bits *= 2
bits -= 1
default = 0
solutions = np.full((num_solutions, total_variables), default, dtype=np
.int8)
solutions[:, active_variables] = bits
result['solutions'] = solutions
if not return_matrix:
result['energies'] = result['energies'].tolist()
if 'num_occurrences' in result:
result['num_occurrences'] = result['num_occurrences'].tolist()
result['active_variables'] = result['active_variables'].tolist()
result['solutions'] = result['solutions'].tolist()
return result
|
decode_qp_numpy
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(msg, return_matrix=True):\n import numpy as np\n result = msg['answer']\n double_type = np.dtype(np.double)\n double_type = double_type.newbyteorder('<')\n int_type = np.dtype(np.int32)\n int_type = int_type.newbyteorder('<')\n result['energies'] = np.frombuffer(base64.b64decode(result['energies']),\n dtype=double_type)\n if 'num_occurrences' in result:\n result['num_occurrences'] = np.frombuffer(base64.b64decode(result[\n 'num_occurrences']), dtype=int_type)\n result['active_variables'] = np.frombuffer(base64.b64decode(result[\n 'active_variables']), dtype=int_type)\n num_solutions = len(result['energies'])\n active_variables = result['active_variables']\n num_variables = len(active_variables)\n total_variables = result['num_variables']\n byte_type = np.dtype(np.uint8)\n byte_type = byte_type.newbyteorder('<')\n bits = np.unpackbits(np.frombuffer(base64.b64decode(result['solutions']\n ), dtype=byte_type))\n if num_solutions:\n bits = np.reshape(bits, (num_solutions, bits.size // num_solutions))\n bits = np.delete(bits, range(num_variables, bits.shape[1]), 1)\n default = 3\n if msg['type'] == 'ising':\n bits = bits.astype(np.int8)\n bits *= 2\n bits -= 1\n default = 0\n solutions = np.full((num_solutions, total_variables), default, dtype=np\n .int8)\n solutions[:, active_variables] = bits\n result['solutions'] = solutions\n if not return_matrix:\n result['energies'] = result['energies'].tolist()\n if 'num_occurrences' in result:\n result['num_occurrences'] = result['num_occurrences'].tolist()\n result['active_variables'] = result['active_variables'].tolist()\n result['solutions'] = result['solutions'].tolist()\n return result\n",
"role": "user"
},
{
"content": "decode_qp_numpy",
"role": "assistant"
}
] |
def x(linear, quad, state):
if _numpy and isinstance(state, np.ndarray):
return evaluate_ising(linear, quad, state.tolist())
energy = 0.0
for index, value in uniform_iterator(linear):
energy += state[index] * value
for (index_a, index_b), value in six.iteritems(quad):
energy += value * state[index_a] * state[index_b]
return energy
|
evaluate_ising
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(linear, quad, state):\n if _numpy and isinstance(state, np.ndarray):\n return evaluate_ising(linear, quad, state.tolist())\n energy = 0.0\n for index, value in uniform_iterator(linear):\n energy += state[index] * value\n for (index_a, index_b), value in six.iteritems(quad):\n energy += value * state[index_a] * state[index_b]\n return energy\n",
"role": "user"
},
{
"content": "evaluate_ising",
"role": "assistant"
}
] |
def x(linear, quadratic):
active = {idx for idx, bias in uniform_iterator(linear)}
for edge, _ in six.iteritems(quadratic):
active.update(edge)
return active
|
active_qubits
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(linear, quadratic):\n active = {idx for idx, bias in uniform_iterator(linear)}\n for edge, _ in six.iteritems(quadratic):\n active.update(edge)\n return active\n",
"role": "user"
},
{
"content": "active_qubits",
"role": "assistant"
}
] |
def x(solver, h_range=None, j_range=None):
if h_range is None:
h_range = solver.properties.get('h_range', [-1, 1])
if j_range is None:
j_range = solver.properties.get('j_range', [-1, 1])
lin = {qubit: random.uniform(*h_range) for qubit in solver.nodes}
quad = {edge: random.uniform(*j_range) for edge in solver.undirected_edges}
return lin, quad
|
generate_random_ising_problem
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(solver, h_range=None, j_range=None):\n if h_range is None:\n h_range = solver.properties.get('h_range', [-1, 1])\n if j_range is None:\n j_range = solver.properties.get('j_range', [-1, 1])\n lin = {qubit: random.uniform(*h_range) for qubit in solver.nodes}\n quad = {edge: random.uniform(*j_range) for edge in solver.undirected_edges}\n return lin, quad\n",
"role": "user"
},
{
"content": "generate_random_ising_problem",
"role": "assistant"
}
] |
def x(sequence):
if isinstance(sequence, abc.Mapping):
return six.iteritems(sequence)
else:
return enumerate(sequence)
|
uniform_iterator
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(sequence):\n if isinstance(sequence, abc.Mapping):\n return six.iteritems(sequence)\n else:\n return enumerate(sequence)\n",
"role": "user"
},
{
"content": "uniform_iterator",
"role": "assistant"
}
] |
def x(sequence, index, default=None):
if isinstance(sequence, abc.Mapping):
return sequence.get(index, default)
else:
return sequence[index] if index < len(sequence) else default
|
uniform_get
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(sequence, index, default=None):\n if isinstance(sequence, abc.Mapping):\n return sequence.get(index, default)\n else:\n return sequence[index] if index < len(sequence) else default\n",
"role": "user"
},
{
"content": "uniform_get",
"role": "assistant"
}
] |
def x(sequence, values):
values = set(values)
return list(itertools.dropwhile(lambda x: x in values, sequence))
|
strip_head
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(sequence, values):\n values = set(values)\n return list(itertools.dropwhile(lambda x: x in values, sequence))\n",
"role": "user"
},
{
"content": "strip_head",
"role": "assistant"
}
] |
def x(sequence, values):
return list(reversed(list(strip_head(reversed(sequence), values))))
|
strip_tail
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(sequence, values):\n return list(reversed(list(strip_head(reversed(sequence), values))))\n",
"role": "user"
},
{
"content": "strip_tail",
"role": "assistant"
}
] |
def x(f):
@wraps(f)
def x(ctx, param, value):
if not value or ctx.resilient_parsing:
return
f()
ctx.exit()
return wrapped
|
click_info_switch
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(f):\n\n @wraps(f)\n def x(ctx, param, value):\n if not value or ctx.resilient_parsing:\n return\n f()\n ctx.exit()\n return wrapped\n",
"role": "user"
},
{
"content": "click_info_switch",
"role": "assistant"
}
] |
def x(dt):
epoch = datetime.utcfromtimestamp(0).replace(tzinfo=UTC)
return (dt - epoch).total_seconds()
|
datetime_to_timestamp
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dt):\n epoch = datetime.utcfromtimestamp(0).replace(tzinfo=UTC)\n return (dt - epoch).total_seconds()\n",
"role": "user"
},
{
"content": "datetime_to_timestamp",
"role": "assistant"
}
] |
def x(name, version):
def x():
name = platform.python_implementation()
version = platform.python_version()
bitness = platform.architecture()[0]
if name == 'PyPy':
version = '.'.join(map(str, sys.pypy_version_info[:3]))
full_version = [version]
if bitness:
full_version.append(bitness)
return name, '-'.join(full_version)
tags = [(name, version), ('python', platform.python_version()),
_interpreter(), ('machine', platform.machine() or 'unknown'), (
'system', platform.system() or 'unknown'), ('platform', platform.
platform() or 'unknown')]
return ' '.join('{}/{}'.format(name, version) for name, version in tags)
|
user_agent
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name, version):\n\n def x():\n name = platform.python_implementation()\n version = platform.python_version()\n bitness = platform.architecture()[0]\n if name == 'PyPy':\n version = '.'.join(map(str, sys.pypy_version_info[:3]))\n full_version = [version]\n if bitness:\n full_version.append(bitness)\n return name, '-'.join(full_version)\n tags = [(name, version), ('python', platform.python_version()),\n _interpreter(), ('machine', platform.machine() or 'unknown'), (\n 'system', platform.system() or 'unknown'), ('platform', platform.\n platform() or 'unknown')]\n return ' '.join('{}/{}'.format(name, version) for name, version in tags)\n",
"role": "user"
},
{
"content": "user_agent",
"role": "assistant"
}
] |
def x(self, args, kwargs):
a = repr(args)
b = repr(sorted((repr(k), repr(v)) for k, v in kwargs.items()))
return a + b
|
argshash
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, args, kwargs):\n a = repr(args)\n b = repr(sorted((repr(k), repr(v)) for k, v in kwargs.items()))\n return a + b\n",
"role": "user"
},
{
"content": "argshash",
"role": "assistant"
}
] |
def x(self, **kwargs):
ctx = super(UserMediaImageViewMixin, self).get_context_data(**kwargs)
ctx.update({'action': self.action, 'next': self.next})
return ctx
|
get_context_data
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **kwargs):\n ctx = super(UserMediaImageViewMixin, self).get_context_data(**kwargs)\n ctx.update({'action': self.action, 'next': self.next})\n return ctx\n",
"role": "user"
},
{
"content": "get_context_data",
"role": "assistant"
}
] |
def x(self):
if self.next:
return self.next
if self.object and self.object.content_object:
return self.object.content_object.get_absolute_url()
raise Exception(
'No content object given. Please provide ``next`` in your POST data')
|
get_success_url
|
[
{
"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.next:\n return self.next\n if self.object and self.object.content_object:\n return self.object.content_object.get_absolute_url()\n raise Exception(\n 'No content object given. Please provide ``next`` in your POST data')\n",
"role": "user"
},
{
"content": "get_success_url",
"role": "assistant"
}
] |
def x(self, request, *args, **kwargs):
self._add_next_and_user(request)
self.content_object = None
self.content_type = None
self.object_id = kwargs.get('object_id', None)
if kwargs.get('content_type'):
try:
self.content_type = ContentType.objects.get(model=kwargs.get(
'content_type'))
except ContentType.DoesNotExist:
raise Http404
if self.content_type:
try:
self.content_object = self.content_type.get_object_for_this_type(pk
=self.object_id)
except ObjectDoesNotExist:
raise Http404
if self.content_object and hasattr(self.content_object, 'user'):
if not self.content_object.user == self.user:
raise Http404
return super(CreateImageView, self).dispatch(request, *args, **kwargs)
|
dispatch
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request, *args, **kwargs):\n self._add_next_and_user(request)\n self.content_object = None\n self.content_type = None\n self.object_id = kwargs.get('object_id', None)\n if kwargs.get('content_type'):\n try:\n self.content_type = ContentType.objects.get(model=kwargs.get(\n 'content_type'))\n except ContentType.DoesNotExist:\n raise Http404\n if self.content_type:\n try:\n self.content_object = self.content_type.get_object_for_this_type(pk\n =self.object_id)\n except ObjectDoesNotExist:\n raise Http404\n if self.content_object and hasattr(self.content_object, 'user'):\n if not self.content_object.user == self.user:\n raise Http404\n return super(CreateImageView, self).dispatch(request, *args, **kwargs)\n",
"role": "user"
},
{
"content": "dispatch",
"role": "assistant"
}
] |
def x(self, request, *args, **kwargs):
self._add_next_and_user(request)
return super(DeleteImageView, self).dispatch(request, *args, **kwargs)
|
dispatch
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request, *args, **kwargs):\n self._add_next_and_user(request)\n return super(DeleteImageView, self).dispatch(request, *args, **kwargs)\n",
"role": "user"
},
{
"content": "dispatch",
"role": "assistant"
}
] |
def x(self):
queryset = super(DeleteImageView, self).get_queryset()
queryset = queryset.filter(user=self.user)
return queryset
|
get_queryset
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n queryset = super(DeleteImageView, self).get_queryset()\n queryset = queryset.filter(user=self.user)\n return queryset\n",
"role": "user"
},
{
"content": "get_queryset",
"role": "assistant"
}
] |
def x(self, request, *args, **kwargs):
self._add_next_and_user(request)
return super(UpdateImageView, self).dispatch(request, *args, **kwargs)
|
dispatch
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request, *args, **kwargs):\n self._add_next_and_user(request)\n return super(UpdateImageView, self).dispatch(request, *args, **kwargs)\n",
"role": "user"
},
{
"content": "dispatch",
"role": "assistant"
}
] |
def x(self):
queryset = super(UpdateImageView, self).get_queryset()
queryset = queryset.filter(user=self.user)
return queryset
|
get_queryset
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n queryset = super(UpdateImageView, self).get_queryset()\n queryset = queryset.filter(user=self.user)\n return queryset\n",
"role": "user"
},
{
"content": "get_queryset",
"role": "assistant"
}
] |
def x(self, instance):
UserMediaImage.objects.filter(content_type=ContentType.objects.
get_for_model(instance), object_id=instance.pk, user=instance.user
).delete()
|
delete_images
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, instance):\n UserMediaImage.objects.filter(content_type=ContentType.objects.\n get_for_model(instance), object_id=instance.pk, user=instance.user\n ).delete()\n",
"role": "user"
},
{
"content": "delete_images",
"role": "assistant"
}
] |
def x(self):
self.instance.user = self.user
data = self.cleaned_data.get('image')
return data
|
clean_image
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.instance.user = self.user\n data = self.cleaned_data.get('image')\n return data\n",
"role": "user"
},
{
"content": "clean_image",
"role": "assistant"
}
] |
def x(instance, filename):
ext = filename.split('.')[-1]
filename = '%s.%s' % (uuid.uuid4(), ext)
return os.path.join('user_media', str(instance.user.pk), 'images', filename
)
|
get_image_file_path
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(instance, filename):\n ext = filename.split('.')[-1]\n filename = '%s.%s' % (uuid.uuid4(), ext)\n return os.path.join('user_media', str(instance.user.pk), 'images', filename\n )\n",
"role": "user"
},
{
"content": "get_image_file_path",
"role": "assistant"
}
] |
def x(sender, instance, **kwargs):
for f in glob.glob('{}/{}*'.format(instance.image.storage.location,
instance.image.name)):
if not os.path.isdir(f):
instance.image.storage.delete(f)
|
image_post_delete_handler
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(sender, instance, **kwargs):\n for f in glob.glob('{}/{}*'.format(instance.image.storage.location,\n instance.image.name)):\n if not os.path.isdir(f):\n instance.image.storage.delete(f)\n",
"role": "user"
},
{
"content": "image_post_delete_handler",
"role": "assistant"
}
] |
def x(self):
if (self.thumb_x is not None and self.thumb_y is not None and self.
thumb_x2 is not None and self.thumb_y2 is not None):
return int(self.thumb_x), int(self.thumb_y), int(self.thumb_x2), int(
self.thumb_y2)
return False
|
box_coordinates
|
[
{
"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.thumb_x is not None and self.thumb_y is not None and self.\n thumb_x2 is not None and self.thumb_y2 is not None):\n return int(self.thumb_x), int(self.thumb_y), int(self.thumb_x2), int(\n self.thumb_y2)\n return False\n",
"role": "user"
},
{
"content": "box_coordinates",
"role": "assistant"
}
] |
def x(self, as_string=True):
size = getattr(settings, 'USER_MEDIA_THUMB_SIZE_LARGE', (150, 150))
if as_string:
return u'{}x{}'.format(size[0], size[1])
return size
|
large_size
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, as_string=True):\n size = getattr(settings, 'USER_MEDIA_THUMB_SIZE_LARGE', (150, 150))\n if as_string:\n return u'{}x{}'.format(size[0], size[1])\n return size\n",
"role": "user"
},
{
"content": "large_size",
"role": "assistant"
}
] |
def x(im, box=False, **kwargs):
if box:
im = im.crop(box)
return im
|
crop_box
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(im, box=False, **kwargs):\n if box:\n im = im.crop(box)\n return im\n",
"role": "user"
},
{
"content": "crop_box",
"role": "assistant"
}
] |
def x(host=None, port=None, database_name='germanet'):
client = MongoClient(host, port)
germanet_db = client[database_name]
return GermaNet(germanet_db)
|
load_germanet
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(host=None, port=None, database_name='germanet'):\n client = MongoClient(host, port)\n germanet_db = client[database_name]\n return GermaNet(germanet_db)\n",
"role": "user"
},
{
"content": "load_germanet",
"role": "assistant"
}
] |
def x(self, new_value):
if type(new_value) == int and 0 < new_value:
if self._lemma_cache is not None:
self._lemma_cache = repoze.lru.LRUCache(new_value)
self._synset_cache = repoze.lru.LRUCache(new_value)
|
cache_size
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, new_value):\n if type(new_value) == int and 0 < new_value:\n if self._lemma_cache is not None:\n self._lemma_cache = repoze.lru.LRUCache(new_value)\n self._synset_cache = repoze.lru.LRUCache(new_value)\n",
"role": "user"
},
{
"content": "cache_size",
"role": "assistant"
}
] |
def x(self):
for lemma_dict in self._mongo_db.lexunits.find():
yield Lemma(self, lemma_dict)
|
all_lemmas
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n for lemma_dict in self._mongo_db.lexunits.find():\n yield Lemma(self, lemma_dict)\n",
"role": "user"
},
{
"content": "all_lemmas",
"role": "assistant"
}
] |
def x(self, lemma, pos=None):
if pos is not None:
if pos not in SHORT_POS_TO_LONG:
return None
pos = SHORT_POS_TO_LONG[pos]
lemma_dicts = self._mongo_db.lexunits.find({'orthForm': lemma,
'category': pos})
else:
lemma_dicts = self._mongo_db.lexunits.find({'orthForm': lemma})
return sorted([Lemma(self, lemma_dict) for lemma_dict in lemma_dicts])
|
lemmas
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, lemma, pos=None):\n if pos is not None:\n if pos not in SHORT_POS_TO_LONG:\n return None\n pos = SHORT_POS_TO_LONG[pos]\n lemma_dicts = self._mongo_db.lexunits.find({'orthForm': lemma,\n 'category': pos})\n else:\n lemma_dicts = self._mongo_db.lexunits.find({'orthForm': lemma})\n return sorted([Lemma(self, lemma_dict) for lemma_dict in lemma_dicts])\n",
"role": "user"
},
{
"content": "lemmas",
"role": "assistant"
}
] |
def x(self):
for synset_dict in self._mongo_db.synsets.find():
yield Synset(self, synset_dict)
|
all_synsets
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n for synset_dict in self._mongo_db.synsets.find():\n yield Synset(self, synset_dict)\n",
"role": "user"
},
{
"content": "all_synsets",
"role": "assistant"
}
] |
def x(self, lemma, pos=None):
return sorted(set(lemma_obj.synset for lemma_obj in self.lemmas(lemma,
pos)))
|
synsets
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, lemma, pos=None):\n return sorted(set(lemma_obj.synset for lemma_obj in self.lemmas(lemma,\n pos)))\n",
"role": "user"
},
{
"content": "synsets",
"role": "assistant"
}
] |
def x(self, synset_repr):
parts = synset_repr.split('.')
if len(parts) != 3:
return None
lemma, pos, sensenum = parts
if not sensenum.isdigit() or pos not in SHORT_POS_TO_LONG:
return None
sensenum = int(sensenum, 10)
pos = SHORT_POS_TO_LONG[pos]
lemma_dict = self._mongo_db.lexunits.find_one({'orthForm': lemma,
'category': pos, 'sense': sensenum})
if lemma_dict:
return Lemma(self, lemma_dict).synset
|
synset
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, synset_repr):\n parts = synset_repr.split('.')\n if len(parts) != 3:\n return None\n lemma, pos, sensenum = parts\n if not sensenum.isdigit() or pos not in SHORT_POS_TO_LONG:\n return None\n sensenum = int(sensenum, 10)\n pos = SHORT_POS_TO_LONG[pos]\n lemma_dict = self._mongo_db.lexunits.find_one({'orthForm': lemma,\n 'category': pos, 'sense': sensenum})\n if lemma_dict:\n return Lemma(self, lemma_dict).synset\n",
"role": "user"
},
{
"content": "synset",
"role": "assistant"
}
] |
def x(self, mongo_id):
cache_hit = None
if self._synset_cache is not None:
cache_hit = self._synset_cache.get(mongo_id)
if cache_hit is not None:
return cache_hit
synset_dict = self._mongo_db.synsets.find_one({'_id': mongo_id})
if synset_dict is not None:
synset = Synset(self, synset_dict)
if self._synset_cache is not None:
self._synset_cache.put(mongo_id, synset)
return synset
|
get_synset_by_id
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, mongo_id):\n cache_hit = None\n if self._synset_cache is not None:\n cache_hit = self._synset_cache.get(mongo_id)\n if cache_hit is not None:\n return cache_hit\n synset_dict = self._mongo_db.synsets.find_one({'_id': mongo_id})\n if synset_dict is not None:\n synset = Synset(self, synset_dict)\n if self._synset_cache is not None:\n self._synset_cache.put(mongo_id, synset)\n return synset\n",
"role": "user"
},
{
"content": "get_synset_by_id",
"role": "assistant"
}
] |
def x(self, mongo_id):
cache_hit = None
if self._lemma_cache is not None:
cache_hit = self._lemma_cache.get(mongo_id)
if cache_hit is not None:
return cache_hit
lemma_dict = self._mongo_db.lexunits.find_one({'_id': mongo_id})
if lemma_dict is not None:
lemma = Lemma(self, lemma_dict)
if self._lemma_cache is not None:
self._lemma_cache.put(mongo_id, lemma)
return lemma
|
get_lemma_by_id
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, mongo_id):\n cache_hit = None\n if self._lemma_cache is not None:\n cache_hit = self._lemma_cache.get(mongo_id)\n if cache_hit is not None:\n return cache_hit\n lemma_dict = self._mongo_db.lexunits.find_one({'_id': mongo_id})\n if lemma_dict is not None:\n lemma = Lemma(self, lemma_dict)\n if self._lemma_cache is not None:\n self._lemma_cache.put(mongo_id, lemma)\n return lemma\n",
"role": "user"
},
{
"content": "get_lemma_by_id",
"role": "assistant"
}
] |
def x(self, word):
lemmas = list(self._mongo_db.lemmatiser.find({'word': word}))
if lemmas:
return [lemma['lemma'] for lemma in lemmas]
else:
return [word]
|
lemmatise
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, word):\n lemmas = list(self._mongo_db.lemmatiser.find({'word': word}))\n if lemmas:\n return [lemma['lemma'] for lemma in lemmas]\n else:\n return [word]\n",
"role": "user"
},
{
"content": "lemmatise",
"role": "assistant"
}
] |
def x(xml_path):
xml_files = sorted(glob.glob(os.path.join(xml_path, '*.xml')))
lex_files = [xml_file for xml_file in xml_files if re.match(
'(adj|nomen|verben)\\.', os.path.basename(xml_file).lower())]
xml_files = sorted(set(xml_files) - set(lex_files))
if not lex_files:
print('ERROR: cannot find lexical information files')
gn_rels_file = [xml_file for xml_file in xml_files if os.path.basename(
xml_file).lower() == 'gn_relations.xml']
xml_files = sorted(set(xml_files) - set(gn_rels_file))
if not gn_rels_file:
print('ERROR: cannot find relations file gn_relations.xml')
gn_rels_file = None
else:
if 1 < len(gn_rels_file):
print(
'WARNING: more than one relations file gn_relations.xml, taking first match'
)
gn_rels_file = gn_rels_file[0]
wiktionary_files = [xml_file for xml_file in xml_files if re.match(
'wiktionaryparaphrases-', os.path.basename(xml_file).lower())]
xml_files = sorted(set(xml_files) - set(wiktionary_files))
if not wiktionary_files:
print('WARNING: cannot find wiktionary paraphrase files')
ili_files = [xml_file for xml_file in xml_files if os.path.basename(
xml_file).lower().startswith('interlingualindex')]
xml_files = sorted(set(xml_files) - set(ili_files))
if not ili_files:
print('WARNING: cannot find interlingual index file')
if xml_files:
print('WARNING: unrecognised xml files:', xml_files)
return lex_files, gn_rels_file, wiktionary_files, ili_files
|
find_germanet_xml_files
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(xml_path):\n xml_files = sorted(glob.glob(os.path.join(xml_path, '*.xml')))\n lex_files = [xml_file for xml_file in xml_files if re.match(\n '(adj|nomen|verben)\\\\.', os.path.basename(xml_file).lower())]\n xml_files = sorted(set(xml_files) - set(lex_files))\n if not lex_files:\n print('ERROR: cannot find lexical information files')\n gn_rels_file = [xml_file for xml_file in xml_files if os.path.basename(\n xml_file).lower() == 'gn_relations.xml']\n xml_files = sorted(set(xml_files) - set(gn_rels_file))\n if not gn_rels_file:\n print('ERROR: cannot find relations file gn_relations.xml')\n gn_rels_file = None\n else:\n if 1 < len(gn_rels_file):\n print(\n 'WARNING: more than one relations file gn_relations.xml, taking first match'\n )\n gn_rels_file = gn_rels_file[0]\n wiktionary_files = [xml_file for xml_file in xml_files if re.match(\n 'wiktionaryparaphrases-', os.path.basename(xml_file).lower())]\n xml_files = sorted(set(xml_files) - set(wiktionary_files))\n if not wiktionary_files:\n print('WARNING: cannot find wiktionary paraphrase files')\n ili_files = [xml_file for xml_file in xml_files if os.path.basename(\n xml_file).lower().startswith('interlingualindex')]\n xml_files = sorted(set(xml_files) - set(ili_files))\n if not ili_files:\n print('WARNING: cannot find interlingual index file')\n if xml_files:\n print('WARNING: unrecognised xml files:', xml_files)\n return lex_files, gn_rels_file, wiktionary_files, ili_files\n",
"role": "user"
},
{
"content": "find_germanet_xml_files",
"role": "assistant"
}
] |
def x(loc, node, recognised_attribs, reqd_attribs=None):
if reqd_attribs is None:
reqd_attribs = recognised_attribs
found_attribs = set(node.keys())
if reqd_attribs - found_attribs:
print(loc, 'missing <{0}> attributes'.format(node.tag),
reqd_attribs - found_attribs)
if found_attribs - recognised_attribs:
print(loc, 'unrecognised <{0}> properties'.format(node.tag),
found_attribs - recognised_attribs)
|
warn_attribs
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(loc, node, recognised_attribs, reqd_attribs=None):\n if reqd_attribs is None:\n reqd_attribs = recognised_attribs\n found_attribs = set(node.keys())\n if reqd_attribs - found_attribs:\n print(loc, 'missing <{0}> attributes'.format(node.tag), \n reqd_attribs - found_attribs)\n if found_attribs - recognised_attribs:\n print(loc, 'unrecognised <{0}> properties'.format(node.tag), \n found_attribs - recognised_attribs)\n",
"role": "user"
},
{
"content": "warn_attribs",
"role": "assistant"
}
] |
def x(filename):
with open(filename, 'rb') as input_file:
doc = etree.parse(input_file)
synsets = []
assert doc.getroot().tag == 'synsets'
for synset in doc.getroot():
if synset.tag != 'synset':
print('unrecognised child of <synsets>', synset)
continue
synset_dict = dict(synset.items())
synloc = '{0} synset {1},'.format(filename, synset_dict.get('id',
'???'))
warn_attribs(synloc, synset, SYNSET_ATTRIBS)
synset_dict['lexunits'] = []
synsets.append(synset_dict)
for child in synset:
if child.tag == 'lexUnit':
lexunit = child
lexunit_dict = dict(lexunit.items())
lexloc = synloc + ' lexUnit {0},'.format(lexunit_dict.get(
'id', '???'))
warn_attribs(lexloc, lexunit, LEXUNIT_ATTRIBS)
for key in ['styleMarking', 'artificial', 'namedEntity']:
if key in lexunit_dict:
if lexunit_dict[key] not in MAP_YESNO_TO_BOOL:
print(lexloc,
'lexunit property {0} has non-boolean value'
.format(key), lexunit_dict[key])
continue
lexunit_dict[key] = MAP_YESNO_TO_BOOL[lexunit_dict[key]
]
if 'sense' in lexunit_dict:
if lexunit_dict['sense'].isdigit():
lexunit_dict['sense'] = int(lexunit_dict['sense'], 10)
else:
print(lexloc,
'lexunit property sense has non-numeric value',
lexunit_dict['sense'])
synset_dict['lexunits'].append(lexunit_dict)
lexunit_dict['examples'] = []
lexunit_dict['frames'] = []
for child in lexunit:
if child.tag in ['orthForm', 'orthVar', 'oldOrthForm',
'oldOrthVar']:
warn_attribs(lexloc, child, set())
if not child.text:
print(lexloc, '{0} with no text'.format(child.tag))
continue
if child.tag in lexunit_dict:
print(lexloc, 'more than one {0}'.format(child.tag)
)
lexunit_dict[child.tag] = str(child.text)
elif child.tag == 'example':
example = child
text = [child for child in example if child.tag ==
'text']
if len(text) != 1 or not text[0].text:
print(lexloc, '<example> tag without text')
example_dict = {'text': str(text[0].text)}
for child in example:
if child.tag == 'text':
continue
elif child.tag == 'exframe':
if 'exframe' in example_dict:
print(lexloc,
'more than one <exframe> for <example>'
)
warn_attribs(lexloc, child, set())
if not child.text:
print(lexloc, '<exframe> with no text')
continue
example_dict['exframe'] = str(child.text)
else:
print(lexloc,
'unrecognised child of <example>', child)
lexunit_dict['examples'].append(example_dict)
elif child.tag == 'frame':
frame = child
warn_attribs(lexloc, frame, set())
if 0 < len(frame):
print(lexloc, 'unrecognised <frame> children',
list(frame))
if not frame.text:
print(lexloc, '<frame> without text')
continue
lexunit_dict['frames'].append(str(frame.text))
elif child.tag == 'compound':
compound = child
warn_attribs(lexloc, compound, set())
compound_dict = {}
for child in compound:
if child.tag == 'modifier':
modifier_dict = dict(child.items())
warn_attribs(lexloc, child,
MODIFIER_ATTRIBS, set())
if not child.text:
print(lexloc, 'modifier without text')
continue
modifier_dict['text'] = str(child.text)
if 'modifier' not in compound_dict:
compound_dict['modifier'] = []
compound_dict['modifier'].append(modifier_dict)
elif child.tag == 'head':
head_dict = dict(child.items())
warn_attribs(lexloc, child, HEAD_ATTRIBS, set()
)
if not child.text:
print(lexloc, '<head> without text')
continue
head_dict['text'] = str(child.text)
if 'head' in compound_dict:
print(lexloc,
'more than one head in <compound>')
compound_dict['head'] = head_dict
else:
print(lexloc,
'unrecognised child of <compound>', child)
continue
else:
print(lexloc, 'unrecognised child of <lexUnit>', child)
continue
elif child.tag == 'paraphrase':
paraphrase = child
warn_attribs(synloc, paraphrase, set())
paraphrase_text = str(paraphrase.text)
if not paraphrase_text:
print(synloc, 'WARNING: <paraphrase> tag with no text')
else:
print(synloc, 'unrecognised child of <synset>', child)
continue
return synsets
|
read_lexical_file
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename):\n with open(filename, 'rb') as input_file:\n doc = etree.parse(input_file)\n synsets = []\n assert doc.getroot().tag == 'synsets'\n for synset in doc.getroot():\n if synset.tag != 'synset':\n print('unrecognised child of <synsets>', synset)\n continue\n synset_dict = dict(synset.items())\n synloc = '{0} synset {1},'.format(filename, synset_dict.get('id',\n '???'))\n warn_attribs(synloc, synset, SYNSET_ATTRIBS)\n synset_dict['lexunits'] = []\n synsets.append(synset_dict)\n for child in synset:\n if child.tag == 'lexUnit':\n lexunit = child\n lexunit_dict = dict(lexunit.items())\n lexloc = synloc + ' lexUnit {0},'.format(lexunit_dict.get(\n 'id', '???'))\n warn_attribs(lexloc, lexunit, LEXUNIT_ATTRIBS)\n for key in ['styleMarking', 'artificial', 'namedEntity']:\n if key in lexunit_dict:\n if lexunit_dict[key] not in MAP_YESNO_TO_BOOL:\n print(lexloc,\n 'lexunit property {0} has non-boolean value'\n .format(key), lexunit_dict[key])\n continue\n lexunit_dict[key] = MAP_YESNO_TO_BOOL[lexunit_dict[key]\n ]\n if 'sense' in lexunit_dict:\n if lexunit_dict['sense'].isdigit():\n lexunit_dict['sense'] = int(lexunit_dict['sense'], 10)\n else:\n print(lexloc,\n 'lexunit property sense has non-numeric value',\n lexunit_dict['sense'])\n synset_dict['lexunits'].append(lexunit_dict)\n lexunit_dict['examples'] = []\n lexunit_dict['frames'] = []\n for child in lexunit:\n if child.tag in ['orthForm', 'orthVar', 'oldOrthForm',\n 'oldOrthVar']:\n warn_attribs(lexloc, child, set())\n if not child.text:\n print(lexloc, '{0} with no text'.format(child.tag))\n continue\n if child.tag in lexunit_dict:\n print(lexloc, 'more than one {0}'.format(child.tag)\n )\n lexunit_dict[child.tag] = str(child.text)\n elif child.tag == 'example':\n example = child\n text = [child for child in example if child.tag ==\n 'text']\n if len(text) != 1 or not text[0].text:\n print(lexloc, '<example> tag without text')\n example_dict = {'text': str(text[0].text)}\n for child in example:\n if child.tag == 'text':\n continue\n elif child.tag == 'exframe':\n if 'exframe' in example_dict:\n print(lexloc,\n 'more than one <exframe> for <example>'\n )\n warn_attribs(lexloc, child, set())\n if not child.text:\n print(lexloc, '<exframe> with no text')\n continue\n example_dict['exframe'] = str(child.text)\n else:\n print(lexloc,\n 'unrecognised child of <example>', child)\n lexunit_dict['examples'].append(example_dict)\n elif child.tag == 'frame':\n frame = child\n warn_attribs(lexloc, frame, set())\n if 0 < len(frame):\n print(lexloc, 'unrecognised <frame> children',\n list(frame))\n if not frame.text:\n print(lexloc, '<frame> without text')\n continue\n lexunit_dict['frames'].append(str(frame.text))\n elif child.tag == 'compound':\n compound = child\n warn_attribs(lexloc, compound, set())\n compound_dict = {}\n for child in compound:\n if child.tag == 'modifier':\n modifier_dict = dict(child.items())\n warn_attribs(lexloc, child,\n MODIFIER_ATTRIBS, set())\n if not child.text:\n print(lexloc, 'modifier without text')\n continue\n modifier_dict['text'] = str(child.text)\n if 'modifier' not in compound_dict:\n compound_dict['modifier'] = []\n compound_dict['modifier'].append(modifier_dict)\n elif child.tag == 'head':\n head_dict = dict(child.items())\n warn_attribs(lexloc, child, HEAD_ATTRIBS, set()\n )\n if not child.text:\n print(lexloc, '<head> without text')\n continue\n head_dict['text'] = str(child.text)\n if 'head' in compound_dict:\n print(lexloc,\n 'more than one head in <compound>')\n compound_dict['head'] = head_dict\n else:\n print(lexloc,\n 'unrecognised child of <compound>', child)\n continue\n else:\n print(lexloc, 'unrecognised child of <lexUnit>', child)\n continue\n elif child.tag == 'paraphrase':\n paraphrase = child\n warn_attribs(synloc, paraphrase, set())\n paraphrase_text = str(paraphrase.text)\n if not paraphrase_text:\n print(synloc, 'WARNING: <paraphrase> tag with no text')\n else:\n print(synloc, 'unrecognised child of <synset>', child)\n continue\n return synsets\n",
"role": "user"
},
{
"content": "read_lexical_file",
"role": "assistant"
}
] |
def x(filename):
with open(filename, 'rb') as input_file:
doc = etree.parse(input_file)
lex_rels = []
con_rels = []
assert doc.getroot().tag == 'relations'
for child in doc.getroot():
if child.tag == 'lex_rel':
if 0 < len(child):
print('<lex_rel> has unexpected child node')
child_dict = dict(child.items())
warn_attribs('', child, RELATION_ATTRIBS, RELATION_ATTRIBS_REQD)
if child_dict['dir'] not in LEX_REL_DIRS:
print('unrecognized <lex_rel> dir', child_dict['dir'])
if child_dict['dir'] == 'both' and 'inv' not in child_dict:
print('<lex_rel> has dir=both but does not specify inv')
lex_rels.append(child_dict)
elif child.tag == 'con_rel':
if 0 < len(child):
print('<con_rel> has unexpected child node')
child_dict = dict(child.items())
warn_attribs('', child, RELATION_ATTRIBS, RELATION_ATTRIBS_REQD)
if child_dict['dir'] not in CON_REL_DIRS:
print('unrecognised <con_rel> dir', child_dict['dir'])
if child_dict['dir'] in ['both', 'revert'
] and 'inv' not in child_dict:
print('<con_rel> has dir={0} but does not specify inv'.
format(child_dict['dir']))
con_rels.append(child_dict)
else:
print('unrecognised child of <relations>', child)
continue
return lex_rels, con_rels
|
read_relation_file
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename):\n with open(filename, 'rb') as input_file:\n doc = etree.parse(input_file)\n lex_rels = []\n con_rels = []\n assert doc.getroot().tag == 'relations'\n for child in doc.getroot():\n if child.tag == 'lex_rel':\n if 0 < len(child):\n print('<lex_rel> has unexpected child node')\n child_dict = dict(child.items())\n warn_attribs('', child, RELATION_ATTRIBS, RELATION_ATTRIBS_REQD)\n if child_dict['dir'] not in LEX_REL_DIRS:\n print('unrecognized <lex_rel> dir', child_dict['dir'])\n if child_dict['dir'] == 'both' and 'inv' not in child_dict:\n print('<lex_rel> has dir=both but does not specify inv')\n lex_rels.append(child_dict)\n elif child.tag == 'con_rel':\n if 0 < len(child):\n print('<con_rel> has unexpected child node')\n child_dict = dict(child.items())\n warn_attribs('', child, RELATION_ATTRIBS, RELATION_ATTRIBS_REQD)\n if child_dict['dir'] not in CON_REL_DIRS:\n print('unrecognised <con_rel> dir', child_dict['dir'])\n if child_dict['dir'] in ['both', 'revert'\n ] and 'inv' not in child_dict:\n print('<con_rel> has dir={0} but does not specify inv'.\n format(child_dict['dir']))\n con_rels.append(child_dict)\n else:\n print('unrecognised child of <relations>', child)\n continue\n return lex_rels, con_rels\n",
"role": "user"
},
{
"content": "read_relation_file",
"role": "assistant"
}
] |
def x(filename):
with open(filename, 'rb') as input_file:
doc = etree.parse(input_file)
assert doc.getroot().tag == 'wiktionaryParaphrases'
paraphrases = []
for child in doc.getroot():
if child.tag == 'wiktionaryParaphrase':
paraphrase = child
warn_attribs('', paraphrase, PARAPHRASE_ATTRIBS)
if 0 < len(paraphrase):
print('unrecognised child of <wiktionaryParaphrase>', list(
paraphrase))
paraphrase_dict = dict(paraphrase.items())
if paraphrase_dict['edited'] not in MAP_YESNO_TO_BOOL:
print('<paraphrase> attribute "edited" has unexpected value',
paraphrase_dict['edited'])
else:
paraphrase_dict['edited'] = MAP_YESNO_TO_BOOL[paraphrase_dict
['edited']]
if not paraphrase_dict['wiktionarySenseId'].isdigit():
print(
'<paraphrase> attribute "wiktionarySenseId" has non-integer value'
, paraphrase_dict['edited'])
else:
paraphrase_dict['wiktionarySenseId'] = int(paraphrase_dict[
'wiktionarySenseId'], 10)
paraphrases.append(paraphrase_dict)
else:
print('unknown child of <wiktionaryParaphrases>', child)
return paraphrases
|
read_paraphrase_file
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename):\n with open(filename, 'rb') as input_file:\n doc = etree.parse(input_file)\n assert doc.getroot().tag == 'wiktionaryParaphrases'\n paraphrases = []\n for child in doc.getroot():\n if child.tag == 'wiktionaryParaphrase':\n paraphrase = child\n warn_attribs('', paraphrase, PARAPHRASE_ATTRIBS)\n if 0 < len(paraphrase):\n print('unrecognised child of <wiktionaryParaphrase>', list(\n paraphrase))\n paraphrase_dict = dict(paraphrase.items())\n if paraphrase_dict['edited'] not in MAP_YESNO_TO_BOOL:\n print('<paraphrase> attribute \"edited\" has unexpected value',\n paraphrase_dict['edited'])\n else:\n paraphrase_dict['edited'] = MAP_YESNO_TO_BOOL[paraphrase_dict\n ['edited']]\n if not paraphrase_dict['wiktionarySenseId'].isdigit():\n print(\n '<paraphrase> attribute \"wiktionarySenseId\" has non-integer value'\n , paraphrase_dict['edited'])\n else:\n paraphrase_dict['wiktionarySenseId'] = int(paraphrase_dict[\n 'wiktionarySenseId'], 10)\n paraphrases.append(paraphrase_dict)\n else:\n print('unknown child of <wiktionaryParaphrases>', child)\n return paraphrases\n",
"role": "user"
},
{
"content": "read_paraphrase_file",
"role": "assistant"
}
] |
def x(germanet_db, lex_files):
germanet_db.lexunits.drop()
germanet_db.synsets.drop()
for lex_file in lex_files:
synsets = read_lexical_file(lex_file)
for synset in synsets:
synset = dict((SYNSET_KEY_REWRITES.get(key, key), value) for
key, value in synset.items())
lexunits = synset['lexunits']
synset['lexunits'] = germanet_db.lexunits.insert(lexunits)
synset_id = germanet_db.synsets.insert(synset)
for lexunit in lexunits:
lexunit['synset'] = synset_id
lexunit['category'] = synset['category']
germanet_db.lexunits.save(lexunit)
germanet_db.synsets.create_index('id')
germanet_db.lexunits.create_index('id')
germanet_db.lexunits.create_index([('orthForm', DESCENDING)])
germanet_db.lexunits.create_index([('orthForm', DESCENDING), (
'category', DESCENDING)])
germanet_db.lexunits.create_index([('orthForm', DESCENDING), (
'category', DESCENDING), ('sense', DESCENDING)])
print('Inserted {0} synsets, {1} lexical units.'.format(germanet_db.
synsets.count(), germanet_db.lexunits.count()))
|
insert_lexical_information
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(germanet_db, lex_files):\n germanet_db.lexunits.drop()\n germanet_db.synsets.drop()\n for lex_file in lex_files:\n synsets = read_lexical_file(lex_file)\n for synset in synsets:\n synset = dict((SYNSET_KEY_REWRITES.get(key, key), value) for \n key, value in synset.items())\n lexunits = synset['lexunits']\n synset['lexunits'] = germanet_db.lexunits.insert(lexunits)\n synset_id = germanet_db.synsets.insert(synset)\n for lexunit in lexunits:\n lexunit['synset'] = synset_id\n lexunit['category'] = synset['category']\n germanet_db.lexunits.save(lexunit)\n germanet_db.synsets.create_index('id')\n germanet_db.lexunits.create_index('id')\n germanet_db.lexunits.create_index([('orthForm', DESCENDING)])\n germanet_db.lexunits.create_index([('orthForm', DESCENDING), (\n 'category', DESCENDING)])\n germanet_db.lexunits.create_index([('orthForm', DESCENDING), (\n 'category', DESCENDING), ('sense', DESCENDING)])\n print('Inserted {0} synsets, {1} lexical units.'.format(germanet_db.\n synsets.count(), germanet_db.lexunits.count()))\n",
"role": "user"
},
{
"content": "insert_lexical_information",
"role": "assistant"
}
] |
def x(germanet_db, gn_rels_file):
lex_rels, con_rels = read_relation_file(gn_rels_file)
lexunits = {}
for lex_rel in lex_rels:
if lex_rel['from'] not in lexunits:
lexunits[lex_rel['from']] = germanet_db.lexunits.find_one({'id':
lex_rel['from']})
from_lexunit = lexunits[lex_rel['from']]
if lex_rel['to'] not in lexunits:
lexunits[lex_rel['to']] = germanet_db.lexunits.find_one({'id':
lex_rel['to']})
to_lexunit = lexunits[lex_rel['to']]
if 'rels' not in from_lexunit:
from_lexunit['rels'] = set()
from_lexunit['rels'].add((lex_rel['name'], to_lexunit['_id']))
if lex_rel['dir'] == 'both':
if 'rels' not in to_lexunit:
to_lexunit['rels'] = set()
to_lexunit['rels'].add((lex_rel['inv'], from_lexunit['_id']))
for lexunit in lexunits.values():
if 'rels' in lexunit:
lexunit['rels'] = sorted(lexunit['rels'])
germanet_db.lexunits.save(lexunit)
synsets = {}
for con_rel in con_rels:
if con_rel['from'] not in synsets:
synsets[con_rel['from']] = germanet_db.synsets.find_one({'id':
con_rel['from']})
from_synset = synsets[con_rel['from']]
if con_rel['to'] not in synsets:
synsets[con_rel['to']] = germanet_db.synsets.find_one({'id':
con_rel['to']})
to_synset = synsets[con_rel['to']]
if 'rels' not in from_synset:
from_synset['rels'] = set()
from_synset['rels'].add((con_rel['name'], to_synset['_id']))
if con_rel['dir'] in ['both', 'revert']:
if 'rels' not in to_synset:
to_synset['rels'] = set()
to_synset['rels'].add((con_rel['inv'], from_synset['_id']))
for synset in synsets.values():
if 'rels' in synset:
synset['rels'] = sorted(synset['rels'])
germanet_db.synsets.save(synset)
print('Inserted {0} lexical relations, {1} synset relations.'.format(
len(lex_rels), len(con_rels)))
|
insert_relation_information
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(germanet_db, gn_rels_file):\n lex_rels, con_rels = read_relation_file(gn_rels_file)\n lexunits = {}\n for lex_rel in lex_rels:\n if lex_rel['from'] not in lexunits:\n lexunits[lex_rel['from']] = germanet_db.lexunits.find_one({'id':\n lex_rel['from']})\n from_lexunit = lexunits[lex_rel['from']]\n if lex_rel['to'] not in lexunits:\n lexunits[lex_rel['to']] = germanet_db.lexunits.find_one({'id':\n lex_rel['to']})\n to_lexunit = lexunits[lex_rel['to']]\n if 'rels' not in from_lexunit:\n from_lexunit['rels'] = set()\n from_lexunit['rels'].add((lex_rel['name'], to_lexunit['_id']))\n if lex_rel['dir'] == 'both':\n if 'rels' not in to_lexunit:\n to_lexunit['rels'] = set()\n to_lexunit['rels'].add((lex_rel['inv'], from_lexunit['_id']))\n for lexunit in lexunits.values():\n if 'rels' in lexunit:\n lexunit['rels'] = sorted(lexunit['rels'])\n germanet_db.lexunits.save(lexunit)\n synsets = {}\n for con_rel in con_rels:\n if con_rel['from'] not in synsets:\n synsets[con_rel['from']] = germanet_db.synsets.find_one({'id':\n con_rel['from']})\n from_synset = synsets[con_rel['from']]\n if con_rel['to'] not in synsets:\n synsets[con_rel['to']] = germanet_db.synsets.find_one({'id':\n con_rel['to']})\n to_synset = synsets[con_rel['to']]\n if 'rels' not in from_synset:\n from_synset['rels'] = set()\n from_synset['rels'].add((con_rel['name'], to_synset['_id']))\n if con_rel['dir'] in ['both', 'revert']:\n if 'rels' not in to_synset:\n to_synset['rels'] = set()\n to_synset['rels'].add((con_rel['inv'], from_synset['_id']))\n for synset in synsets.values():\n if 'rels' in synset:\n synset['rels'] = sorted(synset['rels'])\n germanet_db.synsets.save(synset)\n print('Inserted {0} lexical relations, {1} synset relations.'.format(\n len(lex_rels), len(con_rels)))\n",
"role": "user"
},
{
"content": "insert_relation_information",
"role": "assistant"
}
] |
def x(germanet_db, wiktionary_files):
num_paraphrases = 0
lexunits = {}
for filename in wiktionary_files:
paraphrases = read_paraphrase_file(filename)
num_paraphrases += len(paraphrases)
for paraphrase in paraphrases:
if paraphrase['lexUnitId'] not in lexunits:
lexunits[paraphrase['lexUnitId']
] = germanet_db.lexunits.find_one({'id': paraphrase[
'lexUnitId']})
lexunit = lexunits[paraphrase['lexUnitId']]
if 'paraphrases' not in lexunit:
lexunit['paraphrases'] = []
lexunit['paraphrases'].append(paraphrase)
for lexunit in lexunits.values():
germanet_db.lexunits.save(lexunit)
print('Inserted {0} wiktionary paraphrases.'.format(num_paraphrases))
|
insert_paraphrase_information
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(germanet_db, wiktionary_files):\n num_paraphrases = 0\n lexunits = {}\n for filename in wiktionary_files:\n paraphrases = read_paraphrase_file(filename)\n num_paraphrases += len(paraphrases)\n for paraphrase in paraphrases:\n if paraphrase['lexUnitId'] not in lexunits:\n lexunits[paraphrase['lexUnitId']\n ] = germanet_db.lexunits.find_one({'id': paraphrase[\n 'lexUnitId']})\n lexunit = lexunits[paraphrase['lexUnitId']]\n if 'paraphrases' not in lexunit:\n lexunit['paraphrases'] = []\n lexunit['paraphrases'].append(paraphrase)\n for lexunit in lexunits.values():\n germanet_db.lexunits.save(lexunit)\n print('Inserted {0} wiktionary paraphrases.'.format(num_paraphrases))\n",
"role": "user"
},
{
"content": "insert_paraphrase_information",
"role": "assistant"
}
] |
def x(germanet_db):
germanet_db.lemmatiser.drop()
num_lemmas = 0
input_file = gzip.open(os.path.join(os.path.dirname(__file__),
LEMMATISATION_FILE))
for line in input_file:
line = line.decode('iso-8859-1').strip().split('\t')
assert len(line) == 2
germanet_db.lemmatiser.insert(dict(list(zip(('word', 'lemma'), line))))
num_lemmas += 1
input_file.close()
germanet_db.lemmatiser.create_index('word')
print('Inserted {0} lemmatiser entries.'.format(num_lemmas))
|
insert_lemmatisation_data
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(germanet_db):\n germanet_db.lemmatiser.drop()\n num_lemmas = 0\n input_file = gzip.open(os.path.join(os.path.dirname(__file__),\n LEMMATISATION_FILE))\n for line in input_file:\n line = line.decode('iso-8859-1').strip().split('\\t')\n assert len(line) == 2\n germanet_db.lemmatiser.insert(dict(list(zip(('word', 'lemma'), line))))\n num_lemmas += 1\n input_file.close()\n germanet_db.lemmatiser.create_index('word')\n print('Inserted {0} lemmatiser entries.'.format(num_lemmas))\n",
"role": "user"
},
{
"content": "insert_lemmatisation_data",
"role": "assistant"
}
] |
def x(germanet_db):
gnet = germanet.GermaNet(germanet_db)
gn_counts = defaultdict(lambda : 1.0)
total_count = 1
input_file = gzip.open(os.path.join(os.path.dirname(__file__),
WORD_COUNT_FILE))
num_lines_read = 0
num_lines = 0
for line in input_file:
line = line.decode('utf-8').strip().split('\t')
num_lines += 1
if len(line) != 3:
continue
count, pos, word = line
num_lines_read += 1
count = int(count)
synsets = set(gnet.synsets(word, pos))
if not synsets:
continue
count = float(count) / len(synsets)
for synset in synsets:
total_count += count
paths = synset.hypernym_paths
scount = float(count) / len(paths)
for path in paths:
for ss in path:
gn_counts[ss._id] += scount
print('Read {0} of {1} lines from count file.'.format(num_lines_read,
num_lines))
print('Recorded counts for {0} synsets.'.format(len(gn_counts)))
print('Total count is {0}'.format(total_count))
input_file.close()
num_updates = 0
for synset in germanet_db.synsets.find():
synset['infocont'] = gn_counts[synset['_id']] / total_count
germanet_db.synsets.save(synset)
num_updates += 1
print('Updated {0} synsets.'.format(num_updates))
|
insert_infocontent_data
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(germanet_db):\n gnet = germanet.GermaNet(germanet_db)\n gn_counts = defaultdict(lambda : 1.0)\n total_count = 1\n input_file = gzip.open(os.path.join(os.path.dirname(__file__),\n WORD_COUNT_FILE))\n num_lines_read = 0\n num_lines = 0\n for line in input_file:\n line = line.decode('utf-8').strip().split('\\t')\n num_lines += 1\n if len(line) != 3:\n continue\n count, pos, word = line\n num_lines_read += 1\n count = int(count)\n synsets = set(gnet.synsets(word, pos))\n if not synsets:\n continue\n count = float(count) / len(synsets)\n for synset in synsets:\n total_count += count\n paths = synset.hypernym_paths\n scount = float(count) / len(paths)\n for path in paths:\n for ss in path:\n gn_counts[ss._id] += scount\n print('Read {0} of {1} lines from count file.'.format(num_lines_read,\n num_lines))\n print('Recorded counts for {0} synsets.'.format(len(gn_counts)))\n print('Total count is {0}'.format(total_count))\n input_file.close()\n num_updates = 0\n for synset in germanet_db.synsets.find():\n synset['infocont'] = gn_counts[synset['_id']] / total_count\n germanet_db.synsets.save(synset)\n num_updates += 1\n print('Updated {0} synsets.'.format(num_updates))\n",
"role": "user"
},
{
"content": "insert_infocontent_data",
"role": "assistant"
}
] |
def x(germanet_db):
gnet = germanet.GermaNet(germanet_db)
max_min_depths = defaultdict(lambda : -1)
for synset in gnet.all_synsets():
min_depth = synset.min_depth
if max_min_depths[synset.category] < min_depth:
max_min_depths[synset.category] = min_depth
if germanet_db.metainfo.count() == 0:
germanet_db.metainfo.insert({})
metainfo = germanet_db.metainfo.find_one()
metainfo['max_min_depths'] = max_min_depths
germanet_db.metainfo.save(metainfo)
print('Computed maximum min_depth for all parts of speech:')
print(u', '.join(u'{0}: {1}'.format(k, v) for k, v in sorted(
max_min_depths.items())).encode('utf-8'))
|
compute_max_min_depth
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(germanet_db):\n gnet = germanet.GermaNet(germanet_db)\n max_min_depths = defaultdict(lambda : -1)\n for synset in gnet.all_synsets():\n min_depth = synset.min_depth\n if max_min_depths[synset.category] < min_depth:\n max_min_depths[synset.category] = min_depth\n if germanet_db.metainfo.count() == 0:\n germanet_db.metainfo.insert({})\n metainfo = germanet_db.metainfo.find_one()\n metainfo['max_min_depths'] = max_min_depths\n germanet_db.metainfo.save(metainfo)\n print('Computed maximum min_depth for all parts of speech:')\n print(u', '.join(u'{0}: {1}'.format(k, v) for k, v in sorted(\n max_min_depths.items())).encode('utf-8'))\n",
"role": "user"
},
{
"content": "compute_max_min_depth",
"role": "assistant"
}
] |
def x():
usage = """
%prog [options] XML_PATH
Arguments:
XML_PATH the directory containing the GermaNet .xml files"""
parser = optparse.OptionParser(usage=usage)
parser.add_option('--host', default=None, help=
'hostname or IP address of the MongoDB instance where the GermaNet database will be inserted (default: %default)'
)
parser.add_option('--port', type='int', default=None, help=
'port number of the MongoDB instance where the GermaNet database will be inserted (default: %default)'
)
parser.add_option('--database', dest='database_name', default=
'germanet', help=
'the name of the database on the MongoDB instance where GermaNet will be stored (default: %default)'
)
options, args = parser.parse_args()
if len(args) != 1:
parser.error('incorrect number of arguments')
sys.exit(1)
xml_path = args[0]
client = MongoClient(options.host, options.port)
germanet_db = client[options.database_name]
lex_files, gn_rels_file, wiktionary_files, ili_files = (
find_germanet_xml_files(xml_path))
insert_lexical_information(germanet_db, lex_files)
insert_relation_information(germanet_db, gn_rels_file)
insert_paraphrase_information(germanet_db, wiktionary_files)
insert_lemmatisation_data(germanet_db)
insert_infocontent_data(germanet_db)
compute_max_min_depth(germanet_db)
client.close()
|
main
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n usage = \"\"\"\n\n %prog [options] XML_PATH\n\nArguments:\n\n XML_PATH the directory containing the GermaNet .xml files\"\"\"\n parser = optparse.OptionParser(usage=usage)\n parser.add_option('--host', default=None, help=\n 'hostname or IP address of the MongoDB instance where the GermaNet database will be inserted (default: %default)'\n )\n parser.add_option('--port', type='int', default=None, help=\n 'port number of the MongoDB instance where the GermaNet database will be inserted (default: %default)'\n )\n parser.add_option('--database', dest='database_name', default=\n 'germanet', help=\n 'the name of the database on the MongoDB instance where GermaNet will be stored (default: %default)'\n )\n options, args = parser.parse_args()\n if len(args) != 1:\n parser.error('incorrect number of arguments')\n sys.exit(1)\n xml_path = args[0]\n client = MongoClient(options.host, options.port)\n germanet_db = client[options.database_name]\n lex_files, gn_rels_file, wiktionary_files, ili_files = (\n find_germanet_xml_files(xml_path))\n insert_lexical_information(germanet_db, lex_files)\n insert_relation_information(germanet_db, gn_rels_file)\n insert_paraphrase_information(germanet_db, wiktionary_files)\n insert_lemmatisation_data(germanet_db)\n insert_infocontent_data(germanet_db)\n compute_max_min_depth(germanet_db)\n client.close()\n",
"role": "user"
},
{
"content": "main",
"role": "assistant"
}
] |
def x(self, node):
try:
elts = node.elts
except AttributeError:
raise ParseError('Invalid value type for `in` operator: {0}'.format
(node.__class__.__name__), col_offset=node.col_offset)
return {'$in': list(map(self.field.handle, elts))}
|
handle_In
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, node):\n try:\n elts = node.elts\n except AttributeError:\n raise ParseError('Invalid value type for `in` operator: {0}'.format\n (node.__class__.__name__), col_offset=node.col_offset)\n return {'$in': list(map(self.field.handle, elts))}\n",
"role": "user"
},
{
"content": "handle_In",
"role": "assistant"
}
] |
def x(self, value):
self.value = value
[option.OnAssignVar() for option in self.options]
|
AssignVar
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value):\n self.value = value\n [option.OnAssignVar() for option in self.options]\n",
"role": "user"
},
{
"content": "AssignVar",
"role": "assistant"
}
] |
def x(self, value):
value_line = value.split(' ')
if len(value_line) < 3:
raise TextFSMTemplateError('Expect at least 3 tokens on line.')
if not value_line[2].startswith('('):
options = value_line[1]
for option in options.split(','):
self._AddOption(option)
[option.OnCreateOptions() for option in self.options]
self.name = value_line[2]
self.regex = ' '.join(value_line[3:])
else:
self.name = value_line[1]
self.regex = ' '.join(value_line[2:])
if len(self.name) > self.max_name_len:
raise TextFSMTemplateError(
"Invalid Value name '%s' or name too long." % self.name)
if not re.match('^\\(.*\\)$', self.regex) or self.regex.count('('
) != self.regex.count(')'):
raise TextFSMTemplateError(
"Value '%s' must be contained within a '()' pair." % self.regex)
self.template = re.sub('^\\(', '(?P<%s>' % self.name, self.regex)
|
Parse
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value):\n value_line = value.split(' ')\n if len(value_line) < 3:\n raise TextFSMTemplateError('Expect at least 3 tokens on line.')\n if not value_line[2].startswith('('):\n options = value_line[1]\n for option in options.split(','):\n self._AddOption(option)\n [option.OnCreateOptions() for option in self.options]\n self.name = value_line[2]\n self.regex = ' '.join(value_line[3:])\n else:\n self.name = value_line[1]\n self.regex = ' '.join(value_line[2:])\n if len(self.name) > self.max_name_len:\n raise TextFSMTemplateError(\n \"Invalid Value name '%s' or name too long.\" % self.name)\n if not re.match('^\\\\(.*\\\\)$', self.regex) or self.regex.count('('\n ) != self.regex.count(')'):\n raise TextFSMTemplateError(\n \"Value '%s' must be contained within a '()' pair.\" % self.regex)\n self.template = re.sub('^\\\\(', '(?P<%s>' % self.name, self.regex)\n",
"role": "user"
},
{
"content": "Parse",
"role": "assistant"
}
] |
def x(self, line):
for rule in self._cur_state:
matched = self._CheckRule(rule, line)
if matched:
for value in matched.groupdict():
self._AssignVar(matched, value)
if self._Operations(rule):
if rule.new_state:
if rule.new_state not in ('End', 'EOF'):
self._cur_state = self.states[rule.new_state]
self._cur_state_name = rule.new_state
break
|
CheckLine
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, line):\n for rule in self._cur_state:\n matched = self._CheckRule(rule, line)\n if matched:\n for value in matched.groupdict():\n self._AssignVar(matched, value)\n if self._Operations(rule):\n if rule.new_state:\n if rule.new_state not in ('End', 'EOF'):\n self._cur_state = self.states[rule.new_state]\n self._cur_state_name = rule.new_state\n break\n",
"role": "user"
},
{
"content": "CheckLine",
"role": "assistant"
}
] |
def x(influxdb_data):
_data = {}
for key in influxdb_data.keys():
_data[key[0]] = [(datetime.datetime.fromtimestamp(float(d['time'])),
d['value']) for d in influxdb_data.get_points(key[0])]
return _data
|
make_graphite_api_points_list
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(influxdb_data):\n _data = {}\n for key in influxdb_data.keys():\n _data[key[0]] = [(datetime.datetime.fromtimestamp(float(d['time'])),\n d['value']) for d in influxdb_data.get_points(key[0])]\n return _data\n",
"role": "user"
},
{
"content": "make_graphite_api_points_list",
"role": "assistant"
}
] |
def x(self, level, log_file):
if logger.handlers:
return
level = getattr(logging, level.upper())
logger.setLevel(level)
formatter = logging.Formatter(
'[%(levelname)s] %(asctime)s - %(module)s.%(funcName)s() - %(message)s'
)
handler = logging.StreamHandler()
logger.addHandler(handler)
handler.setFormatter(formatter)
if not log_file:
return
try:
handler = TimedRotatingFileHandler(log_file)
except IOError:
logger.error('Could not write to %s, falling back to stdout', log_file)
else:
logger.addHandler(handler)
handler.setFormatter(formatter)
|
setup_logger
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, level, log_file):\n if logger.handlers:\n return\n level = getattr(logging, level.upper())\n logger.setLevel(level)\n formatter = logging.Formatter(\n '[%(levelname)s] %(asctime)s - %(module)s.%(funcName)s() - %(message)s'\n )\n handler = logging.StreamHandler()\n logger.addHandler(handler)\n handler.setFormatter(formatter)\n if not log_file:\n return\n try:\n handler = TimedRotatingFileHandler(log_file)\n except IOError:\n logger.error('Could not write to %s, falling back to stdout', log_file)\n else:\n logger.addHandler(handler)\n handler.setFormatter(formatter)\n",
"role": "user"
},
{
"content": "setup_logger",
"role": "assistant"
}
] |
def x(self, fmt, query):
return re.compile(fmt.format(query.pattern.replace('.', '\\.').replace(
'*', '[^\\.]*').replace('{', '(').replace(',', '|').replace('}', ')')))
|
compile_regex
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, fmt, query):\n return re.compile(fmt.format(query.pattern.replace('.', '\\\\.').replace(\n '*', '[^\\\\.]*').replace('{', '(').replace(',', '|').replace('}', ')')))\n",
"role": "user"
},
{
"content": "compile_regex",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.