source_code
stringlengths 45
7.24k
| function_name
stringlengths 1
111
| messages
list |
|---|---|---|
def x(lc):
filters = []
response = lc.session.get('/browse/getSavedFiltersAj.action')
json_response = response.json()
if lc.session.json_success(json_response):
for saved in json_response['filters']:
filters.append(SavedFilter(lc, saved['id']))
return filters
|
all_filters
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(lc):\n filters = []\n response = lc.session.get('/browse/getSavedFiltersAj.action')\n json_response = response.json()\n if lc.session.json_success(json_response):\n for saved in json_response['filters']:\n filters.append(SavedFilter(lc, saved['id']))\n return filters\n",
"role": "user"
},
{
"content": "all_filters",
"role": "assistant"
}
] |
def x(self):
payload = {'id': self.id}
response = self.lc.session.get('/browse/getSavedFilterAj.action', query
=payload)
self.response = response
json_response = response.json()
if self.lc.session.json_success(json_response) and json_response[
'filterName'] != 'No filters':
self.name = json_response['filterName']
text = response.text
text = re.sub('\n', '', text)
text = re.sub('^.*?,\\s*["\']filter["\']:\\s*\\[(.*)', '[\\1', text)
blockTracker = []
blockChars = {'[': ']', '{': '}'}
inQuote = False
lastChar = None
json_text = ''
for char in text:
json_text += char
if char == '\\':
if lastChar == '\\':
lastChar = ''
else:
lastChar = char
continue
if char == "'" or char == '"':
if inQuote is False:
inQuote = char
elif inQuote == char:
inQuote = False
lastChar = char
continue
if char in blockChars.keys():
blockTracker.insert(0, blockChars[char])
elif len(blockTracker) > 0 and char == blockTracker[0]:
blockTracker.pop(0)
if len(blockTracker) == 0 and lastChar is not None:
break
lastChar = char
try:
if json_text.strip() == '':
raise SavedFilterError(
'A saved filter could not be found for ID {0}'.format(
self.id), response)
json_test = json.loads(json_text)
assert type(json_test
) is list, 'Expecting a list, instead received a {0}'.format(
type(json_test))
assert 'm_id' in json_test[0
], "Expecting a 'm_id' property in each filter"
assert 'm_value' in json_test[0
], "Expecting a 'm_value' property in each filter"
self.json = json_test
except Exception as e:
raise SavedFilterError(
'Could not parse filter from the JSON response: {0}'.format
(str(e)))
self.json_text = json_text
self.__analyze()
else:
raise SavedFilterError('A saved filter could not be found for ID {0}'
.format(self.id), response)
|
load
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n payload = {'id': self.id}\n response = self.lc.session.get('/browse/getSavedFilterAj.action', query\n =payload)\n self.response = response\n json_response = response.json()\n if self.lc.session.json_success(json_response) and json_response[\n 'filterName'] != 'No filters':\n self.name = json_response['filterName']\n text = response.text\n text = re.sub('\\n', '', text)\n text = re.sub('^.*?,\\\\s*[\"\\']filter[\"\\']:\\\\s*\\\\[(.*)', '[\\\\1', text)\n blockTracker = []\n blockChars = {'[': ']', '{': '}'}\n inQuote = False\n lastChar = None\n json_text = ''\n for char in text:\n json_text += char\n if char == '\\\\':\n if lastChar == '\\\\':\n lastChar = ''\n else:\n lastChar = char\n continue\n if char == \"'\" or char == '\"':\n if inQuote is False:\n inQuote = char\n elif inQuote == char:\n inQuote = False\n lastChar = char\n continue\n if char in blockChars.keys():\n blockTracker.insert(0, blockChars[char])\n elif len(blockTracker) > 0 and char == blockTracker[0]:\n blockTracker.pop(0)\n if len(blockTracker) == 0 and lastChar is not None:\n break\n lastChar = char\n try:\n if json_text.strip() == '':\n raise SavedFilterError(\n 'A saved filter could not be found for ID {0}'.format(\n self.id), response)\n json_test = json.loads(json_text)\n assert type(json_test\n ) is list, 'Expecting a list, instead received a {0}'.format(\n type(json_test))\n assert 'm_id' in json_test[0\n ], \"Expecting a 'm_id' property in each filter\"\n assert 'm_value' in json_test[0\n ], \"Expecting a 'm_value' property in each filter\"\n self.json = json_test\n except Exception as e:\n raise SavedFilterError(\n 'Could not parse filter from the JSON response: {0}'.format\n (str(e)))\n self.json_text = json_text\n self.__analyze()\n else:\n raise SavedFilterError('A saved filter could not be found for ID {0}'\n .format(self.id), response)\n",
"role": "user"
},
{
"content": "load",
"role": "assistant"
}
] |
def x(self):
filter_values = {}
name_map = {(10): 'grades', (11): 'loan_purpose', (13): 'approved', (15
): 'funding_progress', (38): 'exclude_existing', (39): 'term', (43):
'keyword'}
if self.json is not None:
filters = self.json
for f in filters:
if 'm_id' in f:
name = f['m_id']
if f['m_id'] in name_map:
name = name_map[f['m_id']]
if 'm_value' in f:
raw_values = f['m_value']
value = {}
if raw_values is None:
continue
if type(raw_values) is list:
if len(raw_values) == 1 and type(raw_values[0]['value']
) not in [str, unicode]:
value = raw_values[0]['value']
for val in raw_values:
if type(val['value']) in [str, unicode]:
value[val['value']] = True
else:
value = raw_values
if name == 'grades':
if 'All' not in value:
value['All'] = False
filter_values[name] = value
dict.__setitem__(self, name, value)
return filter_values
|
analyze
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n filter_values = {}\n name_map = {(10): 'grades', (11): 'loan_purpose', (13): 'approved', (15\n ): 'funding_progress', (38): 'exclude_existing', (39): 'term', (43):\n 'keyword'}\n if self.json is not None:\n filters = self.json\n for f in filters:\n if 'm_id' in f:\n name = f['m_id']\n if f['m_id'] in name_map:\n name = name_map[f['m_id']]\n if 'm_value' in f:\n raw_values = f['m_value']\n value = {}\n if raw_values is None:\n continue\n if type(raw_values) is list:\n if len(raw_values) == 1 and type(raw_values[0]['value']\n ) not in [str, unicode]:\n value = raw_values[0]['value']\n for val in raw_values:\n if type(val['value']) in [str, unicode]:\n value[val['value']] = True\n else:\n value = raw_values\n if name == 'grades':\n if 'All' not in value:\n value['All'] = False\n filter_values[name] = value\n dict.__setitem__(self, name, value)\n return filter_values\n",
"role": "user"
},
{
"content": "analyze",
"role": "assistant"
}
] |
def x(out, origin):
if out is None:
out = origin / 1
elif out is not origin:
np.copyto(out, origin)
return out
|
float_copy_to_out
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(out, origin):\n if out is None:\n out = origin / 1\n elif out is not origin:\n np.copyto(out, origin)\n return out\n",
"role": "user"
},
{
"content": "float_copy_to_out",
"role": "assistant"
}
] |
def x(a, out=None):
out = _float_copy_to_out(out, a)
dim = np.size(a, 0)
mu = np.sum(a) / (dim * dim)
sum_cols = np.sum(a, 0, keepdims=True)
sum_rows = np.sum(a, 1, keepdims=True)
mu_cols = sum_cols / dim
mu_rows = sum_rows / dim
out -= mu_rows
out -= mu_cols
out += mu
return out
|
double_centered_imp
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(a, out=None):\n out = _float_copy_to_out(out, a)\n dim = np.size(a, 0)\n mu = np.sum(a) / (dim * dim)\n sum_cols = np.sum(a, 0, keepdims=True)\n sum_rows = np.sum(a, 1, keepdims=True)\n mu_cols = sum_cols / dim\n mu_rows = sum_rows / dim\n out -= mu_rows\n out -= mu_cols\n out += mu\n return out\n",
"role": "user"
},
{
"content": "double_centered_imp",
"role": "assistant"
}
] |
def x(a, out=None):
out = _float_copy_to_out(out, a)
dim = np.size(a, 0)
u_mu = np.sum(a) / ((dim - 1) * (dim - 2))
sum_cols = np.sum(a, 0, keepdims=True)
sum_rows = np.sum(a, 1, keepdims=True)
u_mu_cols = np.ones((dim, 1)).dot(sum_cols / (dim - 2))
u_mu_rows = (sum_rows / (dim - 2)).dot(np.ones((1, dim)))
out -= u_mu_rows
out -= u_mu_cols
out += u_mu
out[np.eye(dim, dtype=bool)] = 0
return out
|
u_centered_imp
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(a, out=None):\n out = _float_copy_to_out(out, a)\n dim = np.size(a, 0)\n u_mu = np.sum(a) / ((dim - 1) * (dim - 2))\n sum_cols = np.sum(a, 0, keepdims=True)\n sum_rows = np.sum(a, 1, keepdims=True)\n u_mu_cols = np.ones((dim, 1)).dot(sum_cols / (dim - 2))\n u_mu_rows = (sum_rows / (dim - 2)).dot(np.ones((1, dim)))\n out -= u_mu_rows\n out -= u_mu_cols\n out += u_mu\n out[np.eye(dim, dtype=bool)] = 0\n return out\n",
"role": "user"
},
{
"content": "u_centered_imp",
"role": "assistant"
}
] |
def x(a, b):
n = np.size(a, 0)
return np.sum(a * b) / (n * (n - 3))
|
u_product
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(a, b):\n n = np.size(a, 0)\n return np.sum(a * b) / (n * (n - 3))\n",
"role": "user"
},
{
"content": "u_product",
"role": "assistant"
}
] |
def x(a):
c = a
denominator = u_product(c, c)
docstring = """
Orthogonal projection over a :math:`U`-centered distance matrix.
This function was returned by :code:`u_projection`. The complete
usage information is in the documentation of :code:`u_projection`.
See Also
--------
u_projection
"""
if denominator == 0:
def x(a):
return np.zeros_like(c)
else:
def x(a):
return u_product(a, c) / denominator * c
projection.__doc__ = docstring
return projection
|
u_projection
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(a):\n c = a\n denominator = u_product(c, c)\n docstring = \"\"\"\n Orthogonal projection over a :math:`U`-centered distance matrix.\n\n This function was returned by :code:`u_projection`. The complete\n usage information is in the documentation of :code:`u_projection`.\n\n See Also\n --------\n u_projection\n \"\"\"\n if denominator == 0:\n\n def x(a):\n return np.zeros_like(c)\n else:\n\n def x(a):\n return u_product(a, c) / denominator * c\n projection.__doc__ = docstring\n return projection\n",
"role": "user"
},
{
"content": "u_projection",
"role": "assistant"
}
] |
def x(a):
proj = u_projection(a)
def x(a):
return a - proj(a)
return projection
|
u_complementary_projection
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(a):\n proj = u_projection(a)\n\n def x(a):\n return a - proj(a)\n return projection\n",
"role": "user"
},
{
"content": "u_complementary_projection",
"role": "assistant"
}
] |
def x(x, centering, exponent=1):
_check_valid_dcov_exponent(exponent)
x = _transform_to_2d(x)
a = distances.pairwise_distances(x, exponent=exponent)
a = centering(a, out=a)
return a
|
distance_matrix_generic
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(x, centering, exponent=1):\n _check_valid_dcov_exponent(exponent)\n x = _transform_to_2d(x)\n a = distances.pairwise_distances(x, exponent=exponent)\n a = centering(a, out=a)\n return a\n",
"role": "user"
},
{
"content": "distance_matrix_generic",
"role": "assistant"
}
] |
def x(x):
x = _transform_to_2d(x)
cov_matrix = np.atleast_2d(np.cov(x, rowvar=False))
cov_matrix_power = _mat_sqrt_inv(cov_matrix)
return x.dot(cov_matrix_power)
|
af_inv_scaled
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(x):\n x = _transform_to_2d(x)\n cov_matrix = np.atleast_2d(np.cov(x, rowvar=False))\n cov_matrix_power = _mat_sqrt_inv(cov_matrix)\n return x.dot(cov_matrix_power)\n",
"role": "user"
},
{
"content": "af_inv_scaled",
"role": "assistant"
}
] |
def x(x, y, z):
a = _u_distance_matrix(x)
b = _u_distance_matrix(y)
c = _u_distance_matrix(z)
proj = u_complementary_projection(c)
return u_product(proj(a), proj(b))
|
partial_distance_covariance
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(x, y, z):\n a = _u_distance_matrix(x)\n b = _u_distance_matrix(y)\n c = _u_distance_matrix(z)\n proj = u_complementary_projection(c)\n return u_product(proj(a), proj(b))\n",
"role": "user"
},
{
"content": "partial_distance_covariance",
"role": "assistant"
}
] |
def x(x, y, z):
a = _u_distance_matrix(x)
b = _u_distance_matrix(y)
c = _u_distance_matrix(z)
aa = u_product(a, a)
bb = u_product(b, b)
cc = u_product(c, c)
ab = u_product(a, b)
ac = u_product(a, c)
bc = u_product(b, c)
denom_sqr = aa * bb
r_xy = ab / _sqrt(denom_sqr) if denom_sqr != 0 else denom_sqr
r_xy = np.clip(r_xy, -1, 1)
denom_sqr = aa * cc
r_xz = ac / _sqrt(denom_sqr) if denom_sqr != 0 else denom_sqr
r_xz = np.clip(r_xz, -1, 1)
denom_sqr = bb * cc
r_yz = bc / _sqrt(denom_sqr) if denom_sqr != 0 else denom_sqr
r_yz = np.clip(r_yz, -1, 1)
denom = _sqrt(1 - r_xz ** 2) * _sqrt(1 - r_yz ** 2)
return (r_xy - r_xz * r_yz) / denom if denom != 0 else denom
|
partial_distance_correlation
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(x, y, z):\n a = _u_distance_matrix(x)\n b = _u_distance_matrix(y)\n c = _u_distance_matrix(z)\n aa = u_product(a, a)\n bb = u_product(b, b)\n cc = u_product(c, c)\n ab = u_product(a, b)\n ac = u_product(a, c)\n bc = u_product(b, c)\n denom_sqr = aa * bb\n r_xy = ab / _sqrt(denom_sqr) if denom_sqr != 0 else denom_sqr\n r_xy = np.clip(r_xy, -1, 1)\n denom_sqr = aa * cc\n r_xz = ac / _sqrt(denom_sqr) if denom_sqr != 0 else denom_sqr\n r_xz = np.clip(r_xz, -1, 1)\n denom_sqr = bb * cc\n r_yz = bc / _sqrt(denom_sqr) if denom_sqr != 0 else denom_sqr\n r_yz = np.clip(r_yz, -1, 1)\n denom = _sqrt(1 - r_xz ** 2) * _sqrt(1 - r_yz ** 2)\n return (r_xy - r_xz * r_yz) / denom if denom != 0 else denom\n",
"role": "user"
},
{
"content": "partial_distance_correlation",
"role": "assistant"
}
] |
def x(distance_xx, distance_yy, distance_xy):
return 2 * np.mean(distance_xy) - np.mean(distance_xx) - np.mean(
distance_yy)
|
energy_distance_from_distance_matrices
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(distance_xx, distance_yy, distance_xy):\n return 2 * np.mean(distance_xy) - np.mean(distance_xx) - np.mean(\n distance_yy)\n",
"role": "user"
},
{
"content": "energy_distance_from_distance_matrices",
"role": "assistant"
}
] |
def x(x, y, exponent=1):
x = _transform_to_2d(x)
y = _transform_to_2d(y)
_check_valid_energy_exponent(exponent)
distance_xx = distances.pairwise_distances(x, exponent=exponent)
distance_yy = distances.pairwise_distances(y, exponent=exponent)
distance_xy = distances.pairwise_distances(x, y, exponent=exponent)
return _energy_distance_from_distance_matrices(distance_xx=distance_xx,
distance_yy=distance_yy, distance_xy=distance_xy)
|
energy_distance_imp
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(x, y, exponent=1):\n x = _transform_to_2d(x)\n y = _transform_to_2d(y)\n _check_valid_energy_exponent(exponent)\n distance_xx = distances.pairwise_distances(x, exponent=exponent)\n distance_yy = distances.pairwise_distances(y, exponent=exponent)\n distance_xy = distances.pairwise_distances(x, y, exponent=exponent)\n return _energy_distance_from_distance_matrices(distance_xx=distance_xx,\n distance_yy=distance_yy, distance_xy=distance_xy)\n",
"role": "user"
},
{
"content": "energy_distance_imp",
"role": "assistant"
}
] |
def x(x, y, exponent=1):
a = _distance_matrix(x, exponent=exponent)
b = _distance_matrix(y, exponent=exponent)
return mean_product(a, b)
|
distance_covariance_sqr_naive
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(x, y, exponent=1):\n a = _distance_matrix(x, exponent=exponent)\n b = _distance_matrix(y, exponent=exponent)\n return mean_product(a, b)\n",
"role": "user"
},
{
"content": "distance_covariance_sqr_naive",
"role": "assistant"
}
] |
def x(x, y, exponent=1):
a = _u_distance_matrix(x, exponent=exponent)
b = _u_distance_matrix(y, exponent=exponent)
return u_product(a, b)
|
u_distance_covariance_sqr_naive
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(x, y, exponent=1):\n a = _u_distance_matrix(x, exponent=exponent)\n b = _u_distance_matrix(y, exponent=exponent)\n return u_product(a, b)\n",
"role": "user"
},
{
"content": "u_distance_covariance_sqr_naive",
"role": "assistant"
}
] |
def x(x, y, matrix_centered, product, exponent=1):
a = matrix_centered(x, exponent=exponent)
b = matrix_centered(y, exponent=exponent)
covariance_xy_sqr = product(a, b)
variance_x_sqr = product(a, a)
variance_y_sqr = product(b, b)
denominator_sqr = np.absolute(variance_x_sqr * variance_y_sqr)
denominator = _sqrt(denominator_sqr)
if denominator == 0.0:
correlation_xy_sqr = 0.0
else:
correlation_xy_sqr = covariance_xy_sqr / denominator
return Stats(covariance_xy=covariance_xy_sqr, correlation_xy=
correlation_xy_sqr, variance_x=variance_x_sqr, variance_y=
variance_y_sqr)
|
distance_sqr_stats_naive_generic
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(x, y, matrix_centered, product, exponent=1):\n a = matrix_centered(x, exponent=exponent)\n b = matrix_centered(y, exponent=exponent)\n covariance_xy_sqr = product(a, b)\n variance_x_sqr = product(a, a)\n variance_y_sqr = product(b, b)\n denominator_sqr = np.absolute(variance_x_sqr * variance_y_sqr)\n denominator = _sqrt(denominator_sqr)\n if denominator == 0.0:\n correlation_xy_sqr = 0.0\n else:\n correlation_xy_sqr = covariance_xy_sqr / denominator\n return Stats(covariance_xy=covariance_xy_sqr, correlation_xy=\n correlation_xy_sqr, variance_x=variance_x_sqr, variance_y=\n variance_y_sqr)\n",
"role": "user"
},
{
"content": "distance_sqr_stats_naive_generic",
"role": "assistant"
}
] |
def x(x, y, exponent=1):
return _distance_sqr_stats_naive_generic(x, y, matrix_centered=
_distance_matrix, product=mean_product, exponent=exponent
).correlation_xy
|
distance_correlation_sqr_naive
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(x, y, exponent=1):\n return _distance_sqr_stats_naive_generic(x, y, matrix_centered=\n _distance_matrix, product=mean_product, exponent=exponent\n ).correlation_xy\n",
"role": "user"
},
{
"content": "distance_correlation_sqr_naive",
"role": "assistant"
}
] |
def x(x, y, exponent=1):
return _distance_sqr_stats_naive_generic(x, y, matrix_centered=
_u_distance_matrix, product=u_product, exponent=exponent
).correlation_xy
|
u_distance_correlation_sqr_naive
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(x, y, exponent=1):\n return _distance_sqr_stats_naive_generic(x, y, matrix_centered=\n _u_distance_matrix, product=u_product, exponent=exponent\n ).correlation_xy\n",
"role": "user"
},
{
"content": "u_distance_correlation_sqr_naive",
"role": "assistant"
}
] |
def x(x, y, exponent=1):
return _is_random_variable(x) and _is_random_variable(y) and x.shape[0
] > 3 and y.shape[0] > 3 and exponent == 1
|
can_use_fast_algorithm
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(x, y, exponent=1):\n return _is_random_variable(x) and _is_random_variable(y) and x.shape[0\n ] > 3 and y.shape[0] > 3 and exponent == 1\n",
"role": "user"
},
{
"content": "can_use_fast_algorithm",
"role": "assistant"
}
] |
def x(y, c):
n = y.shape[0]
gamma = np.zeros(n, dtype=c.dtype)
l_max = int(math.ceil(np.log2(n)))
s_len = 2 ** (l_max + 1)
s = np.zeros(s_len, dtype=c.dtype)
pos_sums = np.arange(l_max)
pos_sums[:] = 2 ** (l_max - pos_sums)
pos_sums = np.cumsum(pos_sums)
for i in range(1, n):
for l in range(l_max):
k = int(math.ceil(y[i - 1] / 2 ** l))
pos = k - 1
if l > 0:
pos += pos_sums[l - 1]
s[pos] += c[i - 1]
for l in range(l_max):
k = int(math.floor((y[i] - 1) / 2 ** l))
if k / 2 > math.floor(k / 2):
pos = k - 1
if l > 0:
pos += pos_sums[l - 1]
gamma[i] = gamma[i] + s[pos]
return gamma
|
dyad_update
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(y, c):\n n = y.shape[0]\n gamma = np.zeros(n, dtype=c.dtype)\n l_max = int(math.ceil(np.log2(n)))\n s_len = 2 ** (l_max + 1)\n s = np.zeros(s_len, dtype=c.dtype)\n pos_sums = np.arange(l_max)\n pos_sums[:] = 2 ** (l_max - pos_sums)\n pos_sums = np.cumsum(pos_sums)\n for i in range(1, n):\n for l in range(l_max):\n k = int(math.ceil(y[i - 1] / 2 ** l))\n pos = k - 1\n if l > 0:\n pos += pos_sums[l - 1]\n s[pos] += c[i - 1]\n for l in range(l_max):\n k = int(math.floor((y[i] - 1) / 2 ** l))\n if k / 2 > math.floor(k / 2):\n pos = k - 1\n if l > 0:\n pos += pos_sums[l - 1]\n gamma[i] = gamma[i] + s[pos]\n return gamma\n",
"role": "user"
},
{
"content": "dyad_update",
"role": "assistant"
}
] |
def x(x, y, unbiased=False):
x = np.asarray(x)
y = np.asarray(y)
x = np.ravel(x)
y = np.ravel(y)
n = x.shape[0]
assert n > 3
assert n == y.shape[0]
temp = range(n)
ix0 = np.argsort(x)
vx = x[ix0]
ix = np.zeros(n, dtype=int)
ix[ix0] = temp
iy0 = np.argsort(y)
vy = y[iy0]
iy = np.zeros(n, dtype=int)
iy[iy0] = temp
sx = np.cumsum(vx)
sy = np.cumsum(vy)
alpha_x = ix
alpha_y = iy
beta_x = sx[ix] - vx[ix]
beta_y = sy[iy] - vy[iy]
x_dot = np.sum(x)
y_dot = np.sum(y)
a_i_dot = x_dot + (2 * alpha_x - n) * x - 2 * beta_x
b_i_dot = y_dot + (2 * alpha_y - n) * y - 2 * beta_y
sum_ab = np.sum(a_i_dot * b_i_dot)
a_dot_dot = 2 * np.sum(alpha_x * x) - 2 * np.sum(beta_x)
b_dot_dot = 2 * np.sum(alpha_y * y) - 2 * np.sum(beta_y)
gamma_1 = _partial_sum_2d(x, y, np.ones(n, dtype=x.dtype))
gamma_x = _partial_sum_2d(x, y, x)
gamma_y = _partial_sum_2d(x, y, y)
gamma_xy = _partial_sum_2d(x, y, x * y)
aijbij = np.sum(x * y * gamma_1 + gamma_xy - x * gamma_y - y * gamma_x)
if unbiased:
d3 = n - 3
d2 = n - 2
d1 = n - 1
else:
d3 = d2 = d1 = n
d_cov = (aijbij / n / d3 - 2 * sum_ab / n / d2 / d3 + a_dot_dot / n *
b_dot_dot / d1 / d2 / d3)
return d_cov
|
distance_covariance_sqr_fast_generic
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(x, y, unbiased=False):\n x = np.asarray(x)\n y = np.asarray(y)\n x = np.ravel(x)\n y = np.ravel(y)\n n = x.shape[0]\n assert n > 3\n assert n == y.shape[0]\n temp = range(n)\n ix0 = np.argsort(x)\n vx = x[ix0]\n ix = np.zeros(n, dtype=int)\n ix[ix0] = temp\n iy0 = np.argsort(y)\n vy = y[iy0]\n iy = np.zeros(n, dtype=int)\n iy[iy0] = temp\n sx = np.cumsum(vx)\n sy = np.cumsum(vy)\n alpha_x = ix\n alpha_y = iy\n beta_x = sx[ix] - vx[ix]\n beta_y = sy[iy] - vy[iy]\n x_dot = np.sum(x)\n y_dot = np.sum(y)\n a_i_dot = x_dot + (2 * alpha_x - n) * x - 2 * beta_x\n b_i_dot = y_dot + (2 * alpha_y - n) * y - 2 * beta_y\n sum_ab = np.sum(a_i_dot * b_i_dot)\n a_dot_dot = 2 * np.sum(alpha_x * x) - 2 * np.sum(beta_x)\n b_dot_dot = 2 * np.sum(alpha_y * y) - 2 * np.sum(beta_y)\n gamma_1 = _partial_sum_2d(x, y, np.ones(n, dtype=x.dtype))\n gamma_x = _partial_sum_2d(x, y, x)\n gamma_y = _partial_sum_2d(x, y, y)\n gamma_xy = _partial_sum_2d(x, y, x * y)\n aijbij = np.sum(x * y * gamma_1 + gamma_xy - x * gamma_y - y * gamma_x)\n if unbiased:\n d3 = n - 3\n d2 = n - 2\n d1 = n - 1\n else:\n d3 = d2 = d1 = n\n d_cov = (aijbij / n / d3 - 2 * sum_ab / n / d2 / d3 + a_dot_dot / n *\n b_dot_dot / d1 / d2 / d3)\n return d_cov\n",
"role": "user"
},
{
"content": "distance_covariance_sqr_fast_generic",
"role": "assistant"
}
] |
def x(x, y, dcov_function):
covariance_xy_sqr = dcov_function(x, y)
variance_x_sqr = dcov_function(x, x)
variance_y_sqr = dcov_function(y, y)
denominator_sqr_signed = variance_x_sqr * variance_y_sqr
denominator_sqr = np.absolute(denominator_sqr_signed)
denominator = _sqrt(denominator_sqr)
if denominator == 0.0:
correlation_xy_sqr = denominator.dtype.type(0)
else:
correlation_xy_sqr = covariance_xy_sqr / denominator
return Stats(covariance_xy=covariance_xy_sqr, correlation_xy=
correlation_xy_sqr, variance_x=variance_x_sqr, variance_y=
variance_y_sqr)
|
distance_stats_sqr_fast_generic
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(x, y, dcov_function):\n covariance_xy_sqr = dcov_function(x, y)\n variance_x_sqr = dcov_function(x, x)\n variance_y_sqr = dcov_function(y, y)\n denominator_sqr_signed = variance_x_sqr * variance_y_sqr\n denominator_sqr = np.absolute(denominator_sqr_signed)\n denominator = _sqrt(denominator_sqr)\n if denominator == 0.0:\n correlation_xy_sqr = denominator.dtype.type(0)\n else:\n correlation_xy_sqr = covariance_xy_sqr / denominator\n return Stats(covariance_xy=covariance_xy_sqr, correlation_xy=\n correlation_xy_sqr, variance_x=variance_x_sqr, variance_y=\n variance_y_sqr)\n",
"role": "user"
},
{
"content": "distance_stats_sqr_fast_generic",
"role": "assistant"
}
] |
def x(x, y, **kwargs):
if _can_use_fast_algorithm(x, y, **kwargs):
return _distance_covariance_sqr_fast(x, y)
else:
return _distance_covariance_sqr_naive(x, y, **kwargs)
|
distance_covariance_sqr
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(x, y, **kwargs):\n if _can_use_fast_algorithm(x, y, **kwargs):\n return _distance_covariance_sqr_fast(x, y)\n else:\n return _distance_covariance_sqr_naive(x, y, **kwargs)\n",
"role": "user"
},
{
"content": "distance_covariance_sqr",
"role": "assistant"
}
] |
def x(x, y, **kwargs):
if _can_use_fast_algorithm(x, y, **kwargs):
return _u_distance_covariance_sqr_fast(x, y)
else:
return _u_distance_covariance_sqr_naive(x, y, **kwargs)
|
u_distance_covariance_sqr
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(x, y, **kwargs):\n if _can_use_fast_algorithm(x, y, **kwargs):\n return _u_distance_covariance_sqr_fast(x, y)\n else:\n return _u_distance_covariance_sqr_naive(x, y, **kwargs)\n",
"role": "user"
},
{
"content": "u_distance_covariance_sqr",
"role": "assistant"
}
] |
def x(x, y, **kwargs):
if _can_use_fast_algorithm(x, y, **kwargs):
return _distance_stats_sqr_fast(x, y)
else:
return _distance_sqr_stats_naive_generic(x, y, matrix_centered=
_distance_matrix, product=mean_product, **kwargs)
|
distance_stats_sqr
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(x, y, **kwargs):\n if _can_use_fast_algorithm(x, y, **kwargs):\n return _distance_stats_sqr_fast(x, y)\n else:\n return _distance_sqr_stats_naive_generic(x, y, matrix_centered=\n _distance_matrix, product=mean_product, **kwargs)\n",
"role": "user"
},
{
"content": "distance_stats_sqr",
"role": "assistant"
}
] |
def x(x, y, **kwargs):
if _can_use_fast_algorithm(x, y, **kwargs):
return _u_distance_stats_sqr_fast(x, y)
else:
return _distance_sqr_stats_naive_generic(x, y, matrix_centered=
_u_distance_matrix, product=u_product, **kwargs)
|
u_distance_stats_sqr
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(x, y, **kwargs):\n if _can_use_fast_algorithm(x, y, **kwargs):\n return _u_distance_stats_sqr_fast(x, y)\n else:\n return _distance_sqr_stats_naive_generic(x, y, matrix_centered=\n _u_distance_matrix, product=u_product, **kwargs)\n",
"role": "user"
},
{
"content": "u_distance_stats_sqr",
"role": "assistant"
}
] |
def x(x, y, **kwargs):
return Stats(*[_sqrt(s) for s in distance_stats_sqr(x, y, **kwargs)])
|
distance_stats
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(x, y, **kwargs):\n return Stats(*[_sqrt(s) for s in distance_stats_sqr(x, y, **kwargs)])\n",
"role": "user"
},
{
"content": "distance_stats",
"role": "assistant"
}
] |
def x(x, y, **kwargs):
if _can_use_fast_algorithm(x, y, **kwargs):
return _distance_correlation_sqr_fast(x, y)
else:
return _distance_correlation_sqr_naive(x, y, **kwargs)
|
distance_correlation_sqr
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(x, y, **kwargs):\n if _can_use_fast_algorithm(x, y, **kwargs):\n return _distance_correlation_sqr_fast(x, y)\n else:\n return _distance_correlation_sqr_naive(x, y, **kwargs)\n",
"role": "user"
},
{
"content": "distance_correlation_sqr",
"role": "assistant"
}
] |
def x(x, y, **kwargs):
if _can_use_fast_algorithm(x, y, **kwargs):
return _u_distance_correlation_sqr_fast(x, y)
else:
return _u_distance_correlation_sqr_naive(x, y, **kwargs)
|
u_distance_correlation_sqr
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(x, y, **kwargs):\n if _can_use_fast_algorithm(x, y, **kwargs):\n return _u_distance_correlation_sqr_fast(x, y)\n else:\n return _u_distance_correlation_sqr_naive(x, y, **kwargs)\n",
"role": "user"
},
{
"content": "u_distance_correlation_sqr",
"role": "assistant"
}
] |
def x(x, y):
x = _af_inv_scaled(x)
y = _af_inv_scaled(y)
correlation = distance_correlation_sqr(x, y)
return 0 if np.isnan(correlation) else correlation
|
distance_correlation_af_inv_sqr
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(x, y):\n x = _af_inv_scaled(x)\n y = _af_inv_scaled(y)\n correlation = distance_correlation_sqr(x, y)\n return 0 if np.isnan(correlation) else correlation\n",
"role": "user"
},
{
"content": "distance_correlation_af_inv_sqr",
"role": "assistant"
}
] |
def x(function, x, y=None, **kwargs):
return _pairwise_imp(function, x, y, **kwargs)
|
pairwise
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(function, x, y=None, **kwargs):\n return _pairwise_imp(function, x, y, **kwargs)\n",
"role": "user"
},
{
"content": "pairwise",
"role": "assistant"
}
] |
def x(function, x, y=None, pool=None, is_symmetric=None, **kwargs):
map_function = pool.map if pool else map
if is_symmetric is None:
is_symmetric = getattr(function, 'is_symmetric', False)
pairwise_function = getattr(function, 'pairwise_function', None)
if pairwise_function:
return pairwise_function(x, y, pool=pool, is_symmetric=is_symmetric,
**kwargs)
if y is None and is_symmetric:
partial = functools.partial(_map_aux_func_symmetric, x=x, function=
function)
dependencies = np.array(list(map_function(partial, enumerate(x))))
for i in range(len(x)):
for j in range(i, len(x)):
dependencies[j, i] = dependencies[i, j]
return dependencies
else:
if y is None:
y = x
partial = functools.partial(_map_aux_func, y=y, function=function)
return np.array(list(map_function(partial, x)))
|
pairwise_imp
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(function, x, y=None, pool=None, is_symmetric=None, **kwargs):\n map_function = pool.map if pool else map\n if is_symmetric is None:\n is_symmetric = getattr(function, 'is_symmetric', False)\n pairwise_function = getattr(function, 'pairwise_function', None)\n if pairwise_function:\n return pairwise_function(x, y, pool=pool, is_symmetric=is_symmetric,\n **kwargs)\n if y is None and is_symmetric:\n partial = functools.partial(_map_aux_func_symmetric, x=x, function=\n function)\n dependencies = np.array(list(map_function(partial, enumerate(x))))\n for i in range(len(x)):\n for j in range(i, len(x)):\n dependencies[j, i] = dependencies[i, j]\n return dependencies\n else:\n if y is None:\n y = x\n partial = functools.partial(_map_aux_func, y=y, function=function)\n return np.array(list(map_function(partial, x)))\n",
"role": "user"
},
{
"content": "pairwise_imp",
"role": "assistant"
}
] |
def x(function):
import sys
compiled = numba.jit(function)
if hasattr(sys, '_called_from_test'):
return function
else:
return compiled
|
jit
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(function):\n import sys\n compiled = numba.jit(function)\n if hasattr(sys, '_called_from_test'):\n return function\n else:\n return compiled\n",
"role": "user"
},
{
"content": "jit",
"role": "assistant"
}
] |
def x(x):
x = np.clip(x, a_min=0, a_max=None)
try:
return np.sqrt(x)
except AttributeError:
exponent = 0.5
try:
exponent = np.take(x, 0).from_float(exponent)
except AttributeError:
pass
return x ** exponent
|
sqrt
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(x):\n x = np.clip(x, a_min=0, a_max=None)\n try:\n return np.sqrt(x)\n except AttributeError:\n exponent = 0.5\n try:\n exponent = np.take(x, 0).from_float(exponent)\n except AttributeError:\n pass\n return x ** exponent\n",
"role": "user"
},
{
"content": "sqrt",
"role": "assistant"
}
] |
def x(t):
t = np.asarray(t)
dim = len(t.shape)
assert dim <= 2
if dim < 2:
t = np.atleast_2d(t).T
return t
|
transform_to_2d
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(t):\n t = np.asarray(t)\n dim = len(t.shape)\n assert dim <= 2\n if dim < 2:\n t = np.atleast_2d(t).T\n return t\n",
"role": "user"
},
{
"content": "transform_to_2d",
"role": "assistant"
}
] |
def x(x):
return np.issubdtype(x.dtype, np.floating
) and x.dtype.itemsize <= np.dtype(float).itemsize or np.issubdtype(x
.dtype, np.signedinteger) and np.can_cast(x, float)
|
can_be_double
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(x):\n return np.issubdtype(x.dtype, np.floating\n ) and x.dtype.itemsize <= np.dtype(float).itemsize or np.issubdtype(x\n .dtype, np.signedinteger) and np.can_cast(x, float)\n",
"role": "user"
},
{
"content": "can_be_double",
"role": "assistant"
}
] |
def x(x, y, exponent=1):
squared_norms = ((x[_np.newaxis, :, :] - y[:, _np.newaxis, :]) ** 2).sum(2)
exponent = exponent / 2
try:
exponent = squared_norms.take(0).from_float(exponent)
except AttributeError:
pass
return squared_norms ** exponent
|
cdist_naive
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(x, y, exponent=1):\n squared_norms = ((x[_np.newaxis, :, :] - y[:, _np.newaxis, :]) ** 2).sum(2)\n exponent = exponent / 2\n try:\n exponent = squared_norms.take(0).from_float(exponent)\n except AttributeError:\n pass\n return squared_norms ** exponent\n",
"role": "user"
},
{
"content": "cdist_naive",
"role": "assistant"
}
] |
def x(x, exponent=1):
metric = 'euclidean'
if exponent != 1:
metric = 'sqeuclidean'
distances = _spatial.distance.pdist(x, metric=metric)
distances = _spatial.distance.squareform(distances)
if exponent != 1:
distances **= exponent / 2
return distances
|
pdist_scipy
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(x, exponent=1):\n metric = 'euclidean'\n if exponent != 1:\n metric = 'sqeuclidean'\n distances = _spatial.distance.pdist(x, metric=metric)\n distances = _spatial.distance.squareform(distances)\n if exponent != 1:\n distances **= exponent / 2\n return distances\n",
"role": "user"
},
{
"content": "pdist_scipy",
"role": "assistant"
}
] |
def x(x, y, exponent=1):
metric = 'euclidean'
if exponent != 1:
metric = 'sqeuclidean'
distances = _spatial.distance.cdist(x, y, metric=metric)
if exponent != 1:
distances **= exponent / 2
return distances
|
cdist_scipy
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(x, y, exponent=1):\n metric = 'euclidean'\n if exponent != 1:\n metric = 'sqeuclidean'\n distances = _spatial.distance.cdist(x, y, metric=metric)\n if exponent != 1:\n distances **= exponent / 2\n return distances\n",
"role": "user"
},
{
"content": "cdist_scipy",
"role": "assistant"
}
] |
def x(x, exponent=1):
if _can_be_double(x):
return _pdist_scipy(x, exponent)
else:
return _cdist_naive(x, x, exponent)
|
pdist
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(x, exponent=1):\n if _can_be_double(x):\n return _pdist_scipy(x, exponent)\n else:\n return _cdist_naive(x, x, exponent)\n",
"role": "user"
},
{
"content": "pdist",
"role": "assistant"
}
] |
def x(x, y, exponent=1):
if _can_be_double(x) and _can_be_double(y):
return _cdist_scipy(x, y, exponent)
else:
return _cdist_naive(x, y, exponent)
|
cdist
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(x, y, exponent=1):\n if _can_be_double(x) and _can_be_double(y):\n return _cdist_scipy(x, y, exponent)\n else:\n return _cdist_naive(x, y, exponent)\n",
"role": "user"
},
{
"content": "cdist",
"role": "assistant"
}
] |
def x(x, y=None, **kwargs):
x = _transform_to_2d(x)
if y is None or y is x:
return _pdist(x, **kwargs)
else:
y = _transform_to_2d(y)
return _cdist(x, y, **kwargs)
|
pairwise_distances
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(x, y=None, **kwargs):\n x = _transform_to_2d(x)\n if y is None or y is x:\n return _pdist(x, **kwargs)\n else:\n y = _transform_to_2d(y)\n return _cdist(x, y, **kwargs)\n",
"role": "user"
},
{
"content": "pairwise_distances",
"role": "assistant"
}
] |
def x(self, content=EmptyValue, content_type=EmptyValue,
always_hash_content=True, ext=None):
log.debug('generating response header')
resource = Resource(url=self.resource.url, credentials=self.resource.
credentials, ext=ext, app=self.parsed_header.get('app', None), dlg=
self.parsed_header.get('dlg', None), method=self.resource.method,
content=content, content_type=content_type, always_hash_content=
always_hash_content, nonce=self.parsed_header['nonce'], timestamp=
self.parsed_header['ts'])
mac = calculate_mac('response', resource, resource.gen_content_hash())
self.response_header = self._make_header(resource, mac, additional_keys
=['ext'])
return self.response_header
|
respond
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, content=EmptyValue, content_type=EmptyValue,\n always_hash_content=True, ext=None):\n log.debug('generating response header')\n resource = Resource(url=self.resource.url, credentials=self.resource.\n credentials, ext=ext, app=self.parsed_header.get('app', None), dlg=\n self.parsed_header.get('dlg', None), method=self.resource.method,\n content=content, content_type=content_type, always_hash_content=\n always_hash_content, nonce=self.parsed_header['nonce'], timestamp=\n self.parsed_header['ts'])\n mac = calculate_mac('response', resource, resource.gen_content_hash())\n self.response_header = self._make_header(resource, mac, additional_keys\n =['ext'])\n return self.response_header\n",
"role": "user"
},
{
"content": "respond",
"role": "assistant"
}
] |
def x(payload, algorithm, content_type):
p_hash = hashlib.new(algorithm)
parts = []
parts.append('hawk.' + str(HAWK_VER) + '.payload\n')
parts.append(parse_content_type(content_type) + '\n')
parts.append(payload or '')
parts.append('\n')
for i, p in enumerate(parts):
if not isinstance(p, six.binary_type):
p = p.encode('utf8')
p_hash.update(p)
parts[i] = p
log.debug('calculating payload hash from:\n{parts}'.format(parts=pprint
.pformat(parts)))
return b64encode(p_hash.digest())
|
calculate_payload_hash
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(payload, algorithm, content_type):\n p_hash = hashlib.new(algorithm)\n parts = []\n parts.append('hawk.' + str(HAWK_VER) + '.payload\\n')\n parts.append(parse_content_type(content_type) + '\\n')\n parts.append(payload or '')\n parts.append('\\n')\n for i, p in enumerate(parts):\n if not isinstance(p, six.binary_type):\n p = p.encode('utf8')\n p_hash.update(p)\n parts[i] = p\n log.debug('calculating payload hash from:\\n{parts}'.format(parts=pprint\n .pformat(parts)))\n return b64encode(p_hash.digest())\n",
"role": "user"
},
{
"content": "calculate_payload_hash",
"role": "assistant"
}
] |
def x(mac_type, resource, content_hash):
normalized = normalize_string(mac_type, resource, content_hash)
log.debug(u'normalized resource for mac calc: {norm}'.format(norm=
normalized))
digestmod = getattr(hashlib, resource.credentials['algorithm'])
if not isinstance(normalized, six.binary_type):
normalized = normalized.encode('utf8')
key = resource.credentials['key']
if not isinstance(key, six.binary_type):
key = key.encode('ascii')
result = hmac.new(key, normalized, digestmod)
return b64encode(result.digest())
|
calculate_mac
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(mac_type, resource, content_hash):\n normalized = normalize_string(mac_type, resource, content_hash)\n log.debug(u'normalized resource for mac calc: {norm}'.format(norm=\n normalized))\n digestmod = getattr(hashlib, resource.credentials['algorithm'])\n if not isinstance(normalized, six.binary_type):\n normalized = normalized.encode('utf8')\n key = resource.credentials['key']\n if not isinstance(key, six.binary_type):\n key = key.encode('ascii')\n result = hmac.new(key, normalized, digestmod)\n return b64encode(result.digest())\n",
"role": "user"
},
{
"content": "calculate_mac",
"role": "assistant"
}
] |
def x(ts, credentials):
normalized = 'hawk.{hawk_ver}.ts\n{ts}\n'.format(hawk_ver=HAWK_VER, ts=ts)
log.debug(u'normalized resource for ts mac calc: {norm}'.format(norm=
normalized))
digestmod = getattr(hashlib, credentials['algorithm'])
if not isinstance(normalized, six.binary_type):
normalized = normalized.encode('utf8')
key = credentials['key']
if not isinstance(key, six.binary_type):
key = key.encode('ascii')
result = hmac.new(key, normalized, digestmod)
return b64encode(result.digest())
|
calculate_ts_mac
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ts, credentials):\n normalized = 'hawk.{hawk_ver}.ts\\n{ts}\\n'.format(hawk_ver=HAWK_VER, ts=ts)\n log.debug(u'normalized resource for ts mac calc: {norm}'.format(norm=\n normalized))\n digestmod = getattr(hashlib, credentials['algorithm'])\n if not isinstance(normalized, six.binary_type):\n normalized = normalized.encode('utf8')\n key = credentials['key']\n if not isinstance(key, six.binary_type):\n key = key.encode('ascii')\n result = hmac.new(key, normalized, digestmod)\n return b64encode(result.digest())\n",
"role": "user"
},
{
"content": "calculate_ts_mac",
"role": "assistant"
}
] |
def x(mac_type, resource, content_hash):
normalized = ['hawk.' + str(HAWK_VER) + '.' + mac_type,
normalize_header_attr(resource.timestamp), normalize_header_attr(
resource.nonce), normalize_header_attr(resource.method or ''),
normalize_header_attr(resource.name or ''), normalize_header_attr(
resource.host), normalize_header_attr(resource.port),
normalize_header_attr(content_hash or '')]
normalized.append(normalize_header_attr(resource.ext or ''))
if resource.app:
normalized.append(normalize_header_attr(resource.app))
normalized.append(normalize_header_attr(resource.dlg or ''))
normalized.append('')
normalized = '\n'.join(normalized)
return normalized
|
normalize_string
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(mac_type, resource, content_hash):\n normalized = ['hawk.' + str(HAWK_VER) + '.' + mac_type,\n normalize_header_attr(resource.timestamp), normalize_header_attr(\n resource.nonce), normalize_header_attr(resource.method or ''),\n normalize_header_attr(resource.name or ''), normalize_header_attr(\n resource.host), normalize_header_attr(resource.port),\n normalize_header_attr(content_hash or '')]\n normalized.append(normalize_header_attr(resource.ext or ''))\n if resource.app:\n normalized.append(normalize_header_attr(resource.app))\n normalized.append(normalize_header_attr(resource.dlg or ''))\n normalized.append('')\n normalized = '\\n'.join(normalized)\n return normalized\n",
"role": "user"
},
{
"content": "normalize_string",
"role": "assistant"
}
] |
def x(auth_header):
if len(auth_header) > MAX_LENGTH:
raise BadHeaderValue('Header exceeds maximum length of {max_length}'
.format(max_length=MAX_LENGTH))
if isinstance(auth_header, six.binary_type):
auth_header = auth_header.decode('utf8')
scheme, attributes_string = auth_header.split(' ', 1)
if scheme.lower() != 'hawk':
raise HawkFail("Unknown scheme '{scheme}' when parsing header".
format(scheme=scheme))
attributes = {}
def x(match):
key = match.group('key')
value = match.group('value')
if key not in allowable_header_keys:
raise HawkFail("Unknown Hawk key '{key}' when parsing header".
format(key=key))
validate_header_attr(value, name=key)
if key in attributes:
raise BadHeaderValue('Duplicate key in header: {key}'.format(
key=key))
attributes[key] = value
unparsed_header = HAWK_HEADER_RE.sub(replace_attribute, attributes_string)
if unparsed_header != '':
raise BadHeaderValue("Couldn't parse Hawk header", unparsed_header)
log.debug('parsed Hawk header: {header} into: \n{parsed}'.format(header
=auth_header, parsed=pprint.pformat(attributes)))
return attributes
|
parse_authorization_header
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(auth_header):\n if len(auth_header) > MAX_LENGTH:\n raise BadHeaderValue('Header exceeds maximum length of {max_length}'\n .format(max_length=MAX_LENGTH))\n if isinstance(auth_header, six.binary_type):\n auth_header = auth_header.decode('utf8')\n scheme, attributes_string = auth_header.split(' ', 1)\n if scheme.lower() != 'hawk':\n raise HawkFail(\"Unknown scheme '{scheme}' when parsing header\".\n format(scheme=scheme))\n attributes = {}\n\n def x(match):\n key = match.group('key')\n value = match.group('value')\n if key not in allowable_header_keys:\n raise HawkFail(\"Unknown Hawk key '{key}' when parsing header\".\n format(key=key))\n validate_header_attr(value, name=key)\n if key in attributes:\n raise BadHeaderValue('Duplicate key in header: {key}'.format(\n key=key))\n attributes[key] = value\n unparsed_header = HAWK_HEADER_RE.sub(replace_attribute, attributes_string)\n if unparsed_header != '':\n raise BadHeaderValue(\"Couldn't parse Hawk header\", unparsed_header)\n log.debug('parsed Hawk header: {header} into: \\n{parsed}'.format(header\n =auth_header, parsed=pprint.pformat(attributes)))\n return attributes\n",
"role": "user"
},
{
"content": "parse_authorization_header",
"role": "assistant"
}
] |
def x(resource):
if resource.method != 'GET':
raise ValueError('bewits can only be generated for GET requests')
if resource.nonce != '':
raise ValueError('bewits must use an empty nonce')
mac = calculate_mac('bewit', resource, None)
if isinstance(mac, six.binary_type):
mac = mac.decode('ascii')
if resource.ext is None:
ext = ''
else:
validate_header_attr(resource.ext, name='ext')
ext = resource.ext
inner_bewit = u'{id}\\{exp}\\{mac}\\{ext}'.format(id=resource.
credentials['id'], exp=resource.timestamp, mac=mac, ext=ext)
inner_bewit_bytes = inner_bewit.encode('ascii')
bewit_bytes = urlsafe_b64encode(inner_bewit_bytes)
return bewit_bytes.decode('ascii')
|
get_bewit
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(resource):\n if resource.method != 'GET':\n raise ValueError('bewits can only be generated for GET requests')\n if resource.nonce != '':\n raise ValueError('bewits must use an empty nonce')\n mac = calculate_mac('bewit', resource, None)\n if isinstance(mac, six.binary_type):\n mac = mac.decode('ascii')\n if resource.ext is None:\n ext = ''\n else:\n validate_header_attr(resource.ext, name='ext')\n ext = resource.ext\n inner_bewit = u'{id}\\\\{exp}\\\\{mac}\\\\{ext}'.format(id=resource.\n credentials['id'], exp=resource.timestamp, mac=mac, ext=ext)\n inner_bewit_bytes = inner_bewit.encode('ascii')\n bewit_bytes = urlsafe_b64encode(inner_bewit_bytes)\n return bewit_bytes.decode('ascii')\n",
"role": "user"
},
{
"content": "get_bewit",
"role": "assistant"
}
] |
def x(bewit):
decoded_bewit = b64decode(bewit).decode('ascii')
bewit_parts = decoded_bewit.split('\\')
if len(bewit_parts) != 4:
raise InvalidBewit('Expected 4 parts to bewit: %s' % decoded_bewit)
return bewittuple(*bewit_parts)
|
parse_bewit
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(bewit):\n decoded_bewit = b64decode(bewit).decode('ascii')\n bewit_parts = decoded_bewit.split('\\\\')\n if len(bewit_parts) != 4:\n raise InvalidBewit('Expected 4 parts to bewit: %s' % decoded_bewit)\n return bewittuple(*bewit_parts)\n",
"role": "user"
},
{
"content": "parse_bewit",
"role": "assistant"
}
] |
def x(url):
m = re.search('[?&]bewit=([^&]+)', url)
if not m:
raise InvalidBewit('no bewit data found')
bewit = m.group(1)
stripped_url = url[:m.start()] + url[m.end():]
return bewit, stripped_url
|
strip_bewit
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(url):\n m = re.search('[?&]bewit=([^&]+)', url)\n if not m:\n raise InvalidBewit('no bewit data found')\n bewit = m.group(1)\n stripped_url = url[:m.start()] + url[m.end():]\n return bewit, stripped_url\n",
"role": "user"
},
{
"content": "strip_bewit",
"role": "assistant"
}
] |
def x(url, credential_lookup, now=None):
raw_bewit, stripped_url = strip_bewit(url)
bewit = parse_bewit(raw_bewit)
try:
credentials = credential_lookup(bewit.id)
except LookupError:
raise CredentialsLookupError('Could not find credentials for ID {0}'
.format(bewit.id))
res = Resource(url=stripped_url, method='GET', credentials=credentials,
timestamp=bewit.expiration, nonce='', ext=bewit.ext)
mac = calculate_mac('bewit', res, None)
mac = mac.decode('ascii')
if not strings_match(mac, bewit.mac):
raise MacMismatch(
'bewit with mac {bewit_mac} did not match expected mac {expected_mac}'
.format(bewit_mac=bewit.mac, expected_mac=mac))
if now is None:
now = utc_now()
if int(bewit.expiration) < now:
raise TokenExpired(
'bewit with UTC timestamp {ts} has expired; it was compared to {now}'
.format(ts=bewit.expiration, now=now), localtime_in_seconds=now,
www_authenticate='')
return True
|
check_bewit
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(url, credential_lookup, now=None):\n raw_bewit, stripped_url = strip_bewit(url)\n bewit = parse_bewit(raw_bewit)\n try:\n credentials = credential_lookup(bewit.id)\n except LookupError:\n raise CredentialsLookupError('Could not find credentials for ID {0}'\n .format(bewit.id))\n res = Resource(url=stripped_url, method='GET', credentials=credentials,\n timestamp=bewit.expiration, nonce='', ext=bewit.ext)\n mac = calculate_mac('bewit', res, None)\n mac = mac.decode('ascii')\n if not strings_match(mac, bewit.mac):\n raise MacMismatch(\n 'bewit with mac {bewit_mac} did not match expected mac {expected_mac}'\n .format(bewit_mac=bewit.mac, expected_mac=mac))\n if now is None:\n now = utc_now()\n if int(bewit.expiration) < now:\n raise TokenExpired(\n 'bewit with UTC timestamp {ts} has expired; it was compared to {now}'\n .format(ts=bewit.expiration, now=now), localtime_in_seconds=now,\n www_authenticate='')\n return True\n",
"role": "user"
},
{
"content": "check_bewit",
"role": "assistant"
}
] |
def x(self, response_header, content=EmptyValue, content_type=EmptyValue,
accept_untrusted_content=False, localtime_offset_in_seconds=0,
timestamp_skew_in_seconds=default_ts_skew_in_seconds, **auth_kw):
log.debug('accepting response {header}'.format(header=response_header))
parsed_header = parse_authorization_header(response_header)
resource = Resource(ext=parsed_header.get('ext', None), content=content,
content_type=content_type, timestamp=self.req_resource.timestamp,
nonce=self.req_resource.nonce, url=self.req_resource.url, method=
self.req_resource.method, app=self.req_resource.app, dlg=self.
req_resource.dlg, credentials=self.credentials, seen_nonce=self.
seen_nonce)
self._authorize('response', parsed_header, resource, their_timestamp=
resource.timestamp, timestamp_skew_in_seconds=
timestamp_skew_in_seconds, localtime_offset_in_seconds=
localtime_offset_in_seconds, accept_untrusted_content=
accept_untrusted_content, **auth_kw)
|
accept_response
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, response_header, content=EmptyValue, content_type=EmptyValue,\n accept_untrusted_content=False, localtime_offset_in_seconds=0,\n timestamp_skew_in_seconds=default_ts_skew_in_seconds, **auth_kw):\n log.debug('accepting response {header}'.format(header=response_header))\n parsed_header = parse_authorization_header(response_header)\n resource = Resource(ext=parsed_header.get('ext', None), content=content,\n content_type=content_type, timestamp=self.req_resource.timestamp,\n nonce=self.req_resource.nonce, url=self.req_resource.url, method=\n self.req_resource.method, app=self.req_resource.app, dlg=self.\n req_resource.dlg, credentials=self.credentials, seen_nonce=self.\n seen_nonce)\n self._authorize('response', parsed_header, resource, their_timestamp=\n resource.timestamp, timestamp_skew_in_seconds=\n timestamp_skew_in_seconds, localtime_offset_in_seconds=\n localtime_offset_in_seconds, accept_untrusted_content=\n accept_untrusted_content, **auth_kw)\n",
"role": "user"
},
{
"content": "accept_response",
"role": "assistant"
}
] |
def x(self):
field_names = set()
[field_names.add(f.name) for f in self._meta.local_fields]
[field_names.add(f.attname) for f in self._meta.local_fields]
return dict([(field_name, getattr(self, field_name)) for field_name in
field_names])
|
current_state
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n field_names = set()\n [field_names.add(f.name) for f in self._meta.local_fields]\n [field_names.add(f.attname) for f in self._meta.local_fields]\n return dict([(field_name, getattr(self, field_name)) for field_name in\n field_names])\n",
"role": "user"
},
{
"content": "current_state",
"role": "assistant"
}
] |
def x(self):
pk_name = self._meta.pk.name
return bool(self.old_state()[pk_name])
|
was_persisted
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n pk_name = self._meta.pk.name\n return bool(self.old_state()[pk_name])\n",
"role": "user"
},
{
"content": "was_persisted",
"role": "assistant"
}
] |
def x(cls, s):
reverse = s[::-1]
idx = 0
for i in range(0, len(reverse)):
if reverse[i] == ':':
idx += 1
else:
break
new_s = reverse[idx:len(reverse)]
return new_s[::-1]
|
trim
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, s):\n reverse = s[::-1]\n idx = 0\n for i in range(0, len(reverse)):\n if reverse[i] == ':':\n idx += 1\n else:\n break\n new_s = reverse[idx:len(reverse)]\n return new_s[::-1]\n",
"role": "user"
},
{
"content": "trim",
"role": "assistant"
}
] |
def x(self, system, components):
if system not in CPEComponent.SYSTEM_VALUES:
errmsg = "Key '{0}' is not exist".format(system)
raise ValueError(errmsg)
elements = []
elements.append(components)
pk = CPE._system_and_parts[system]
self[pk] = elements
|
create_cpe_parts
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, system, components):\n if system not in CPEComponent.SYSTEM_VALUES:\n errmsg = \"Key '{0}' is not exist\".format(system)\n raise ValueError(errmsg)\n elements = []\n elements.append(components)\n pk = CPE._system_and_parts[system]\n self[pk] = elements\n",
"role": "user"
},
{
"content": "create_cpe_parts",
"role": "assistant"
}
] |
def x(self, att):
lc = []
if not CPEComponent.is_valid_attribute(att):
errmsg = "Invalid attribute name '{0}' is not exist".format(att)
raise ValueError(errmsg)
for pk in CPE.CPE_PART_KEYS:
elements = self.get(pk)
for elem in elements:
lc.append(elem.get(att))
return lc
|
get_attribute_components
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, att):\n lc = []\n if not CPEComponent.is_valid_attribute(att):\n errmsg = \"Invalid attribute name '{0}' is not exist\".format(att)\n raise ValueError(errmsg)\n for pk in CPE.CPE_PART_KEYS:\n elements = self.get(pk)\n for elem in elements:\n lc.append(elem.get(att))\n return lc\n",
"role": "user"
},
{
"content": "get_attribute_components",
"role": "assistant"
}
] |
def x(self):
COMP_KEYS = (CPEComponent.ATT_EDITION, CPEComponent.ATT_SW_EDITION,
CPEComponent.ATT_TARGET_SW, CPEComponent.ATT_TARGET_HW,
CPEComponent.ATT_OTHER)
separator = CPEComponent2_3_URI_edpacked.SEPARATOR_COMP
packed_ed = []
packed_ed.append(separator)
for ck in COMP_KEYS:
lc = self._get_attribute_components(ck)
if len(lc) > 1:
errmsg = 'Incompatible version {0} with URI'.format(self.VERSION)
raise TypeError(errmsg)
comp = lc[0]
if isinstance(comp, CPEComponentUndefined) or isinstance(comp,
CPEComponentEmpty) or isinstance(comp, CPEComponentAnyValue):
value = ''
elif isinstance(comp, CPEComponentNotApplicable):
value = CPEComponent2_3_URI.VALUE_NA
else:
value = comp.as_uri_2_3()
if ck == CPEComponent.ATT_EDITION:
ed = value
packed_ed.append(value)
packed_ed.append(separator)
packed_ed_str = ''.join(packed_ed[:-1])
only_ed = []
only_ed.append(separator)
only_ed.append(ed)
only_ed.append(separator)
only_ed.append(separator)
only_ed.append(separator)
only_ed.append(separator)
only_ed_str = ''.join(only_ed)
if packed_ed_str == only_ed_str:
return ed
else:
return packed_ed_str
|
pack_edition
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n COMP_KEYS = (CPEComponent.ATT_EDITION, CPEComponent.ATT_SW_EDITION,\n CPEComponent.ATT_TARGET_SW, CPEComponent.ATT_TARGET_HW,\n CPEComponent.ATT_OTHER)\n separator = CPEComponent2_3_URI_edpacked.SEPARATOR_COMP\n packed_ed = []\n packed_ed.append(separator)\n for ck in COMP_KEYS:\n lc = self._get_attribute_components(ck)\n if len(lc) > 1:\n errmsg = 'Incompatible version {0} with URI'.format(self.VERSION)\n raise TypeError(errmsg)\n comp = lc[0]\n if isinstance(comp, CPEComponentUndefined) or isinstance(comp,\n CPEComponentEmpty) or isinstance(comp, CPEComponentAnyValue):\n value = ''\n elif isinstance(comp, CPEComponentNotApplicable):\n value = CPEComponent2_3_URI.VALUE_NA\n else:\n value = comp.as_uri_2_3()\n if ck == CPEComponent.ATT_EDITION:\n ed = value\n packed_ed.append(value)\n packed_ed.append(separator)\n packed_ed_str = ''.join(packed_ed[:-1])\n only_ed = []\n only_ed.append(separator)\n only_ed.append(ed)\n only_ed.append(separator)\n only_ed.append(separator)\n only_ed.append(separator)\n only_ed.append(separator)\n only_ed_str = ''.join(only_ed)\n if packed_ed_str == only_ed_str:\n return ed\n else:\n return packed_ed_str\n",
"role": "user"
},
{
"content": "pack_edition",
"role": "assistant"
}
] |
def x(self):
uri = []
uri.append('cpe:/')
ordered_comp_parts = {(0): CPEComponent.ATT_PART, (1): CPEComponent.
ATT_VENDOR, (2): CPEComponent.ATT_PRODUCT, (3): CPEComponent.
ATT_VERSION, (4): CPEComponent.ATT_UPDATE, (5): CPEComponent.
ATT_EDITION, (6): CPEComponent.ATT_LANGUAGE}
set_prev_comp = False
prev_comp_list = []
for i in range(0, len(ordered_comp_parts)):
ck = ordered_comp_parts[i]
lc = self._get_attribute_components(ck)
if len(lc) > 1:
errmsg = 'Incompatible version {0} with URI'.format(self.VERSION)
raise TypeError(errmsg)
if ck == CPEComponent.ATT_EDITION:
v = self._pack_edition()
if not v:
set_prev_comp = True
prev_comp_list.append(CPEComponent2_3_URI.VALUE_ANY)
continue
else:
comp = lc[0]
if isinstance(comp, CPEComponentEmpty) or isinstance(comp,
CPEComponentAnyValue):
v = CPEComponent2_3_URI.VALUE_ANY
elif isinstance(comp, CPEComponentNotApplicable):
v = CPEComponent2_3_URI.VALUE_NA
elif isinstance(comp, CPEComponentUndefined):
set_prev_comp = True
prev_comp_list.append(CPEComponent2_3_URI.VALUE_ANY)
continue
else:
v = comp.as_uri_2_3()
uri.append(v)
uri.append(CPEComponent2_3_URI.SEPARATOR_COMP)
if set_prev_comp:
v = CPEComponent2_3_URI.VALUE_ANY
pos_ini = max(len(uri) - len(prev_comp_list) - 1, 1)
increment = 2
for p, val in enumerate(prev_comp_list):
pos = pos_ini + p * increment
uri.insert(pos, v)
uri.insert(pos + 1, CPEComponent2_3_URI.SEPARATOR_COMP)
set_prev_comp = False
prev_comp_list = []
return CPE._trim(''.join(uri[:-1]))
|
as_uri_2_3
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n uri = []\n uri.append('cpe:/')\n ordered_comp_parts = {(0): CPEComponent.ATT_PART, (1): CPEComponent.\n ATT_VENDOR, (2): CPEComponent.ATT_PRODUCT, (3): CPEComponent.\n ATT_VERSION, (4): CPEComponent.ATT_UPDATE, (5): CPEComponent.\n ATT_EDITION, (6): CPEComponent.ATT_LANGUAGE}\n set_prev_comp = False\n prev_comp_list = []\n for i in range(0, len(ordered_comp_parts)):\n ck = ordered_comp_parts[i]\n lc = self._get_attribute_components(ck)\n if len(lc) > 1:\n errmsg = 'Incompatible version {0} with URI'.format(self.VERSION)\n raise TypeError(errmsg)\n if ck == CPEComponent.ATT_EDITION:\n v = self._pack_edition()\n if not v:\n set_prev_comp = True\n prev_comp_list.append(CPEComponent2_3_URI.VALUE_ANY)\n continue\n else:\n comp = lc[0]\n if isinstance(comp, CPEComponentEmpty) or isinstance(comp,\n CPEComponentAnyValue):\n v = CPEComponent2_3_URI.VALUE_ANY\n elif isinstance(comp, CPEComponentNotApplicable):\n v = CPEComponent2_3_URI.VALUE_NA\n elif isinstance(comp, CPEComponentUndefined):\n set_prev_comp = True\n prev_comp_list.append(CPEComponent2_3_URI.VALUE_ANY)\n continue\n else:\n v = comp.as_uri_2_3()\n uri.append(v)\n uri.append(CPEComponent2_3_URI.SEPARATOR_COMP)\n if set_prev_comp:\n v = CPEComponent2_3_URI.VALUE_ANY\n pos_ini = max(len(uri) - len(prev_comp_list) - 1, 1)\n increment = 2\n for p, val in enumerate(prev_comp_list):\n pos = pos_ini + p * increment\n uri.insert(pos, v)\n uri.insert(pos + 1, CPEComponent2_3_URI.SEPARATOR_COMP)\n set_prev_comp = False\n prev_comp_list = []\n return CPE._trim(''.join(uri[:-1]))\n",
"role": "user"
},
{
"content": "as_uri_2_3",
"role": "assistant"
}
] |
def x(self):
from .cpe2_3_wfn import CPE2_3_WFN
wfn = []
wfn.append(CPE2_3_WFN.CPE_PREFIX)
for i in range(0, len(CPEComponent.ordered_comp_parts)):
ck = CPEComponent.ordered_comp_parts[i]
lc = self._get_attribute_components(ck)
if len(lc) > 1:
errmsg = 'Incompatible version {0} with WFN'.format(self.VERSION)
raise TypeError(errmsg)
else:
comp = lc[0]
v = []
v.append(ck)
v.append('=')
if isinstance(comp, CPEComponentAnyValue):
v.append(CPEComponent2_3_WFN.VALUE_ANY)
elif isinstance(comp, CPEComponentNotApplicable):
v.append(CPEComponent2_3_WFN.VALUE_NA)
elif isinstance(comp, CPEComponentUndefined) or isinstance(comp,
CPEComponentEmpty):
continue
else:
v.append('"')
v.append(comp.as_wfn())
v.append('"')
wfn.append(''.join(v))
wfn.append(CPEComponent2_3_WFN.SEPARATOR_COMP)
wfn = wfn[:-1]
wfn.append(CPE2_3_WFN.CPE_SUFFIX)
return ''.join(wfn)
|
as_wfn
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n from .cpe2_3_wfn import CPE2_3_WFN\n wfn = []\n wfn.append(CPE2_3_WFN.CPE_PREFIX)\n for i in range(0, len(CPEComponent.ordered_comp_parts)):\n ck = CPEComponent.ordered_comp_parts[i]\n lc = self._get_attribute_components(ck)\n if len(lc) > 1:\n errmsg = 'Incompatible version {0} with WFN'.format(self.VERSION)\n raise TypeError(errmsg)\n else:\n comp = lc[0]\n v = []\n v.append(ck)\n v.append('=')\n if isinstance(comp, CPEComponentAnyValue):\n v.append(CPEComponent2_3_WFN.VALUE_ANY)\n elif isinstance(comp, CPEComponentNotApplicable):\n v.append(CPEComponent2_3_WFN.VALUE_NA)\n elif isinstance(comp, CPEComponentUndefined) or isinstance(comp,\n CPEComponentEmpty):\n continue\n else:\n v.append('\"')\n v.append(comp.as_wfn())\n v.append('\"')\n wfn.append(''.join(v))\n wfn.append(CPEComponent2_3_WFN.SEPARATOR_COMP)\n wfn = wfn[:-1]\n wfn.append(CPE2_3_WFN.CPE_SUFFIX)\n return ''.join(wfn)\n",
"role": "user"
},
{
"content": "as_wfn",
"role": "assistant"
}
] |
def x(self):
fs = []
fs.append('cpe:2.3:')
for i in range(0, len(CPEComponent.ordered_comp_parts)):
ck = CPEComponent.ordered_comp_parts[i]
lc = self._get_attribute_components(ck)
if len(lc) > 1:
errmsg = 'Incompatible version {0} with formatted string'.format(
self.VERSION)
raise TypeError(errmsg)
else:
comp = lc[0]
if isinstance(comp, CPEComponentUndefined) or isinstance(comp,
CPEComponentEmpty) or isinstance(comp, CPEComponentAnyValue):
v = CPEComponent2_3_FS.VALUE_ANY
elif isinstance(comp, CPEComponentNotApplicable):
v = CPEComponent2_3_FS.VALUE_NA
else:
v = comp.as_fs()
fs.append(v)
fs.append(CPEComponent2_3_FS.SEPARATOR_COMP)
return CPE._trim(''.join(fs[:-1]))
|
as_fs
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n fs = []\n fs.append('cpe:2.3:')\n for i in range(0, len(CPEComponent.ordered_comp_parts)):\n ck = CPEComponent.ordered_comp_parts[i]\n lc = self._get_attribute_components(ck)\n if len(lc) > 1:\n errmsg = 'Incompatible version {0} with formatted string'.format(\n self.VERSION)\n raise TypeError(errmsg)\n else:\n comp = lc[0]\n if isinstance(comp, CPEComponentUndefined) or isinstance(comp,\n CPEComponentEmpty) or isinstance(comp, CPEComponentAnyValue):\n v = CPEComponent2_3_FS.VALUE_ANY\n elif isinstance(comp, CPEComponentNotApplicable):\n v = CPEComponent2_3_FS.VALUE_NA\n else:\n v = comp.as_fs()\n fs.append(v)\n fs.append(CPEComponent2_3_FS.SEPARATOR_COMP)\n return CPE._trim(''.join(fs[:-1]))\n",
"role": "user"
},
{
"content": "as_fs",
"role": "assistant"
}
] |
def x(cls, c):
alphanum_rxc = re.compile(CPEComponentSimple._ALPHANUM_PATTERN)
return alphanum_rxc.match(c) is not None
|
is_alphanum
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, c):\n alphanum_rxc = re.compile(CPEComponentSimple._ALPHANUM_PATTERN)\n return alphanum_rxc.match(c) is not None\n",
"role": "user"
},
{
"content": "is_alphanum",
"role": "assistant"
}
] |
def x(cls, c):
CPEComponentSimple.spechar_to_pce['-'] = c
CPEComponentSimple.spechar_to_pce['.'] = c
return CPEComponentSimple.spechar_to_pce[c]
|
pct_encode_uri
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, c):\n CPEComponentSimple.spechar_to_pce['-'] = c\n CPEComponentSimple.spechar_to_pce['.'] = c\n return CPEComponentSimple.spechar_to_pce[c]\n",
"role": "user"
},
{
"content": "pct_encode_uri",
"role": "assistant"
}
] |
def x(self):
comp_str = self._encoded_value.lower()
lang_rxc = re.compile(CPEComponentSimple._LANGTAG_PATTERN)
return lang_rxc.match(comp_str) is not None
|
is_valid_language
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n comp_str = self._encoded_value.lower()\n lang_rxc = re.compile(CPEComponentSimple._LANGTAG_PATTERN)\n return lang_rxc.match(comp_str) is not None\n",
"role": "user"
},
{
"content": "is_valid_language",
"role": "assistant"
}
] |
def x(self):
comp_str = self._encoded_value.lower()
part_rxc = re.compile(CPEComponentSimple._PART_PATTERN)
return part_rxc.match(comp_str) is not None
|
is_valid_part
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n comp_str = self._encoded_value.lower()\n part_rxc = re.compile(CPEComponentSimple._PART_PATTERN)\n return part_rxc.match(comp_str) is not None\n",
"role": "user"
},
{
"content": "is_valid_part",
"role": "assistant"
}
] |
def x(self, comp_att):
errmsg = "Invalid attribute '{0}'".format(comp_att)
if not CPEComponent.is_valid_attribute(comp_att):
raise ValueError(errmsg)
comp_str = self._encoded_value
errmsg = "Invalid value of attribute '{0}': {1}".format(comp_att, comp_str)
if comp_att == CPEComponentSimple.ATT_PART:
if not self._is_valid_part():
raise ValueError(errmsg)
elif comp_att == CPEComponentSimple.ATT_LANGUAGE:
if not self._is_valid_language():
raise ValueError(errmsg)
elif comp_att == CPEComponentSimple.ATT_EDITION:
if not self._is_valid_edition():
raise ValueError(errmsg)
elif not self._is_valid_value():
raise ValueError(errmsg)
|
parse
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, comp_att):\n errmsg = \"Invalid attribute '{0}'\".format(comp_att)\n if not CPEComponent.is_valid_attribute(comp_att):\n raise ValueError(errmsg)\n comp_str = self._encoded_value\n errmsg = \"Invalid value of attribute '{0}': {1}\".format(comp_att, comp_str)\n if comp_att == CPEComponentSimple.ATT_PART:\n if not self._is_valid_part():\n raise ValueError(errmsg)\n elif comp_att == CPEComponentSimple.ATT_LANGUAGE:\n if not self._is_valid_language():\n raise ValueError(errmsg)\n elif comp_att == CPEComponentSimple.ATT_EDITION:\n if not self._is_valid_edition():\n raise ValueError(errmsg)\n elif not self._is_valid_value():\n raise ValueError(errmsg)\n",
"role": "user"
},
{
"content": "parse",
"role": "assistant"
}
] |
def x(self):
s = self._standard_value
result = []
idx = 0
while idx < len(s):
c = s[idx]
if c != '\\':
result.append(c)
else:
nextchr = s[idx + 1]
if nextchr == '.' or nextchr == '-' or nextchr == '_':
result.append(nextchr)
idx += 1
else:
result.append('\\')
result.append(nextchr)
idx += 2
continue
idx += 1
return ''.join(result)
|
as_fs
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n s = self._standard_value\n result = []\n idx = 0\n while idx < len(s):\n c = s[idx]\n if c != '\\\\':\n result.append(c)\n else:\n nextchr = s[idx + 1]\n if nextchr == '.' or nextchr == '-' or nextchr == '_':\n result.append(nextchr)\n idx += 1\n else:\n result.append('\\\\')\n result.append(nextchr)\n idx += 2\n continue\n idx += 1\n return ''.join(result)\n",
"role": "user"
},
{
"content": "as_fs",
"role": "assistant"
}
] |
def x(self):
s = self._standard_value
result = []
idx = 0
while idx < len(s):
thischar = s[idx]
if CPEComponentSimple._is_alphanum(thischar):
result.append(thischar)
idx += 1
continue
if thischar == '\\':
idx += 1
nxtchar = s[idx]
result.append(CPEComponentSimple._pct_encode_uri(nxtchar))
idx += 1
continue
if thischar == '?':
result.append('%01')
if thischar == '*':
result.append('%02')
idx += 1
return ''.join(result)
|
as_uri_2_3
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n s = self._standard_value\n result = []\n idx = 0\n while idx < len(s):\n thischar = s[idx]\n if CPEComponentSimple._is_alphanum(thischar):\n result.append(thischar)\n idx += 1\n continue\n if thischar == '\\\\':\n idx += 1\n nxtchar = s[idx]\n result.append(CPEComponentSimple._pct_encode_uri(nxtchar))\n idx += 1\n continue\n if thischar == '?':\n result.append('%01')\n if thischar == '*':\n result.append('%02')\n idx += 1\n return ''.join(result)\n",
"role": "user"
},
{
"content": "as_uri_2_3",
"role": "assistant"
}
] |
def x(self, comp_str, comp_att):
old_value = self._encoded_value
self._encoded_value = comp_str
try:
self._parse(comp_att)
except ValueError:
self._encoded_value = old_value
raise
self._decode()
|
set_value
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, comp_str, comp_att):\n old_value = self._encoded_value\n self._encoded_value = comp_str\n try:\n self._parse(comp_att)\n except ValueError:\n self._encoded_value = old_value\n raise\n self._decode()\n",
"role": "user"
},
{
"content": "set_value",
"role": "assistant"
}
] |
def x(self):
result = []
idx = 0
s = self._encoded_value
embedded = False
errmsg = []
errmsg.append("Invalid character '")
while idx < len(s):
c = s[idx]
errmsg.append(c)
errmsg.append("'")
errmsg_str = ''.join(errmsg)
if CPEComponentSimple._is_alphanum(c):
result.append(c)
idx += 1
embedded = True
continue
if c == '\\':
result.append(s[idx:idx + 2])
idx += 2
embedded = True
continue
if c == CPEComponent2_3_FS.WILDCARD_MULTI:
if idx == 0 or idx == len(s) - 1:
result.append(c)
idx += 1
embedded = True
continue
else:
raise ValueError(errmsg_str)
if c == CPEComponent2_3_FS.WILDCARD_ONE:
if (idx == 0 or idx == len(s) - 1) or not embedded and s[idx - 1
] == CPEComponent2_3_FS.WILDCARD_ONE or embedded and s[idx + 1
] == CPEComponent2_3_FS.WILDCARD_ONE:
result.append(c)
idx += 1
embedded = False
continue
else:
raise ValueError(errmsg_str)
result.append('\\')
result.append(c)
idx += 1
embedded = True
self._standard_value = ''.join(result)
|
decode
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n result = []\n idx = 0\n s = self._encoded_value\n embedded = False\n errmsg = []\n errmsg.append(\"Invalid character '\")\n while idx < len(s):\n c = s[idx]\n errmsg.append(c)\n errmsg.append(\"'\")\n errmsg_str = ''.join(errmsg)\n if CPEComponentSimple._is_alphanum(c):\n result.append(c)\n idx += 1\n embedded = True\n continue\n if c == '\\\\':\n result.append(s[idx:idx + 2])\n idx += 2\n embedded = True\n continue\n if c == CPEComponent2_3_FS.WILDCARD_MULTI:\n if idx == 0 or idx == len(s) - 1:\n result.append(c)\n idx += 1\n embedded = True\n continue\n else:\n raise ValueError(errmsg_str)\n if c == CPEComponent2_3_FS.WILDCARD_ONE:\n if (idx == 0 or idx == len(s) - 1) or not embedded and s[idx - 1\n ] == CPEComponent2_3_FS.WILDCARD_ONE or embedded and s[idx + 1\n ] == CPEComponent2_3_FS.WILDCARD_ONE:\n result.append(c)\n idx += 1\n embedded = False\n continue\n else:\n raise ValueError(errmsg_str)\n result.append('\\\\')\n result.append(c)\n idx += 1\n embedded = True\n self._standard_value = ''.join(result)\n",
"role": "user"
},
{
"content": "decode",
"role": "assistant"
}
] |
def x(self):
if self.cpe_str.find(' ') != -1:
errmsg = 'Bad-formed CPE Name: it must not have whitespaces'
raise ValueError(errmsg)
parts_match = CPE1_1._parts_rxc.match(self.cpe_str)
if parts_match is None:
errmsg = (
'Bad-formed CPE Name: not correct definition of CPE Name parts')
raise ValueError(errmsg)
CPE_PART_KEYS = CPE.KEY_HW, CPE.KEY_OS, CPE.KEY_APP
for pk in CPE_PART_KEYS:
part = parts_match.group(pk)
elements = []
if part is not None:
for part_elem in part.split(CPE1_1.ELEMENT_SEPARATOR):
j = 1
components = dict()
for elem_comp in part_elem.split(CPEComponent1_1.SEPARATOR_COMP
):
comp_att = CPEComponent.ordered_comp_parts[j]
if elem_comp == CPEComponent1_1.VALUE_EMPTY:
comp = CPEComponentEmpty()
else:
try:
comp = CPEComponent1_1(elem_comp, comp_att)
except ValueError:
errmsg = (
'Bad-formed CPE Name: not correct value: {0}'
.format(elem_comp))
raise ValueError(errmsg)
components[comp_att] = comp
j += 1
for idx in range(j, len(CPEComponent.ordered_comp_parts)):
comp_att = CPEComponent.ordered_comp_parts[idx]
components[comp_att] = CPEComponentUndefined()
if pk == CPE.KEY_HW:
components[CPEComponent.ATT_PART] = CPEComponent1_1(
CPEComponent.VALUE_PART_HW, CPEComponent.ATT_PART)
elif pk == CPE.KEY_OS:
components[CPEComponent.ATT_PART] = CPEComponent1_1(
CPEComponent.VALUE_PART_OS, CPEComponent.ATT_PART)
elif pk == CPE.KEY_APP:
components[CPEComponent.ATT_PART] = CPEComponent1_1(
CPEComponent.VALUE_PART_APP, CPEComponent.ATT_PART)
elements.append(components)
self[pk] = elements
self[CPE.KEY_UNDEFINED] = []
|
parse
|
[
{
"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.cpe_str.find(' ') != -1:\n errmsg = 'Bad-formed CPE Name: it must not have whitespaces'\n raise ValueError(errmsg)\n parts_match = CPE1_1._parts_rxc.match(self.cpe_str)\n if parts_match is None:\n errmsg = (\n 'Bad-formed CPE Name: not correct definition of CPE Name parts')\n raise ValueError(errmsg)\n CPE_PART_KEYS = CPE.KEY_HW, CPE.KEY_OS, CPE.KEY_APP\n for pk in CPE_PART_KEYS:\n part = parts_match.group(pk)\n elements = []\n if part is not None:\n for part_elem in part.split(CPE1_1.ELEMENT_SEPARATOR):\n j = 1\n components = dict()\n for elem_comp in part_elem.split(CPEComponent1_1.SEPARATOR_COMP\n ):\n comp_att = CPEComponent.ordered_comp_parts[j]\n if elem_comp == CPEComponent1_1.VALUE_EMPTY:\n comp = CPEComponentEmpty()\n else:\n try:\n comp = CPEComponent1_1(elem_comp, comp_att)\n except ValueError:\n errmsg = (\n 'Bad-formed CPE Name: not correct value: {0}'\n .format(elem_comp))\n raise ValueError(errmsg)\n components[comp_att] = comp\n j += 1\n for idx in range(j, len(CPEComponent.ordered_comp_parts)):\n comp_att = CPEComponent.ordered_comp_parts[idx]\n components[comp_att] = CPEComponentUndefined()\n if pk == CPE.KEY_HW:\n components[CPEComponent.ATT_PART] = CPEComponent1_1(\n CPEComponent.VALUE_PART_HW, CPEComponent.ATT_PART)\n elif pk == CPE.KEY_OS:\n components[CPEComponent.ATT_PART] = CPEComponent1_1(\n CPEComponent.VALUE_PART_OS, CPEComponent.ATT_PART)\n elif pk == CPE.KEY_APP:\n components[CPEComponent.ATT_PART] = CPEComponent1_1(\n CPEComponent.VALUE_PART_APP, CPEComponent.ATT_PART)\n elements.append(components)\n self[pk] = elements\n self[CPE.KEY_UNDEFINED] = []\n",
"role": "user"
},
{
"content": "parse",
"role": "assistant"
}
] |
def x(self, att_name):
lc = []
if not CPEComponent.is_valid_attribute(att_name):
errmsg = 'Invalid attribute name: {0}'.format(att_name)
raise ValueError(errmsg)
for pk in CPE.CPE_PART_KEYS:
elements = self.get(pk)
for elem in elements:
comp = elem.get(att_name)
if isinstance(comp, CPEComponentEmpty) or isinstance(comp,
CPEComponentUndefined):
value = CPEComponent1_1.VALUE_EMPTY
else:
value = comp.get_value()
lc.append(value)
return lc
|
get_attribute_values
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, att_name):\n lc = []\n if not CPEComponent.is_valid_attribute(att_name):\n errmsg = 'Invalid attribute name: {0}'.format(att_name)\n raise ValueError(errmsg)\n for pk in CPE.CPE_PART_KEYS:\n elements = self.get(pk)\n for elem in elements:\n comp = elem.get(att_name)\n if isinstance(comp, CPEComponentEmpty) or isinstance(comp,\n CPEComponentUndefined):\n value = CPEComponent1_1.VALUE_EMPTY\n else:\n value = comp.get_value()\n lc.append(value)\n return lc\n",
"role": "user"
},
{
"content": "get_attribute_values",
"role": "assistant"
}
] |
def x(self, comp_str):
self._is_negated = False
self._encoded_value = comp_str
self._standard_value = super(CPEComponent2_3_URI_edpacked, self)._decode()
|
set_value
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, comp_str):\n self._is_negated = False\n self._encoded_value = comp_str\n self._standard_value = super(CPEComponent2_3_URI_edpacked, self)._decode()\n",
"role": "user"
},
{
"content": "set_value",
"role": "assistant"
}
] |
def x(self):
s = self._encoded_value
elements = s.replace('~', '').split('!')
dec_elements = []
for elem in elements:
result = []
idx = 0
while idx < len(elem):
c = elem[idx]
if c in CPEComponent1_1.NON_STANDARD_VALUES:
result.append('\\')
result.append(c)
else:
result.append(c)
idx += 1
dec_elements.append(''.join(result))
self._standard_value = dec_elements
|
decode
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n s = self._encoded_value\n elements = s.replace('~', '').split('!')\n dec_elements = []\n for elem in elements:\n result = []\n idx = 0\n while idx < len(elem):\n c = elem[idx]\n if c in CPEComponent1_1.NON_STANDARD_VALUES:\n result.append('\\\\')\n result.append(c)\n else:\n result.append(c)\n idx += 1\n dec_elements.append(''.join(result))\n self._standard_value = dec_elements\n",
"role": "user"
},
{
"content": "decode",
"role": "assistant"
}
] |
def x(self):
comp_str = self._encoded_value
value_pattern = []
value_pattern.append('^((')
value_pattern.append('~[')
value_pattern.append(CPEComponent1_1._STRING)
value_pattern.append(']+')
value_pattern.append(')|(')
value_pattern.append('[')
value_pattern.append(CPEComponent1_1._STRING)
value_pattern.append(']+(![')
value_pattern.append(CPEComponent1_1._STRING)
value_pattern.append(']+)*')
value_pattern.append('))$')
value_rxc = re.compile(''.join(value_pattern))
return value_rxc.match(comp_str) is not None
|
is_valid_value
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n comp_str = self._encoded_value\n value_pattern = []\n value_pattern.append('^((')\n value_pattern.append('~[')\n value_pattern.append(CPEComponent1_1._STRING)\n value_pattern.append(']+')\n value_pattern.append(')|(')\n value_pattern.append('[')\n value_pattern.append(CPEComponent1_1._STRING)\n value_pattern.append(']+(![')\n value_pattern.append(CPEComponent1_1._STRING)\n value_pattern.append(']+)*')\n value_pattern.append('))$')\n value_rxc = re.compile(''.join(value_pattern))\n return value_rxc.match(comp_str) is not None\n",
"role": "user"
},
{
"content": "is_valid_value",
"role": "assistant"
}
] |
def x(self):
result = []
for s in self._standard_value:
result.append(s)
result.append(CPEComponent1_1._ESCAPE_SEPARATOR)
return ''.join(result[0:-1])
|
as_wfn
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n result = []\n for s in self._standard_value:\n result.append(s)\n result.append(CPEComponent1_1._ESCAPE_SEPARATOR)\n return ''.join(result[0:-1])\n",
"role": "user"
},
{
"content": "as_wfn",
"role": "assistant"
}
] |
def x(self, comp_str, comp_att):
super(CPEComponent1_1, self).set_value(comp_str, comp_att)
self._is_negated = comp_str.startswith('~')
|
set_value
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, comp_str, comp_att):\n super(CPEComponent1_1, self).set_value(comp_str, comp_att)\n self._is_negated = comp_str.startswith('~')\n",
"role": "user"
},
{
"content": "set_value",
"role": "assistant"
}
] |
def x(cls, att, value):
if value == CPEComponent2_3_URI.VALUE_UNDEFINED:
comp = CPEComponentUndefined()
elif value == CPEComponent2_3_URI.VALUE_ANY or value == CPEComponent2_3_URI.VALUE_EMPTY:
comp = CPEComponentAnyValue()
elif value == CPEComponent2_3_URI.VALUE_NA:
comp = CPEComponentNotApplicable()
else:
comp = CPEComponentNotApplicable()
try:
comp = CPEComponent2_3_URI(value, att)
except ValueError:
errmsg = "Invalid value of attribute '{0}': {1} ".format(att, value
)
raise ValueError(errmsg)
return comp
|
create_component
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, att, value):\n if value == CPEComponent2_3_URI.VALUE_UNDEFINED:\n comp = CPEComponentUndefined()\n elif value == CPEComponent2_3_URI.VALUE_ANY or value == CPEComponent2_3_URI.VALUE_EMPTY:\n comp = CPEComponentAnyValue()\n elif value == CPEComponent2_3_URI.VALUE_NA:\n comp = CPEComponentNotApplicable()\n else:\n comp = CPEComponentNotApplicable()\n try:\n comp = CPEComponent2_3_URI(value, att)\n except ValueError:\n errmsg = \"Invalid value of attribute '{0}': {1} \".format(att, value\n )\n raise ValueError(errmsg)\n return comp\n",
"role": "user"
},
{
"content": "create_component",
"role": "assistant"
}
] |
def x(cls, value):
components = value.split(CPEComponent2_3_URI.SEPARATOR_PACKED_EDITION)
d = dict()
ed = components[1]
sw_ed = components[2]
t_sw = components[3]
t_hw = components[4]
oth = components[5]
ck = CPEComponent.ATT_EDITION
d[ck] = CPE2_3_URI._create_component(ck, ed)
ck = CPEComponent.ATT_SW_EDITION
d[ck] = CPE2_3_URI._create_component(ck, sw_ed)
ck = CPEComponent.ATT_TARGET_SW
d[ck] = CPE2_3_URI._create_component(ck, t_sw)
ck = CPEComponent.ATT_TARGET_HW
d[ck] = CPE2_3_URI._create_component(ck, t_hw)
ck = CPEComponent.ATT_OTHER
d[ck] = CPE2_3_URI._create_component(ck, oth)
return d
|
unpack_edition
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, value):\n components = value.split(CPEComponent2_3_URI.SEPARATOR_PACKED_EDITION)\n d = dict()\n ed = components[1]\n sw_ed = components[2]\n t_sw = components[3]\n t_hw = components[4]\n oth = components[5]\n ck = CPEComponent.ATT_EDITION\n d[ck] = CPE2_3_URI._create_component(ck, ed)\n ck = CPEComponent.ATT_SW_EDITION\n d[ck] = CPE2_3_URI._create_component(ck, sw_ed)\n ck = CPEComponent.ATT_TARGET_SW\n d[ck] = CPE2_3_URI._create_component(ck, t_sw)\n ck = CPEComponent.ATT_TARGET_HW\n d[ck] = CPE2_3_URI._create_component(ck, t_hw)\n ck = CPEComponent.ATT_OTHER\n d[ck] = CPE2_3_URI._create_component(ck, oth)\n return d\n",
"role": "user"
},
{
"content": "unpack_edition",
"role": "assistant"
}
] |
def x(self):
if self._str.find(' ') != -1:
msg = 'Bad-formed CPE Name: it must not have whitespaces'
raise ValueError(msg)
parts_match = CPE2_3_URI._parts_rxc.match(self._str)
if parts_match is None:
msg = 'Bad-formed CPE Name: validation of parts failed'
raise ValueError(msg)
components = dict()
edition_parts = dict()
for ck in CPEComponent.CPE_COMP_KEYS:
value = parts_match.group(ck)
try:
if ck == CPEComponent.ATT_EDITION and value is not None:
if value[0] == CPEComponent2_3_URI.SEPARATOR_PACKED_EDITION:
edition_parts = CPE2_3_URI._unpack_edition(value)
else:
comp = CPE2_3_URI._create_component(ck, value)
else:
comp = CPE2_3_URI._create_component(ck, value)
except ValueError:
errmsg = "Bad-formed CPE Name: not correct value '{0}'".format(
value)
raise ValueError(errmsg)
else:
components[ck] = comp
components = dict(components, **edition_parts)
for ck2 in CPEComponent.CPE_COMP_KEYS_EXTENDED:
if ck2 not in components.keys():
components[ck2] = CPEComponentUndefined()
check_change = True
for ck in CPEComponent.CPE_COMP_KEYS[::-1]:
if ck in components:
comp = components[ck]
if check_change:
check_change = (ck != CPEComponent.ATT_EDITION and comp ==
CPEComponentUndefined() or ck == CPEComponent.
ATT_EDITION and len(edition_parts) == 0)
elif comp == CPEComponentUndefined():
comp = CPEComponentAnyValue()
components[ck] = comp
part_comp = components[CPEComponent.ATT_PART]
if isinstance(part_comp, CPEComponentLogical):
elements = []
elements.append(components)
self[CPE.KEY_UNDEFINED] = elements
else:
system = parts_match.group(CPEComponent.ATT_PART)
if system in CPEComponent.SYSTEM_VALUES:
self._create_cpe_parts(system, components)
else:
self._create_cpe_parts(CPEComponent.VALUE_PART_UNDEFINED,
components)
for pk in CPE.CPE_PART_KEYS:
if pk not in self.keys():
self[pk] = []
|
parse
|
[
{
"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._str.find(' ') != -1:\n msg = 'Bad-formed CPE Name: it must not have whitespaces'\n raise ValueError(msg)\n parts_match = CPE2_3_URI._parts_rxc.match(self._str)\n if parts_match is None:\n msg = 'Bad-formed CPE Name: validation of parts failed'\n raise ValueError(msg)\n components = dict()\n edition_parts = dict()\n for ck in CPEComponent.CPE_COMP_KEYS:\n value = parts_match.group(ck)\n try:\n if ck == CPEComponent.ATT_EDITION and value is not None:\n if value[0] == CPEComponent2_3_URI.SEPARATOR_PACKED_EDITION:\n edition_parts = CPE2_3_URI._unpack_edition(value)\n else:\n comp = CPE2_3_URI._create_component(ck, value)\n else:\n comp = CPE2_3_URI._create_component(ck, value)\n except ValueError:\n errmsg = \"Bad-formed CPE Name: not correct value '{0}'\".format(\n value)\n raise ValueError(errmsg)\n else:\n components[ck] = comp\n components = dict(components, **edition_parts)\n for ck2 in CPEComponent.CPE_COMP_KEYS_EXTENDED:\n if ck2 not in components.keys():\n components[ck2] = CPEComponentUndefined()\n check_change = True\n for ck in CPEComponent.CPE_COMP_KEYS[::-1]:\n if ck in components:\n comp = components[ck]\n if check_change:\n check_change = (ck != CPEComponent.ATT_EDITION and comp ==\n CPEComponentUndefined() or ck == CPEComponent.\n ATT_EDITION and len(edition_parts) == 0)\n elif comp == CPEComponentUndefined():\n comp = CPEComponentAnyValue()\n components[ck] = comp\n part_comp = components[CPEComponent.ATT_PART]\n if isinstance(part_comp, CPEComponentLogical):\n elements = []\n elements.append(components)\n self[CPE.KEY_UNDEFINED] = elements\n else:\n system = parts_match.group(CPEComponent.ATT_PART)\n if system in CPEComponent.SYSTEM_VALUES:\n self._create_cpe_parts(system, components)\n else:\n self._create_cpe_parts(CPEComponent.VALUE_PART_UNDEFINED,\n components)\n for pk in CPE.CPE_PART_KEYS:\n if pk not in self.keys():\n self[pk] = []\n",
"role": "user"
},
{
"content": "parse",
"role": "assistant"
}
] |
def x(self):
if self._str.find(CPEComponent2_3_URI.SEPARATOR_PACKED_EDITION) == -1:
wfn = []
wfn.append(CPE2_3_WFN.CPE_PREFIX)
for ck in CPEComponent.CPE_COMP_KEYS:
lc = self._get_attribute_components(ck)
if len(lc) > 1:
errmsg = 'Incompatible version {0} with WFN'.format(self.
VERSION)
raise TypeError(errmsg)
else:
comp = lc[0]
v = []
v.append(ck)
v.append('=')
if isinstance(comp, CPEComponentUndefined) or isinstance(comp,
CPEComponentEmpty):
continue
elif isinstance(comp, CPEComponentAnyValue):
v.append(CPEComponent2_3_WFN.VALUE_ANY)
elif isinstance(comp, CPEComponentNotApplicable):
v.append(CPEComponent2_3_WFN.VALUE_NA)
else:
v.append('"')
v.append(comp.as_wfn())
v.append('"')
wfn.append(''.join(v))
wfn.append(CPEComponent2_3_WFN.SEPARATOR_COMP)
wfn = wfn[:-1]
wfn.append(CPE2_3_WFN.CPE_SUFFIX)
return ''.join(wfn)
else:
return super(CPE2_3_URI, self).as_wfn()
|
as_wfn
|
[
{
"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._str.find(CPEComponent2_3_URI.SEPARATOR_PACKED_EDITION) == -1:\n wfn = []\n wfn.append(CPE2_3_WFN.CPE_PREFIX)\n for ck in CPEComponent.CPE_COMP_KEYS:\n lc = self._get_attribute_components(ck)\n if len(lc) > 1:\n errmsg = 'Incompatible version {0} with WFN'.format(self.\n VERSION)\n raise TypeError(errmsg)\n else:\n comp = lc[0]\n v = []\n v.append(ck)\n v.append('=')\n if isinstance(comp, CPEComponentUndefined) or isinstance(comp,\n CPEComponentEmpty):\n continue\n elif isinstance(comp, CPEComponentAnyValue):\n v.append(CPEComponent2_3_WFN.VALUE_ANY)\n elif isinstance(comp, CPEComponentNotApplicable):\n v.append(CPEComponent2_3_WFN.VALUE_NA)\n else:\n v.append('\"')\n v.append(comp.as_wfn())\n v.append('\"')\n wfn.append(''.join(v))\n wfn.append(CPEComponent2_3_WFN.SEPARATOR_COMP)\n wfn = wfn[:-1]\n wfn.append(CPE2_3_WFN.CPE_SUFFIX)\n return ''.join(wfn)\n else:\n return super(CPE2_3_URI, self).as_wfn()\n",
"role": "user"
},
{
"content": "as_wfn",
"role": "assistant"
}
] |
def x(self):
result = []
idx = 0
s = self._encoded_value
embedded = False
errmsg = []
errmsg.append('Invalid value: ')
while idx < len(s):
errmsg.append(s)
errmsg_str = ''.join(errmsg)
c = s[idx]
if c == '.' or c == '-' or c == '~':
result.append('\\')
result.append(c)
idx += 1
embedded = True
continue
if c != '%':
result.append(c)
idx += 1
embedded = True
continue
form = s[idx:idx + 3]
if form == CPEComponent2_3_URI.WILDCARD_ONE:
if (idx == 0 or idx == len(s) - 3) or not embedded and s[idx -
3:idx] == CPEComponent2_3_URI.WILDCARD_ONE or embedded and len(
s) >= idx + 6 and s[idx + 3:idx + 6
] == CPEComponent2_3_URI.WILDCARD_ONE:
result.append(CPEComponent2_3_WFN.WILDCARD_ONE)
idx += 3
continue
else:
raise ValueError(errmsg_str)
elif form == CPEComponent2_3_URI.WILDCARD_MULTI:
if idx == 0 or idx == len(s) - 3:
result.append(CPEComponent2_3_WFN.WILDCARD_MULTI)
else:
raise ValueError(errmsg_str)
elif form in CPEComponent2_3_URI.pce_char_to_decode.keys():
value = CPEComponent2_3_URI.pce_char_to_decode[form]
result.append(value)
else:
errmsg.append('Invalid percent-encoded character: ')
errmsg.append(s)
raise ValueError(''.join(errmsg))
idx += 3
embedded = True
self._standard_value = ''.join(result)
|
decode
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n result = []\n idx = 0\n s = self._encoded_value\n embedded = False\n errmsg = []\n errmsg.append('Invalid value: ')\n while idx < len(s):\n errmsg.append(s)\n errmsg_str = ''.join(errmsg)\n c = s[idx]\n if c == '.' or c == '-' or c == '~':\n result.append('\\\\')\n result.append(c)\n idx += 1\n embedded = True\n continue\n if c != '%':\n result.append(c)\n idx += 1\n embedded = True\n continue\n form = s[idx:idx + 3]\n if form == CPEComponent2_3_URI.WILDCARD_ONE:\n if (idx == 0 or idx == len(s) - 3) or not embedded and s[idx - \n 3:idx] == CPEComponent2_3_URI.WILDCARD_ONE or embedded and len(\n s) >= idx + 6 and s[idx + 3:idx + 6\n ] == CPEComponent2_3_URI.WILDCARD_ONE:\n result.append(CPEComponent2_3_WFN.WILDCARD_ONE)\n idx += 3\n continue\n else:\n raise ValueError(errmsg_str)\n elif form == CPEComponent2_3_URI.WILDCARD_MULTI:\n if idx == 0 or idx == len(s) - 3:\n result.append(CPEComponent2_3_WFN.WILDCARD_MULTI)\n else:\n raise ValueError(errmsg_str)\n elif form in CPEComponent2_3_URI.pce_char_to_decode.keys():\n value = CPEComponent2_3_URI.pce_char_to_decode[form]\n result.append(value)\n else:\n errmsg.append('Invalid percent-encoded character: ')\n errmsg.append(s)\n raise ValueError(''.join(errmsg))\n idx += 3\n embedded = True\n self._standard_value = ''.join(result)\n",
"role": "user"
},
{
"content": "decode",
"role": "assistant"
}
] |
def x(self):
comp_str = self._standard_value[0]
packed = []
packed.append('(')
packed.append(CPEComponent2_3_URI.SEPARATOR_PACKED_EDITION)
packed.append(CPEComponent2_3_URI._string)
packed.append('){5}')
value_pattern = []
value_pattern.append('^(')
value_pattern.append(CPEComponent2_3_URI._string)
value_pattern.append('|')
value_pattern.append(''.join(packed))
value_pattern.append(')$')
value_rxc = re.compile(''.join(value_pattern))
return value_rxc.match(comp_str) is not None
|
is_valid_edition
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n comp_str = self._standard_value[0]\n packed = []\n packed.append('(')\n packed.append(CPEComponent2_3_URI.SEPARATOR_PACKED_EDITION)\n packed.append(CPEComponent2_3_URI._string)\n packed.append('){5}')\n value_pattern = []\n value_pattern.append('^(')\n value_pattern.append(CPEComponent2_3_URI._string)\n value_pattern.append('|')\n value_pattern.append(''.join(packed))\n value_pattern.append(')$')\n value_rxc = re.compile(''.join(value_pattern))\n return value_rxc.match(comp_str) is not None\n",
"role": "user"
},
{
"content": "is_valid_edition",
"role": "assistant"
}
] |
def x(self):
def x(self, value):
lang_pattern = []
lang_pattern.append('^(\\')
lang_pattern.append(self.WILDCARD_MULTI)
lang_pattern.append('[a-z]{1,2}')
lang_pattern.append('|\\')
lang_pattern.append(self.WILDCARD_ONE)
lang_pattern.append('(([a-z][a-z]?)|(\\')
lang_pattern.append(self.WILDCARD_ONE)
lang_pattern.append('(\\')
lang_pattern.append(self.WILDCARD_ONE)
lang_pattern.append('|[a-z])?))')
lang_pattern.append('|([a-z]{2,3}))$')
lang_rxc = re.compile(''.join(lang_pattern))
return lang_rxc.match(value)
def x(self, value):
lang_pattern = []
lang_pattern.append('^([a-z]')
lang_pattern.append('([a-z](\\')
lang_pattern.append(self.WILDCARD_MULTI)
lang_pattern.append('|\\')
lang_pattern.append(self.WILDCARD_ONE)
lang_pattern.append('|')
lang_pattern.append('([a-z]\\')
lang_pattern.append(self.WILDCARD_MULTI)
lang_pattern.append('))')
lang_pattern.append('|')
lang_pattern.append('\\')
lang_pattern.append(self.WILDCARD_ONE)
lang_pattern.append('(\\')
lang_pattern.append(self.WILDCARD_ONE)
lang_pattern.append(')?')
lang_pattern.append('|\\')
lang_pattern.append(self.WILDCARD_MULTI)
lang_pattern.append(')|\\')
lang_pattern.append(self.WILDCARD_ONE)
lang_pattern.append('[a-z](\\')
lang_pattern.append(self.WILDCARD_MULTI)
lang_pattern.append('|\\')
lang_pattern.append(self.WILDCARD_ONE)
lang_pattern.append(')')
lang_pattern.append('|\\')
lang_pattern.append(self.WILDCARD_MULTI)
lang_pattern.append('[a-z](\\')
lang_pattern.append(self.WILDCARD_MULTI)
lang_pattern.append('|\\')
lang_pattern.append(self.WILDCARD_ONE)
lang_pattern.append(')')
lang_pattern.append(')$')
lang_rxc = re.compile(''.join(lang_pattern))
return lang_rxc.match(value)
def x(self, value):
region_pattern = []
region_pattern.append('^(')
region_pattern.append('(\\')
region_pattern.append(self.WILDCARD_MULTI)
region_pattern.append(')|((\\')
region_pattern.append(self.WILDCARD_ONE)
region_pattern.append('){2,3})|([a-z]([a-z]|\\')
region_pattern.append(self.WILDCARD_MULTI)
region_pattern.append('|\\')
region_pattern.append(self.WILDCARD_ONE)
region_pattern.append('))|([0-9](\\')
region_pattern.append(self.WILDCARD_MULTI)
region_pattern.append('|\\')
region_pattern.append(self.WILDCARD_ONE)
region_pattern.append('(\\')
region_pattern.append(self.WILDCARD_ONE)
region_pattern.append(')?|[0-9][0-9\\')
region_pattern.append(self.WILDCARD_MULTI)
region_pattern.append('\\')
region_pattern.append(self.WILDCARD_ONE)
region_pattern.append('])))$')
region_rxc = re.compile(''.join(region_pattern))
return region_rxc.match(region)
def x(self, value):
region_pattern = []
region_pattern.append('^(')
region_pattern.append('(\\')
region_pattern.append(self.WILDCARD_MULTI)
region_pattern.append('[0-9])')
region_pattern.append('([0-9]([0-9])?)?')
region_pattern.append(')$')
region_rxc = re.compile(''.join(region_pattern))
return region_rxc.match(region)
comp_str = self._encoded_value.lower()
parts = comp_str.split(self.SEPARATOR_LANG)
language = parts[0]
region_exists = len(parts) == 2
if check_generic_language(self, language) is not None:
if region_exists:
region = parts[1]
return check_region_with_language(self, region) is not None
else:
return True
elif check_language_without_region(self, language) is not None:
return not region_exists
else:
region = parts[0]
return check_region_without_language(self, region) is not None
|
is_valid_language
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n\n def x(self, value):\n lang_pattern = []\n lang_pattern.append('^(\\\\')\n lang_pattern.append(self.WILDCARD_MULTI)\n lang_pattern.append('[a-z]{1,2}')\n lang_pattern.append('|\\\\')\n lang_pattern.append(self.WILDCARD_ONE)\n lang_pattern.append('(([a-z][a-z]?)|(\\\\')\n lang_pattern.append(self.WILDCARD_ONE)\n lang_pattern.append('(\\\\')\n lang_pattern.append(self.WILDCARD_ONE)\n lang_pattern.append('|[a-z])?))')\n lang_pattern.append('|([a-z]{2,3}))$')\n lang_rxc = re.compile(''.join(lang_pattern))\n return lang_rxc.match(value)\n\n def x(self, value):\n lang_pattern = []\n lang_pattern.append('^([a-z]')\n lang_pattern.append('([a-z](\\\\')\n lang_pattern.append(self.WILDCARD_MULTI)\n lang_pattern.append('|\\\\')\n lang_pattern.append(self.WILDCARD_ONE)\n lang_pattern.append('|')\n lang_pattern.append('([a-z]\\\\')\n lang_pattern.append(self.WILDCARD_MULTI)\n lang_pattern.append('))')\n lang_pattern.append('|')\n lang_pattern.append('\\\\')\n lang_pattern.append(self.WILDCARD_ONE)\n lang_pattern.append('(\\\\')\n lang_pattern.append(self.WILDCARD_ONE)\n lang_pattern.append(')?')\n lang_pattern.append('|\\\\')\n lang_pattern.append(self.WILDCARD_MULTI)\n lang_pattern.append(')|\\\\')\n lang_pattern.append(self.WILDCARD_ONE)\n lang_pattern.append('[a-z](\\\\')\n lang_pattern.append(self.WILDCARD_MULTI)\n lang_pattern.append('|\\\\')\n lang_pattern.append(self.WILDCARD_ONE)\n lang_pattern.append(')')\n lang_pattern.append('|\\\\')\n lang_pattern.append(self.WILDCARD_MULTI)\n lang_pattern.append('[a-z](\\\\')\n lang_pattern.append(self.WILDCARD_MULTI)\n lang_pattern.append('|\\\\')\n lang_pattern.append(self.WILDCARD_ONE)\n lang_pattern.append(')')\n lang_pattern.append(')$')\n lang_rxc = re.compile(''.join(lang_pattern))\n return lang_rxc.match(value)\n\n def x(self, value):\n region_pattern = []\n region_pattern.append('^(')\n region_pattern.append('(\\\\')\n region_pattern.append(self.WILDCARD_MULTI)\n region_pattern.append(')|((\\\\')\n region_pattern.append(self.WILDCARD_ONE)\n region_pattern.append('){2,3})|([a-z]([a-z]|\\\\')\n region_pattern.append(self.WILDCARD_MULTI)\n region_pattern.append('|\\\\')\n region_pattern.append(self.WILDCARD_ONE)\n region_pattern.append('))|([0-9](\\\\')\n region_pattern.append(self.WILDCARD_MULTI)\n region_pattern.append('|\\\\')\n region_pattern.append(self.WILDCARD_ONE)\n region_pattern.append('(\\\\')\n region_pattern.append(self.WILDCARD_ONE)\n region_pattern.append(')?|[0-9][0-9\\\\')\n region_pattern.append(self.WILDCARD_MULTI)\n region_pattern.append('\\\\')\n region_pattern.append(self.WILDCARD_ONE)\n region_pattern.append('])))$')\n region_rxc = re.compile(''.join(region_pattern))\n return region_rxc.match(region)\n\n def x(self, value):\n region_pattern = []\n region_pattern.append('^(')\n region_pattern.append('(\\\\')\n region_pattern.append(self.WILDCARD_MULTI)\n region_pattern.append('[0-9])')\n region_pattern.append('([0-9]([0-9])?)?')\n region_pattern.append(')$')\n region_rxc = re.compile(''.join(region_pattern))\n return region_rxc.match(region)\n comp_str = self._encoded_value.lower()\n parts = comp_str.split(self.SEPARATOR_LANG)\n language = parts[0]\n region_exists = len(parts) == 2\n if check_generic_language(self, language) is not None:\n if region_exists:\n region = parts[1]\n return check_region_with_language(self, region) is not None\n else:\n return True\n elif check_language_without_region(self, language) is not None:\n return not region_exists\n else:\n region = parts[0]\n return check_region_without_language(self, region) is not None\n",
"role": "user"
},
{
"content": "is_valid_language",
"role": "assistant"
}
] |
def x(self):
comp_str = self._encoded_value
if comp_str.find(self.WILDCARD_ONE) == -1 and comp_str.find(self.
WILDCARD_MULTI) == -1:
return super(CPEComponent2_3, self)._is_valid_part()
part_pattern = '^(\\{0}|\\{1})$'.format(self.WILDCARD_ONE, self.
WILDCARD_MULTI)
part_rxc = re.compile(part_pattern)
return part_rxc.match(comp_str) is not None
|
is_valid_part
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n comp_str = self._encoded_value\n if comp_str.find(self.WILDCARD_ONE) == -1 and comp_str.find(self.\n WILDCARD_MULTI) == -1:\n return super(CPEComponent2_3, self)._is_valid_part()\n part_pattern = '^(\\\\{0}|\\\\{1})$'.format(self.WILDCARD_ONE, self.\n WILDCARD_MULTI)\n part_rxc = re.compile(part_pattern)\n return part_rxc.match(comp_str) is not None\n",
"role": "user"
},
{
"content": "is_valid_part",
"role": "assistant"
}
] |
def x(cls, source, target):
if CPESet2_3._is_string(source):
source = source.lower()
if CPESet2_3._is_string(target):
target = target.lower()
if CPESet2_3._is_string(target) and CPESet2_3._contains_wildcards(target):
return CPESet2_3.LOGICAL_VALUE_UNDEFINED
if source == target:
return CPESet2_3.LOGICAL_VALUE_EQUAL
if source == CPEComponent2_3_WFN.VALUE_ANY:
return CPESet2_3.LOGICAL_VALUE_SUPERSET
if target == CPEComponent2_3_WFN.VALUE_ANY:
return CPESet2_3.LOGICAL_VALUE_SUBSET
isSourceNA = source == CPEComponent2_3_WFN.VALUE_NA
isTargetNA = target == CPEComponent2_3_WFN.VALUE_NA
if isSourceNA or isTargetNA:
return CPESet2_3.LOGICAL_VALUE_DISJOINT
return CPESet2_3._compare_strings(source, target)
|
compare
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, source, target):\n if CPESet2_3._is_string(source):\n source = source.lower()\n if CPESet2_3._is_string(target):\n target = target.lower()\n if CPESet2_3._is_string(target) and CPESet2_3._contains_wildcards(target):\n return CPESet2_3.LOGICAL_VALUE_UNDEFINED\n if source == target:\n return CPESet2_3.LOGICAL_VALUE_EQUAL\n if source == CPEComponent2_3_WFN.VALUE_ANY:\n return CPESet2_3.LOGICAL_VALUE_SUPERSET\n if target == CPEComponent2_3_WFN.VALUE_ANY:\n return CPESet2_3.LOGICAL_VALUE_SUBSET\n isSourceNA = source == CPEComponent2_3_WFN.VALUE_NA\n isTargetNA = target == CPEComponent2_3_WFN.VALUE_NA\n if isSourceNA or isTargetNA:\n return CPESet2_3.LOGICAL_VALUE_DISJOINT\n return CPESet2_3._compare_strings(source, target)\n",
"role": "user"
},
{
"content": "compare",
"role": "assistant"
}
] |
def x(cls, source, target):
start = 0
end = len(source)
begins = 0
ends = 0
if source.startswith(CPEComponent2_3_WFN.WILDCARD_MULTI):
start = 1
begins = -1
else:
while start < len(source) and source.startswith(CPEComponent2_3_WFN
.WILDCARD_ONE, start, start):
start += 1
begins += 1
if source.endswith(CPEComponent2_3_WFN.WILDCARD_MULTI
) and CPESet2_3._is_even_wildcards(source, end - 1):
end -= 1
ends = -1
else:
while end > 0 and source.endswith(CPEComponent2_3_WFN.WILDCARD_ONE,
end - 1, end) and CPESet2_3._is_even_wildcards(source, end - 1):
end -= 1
ends += 1
source = source[start:end]
index = -1
leftover = len(target)
while leftover > 0:
index = target.find(source, index + 1)
if index == -1:
break
escapes = target.count('\\', 0, index)
if index > 0 and begins != -1 and begins < index - escapes:
break
escapes = target.count('\\', index + 1, len(target))
leftover = len(target) - index - escapes - len(source)
if leftover > 0 and (ends != -1 and leftover > ends):
continue
return CPESet2_3.LOGICAL_VALUE_SUPERSET
return CPESet2_3.LOGICAL_VALUE_DISJOINT
|
compare_strings
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, source, target):\n start = 0\n end = len(source)\n begins = 0\n ends = 0\n if source.startswith(CPEComponent2_3_WFN.WILDCARD_MULTI):\n start = 1\n begins = -1\n else:\n while start < len(source) and source.startswith(CPEComponent2_3_WFN\n .WILDCARD_ONE, start, start):\n start += 1\n begins += 1\n if source.endswith(CPEComponent2_3_WFN.WILDCARD_MULTI\n ) and CPESet2_3._is_even_wildcards(source, end - 1):\n end -= 1\n ends = -1\n else:\n while end > 0 and source.endswith(CPEComponent2_3_WFN.WILDCARD_ONE,\n end - 1, end) and CPESet2_3._is_even_wildcards(source, end - 1):\n end -= 1\n ends += 1\n source = source[start:end]\n index = -1\n leftover = len(target)\n while leftover > 0:\n index = target.find(source, index + 1)\n if index == -1:\n break\n escapes = target.count('\\\\', 0, index)\n if index > 0 and begins != -1 and begins < index - escapes:\n break\n escapes = target.count('\\\\', index + 1, len(target))\n leftover = len(target) - index - escapes - len(source)\n if leftover > 0 and (ends != -1 and leftover > ends):\n continue\n return CPESet2_3.LOGICAL_VALUE_SUPERSET\n return CPESet2_3.LOGICAL_VALUE_DISJOINT\n",
"role": "user"
},
{
"content": "compare_strings",
"role": "assistant"
}
] |
def x(cls, s):
idx = s.find('*')
if idx != -1:
if idx == 0:
return True
elif s[idx - 1] != '\\':
return True
idx = s.find('?')
if idx != -1:
if idx == 0:
return True
elif s[idx - 1] != '\\':
return True
return False
|
contains_wildcards
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, s):\n idx = s.find('*')\n if idx != -1:\n if idx == 0:\n return True\n elif s[idx - 1] != '\\\\':\n return True\n idx = s.find('?')\n if idx != -1:\n if idx == 0:\n return True\n elif s[idx - 1] != '\\\\':\n return True\n return False\n",
"role": "user"
},
{
"content": "contains_wildcards",
"role": "assistant"
}
] |
def x(cls, str, idx):
result = 0
while idx > 0 and str[idx - 1] == '\\':
idx -= 1
result += 1
isEvenNumber = result % 2 == 0
return isEvenNumber
|
is_even_wildcards
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, str, idx):\n result = 0\n while idx > 0 and str[idx - 1] == '\\\\':\n idx -= 1\n result += 1\n isEvenNumber = result % 2 == 0\n return isEvenNumber\n",
"role": "user"
},
{
"content": "is_even_wildcards",
"role": "assistant"
}
] |
def x(cls, arg):
isAny = arg == CPEComponent2_3_WFN.VALUE_ANY
isNa = arg == CPEComponent2_3_WFN.VALUE_NA
return not (isAny or isNa)
|
is_string
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, arg):\n isAny = arg == CPEComponent2_3_WFN.VALUE_ANY\n isNa = arg == CPEComponent2_3_WFN.VALUE_NA\n return not (isAny or isNa)\n",
"role": "user"
},
{
"content": "is_string",
"role": "assistant"
}
] |
def x(cls, source, target):
for att in CPEComponent.CPE_COMP_KEYS_EXTENDED:
value_src = source.get_attribute_values(att)[0]
if value_src.find('"') > -1:
value_src = value_src[1:-1]
value_tar = target.get_attribute_values(att)[0]
if value_tar.find('"') > -1:
value_tar = value_tar[1:-1]
yield att, CPESet2_3._compare(value_src, value_tar)
|
compare_wfns
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, source, target):\n for att in CPEComponent.CPE_COMP_KEYS_EXTENDED:\n value_src = source.get_attribute_values(att)[0]\n if value_src.find('\"') > -1:\n value_src = value_src[1:-1]\n value_tar = target.get_attribute_values(att)[0]\n if value_tar.find('\"') > -1:\n value_tar = value_tar[1:-1]\n yield att, CPESet2_3._compare(value_src, value_tar)\n",
"role": "user"
},
{
"content": "compare_wfns",
"role": "assistant"
}
] |
def x(cls, source, target):
for att, result in CPESet2_3.compare_wfns(source, target):
isDisjoint = result == CPESet2_3.LOGICAL_VALUE_DISJOINT
if isDisjoint:
return True
return False
|
cpe_disjoint
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, source, target):\n for att, result in CPESet2_3.compare_wfns(source, target):\n isDisjoint = result == CPESet2_3.LOGICAL_VALUE_DISJOINT\n if isDisjoint:\n return True\n return False\n",
"role": "user"
},
{
"content": "cpe_disjoint",
"role": "assistant"
}
] |
def x(cls, source, target):
for att, result in CPESet2_3.compare_wfns(source, target):
isEqual = result == CPESet2_3.LOGICAL_VALUE_EQUAL
if not isEqual:
return False
return True
|
cpe_equal
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, source, target):\n for att, result in CPESet2_3.compare_wfns(source, target):\n isEqual = result == CPESet2_3.LOGICAL_VALUE_EQUAL\n if not isEqual:\n return False\n return True\n",
"role": "user"
},
{
"content": "cpe_equal",
"role": "assistant"
}
] |
def x(cls, source, target):
for att, result in CPESet2_3.compare_wfns(source, target):
isSubset = result == CPESet2_3.LOGICAL_VALUE_SUBSET
isEqual = result == CPESet2_3.LOGICAL_VALUE_EQUAL
if not isSubset and not isEqual:
return False
return True
|
cpe_subset
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, source, target):\n for att, result in CPESet2_3.compare_wfns(source, target):\n isSubset = result == CPESet2_3.LOGICAL_VALUE_SUBSET\n isEqual = result == CPESet2_3.LOGICAL_VALUE_EQUAL\n if not isSubset and not isEqual:\n return False\n return True\n",
"role": "user"
},
{
"content": "cpe_subset",
"role": "assistant"
}
] |
def x(cls, source, target):
for att, result in CPESet2_3.compare_wfns(source, target):
isSuperset = result == CPESet2_3.LOGICAL_VALUE_SUPERSET
isEqual = result == CPESet2_3.LOGICAL_VALUE_EQUAL
if not isSuperset and not isEqual:
return False
return True
|
cpe_superset
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, source, target):\n for att, result in CPESet2_3.compare_wfns(source, target):\n isSuperset = result == CPESet2_3.LOGICAL_VALUE_SUPERSET\n isEqual = result == CPESet2_3.LOGICAL_VALUE_EQUAL\n if not isSuperset and not isEqual:\n return False\n return True\n",
"role": "user"
},
{
"content": "cpe_superset",
"role": "assistant"
}
] |
def x(self, cpe):
if cpe.VERSION != CPE2_3.VERSION:
errmsg = 'CPE Name version {0} not valid, version 2.3 expected'.format(
cpe.VERSION)
raise ValueError(errmsg)
for k in self.K:
if cpe._str == k._str:
return None
if isinstance(cpe, CPE2_3_WFN):
self.K.append(cpe)
else:
wfn = CPE2_3_WFN(cpe.as_wfn())
self.K.append(wfn)
|
append
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, cpe):\n if cpe.VERSION != CPE2_3.VERSION:\n errmsg = 'CPE Name version {0} not valid, version 2.3 expected'.format(\n cpe.VERSION)\n raise ValueError(errmsg)\n for k in self.K:\n if cpe._str == k._str:\n return None\n if isinstance(cpe, CPE2_3_WFN):\n self.K.append(cpe)\n else:\n wfn = CPE2_3_WFN(cpe.as_wfn())\n self.K.append(wfn)\n",
"role": "user"
},
{
"content": "append",
"role": "assistant"
}
] |
def x(self, wfn):
for N in self.K:
if CPESet2_3.cpe_superset(wfn, N):
return True
return False
|
name_match
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, wfn):\n for N in self.K:\n if CPESet2_3.cpe_superset(wfn, N):\n return True\n return False\n",
"role": "user"
},
{
"content": "name_match",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.