source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(data_home, size):
ages = [1, 18, 25, 35, 45, 50, 56, 999]
users = {}
if size == '100k':
all_occupations = ['administrator', 'artist', 'doctor', 'educator',
'engineer', 'entertainment', 'executive', 'healthcare',
'homemaker', 'lawyer', 'librarian', 'marketing', 'none',
'other', 'programmer', 'retired', 'salesman', 'scientist',
'student', 'technician', 'writer']
with open(os.path.join(data_home, 'u.user'), encoding='ISO-8859-1'
) as f:
lines = list(map(lambda l: l.rstrip().split('|'), f.readlines()))
for user_id_str, age_str, sex_str, occupation_str, zip_code in lines:
user_vec = np.zeros(1 + 1 + 21)
user_vec[0] = 0 if sex_str == 'M' else 1
age = int(age_str)
for i in range(7):
if age >= ages[i] and age < ages[i + 1]:
user_vec[1] = i
break
user_vec[2 + all_occupations.index(occupation_str)] = 1
users[int(user_id_str)] = user_vec
elif size == '1m':
with open(os.path.join(data_home, 'users.dat'), encoding='ISO-8859-1'
) as f:
lines = list(map(lambda l: l.rstrip().split('::'), f.readlines()))
for user_id_str, sex_str, age_str, occupation_str, zip_code in lines:
user_vec = np.zeros(1 + 1 + 21)
user_vec[0] = 0 if sex_str == 'M' else 1
user_vec[1] = ages.index(int(age_str))
user_vec[2 + int(occupation_str)] = 1
users[int(user_id_str)] = user_vec
return users
| load_users | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data_home, size):\n ages = [1, 18, 25, 35, 45, 50, 56, 999]\n users = {}\n if size == '100k':\n all_occupations = ['administrator', 'artist', 'doctor', 'educator',\n 'engineer', 'entertainment', 'executive', 'healthcare',\n 'homemaker', 'lawyer', 'librarian', 'marketing', 'none',\n 'other', 'programmer', 'retired', 'salesman', 'scientist',\n 'student', 'technician', 'writer']\n with open(os.path.join(data_home, 'u.user'), encoding='ISO-8859-1'\n ) as f:\n lines = list(map(lambda l: l.rstrip().split('|'), f.readlines()))\n for user_id_str, age_str, sex_str, occupation_str, zip_code in lines:\n user_vec = np.zeros(1 + 1 + 21)\n user_vec[0] = 0 if sex_str == 'M' else 1\n age = int(age_str)\n for i in range(7):\n if age >= ages[i] and age < ages[i + 1]:\n user_vec[1] = i\n break\n user_vec[2 + all_occupations.index(occupation_str)] = 1\n users[int(user_id_str)] = user_vec\n elif size == '1m':\n with open(os.path.join(data_home, 'users.dat'), encoding='ISO-8859-1'\n ) as f:\n lines = list(map(lambda l: l.rstrip().split('::'), f.readlines()))\n for user_id_str, sex_str, age_str, occupation_str, zip_code in lines:\n user_vec = np.zeros(1 + 1 + 21)\n user_vec[0] = 0 if sex_str == 'M' else 1\n user_vec[1] = ages.index(int(age_str))\n user_vec[2 + int(occupation_str)] = 1\n users[int(user_id_str)] = user_vec\n return users\n",
"role": "user"
},
{
"content": "load_users",
"role": "assistant"
}
] |
def x(data_home, size):
if size == '100k':
with open(os.path.join(data_home, 'u.data'), encoding='ISO-8859-1'
) as f:
lines = list(map(lambda l: list(map(int, l.rstrip().split('\t')
)), f.readlines()))
elif size == '1m':
with open(os.path.join(data_home, 'ratings.dat'), encoding='ISO-8859-1'
) as f:
lines = list(map(lambda l: list(map(int, l.rstrip().split('::')
)), f.readlines()))
ratings = []
for l in lines:
if l[2] == 5:
ratings.append(l)
ratings = np.asarray(ratings)
return ratings[np.argsort(ratings[:, 3])]
| load_ratings | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data_home, size):\n if size == '100k':\n with open(os.path.join(data_home, 'u.data'), encoding='ISO-8859-1'\n ) as f:\n lines = list(map(lambda l: list(map(int, l.rstrip().split('\\t')\n )), f.readlines()))\n elif size == '1m':\n with open(os.path.join(data_home, 'ratings.dat'), encoding='ISO-8859-1'\n ) as f:\n lines = list(map(lambda l: list(map(int, l.rstrip().split('::')\n )), f.readlines()))\n ratings = []\n for l in lines:\n if l[2] == 5:\n ratings.append(l)\n ratings = np.asarray(ratings)\n return ratings[np.argsort(ratings[:, 3])]\n",
"role": "user"
},
{
"content": "load_ratings",
"role": "assistant"
}
] |
def x(d1, d2, opt='d'):
delta = 0
if opt == 'm':
while True:
mdays = monthrange(d1.year, d1.month)[1]
d1 += timedelta(days=mdays)
if d1 <= d2:
delta += 1
else:
break
else:
delta = (d2 - d1).days
return delta
| delta | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(d1, d2, opt='d'):\n delta = 0\n if opt == 'm':\n while True:\n mdays = monthrange(d1.year, d1.month)[1]\n d1 += timedelta(days=mdays)\n if d1 <= d2:\n delta += 1\n else:\n break\n else:\n delta = (d2 - d1).days\n return delta\n",
"role": "user"
},
{
"content": "delta",
"role": "assistant"
}
] |
def x(feature, dims, seeds):
vec = np.zeros(sum(dims))
offset = 0
for seed, dim in zip(seeds, dims):
vec[offset:offset + dim] = feature_hash(feature, dim, seed)
offset += dim
return vec
| n_feature_hash | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(feature, dims, seeds):\n vec = np.zeros(sum(dims))\n offset = 0\n for seed, dim in zip(seeds, dims):\n vec[offset:offset + dim] = feature_hash(feature, dim, seed)\n offset += dim\n return vec\n",
"role": "user"
},
{
"content": "n_feature_hash",
"role": "assistant"
}
] |
def x(feature, dim, seed=123):
vec = np.zeros(dim)
i = mmh3.hash(feature, seed) % dim
vec[i] = 1
return vec
| feature_hash | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(feature, dim, seed=123):\n vec = np.zeros(dim)\n i = mmh3.hash(feature, seed) % dim\n vec[i] = 1\n return vec\n",
"role": "user"
},
{
"content": "feature_hash",
"role": "assistant"
}
] |
def x(truth, recommend):
tp = 0
for r in recommend:
if r in truth:
tp += 1
return tp
| count_true_positive | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(truth, recommend):\n tp = 0\n for r in recommend:\n if r in truth:\n tp += 1\n return tp\n",
"role": "user"
},
{
"content": "count_true_positive",
"role": "assistant"
}
] |
def x(truth, recommend, k=None):
if len(truth) == 0:
if len(recommend) == 0:
return 1.0
return 0.0
if k is None:
k = len(recommend)
return count_true_positive(truth, recommend[:k]) / float(truth.size)
| recall | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(truth, recommend, k=None):\n if len(truth) == 0:\n if len(recommend) == 0:\n return 1.0\n return 0.0\n if k is None:\n k = len(recommend)\n return count_true_positive(truth, recommend[:k]) / float(truth.size)\n",
"role": "user"
},
{
"content": "recall",
"role": "assistant"
}
] |
def x(truth, recommend, k=None):
if len(recommend) == 0:
if len(truth) == 0:
return 1.0
return 0.0
if k is None:
k = len(recommend)
return count_true_positive(truth, recommend[:k]) / float(k)
| precision | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(truth, recommend, k=None):\n if len(recommend) == 0:\n if len(truth) == 0:\n return 1.0\n return 0.0\n if k is None:\n k = len(recommend)\n return count_true_positive(truth, recommend[:k]) / float(k)\n",
"role": "user"
},
{
"content": "precision",
"role": "assistant"
}
] |
def x(truth, recommend):
if len(truth) == 0:
if len(recommend) == 0:
return 1.0
return 0.0
tp = accum = 0.0
for n in range(recommend.size):
if recommend[n] in truth:
tp += 1.0
accum += tp / (n + 1.0)
return accum / truth.size
| average_precision | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(truth, recommend):\n if len(truth) == 0:\n if len(recommend) == 0:\n return 1.0\n return 0.0\n tp = accum = 0.0\n for n in range(recommend.size):\n if recommend[n] in truth:\n tp += 1.0\n accum += tp / (n + 1.0)\n return accum / truth.size\n",
"role": "user"
},
{
"content": "average_precision",
"role": "assistant"
}
] |
def x(truth, recommend):
tp = correct = 0.0
for r in recommend:
if r in truth:
tp += 1.0
else:
correct += tp
pairs = tp * (recommend.size - tp)
if pairs == 0:
return 0.5
return correct / pairs
| auc | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(truth, recommend):\n tp = correct = 0.0\n for r in recommend:\n if r in truth:\n tp += 1.0\n else:\n correct += tp\n pairs = tp * (recommend.size - tp)\n if pairs == 0:\n return 0.5\n return correct / pairs\n",
"role": "user"
},
{
"content": "auc",
"role": "assistant"
}
] |
def x(truth, recommend):
for n in range(recommend.size):
if recommend[n] in truth:
return 1.0 / (n + 1)
return 0.0
| reciprocal_rank | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(truth, recommend):\n for n in range(recommend.size):\n if recommend[n] in truth:\n return 1.0 / (n + 1)\n return 0.0\n",
"role": "user"
},
{
"content": "reciprocal_rank",
"role": "assistant"
}
] |
def x(truth, recommend):
if len(recommend) == 0 and len(truth) == 0:
return 0.0
elif len(truth) == 0 or len(truth) == 0:
return 100.0
accum = 0.0
n_recommend = recommend.size
for t in truth:
r = np.where(recommend == t)[0][0] / float(n_recommend)
accum += r
return accum * 100.0 / truth.size
| mpr | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(truth, recommend):\n if len(recommend) == 0 and len(truth) == 0:\n return 0.0\n elif len(truth) == 0 or len(truth) == 0:\n return 100.0\n accum = 0.0\n n_recommend = recommend.size\n for t in truth:\n r = np.where(recommend == t)[0][0] / float(n_recommend)\n accum += r\n return accum * 100.0 / truth.size\n",
"role": "user"
},
{
"content": "mpr",
"role": "assistant"
}
] |
def x(truth, recommend, k=None):
if k is None:
k = len(recommend)
def x(n_possible_truth):
res = 0.0
for n in range(n_possible_truth):
res += 1.0 / np.log2(n + 2)
return res
dcg = 0.0
for n, r in enumerate(recommend[:k]):
if r not in truth:
continue
dcg += 1.0 / np.log2(n + 2)
res_idcg = idcg(np.min([truth.size, k]))
if res_idcg == 0.0:
return 0.0
return dcg / res_idcg
| ndcg | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(truth, recommend, k=None):\n if k is None:\n k = len(recommend)\n\n def x(n_possible_truth):\n res = 0.0\n for n in range(n_possible_truth):\n res += 1.0 / np.log2(n + 2)\n return res\n dcg = 0.0\n for n, r in enumerate(recommend[:k]):\n if r not in truth:\n continue\n dcg += 1.0 / np.log2(n + 2)\n res_idcg = idcg(np.min([truth.size, k]))\n if res_idcg == 0.0:\n return 0.0\n return dcg / res_idcg\n",
"role": "user"
},
{
"content": "ndcg",
"role": "assistant"
}
] |
def x(self, *args):
self.n_user = 0
self.users = {}
self.n_item = 0
self.items = {}
| initialize | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *args):\n self.n_user = 0\n self.users = {}\n self.n_item = 0\n self.items = {}\n",
"role": "user"
},
{
"content": "initialize",
"role": "assistant"
}
] |
def x(self, user):
self.users[user.index] = {'known_items': set()}
self.n_user += 1
| register_user | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, user):\n self.users[user.index] = {'known_items': set()}\n self.n_user += 1\n",
"role": "user"
},
{
"content": "register_user",
"role": "assistant"
}
] |
def x(self, scores, candidates, rev=False):
sorted_indices = np.argsort(scores)
if rev:
sorted_indices = sorted_indices[::-1]
return candidates[sorted_indices], scores[sorted_indices]
| scores2recos | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, scores, candidates, rev=False):\n sorted_indices = np.argsort(scores)\n if rev:\n sorted_indices = sorted_indices[::-1]\n return candidates[sorted_indices], scores[sorted_indices]\n",
"role": "user"
},
{
"content": "scores2recos",
"role": "assistant"
}
] |
def x(self, train_events, test_events, n_epoch=1):
for e in train_events:
self.__validate(e)
self.rec.users[e.user.index]['known_items'].add(e.item.index)
self.item_buffer.append(e.item.index)
for e in test_events:
self.__validate(e)
self.item_buffer.append(e.item.index)
self.__batch_update(train_events, test_events, n_epoch)
for e in test_events:
self.rec.users[e.user.index]['known_items'].add(e.item.index)
self.rec.update(e)
| fit | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, train_events, test_events, n_epoch=1):\n for e in train_events:\n self.__validate(e)\n self.rec.users[e.user.index]['known_items'].add(e.item.index)\n self.item_buffer.append(e.item.index)\n for e in test_events:\n self.__validate(e)\n self.item_buffer.append(e.item.index)\n self.__batch_update(train_events, test_events, n_epoch)\n for e in test_events:\n self.rec.users[e.user.index]['known_items'].add(e.item.index)\n self.rec.update(e)\n",
"role": "user"
},
{
"content": "fit",
"role": "assistant"
}
] |
def x(self, test_events):
for i, e in enumerate(test_events):
self.__validate(e)
unobserved = set(self.item_buffer)
if not self.repeat:
unobserved -= self.rec.users[e.user.index]['known_items']
unobserved.add(e.item.index)
candidates = np.asarray(list(unobserved))
start = time.clock()
recos, scores = self.__recommend(e, candidates)
recommend_time = time.clock() - start
rank = np.where(recos == e.item.index)[0][0]
self.rec.users[e.user.index]['known_items'].add(e.item.index)
start = time.clock()
self.rec.update(e)
update_time = time.clock() - start
self.item_buffer.append(e.item.index)
yield scores[0], rank, recommend_time, update_time
| evaluate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, test_events):\n for i, e in enumerate(test_events):\n self.__validate(e)\n unobserved = set(self.item_buffer)\n if not self.repeat:\n unobserved -= self.rec.users[e.user.index]['known_items']\n unobserved.add(e.item.index)\n candidates = np.asarray(list(unobserved))\n start = time.clock()\n recos, scores = self.__recommend(e, candidates)\n recommend_time = time.clock() - start\n rank = np.where(recos == e.item.index)[0][0]\n self.rec.users[e.user.index]['known_items'].add(e.item.index)\n start = time.clock()\n self.rec.update(e)\n update_time = time.clock() - start\n self.item_buffer.append(e.item.index)\n yield scores[0], rank, recommend_time, update_time\n",
"role": "user"
},
{
"content": "evaluate",
"role": "assistant"
}
] |
def x(self, train_events, test_events, n_epoch):
for epoch in range(n_epoch):
if n_epoch != 1:
np.random.shuffle(train_events)
for e in train_events:
self.rec.update(e, batch_train=True)
MPR = self.__batch_evaluate(test_events)
if self.debug:
logger.debug('epoch %2d: MPR = %f' % (epoch + 1, MPR))
| batch_update | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, train_events, test_events, n_epoch):\n for epoch in range(n_epoch):\n if n_epoch != 1:\n np.random.shuffle(train_events)\n for e in train_events:\n self.rec.update(e, batch_train=True)\n MPR = self.__batch_evaluate(test_events)\n if self.debug:\n logger.debug('epoch %2d: MPR = %f' % (epoch + 1, MPR))\n",
"role": "user"
},
{
"content": "batch_update",
"role": "assistant"
}
] |
def x(self, test_events):
percentiles = np.zeros(len(test_events))
all_items = set(self.item_buffer)
for i, e in enumerate(test_events):
unobserved = all_items
if not self.repeat:
unobserved -= self.rec.users[e.user.index]['known_items']
unobserved.add(e.item.index)
candidates = np.asarray(list(unobserved))
recos, scores = self.__recommend(e, candidates)
pos = np.where(recos == e.item.index)[0][0]
percentiles[i] = pos / (len(recos) - 1) * 100
return np.mean(percentiles)
| batch_evaluate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, test_events):\n percentiles = np.zeros(len(test_events))\n all_items = set(self.item_buffer)\n for i, e in enumerate(test_events):\n unobserved = all_items\n if not self.repeat:\n unobserved -= self.rec.users[e.user.index]['known_items']\n unobserved.add(e.item.index)\n candidates = np.asarray(list(unobserved))\n recos, scores = self.__recommend(e, candidates)\n pos = np.where(recos == e.item.index)[0][0]\n percentiles[i] = pos / (len(recos) - 1) * 100\n return np.mean(percentiles)\n",
"role": "user"
},
{
"content": "batch_evaluate",
"role": "assistant"
}
] |
def x(self, values, max_width):
if type(values) == dict:
values = self._scale_x_values_timestamps(values=values, max_width=
max_width)
adjusted_values = list(values)
if len(adjusted_values) > max_width:
def x(current_pos):
return len(adjusted_values) * current_pos // max_width
adjusted_values = [statistics.mean(adjusted_values[get_position(i):
get_position(i + 1)]) for i in range(max_width)]
return adjusted_values
| scale_x_values | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, values, max_width):\n if type(values) == dict:\n values = self._scale_x_values_timestamps(values=values, max_width=\n max_width)\n adjusted_values = list(values)\n if len(adjusted_values) > max_width:\n\n def x(current_pos):\n return len(adjusted_values) * current_pos // max_width\n adjusted_values = [statistics.mean(adjusted_values[get_position(i):\n get_position(i + 1)]) for i in range(max_width)]\n return adjusted_values\n",
"role": "user"
},
{
"content": "scale_x_values",
"role": "assistant"
}
] |
def x(self, values, max_width):
first_timestamp = float(values[0][0])
last_timestamp = float(values[-1][0])
step_size = (last_timestamp - first_timestamp) / max_width
values_by_column = [[] for i in range(max_width)]
for timestamp, value in values:
if value is None:
continue
timestamp = float(timestamp)
column = (timestamp - first_timestamp) // step_size
column = int(min(column, max_width - 1))
values_by_column[column].append(value)
adjusted_values = [(statistics.mean(values) if values else 0) for
values in values_by_column]
return adjusted_values
| scale_x_values_timestamps | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, values, max_width):\n first_timestamp = float(values[0][0])\n last_timestamp = float(values[-1][0])\n step_size = (last_timestamp - first_timestamp) / max_width\n values_by_column = [[] for i in range(max_width)]\n for timestamp, value in values:\n if value is None:\n continue\n timestamp = float(timestamp)\n column = (timestamp - first_timestamp) // step_size\n column = int(min(column, max_width - 1))\n values_by_column[column].append(value)\n adjusted_values = [(statistics.mean(values) if values else 0) for\n values in values_by_column]\n return adjusted_values\n",
"role": "user"
},
{
"content": "scale_x_values_timestamps",
"role": "assistant"
}
] |
def x(self, values, new_min, new_max, scale_old_from_zero=True):
scaled_values = []
y_min_value = min(values)
if scale_old_from_zero:
y_min_value = 0
y_max_value = max(values)
new_min = 0
OldRange = y_max_value - y_min_value or 1
NewRange = new_max - new_min
for old_value in values:
new_value = (old_value - y_min_value) * NewRange / OldRange + new_min
scaled_values.append(new_value)
return scaled_values
| scale_y_values | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, values, new_min, new_max, scale_old_from_zero=True):\n scaled_values = []\n y_min_value = min(values)\n if scale_old_from_zero:\n y_min_value = 0\n y_max_value = max(values)\n new_min = 0\n OldRange = y_max_value - y_min_value or 1\n NewRange = new_max - new_min\n for old_value in values:\n new_value = (old_value - y_min_value) * NewRange / OldRange + new_min\n scaled_values.append(new_value)\n return scaled_values\n",
"role": "user"
},
{
"content": "scale_y_values",
"role": "assistant"
}
] |
def x(self, values):
empty_space = ' '
field = [[empty_space for y in range(max(values) + 1)] for x in range(
len(values))]
for x in range(len(values)):
y = values[x]
y_prev = values[x - 1] if x - 1 in range(len(values)) else y
y_next = values[x + 1] if x + 1 in range(len(values)) else y
if abs(y_prev - y) > 1:
step = 1 if y_prev - y > 0 else -1
for h in range(y + step, y_prev, step):
if field[x][h] is empty_space:
field[x][h] = '|'
char = self._assign_ascii_character(y_prev, y, y_next)
field[x][y] = char
return field
| get_ascii_field | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, values):\n empty_space = ' '\n field = [[empty_space for y in range(max(values) + 1)] for x in range(\n len(values))]\n for x in range(len(values)):\n y = values[x]\n y_prev = values[x - 1] if x - 1 in range(len(values)) else y\n y_next = values[x + 1] if x + 1 in range(len(values)) else y\n if abs(y_prev - y) > 1:\n step = 1 if y_prev - y > 0 else -1\n for h in range(y + step, y_prev, step):\n if field[x][h] is empty_space:\n field[x][h] = '|'\n char = self._assign_ascii_character(y_prev, y, y_next)\n field[x][y] = char\n return field\n",
"role": "user"
},
{
"content": "get_ascii_field",
"role": "assistant"
}
] |
def x(self, y_prev, y, y_next):
char = '?'
if y_next > y and y_prev > y:
char = '-'
elif y_next < y and y_prev < y:
char = '-'
elif y_prev < y and y == y_next:
char = '-'
elif y_prev == y and y_next < y:
char = '-'
elif y_next > y:
char = '/'
elif y_next < y:
char = '\\'
elif y_prev < y:
char = '/'
elif y_prev > y:
char = '\\'
elif y_next == y:
char = '-'
elif y == y_prev:
char = '-'
return char
| assign_ascii_character | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, y_prev, y, y_next):\n char = '?'\n if y_next > y and y_prev > y:\n char = '-'\n elif y_next < y and y_prev < y:\n char = '-'\n elif y_prev < y and y == y_next:\n char = '-'\n elif y_prev == y and y_next < y:\n char = '-'\n elif y_next > y:\n char = '/'\n elif y_next < y:\n char = '\\\\'\n elif y_prev < y:\n char = '/'\n elif y_prev > y:\n char = '\\\\'\n elif y_next == y:\n char = '-'\n elif y == y_prev:\n char = '-'\n return char\n",
"role": "user"
},
{
"content": "assign_ascii_character",
"role": "assistant"
}
] |
def x(self, field):
row_strings = []
for y in range(len(field[0])):
row = ''
for x in range(len(field)):
row += field[x][y]
row_strings.insert(0, row)
graph_string = '\n'.join(row_strings)
return graph_string
| draw_ascii_graph | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, field):\n row_strings = []\n for y in range(len(field[0])):\n row = ''\n for x in range(len(field)):\n row += field[x][y]\n row_strings.insert(0, row)\n graph_string = '\\n'.join(row_strings)\n return graph_string\n",
"role": "user"
},
{
"content": "draw_ascii_graph",
"role": "assistant"
}
] |
def x(self, values=None, max_height=None, max_width=None, label=False):
result = ''
border_fill_char = '*'
start_ctime = None
end_ctime = None
if not max_width:
max_width = 180
if isinstance(values, dict):
time_series_sorted = sorted(list(values.items()), key=lambda x: x[0])
start_timestamp = time_series_sorted[0][0]
end_timestamp = time_series_sorted[-1][0]
start_ctime = datetime.fromtimestamp(float(start_timestamp)).ctime()
end_ctime = datetime.fromtimestamp(float(end_timestamp)).ctime()
values = self._scale_x_values_timestamps(values=time_series_sorted,
max_width=max_width)
values = [value for value in values if value is not None]
if not max_height:
max_height = min(20, max(values))
stdev = statistics.stdev(values)
mean = statistics.mean(values)
adjusted_values = list(values)
adjusted_values = self._scale_x_values(values=values, max_width=max_width)
upper_value = max(adjusted_values)
lower_value = min(adjusted_values)
adjusted_values = self._scale_y_values(values=adjusted_values, new_min=
0, new_max=max_height, scale_old_from_zero=False)
adjusted_values = self._round_floats_to_ints(values=adjusted_values)
field = self._get_ascii_field(adjusted_values)
graph_string = self._draw_ascii_graph(field=field)
if label:
top_label = 'Upper value: {upper_value:.2f} '.format(upper_value=
upper_value).ljust(max_width, border_fill_char)
result += top_label + '\n'
result += '{graph_string}\n'.format(graph_string=graph_string)
if label:
lower = f'Lower value: {lower_value:.2f} '
stats = f' Mean: {mean:.2f} *** Std Dev: {stdev:.2f} ******'
fill_length = max_width - len(lower) - len(stats)
stat_label = f"{lower}{'*' * fill_length}{stats}\n"
result += stat_label
if start_ctime and end_ctime:
fill_length = max_width - len(start_ctime) - len(end_ctime)
result += f"{start_ctime}{' ' * fill_length}{end_ctime}\n"
return result
| asciigraph | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, values=None, max_height=None, max_width=None, label=False):\n result = ''\n border_fill_char = '*'\n start_ctime = None\n end_ctime = None\n if not max_width:\n max_width = 180\n if isinstance(values, dict):\n time_series_sorted = sorted(list(values.items()), key=lambda x: x[0])\n start_timestamp = time_series_sorted[0][0]\n end_timestamp = time_series_sorted[-1][0]\n start_ctime = datetime.fromtimestamp(float(start_timestamp)).ctime()\n end_ctime = datetime.fromtimestamp(float(end_timestamp)).ctime()\n values = self._scale_x_values_timestamps(values=time_series_sorted,\n max_width=max_width)\n values = [value for value in values if value is not None]\n if not max_height:\n max_height = min(20, max(values))\n stdev = statistics.stdev(values)\n mean = statistics.mean(values)\n adjusted_values = list(values)\n adjusted_values = self._scale_x_values(values=values, max_width=max_width)\n upper_value = max(adjusted_values)\n lower_value = min(adjusted_values)\n adjusted_values = self._scale_y_values(values=adjusted_values, new_min=\n 0, new_max=max_height, scale_old_from_zero=False)\n adjusted_values = self._round_floats_to_ints(values=adjusted_values)\n field = self._get_ascii_field(adjusted_values)\n graph_string = self._draw_ascii_graph(field=field)\n if label:\n top_label = 'Upper value: {upper_value:.2f} '.format(upper_value=\n upper_value).ljust(max_width, border_fill_char)\n result += top_label + '\\n'\n result += '{graph_string}\\n'.format(graph_string=graph_string)\n if label:\n lower = f'Lower value: {lower_value:.2f} '\n stats = f' Mean: {mean:.2f} *** Std Dev: {stdev:.2f} ******'\n fill_length = max_width - len(lower) - len(stats)\n stat_label = f\"{lower}{'*' * fill_length}{stats}\\n\"\n result += stat_label\n if start_ctime and end_ctime:\n fill_length = max_width - len(start_ctime) - len(end_ctime)\n result += f\"{start_ctime}{' ' * fill_length}{end_ctime}\\n\"\n return result\n",
"role": "user"
},
{
"content": "asciigraph",
"role": "assistant"
}
] |
def x(expression: Union[Expression, Pattern], substitution: Substitution
) ->Replacement:
if isinstance(expression, Pattern):
expression = expression.expression
return _substitute(expression, substitution)[0]
| substitute | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(expression: Union[Expression, Pattern], substitution: Substitution\n ) ->Replacement:\n if isinstance(expression, Pattern):\n expression = expression.expression\n return _substitute(expression, substitution)[0]\n",
"role": "user"
},
{
"content": "substitute",
"role": "assistant"
}
] |
def x(expression: Expression, position: Sequence[int], replacement: Replacement
) ->Replacement:
if len(position) == 0:
return replacement
if not isinstance(expression, Operation):
raise IndexError('Invalid position {!r} for expression {!s}'.format
(position, expression))
if position[0] >= op_len(expression):
raise IndexError('Position {!r} out of range for expression {!s}'.
format(position, expression))
pos = position[0]
operands = list(op_iter(expression))
subexpr = replace(operands[pos], position[1:], replacement)
if isinstance(subexpr, Sequence):
new_operands = tuple(operands[:pos]) + tuple(subexpr) + tuple(operands
[pos + 1:])
return create_operation_expression(expression, new_operands)
operands[pos] = subexpr
return create_operation_expression(expression, operands)
| replace | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(expression: Expression, position: Sequence[int], replacement: Replacement\n ) ->Replacement:\n if len(position) == 0:\n return replacement\n if not isinstance(expression, Operation):\n raise IndexError('Invalid position {!r} for expression {!s}'.format\n (position, expression))\n if position[0] >= op_len(expression):\n raise IndexError('Position {!r} out of range for expression {!s}'.\n format(position, expression))\n pos = position[0]\n operands = list(op_iter(expression))\n subexpr = replace(operands[pos], position[1:], replacement)\n if isinstance(subexpr, Sequence):\n new_operands = tuple(operands[:pos]) + tuple(subexpr) + tuple(operands\n [pos + 1:])\n return create_operation_expression(expression, new_operands)\n operands[pos] = subexpr\n return create_operation_expression(expression, operands)\n",
"role": "user"
},
{
"content": "replace",
"role": "assistant"
}
] |
def x(expression: Expression, replacements: Sequence[Tuple[Sequence[int],
Replacement]]) ->Replacement:
if len(replacements) == 0:
return expression
replacements = sorted(replacements)
if len(replacements[0][0]) == 0:
if len(replacements) > 1:
raise IndexError(
'Cannot replace child positions for expression {}, got {!r}'
.format(expression, replacements[1:]))
return replacements[0][1]
if len(replacements) == 1:
return replace(expression, replacements[0][0], replacements[0][1])
if not isinstance(expression, Operation):
raise IndexError('Invalid replacements {!r} for expression {!s}'.
format(replacements, expression))
operands = list(op_iter(expression))
new_operands = []
last_index = 0
for index, group in itertools.groupby(replacements, lambda r: r[0][0]):
new_operands.extend(operands[last_index:index])
replacements = [(pos[1:], r) for pos, r in group]
if len(replacements) == 1:
replacement = replace(operands[index], replacements[0][0],
replacements[0][1])
else:
replacement = replace_many(operands[index], replacements)
if isinstance(replacement, (list, tuple, Multiset)):
new_operands.extend(replacement)
else:
new_operands.append(replacement)
last_index = index + 1
new_operands.extend(operands[last_index:len(operands)])
return create_operation_expression(expression, new_operands)
| replace_many | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(expression: Expression, replacements: Sequence[Tuple[Sequence[int],\n Replacement]]) ->Replacement:\n if len(replacements) == 0:\n return expression\n replacements = sorted(replacements)\n if len(replacements[0][0]) == 0:\n if len(replacements) > 1:\n raise IndexError(\n 'Cannot replace child positions for expression {}, got {!r}'\n .format(expression, replacements[1:]))\n return replacements[0][1]\n if len(replacements) == 1:\n return replace(expression, replacements[0][0], replacements[0][1])\n if not isinstance(expression, Operation):\n raise IndexError('Invalid replacements {!r} for expression {!s}'.\n format(replacements, expression))\n operands = list(op_iter(expression))\n new_operands = []\n last_index = 0\n for index, group in itertools.groupby(replacements, lambda r: r[0][0]):\n new_operands.extend(operands[last_index:index])\n replacements = [(pos[1:], r) for pos, r in group]\n if len(replacements) == 1:\n replacement = replace(operands[index], replacements[0][0],\n replacements[0][1])\n else:\n replacement = replace_many(operands[index], replacements)\n if isinstance(replacement, (list, tuple, Multiset)):\n new_operands.extend(replacement)\n else:\n new_operands.append(replacement)\n last_index = index + 1\n new_operands.extend(operands[last_index:len(operands)])\n return create_operation_expression(expression, new_operands)\n",
"role": "user"
},
{
"content": "replace_many",
"role": "assistant"
}
] |
def x(expression: Expression, rules: Iterable[ReplacementRule], max_count:
int=math.inf) ->Union[Expression, Sequence[Expression]]:
rules = [ReplacementRule(pattern, replacement) for pattern, replacement in
rules]
expression = expression
replaced = True
replace_count = 0
while replaced and replace_count < max_count:
replaced = False
for subexpr, pos in preorder_iter_with_position(expression):
for pattern, replacement in rules:
try:
subst = next(match(subexpr, pattern))
result = replacement(**subst)
expression = replace(expression, pos, result)
replaced = True
break
except StopIteration:
pass
if replaced:
break
replace_count += 1
return expression
| replace_all | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(expression: Expression, rules: Iterable[ReplacementRule], max_count:\n int=math.inf) ->Union[Expression, Sequence[Expression]]:\n rules = [ReplacementRule(pattern, replacement) for pattern, replacement in\n rules]\n expression = expression\n replaced = True\n replace_count = 0\n while replaced and replace_count < max_count:\n replaced = False\n for subexpr, pos in preorder_iter_with_position(expression):\n for pattern, replacement in rules:\n try:\n subst = next(match(subexpr, pattern))\n result = replacement(**subst)\n expression = replace(expression, pos, result)\n replaced = True\n break\n except StopIteration:\n pass\n if replaced:\n break\n replace_count += 1\n return expression\n",
"role": "user"
},
{
"content": "replace_all",
"role": "assistant"
}
] |
def x(expression: Expression, rules: Iterable[ReplacementRule]) ->Union[
Expression, Sequence[Expression]]:
return _replace_all_post_order(expression, rules)[0]
| replace_all_post_order | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(expression: Expression, rules: Iterable[ReplacementRule]) ->Union[\n Expression, Sequence[Expression]]:\n return _replace_all_post_order(expression, rules)[0]\n",
"role": "user"
},
{
"content": "replace_all_post_order",
"role": "assistant"
}
] |
def x(subject: Expression, pattern: Expression) ->bool:
return any(True for _ in match(subject, pattern))
| is_match | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(subject: Expression, pattern: Expression) ->bool:\n return any(True for _ in match(subject, pattern))\n",
"role": "user"
},
{
"content": "is_match",
"role": "assistant"
}
] |
def x(self) ->Graph:
if Graph is None:
raise ImportError('The graphviz package is required to draw the graph.'
)
graph = Graph()
nodes_left = {}
nodes_right = {}
node_id = 0
for (left, right), value in self._edges.items():
if left not in nodes_left:
name = 'node{:d}'.format(node_id)
nodes_left[left] = name
graph.node(name, label=str(left))
node_id += 1
if right not in nodes_right:
name = 'node{:d}'.format(node_id)
nodes_right[right] = name
graph.node(name, label=str(right))
node_id += 1
edge_label = value is not True and str(value) or ''
graph.edge(nodes_left[left], nodes_right[right], edge_label)
return graph
| as_graph | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self) ->Graph:\n if Graph is None:\n raise ImportError('The graphviz package is required to draw the graph.'\n )\n graph = Graph()\n nodes_left = {}\n nodes_right = {}\n node_id = 0\n for (left, right), value in self._edges.items():\n if left not in nodes_left:\n name = 'node{:d}'.format(node_id)\n nodes_left[left] = name\n graph.node(name, label=str(left))\n node_id += 1\n if right not in nodes_right:\n name = 'node{:d}'.format(node_id)\n nodes_right[right] = name\n graph.node(name, label=str(right))\n node_id += 1\n edge_label = value is not True and str(value) or ''\n graph.edge(nodes_left[left], nodes_right[right], edge_label)\n return graph\n",
"role": "user"
},
{
"content": "as_graph",
"role": "assistant"
}
] |
def x(self) ->Dict[TLeft, TRight]:
directed_graph = {}
for left, right in self._edges:
tail = LEFT, left
head = RIGHT, right
if tail not in directed_graph:
directed_graph[tail] = {head}
else:
directed_graph[tail].add(head)
matching = HopcroftKarp(directed_graph).maximum_matching()
return dict((tail[1], head[1]) for tail, head in matching.items() if
tail[0] == LEFT)
| find_matching | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self) ->Dict[TLeft, TRight]:\n directed_graph = {}\n for left, right in self._edges:\n tail = LEFT, left\n head = RIGHT, right\n if tail not in directed_graph:\n directed_graph[tail] = {head}\n else:\n directed_graph[tail].add(head)\n matching = HopcroftKarp(directed_graph).maximum_matching()\n return dict((tail[1], head[1]) for tail, head in matching.items() if \n tail[0] == LEFT)\n",
"role": "user"
},
{
"content": "find_matching",
"role": "assistant"
}
] |
def x(self, edge: Edge) ->'BipartiteGraph[TLeft, TRight, TEdgeValue]':
return BipartiteGraph(((n1, n2), v) for (n1, n2), v in self._edges.
items() if n1 != edge[0] and n2 != edge[1])
| without_nodes | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, edge: Edge) ->'BipartiteGraph[TLeft, TRight, TEdgeValue]':\n return BipartiteGraph(((n1, n2), v) for (n1, n2), v in self._edges.\n items() if n1 != edge[0] and n2 != edge[1])\n",
"role": "user"
},
{
"content": "without_nodes",
"role": "assistant"
}
] |
def x(self, edge: Edge) ->'BipartiteGraph[TLeft, TRight, TEdgeValue]':
return BipartiteGraph((e2, v) for e2, v in self._edges.items() if edge !=
e2)
| without_edge | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, edge: Edge) ->'BipartiteGraph[TLeft, TRight, TEdgeValue]':\n return BipartiteGraph((e2, v) for e2, v in self._edges.items() if edge !=\n e2)\n",
"role": "user"
},
{
"content": "without_edge",
"role": "assistant"
}
] |
def x(self, left: Set[TLeft], right: Set[TRight]
) ->'BipartiteGraph[TLeft, TRight, TEdgeValue]':
return BipartiteGraph(((n1, n2), v) for (n1, n2), v in self._edges.
items() if n1 in left and n2 in right)
| limited_to | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, left: Set[TLeft], right: Set[TRight]\n ) ->'BipartiteGraph[TLeft, TRight, TEdgeValue]':\n return BipartiteGraph(((n1, n2), v) for (n1, n2), v in self._edges.\n items() if n1 in left and n2 in right)\n",
"role": "user"
},
{
"content": "limited_to",
"role": "assistant"
}
] |
def x(self) ->Digraph:
if Digraph is None:
raise ImportError('The graphviz package is required to draw the graph.'
)
graph = Digraph()
subgraphs = [Digraph(graph_attr={'rank': 'same'}), Digraph(graph_attr={
'rank': 'same'})]
nodes = [{}, {}]
edges = []
node_id = 0
for (tail_part, tail), head_set in self.items():
if tail not in nodes[tail_part]:
name = 'node{:d}'.format(node_id)
nodes[tail_part][tail] = name
subgraphs[tail_part].node(name, label=str(tail))
node_id += 1
for head_part, head in head_set:
if head not in nodes[head_part]:
name = 'node{:d}'.format(node_id)
nodes[head_part][head] = name
subgraphs[head_part].node(name, label=str(head))
node_id += 1
edges.append((nodes[tail_part][tail], nodes[head_part][head]))
graph.subgraph(subgraphs[0])
graph.subgraph(subgraphs[1])
for tail_node, head_node in edges:
graph.edge(tail_node, head_node)
return graph
| as_graph | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self) ->Digraph:\n if Digraph is None:\n raise ImportError('The graphviz package is required to draw the graph.'\n )\n graph = Digraph()\n subgraphs = [Digraph(graph_attr={'rank': 'same'}), Digraph(graph_attr={\n 'rank': 'same'})]\n nodes = [{}, {}]\n edges = []\n node_id = 0\n for (tail_part, tail), head_set in self.items():\n if tail not in nodes[tail_part]:\n name = 'node{:d}'.format(node_id)\n nodes[tail_part][tail] = name\n subgraphs[tail_part].node(name, label=str(tail))\n node_id += 1\n for head_part, head in head_set:\n if head not in nodes[head_part]:\n name = 'node{:d}'.format(node_id)\n nodes[head_part][head] = name\n subgraphs[head_part].node(name, label=str(head))\n node_id += 1\n edges.append((nodes[tail_part][tail], nodes[head_part][head]))\n graph.subgraph(subgraphs[0])\n graph.subgraph(subgraphs[1])\n for tail_node, head_node in edges:\n graph.edge(tail_node, head_node)\n return graph\n",
"role": "user"
},
{
"content": "as_graph",
"role": "assistant"
}
] |
def x(expression):
if isinstance(expression, Wildcard):
return False
if isinstance(expression, Expression):
return expression.is_constant
if isinstance(expression, Operation):
return all(is_constant(o) for o in op_iter(expression))
return True
| is_constant | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(expression):\n if isinstance(expression, Wildcard):\n return False\n if isinstance(expression, Expression):\n return expression.is_constant\n if isinstance(expression, Operation):\n return all(is_constant(o) for o in op_iter(expression))\n return True\n",
"role": "user"
},
{
"content": "is_constant",
"role": "assistant"
}
] |
def x(expression):
if isinstance(expression, Wildcard):
return expression.fixed_size
if isinstance(expression, Expression):
return expression.is_syntactic
if isinstance(expression, (AssociativeOperation, CommutativeOperation)):
return False
if isinstance(expression, Operation):
return all(is_syntactic(o) for o in op_iter(expression))
return True
| is_syntactic | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(expression):\n if isinstance(expression, Wildcard):\n return expression.fixed_size\n if isinstance(expression, Expression):\n return expression.is_syntactic\n if isinstance(expression, (AssociativeOperation, CommutativeOperation)):\n return False\n if isinstance(expression, Operation):\n return all(is_syntactic(o) for o in op_iter(expression))\n return True\n",
"role": "user"
},
{
"content": "is_syntactic",
"role": "assistant"
}
] |
def x(expression):
if isinstance(expression, Wildcard):
if isinstance(expression, SymbolWildcard):
return expression.symbol_type
return None
return type(expression)
| get_head | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(expression):\n if isinstance(expression, Wildcard):\n if isinstance(expression, SymbolWildcard):\n return expression.symbol_type\n return None\n return type(expression)\n",
"role": "user"
},
{
"content": "get_head",
"role": "assistant"
}
] |
def x(subject, pattern):
if isinstance(pattern, Pattern):
pattern = pattern.expression
pattern_head = get_head(pattern)
if pattern_head is None:
return True
if issubclass(pattern_head, OneIdentityOperation):
return True
subject_head = get_head(subject)
assert subject_head is not None
return issubclass(subject_head, pattern_head)
| match_head | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(subject, pattern):\n if isinstance(pattern, Pattern):\n pattern = pattern.expression\n pattern_head = get_head(pattern)\n if pattern_head is None:\n return True\n if issubclass(pattern_head, OneIdentityOperation):\n return True\n subject_head = get_head(subject)\n assert subject_head is not None\n return issubclass(subject_head, pattern_head)\n",
"role": "user"
},
{
"content": "match_head",
"role": "assistant"
}
] |
def x(expression):
yield expression
if isinstance(expression, Operation):
for operand in op_iter(expression):
yield from preorder_iter(operand)
| preorder_iter | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(expression):\n yield expression\n if isinstance(expression, Operation):\n for operand in op_iter(expression):\n yield from preorder_iter(operand)\n",
"role": "user"
},
{
"content": "preorder_iter",
"role": "assistant"
}
] |
def x(expression):
yield expression, ()
if isinstance(expression, Operation):
for i, operand in enumerate(op_iter(expression)):
for child, pos in preorder_iter_with_position(operand):
yield child, (i,) + pos
| preorder_iter_with_position | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(expression):\n yield expression, ()\n if isinstance(expression, Operation):\n for i, operand in enumerate(op_iter(expression)):\n for child, pos in preorder_iter_with_position(operand):\n yield child, (i,) + pos\n",
"role": "user"
},
{
"content": "preorder_iter_with_position",
"role": "assistant"
}
] |
def x(expression):
if hasattr(expression, 'variable_name') and expression.variable_name:
return False
if isinstance(expression, Operation):
return all(is_anonymous(o) for o in op_iter(expression))
return True
| is_anonymous | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(expression):\n if hasattr(expression, 'variable_name') and expression.variable_name:\n return False\n if isinstance(expression, Operation):\n return all(is_anonymous(o) for o in op_iter(expression))\n return True\n",
"role": "user"
},
{
"content": "is_anonymous",
"role": "assistant"
}
] |
def x(expression, variables):
if hasattr(expression, 'variable_name'
) and expression.variable_name in variables:
return True
if isinstance(expression, Operation):
return any(contains_variables_from_set(o, variables) for o in
op_iter(expression))
return False
| contains_variables_from_set | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(expression, variables):\n if hasattr(expression, 'variable_name'\n ) and expression.variable_name in variables:\n return True\n if isinstance(expression, Operation):\n return any(contains_variables_from_set(o, variables) for o in\n op_iter(expression))\n return False\n",
"role": "user"
},
{
"content": "contains_variables_from_set",
"role": "assistant"
}
] |
def x(expression, variables=None):
if variables is None:
variables = set()
if hasattr(expression, 'variable_name'
) and expression.variable_name is not None:
variables.add(expression.variable_name)
if isinstance(expression, Operation):
for operand in op_iter(expression):
get_variables(operand, variables)
return variables
| get_variables | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(expression, variables=None):\n if variables is None:\n variables = set()\n if hasattr(expression, 'variable_name'\n ) and expression.variable_name is not None:\n variables.add(expression.variable_name)\n if isinstance(expression, Operation):\n for operand in op_iter(expression):\n get_variables(operand, variables)\n return variables\n",
"role": "user"
},
{
"content": "get_variables",
"role": "assistant"
}
] |
def x(expression: Expression, renaming: Dict[str, str]) ->Expression:
if isinstance(expression, Operation):
if hasattr(expression, 'variable_name'):
variable_name = renaming.get(expression.variable_name,
expression.variable_name)
return create_operation_expression(expression, [
rename_variables(o, renaming) for o in op_iter(expression)],
variable_name=variable_name)
operands = [rename_variables(o, renaming) for o in op_iter(expression)]
return create_operation_expression(expression, operands)
elif isinstance(expression, Expression):
expression = expression.__copy__()
expression.variable_name = renaming.get(expression.variable_name,
expression.variable_name)
return expression
| rename_variables | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(expression: Expression, renaming: Dict[str, str]) ->Expression:\n if isinstance(expression, Operation):\n if hasattr(expression, 'variable_name'):\n variable_name = renaming.get(expression.variable_name,\n expression.variable_name)\n return create_operation_expression(expression, [\n rename_variables(o, renaming) for o in op_iter(expression)],\n variable_name=variable_name)\n operands = [rename_variables(o, renaming) for o in op_iter(expression)]\n return create_operation_expression(expression, operands)\n elif isinstance(expression, Expression):\n expression = expression.__copy__()\n expression.variable_name = renaming.get(expression.variable_name,\n expression.variable_name)\n return expression\n",
"role": "user"
},
{
"content": "rename_variables",
"role": "assistant"
}
] |
def x(max_vector: Tuple[int, ...], vector_sum: int) ->Iterator[Tuple[int, ...]
]:
if vector_sum < 0:
raise ValueError('Vector sum must not be negative')
if len(max_vector) == 0:
if vector_sum == 0:
yield tuple()
return
total = sum(max_vector)
if vector_sum <= total:
start = max(max_vector[0] + vector_sum - total, 0)
end = min(max_vector[0], vector_sum)
for j in range(start, end + 1):
for vec in fixed_integer_vector_iter(max_vector[1:], vector_sum - j
):
yield (j,) + vec
| fixed_integer_vector_iter | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(max_vector: Tuple[int, ...], vector_sum: int) ->Iterator[Tuple[int, ...]\n ]:\n if vector_sum < 0:\n raise ValueError('Vector sum must not be negative')\n if len(max_vector) == 0:\n if vector_sum == 0:\n yield tuple()\n return\n total = sum(max_vector)\n if vector_sum <= total:\n start = max(max_vector[0] + vector_sum - total, 0)\n end = min(max_vector[0], vector_sum)\n for j in range(start, end + 1):\n for vec in fixed_integer_vector_iter(max_vector[1:], vector_sum - j\n ):\n yield (j,) + vec\n",
"role": "user"
},
{
"content": "fixed_integer_vector_iter",
"role": "assistant"
}
] |
def x(n: int, num_parts: int) ->Iterator[Tuple[int, ...]]:
if n < 0:
raise ValueError('Total must not be negative')
if num_parts < 0:
raise ValueError('Number of num_parts must not be negative')
if num_parts == 0:
if n == 0:
yield tuple()
return
m = n + num_parts - 1
last = m,
first = -1,
for t in itertools.combinations(range(m), num_parts - 1):
yield tuple(v - u - 1 for u, v in zip(first + t, t + last))
| weak_composition_iter | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(n: int, num_parts: int) ->Iterator[Tuple[int, ...]]:\n if n < 0:\n raise ValueError('Total must not be negative')\n if num_parts < 0:\n raise ValueError('Number of num_parts must not be negative')\n if num_parts == 0:\n if n == 0:\n yield tuple()\n return\n m = n + num_parts - 1\n last = m,\n first = -1,\n for t in itertools.combinations(range(m), num_parts - 1):\n yield tuple(v - u - 1 for u, v in zip(first + t, t + last))\n",
"role": "user"
},
{
"content": "weak_composition_iter",
"role": "assistant"
}
] |
def x(values: Multiset, variables: List[VariableWithCount]) ->Iterator[Dict
[str, Multiset]]:
if len(variables) == 1:
yield from _commutative_single_variable_partiton_iter(values,
variables[0])
return
generators = []
for value, count in values.items():
generators.append(_make_variable_generator_factory(value, count,
variables))
initial = dict((var.name, Multiset()) for var in variables)
for subst in generator_chain(initial, *generators):
valid = True
for var in variables:
if var.default is not None and len(subst[var.name]) == 0:
subst[var.name] = var.default
elif len(subst[var.name]) < var.minimum:
valid = False
break
if valid:
if None in subst:
del subst[None]
yield subst
| commutative_sequence_variable_partition_iter | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(values: Multiset, variables: List[VariableWithCount]) ->Iterator[Dict\n [str, Multiset]]:\n if len(variables) == 1:\n yield from _commutative_single_variable_partiton_iter(values,\n variables[0])\n return\n generators = []\n for value, count in values.items():\n generators.append(_make_variable_generator_factory(value, count,\n variables))\n initial = dict((var.name, Multiset()) for var in variables)\n for subst in generator_chain(initial, *generators):\n valid = True\n for var in variables:\n if var.default is not None and len(subst[var.name]) == 0:\n subst[var.name] = var.default\n elif len(subst[var.name]) < var.minimum:\n valid = False\n break\n if valid:\n if None in subst:\n del subst[None]\n yield subst\n",
"role": "user"
},
{
"content": "commutative_sequence_variable_partition_iter",
"role": "assistant"
}
] |
def x(lambda_func: LambdaType) ->Optional[str]:
try:
all_source_lines, lnum = inspect.findsource(lambda_func)
source_lines, _ = inspect.getsourcelines(lambda_func)
except (IOError, TypeError):
return None
all_source_lines = [l.rstrip('\r\n') for l in all_source_lines]
block_end = lnum + len(source_lines)
source_ast = None
for i in range(lnum, -1, -1):
try:
block = all_source_lines[i:block_end]
if block[0].startswith(' ') or block[0].startswith('\t'):
block.insert(0, 'with 0:')
source_ast = ast.parse(os.linesep.join(block))
except (SyntaxError, tokenize.TokenError):
pass
else:
break
nv = LambdaNodeVisitor(block)
nv.visit(source_ast)
lambda_code = lambda_func.__code__
for candidate_code, lambda_text in nv.lambdas:
candidate_code = candidate_code.co_consts[0]
if (candidate_code.co_code == lambda_code.co_code and
candidate_code.co_consts == lambda_code.co_consts and
candidate_code.co_names == lambda_code.co_names and
candidate_code.co_varnames == lambda_code.co_varnames and
candidate_code.co_cellvars == lambda_code.co_cellvars and
candidate_code.co_freevars == lambda_code.co_freevars):
return lambda_text[lambda_text.index(':') + 1:].strip()
return None
| get_short_lambda_source | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(lambda_func: LambdaType) ->Optional[str]:\n try:\n all_source_lines, lnum = inspect.findsource(lambda_func)\n source_lines, _ = inspect.getsourcelines(lambda_func)\n except (IOError, TypeError):\n return None\n all_source_lines = [l.rstrip('\\r\\n') for l in all_source_lines]\n block_end = lnum + len(source_lines)\n source_ast = None\n for i in range(lnum, -1, -1):\n try:\n block = all_source_lines[i:block_end]\n if block[0].startswith(' ') or block[0].startswith('\\t'):\n block.insert(0, 'with 0:')\n source_ast = ast.parse(os.linesep.join(block))\n except (SyntaxError, tokenize.TokenError):\n pass\n else:\n break\n nv = LambdaNodeVisitor(block)\n nv.visit(source_ast)\n lambda_code = lambda_func.__code__\n for candidate_code, lambda_text in nv.lambdas:\n candidate_code = candidate_code.co_consts[0]\n if (candidate_code.co_code == lambda_code.co_code and \n candidate_code.co_consts == lambda_code.co_consts and \n candidate_code.co_names == lambda_code.co_names and \n candidate_code.co_varnames == lambda_code.co_varnames and \n candidate_code.co_cellvars == lambda_code.co_cellvars and \n candidate_code.co_freevars == lambda_code.co_freevars):\n return lambda_text[lambda_text.index(':') + 1:].strip()\n return None\n",
"role": "user"
},
{
"content": "get_short_lambda_source",
"role": "assistant"
}
] |
def x(a: int, b: int) ->Tuple[int, int, int]:
if b == 0:
return 1, 0, a
x0, y0, d = extended_euclid(b, a % b)
x, y = y0, x0 - a // b * y0
return x, y, d
| extended_euclid | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(a: int, b: int) ->Tuple[int, int, int]:\n if b == 0:\n return 1, 0, a\n x0, y0, d = extended_euclid(b, a % b)\n x, y = y0, x0 - a // b * y0\n return x, y, d\n",
"role": "user"
},
{
"content": "extended_euclid",
"role": "assistant"
}
] |
def x(a: int, b: int, c: int) ->Iterator[Tuple[int, int]]:
if a <= 0 or b <= 0:
raise ValueError('Coefficients a and b must be positive integers.')
if c < 0:
raise ValueError('Constant c must not be negative.')
d = math.gcd(a, math.gcd(b, c))
a = a // d
b = b // d
c = c // d
if c == 0:
yield 0, 0
else:
x0, y0, d = extended_euclid(a, b)
if c % d != 0:
return
x, y = c * x0, c * y0
if x <= 0:
while y >= 0:
if x >= 0:
yield x, y
x += b
y -= a
else:
while x >= 0:
if y >= 0:
yield x, y
x -= b
y += a
| base_solution_linear | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(a: int, b: int, c: int) ->Iterator[Tuple[int, int]]:\n if a <= 0 or b <= 0:\n raise ValueError('Coefficients a and b must be positive integers.')\n if c < 0:\n raise ValueError('Constant c must not be negative.')\n d = math.gcd(a, math.gcd(b, c))\n a = a // d\n b = b // d\n c = c // d\n if c == 0:\n yield 0, 0\n else:\n x0, y0, d = extended_euclid(a, b)\n if c % d != 0:\n return\n x, y = c * x0, c * y0\n if x <= 0:\n while y >= 0:\n if x >= 0:\n yield x, y\n x += b\n y -= a\n else:\n while x >= 0:\n if y >= 0:\n yield x, y\n x -= b\n y += a\n",
"role": "user"
},
{
"content": "base_solution_linear",
"role": "assistant"
}
] |
def x(total: int, *coeffs: int) ->Iterator[Tuple[int, ...]]:
if len(coeffs) == 0:
if total == 0:
yield tuple()
return
if len(coeffs) == 1:
if total % coeffs[0] == 0:
yield total // coeffs[0],
return
if len(coeffs) == 2:
yield from base_solution_linear(coeffs[0], coeffs[1], total)
return
remainder_gcd = math.gcd(coeffs[1], coeffs[2])
for coeff in coeffs[3:]:
remainder_gcd = math.gcd(remainder_gcd, coeff)
for coeff0_solution, remainder_gcd_solution in base_solution_linear(coeffs
[0], remainder_gcd, total):
new_coeffs = [(c // remainder_gcd) for c in coeffs[1:]]
for remainder_solution in solve_linear_diop(remainder_gcd_solution,
*new_coeffs):
yield (coeff0_solution,) + remainder_solution
| solve_linear_diop | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(total: int, *coeffs: int) ->Iterator[Tuple[int, ...]]:\n if len(coeffs) == 0:\n if total == 0:\n yield tuple()\n return\n if len(coeffs) == 1:\n if total % coeffs[0] == 0:\n yield total // coeffs[0],\n return\n if len(coeffs) == 2:\n yield from base_solution_linear(coeffs[0], coeffs[1], total)\n return\n remainder_gcd = math.gcd(coeffs[1], coeffs[2])\n for coeff in coeffs[3:]:\n remainder_gcd = math.gcd(remainder_gcd, coeff)\n for coeff0_solution, remainder_gcd_solution in base_solution_linear(coeffs\n [0], remainder_gcd, total):\n new_coeffs = [(c // remainder_gcd) for c in coeffs[1:]]\n for remainder_solution in solve_linear_diop(remainder_gcd_solution,\n *new_coeffs):\n yield (coeff0_solution,) + remainder_solution\n",
"role": "user"
},
{
"content": "solve_linear_diop",
"role": "assistant"
}
] |
def x(initial_data: T, *factories: Callable[[T], Iterator[T]]) ->Iterator[T]:
generator_count = len(factories)
if generator_count == 0:
yield initial_data
return
generators = [None] * generator_count
next_data = initial_data
generator_index = 0
while True:
try:
while generator_index < generator_count:
if generators[generator_index] is None:
generators[generator_index] = factories[generator_index](
next_data)
next_data = next(generators[generator_index])
generator_index += 1
yield next_data
generator_index -= 1
except StopIteration:
generators[generator_index] = None
generator_index -= 1
if generator_index < 0:
break
| generator_chain | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(initial_data: T, *factories: Callable[[T], Iterator[T]]) ->Iterator[T]:\n generator_count = len(factories)\n if generator_count == 0:\n yield initial_data\n return\n generators = [None] * generator_count\n next_data = initial_data\n generator_index = 0\n while True:\n try:\n while generator_index < generator_count:\n if generators[generator_index] is None:\n generators[generator_index] = factories[generator_index](\n next_data)\n next_data = next(generators[generator_index])\n generator_index += 1\n yield next_data\n generator_index -= 1\n except StopIteration:\n generators[generator_index] = None\n generator_index -= 1\n if generator_index < 0:\n break\n",
"role": "user"
},
{
"content": "generator_chain",
"role": "assistant"
}
] |
def x(self, variable_name: str, replacement: VariableReplacement) ->None:
if variable_name not in self:
self[variable_name] = replacement.copy() if isinstance(replacement,
Multiset) else replacement
else:
existing_value = self[variable_name]
if isinstance(existing_value, tuple):
if isinstance(replacement, Multiset):
if Multiset(existing_value) != replacement:
raise ValueError
elif replacement != existing_value:
raise ValueError
elif isinstance(existing_value, Multiset):
if not isinstance(replacement, (tuple, list, Multiset)):
raise ValueError
compare_value = Multiset(replacement)
if existing_value == compare_value:
if not isinstance(replacement, Multiset):
self[variable_name] = replacement
else:
raise ValueError
elif replacement != existing_value:
raise ValueError
| try_add_variable | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, variable_name: str, replacement: VariableReplacement) ->None:\n if variable_name not in self:\n self[variable_name] = replacement.copy() if isinstance(replacement,\n Multiset) else replacement\n else:\n existing_value = self[variable_name]\n if isinstance(existing_value, tuple):\n if isinstance(replacement, Multiset):\n if Multiset(existing_value) != replacement:\n raise ValueError\n elif replacement != existing_value:\n raise ValueError\n elif isinstance(existing_value, Multiset):\n if not isinstance(replacement, (tuple, list, Multiset)):\n raise ValueError\n compare_value = Multiset(replacement)\n if existing_value == compare_value:\n if not isinstance(replacement, Multiset):\n self[variable_name] = replacement\n else:\n raise ValueError\n elif replacement != existing_value:\n raise ValueError\n",
"role": "user"
},
{
"content": "try_add_variable",
"role": "assistant"
}
] |
def x(self, variable: str, replacement: VariableReplacement) ->'Substitution':
new_subst = Substitution(self)
new_subst.try_add_variable(variable, replacement)
return new_subst
| union_with_variable | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, variable: str, replacement: VariableReplacement) ->'Substitution':\n new_subst = Substitution(self)\n new_subst.try_add_variable(variable, replacement)\n return new_subst\n",
"role": "user"
},
{
"content": "union_with_variable",
"role": "assistant"
}
] |
def x(self, subject: 'expressions.Expression', pattern:
'expressions.Expression') ->bool:
if getattr(pattern, 'variable_name', False):
try:
self.try_add_variable(pattern.variable_name, subject)
except ValueError:
return False
return True
elif isinstance(pattern, expressions.Operation):
assert isinstance(subject, type(pattern))
assert op_len(subject) == op_len(pattern)
op_expression = cast(expressions.Operation, subject)
for subj, patt in zip(op_iter(op_expression), op_iter(pattern)):
if not self.extract_substitution(subj, patt):
return False
return True
| extract_substitution | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, subject: 'expressions.Expression', pattern:\n 'expressions.Expression') ->bool:\n if getattr(pattern, 'variable_name', False):\n try:\n self.try_add_variable(pattern.variable_name, subject)\n except ValueError:\n return False\n return True\n elif isinstance(pattern, expressions.Operation):\n assert isinstance(subject, type(pattern))\n assert op_len(subject) == op_len(pattern)\n op_expression = cast(expressions.Operation, subject)\n for subj, patt in zip(op_iter(op_expression), op_iter(pattern)):\n if not self.extract_substitution(subj, patt):\n return False\n return True\n",
"role": "user"
},
{
"content": "extract_substitution",
"role": "assistant"
}
] |
def x(self, *others: 'Substitution') ->'Substitution':
new_subst = Substitution(self)
for other in others:
for variable_name, replacement in other.items():
new_subst.try_add_variable(variable_name, replacement)
return new_subst
| union | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *others: 'Substitution') ->'Substitution':\n new_subst = Substitution(self)\n for other in others:\n for variable_name, replacement in other.items():\n new_subst.try_add_variable(variable_name, replacement)\n return new_subst\n",
"role": "user"
},
{
"content": "union",
"role": "assistant"
}
] |
def x(self, renaming: Dict[str, str]) ->'Substitution':
return Substitution((renaming.get(name, name), value) for name, value in
self.items())
| rename | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, renaming: Dict[str, str]) ->'Substitution':\n return Substitution((renaming.get(name, name), value) for name, value in\n self.items())\n",
"role": "user"
},
{
"content": "rename",
"role": "assistant"
}
] |
def x(term: Any) ->bool:
return isinstance(term, type) and issubclass(term, Operation)
| is_operation | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(term: Any) ->bool:\n return isinstance(term, type) and issubclass(term, Operation)\n",
"role": "user"
},
{
"content": "is_operation",
"role": "assistant"
}
] |
def x(term: Any) ->bool:
return isinstance(term, type) and issubclass(term, Symbol)
| is_symbol_wildcard | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(term: Any) ->bool:\n return isinstance(term, type) and issubclass(term, Symbol)\n",
"role": "user"
},
{
"content": "is_symbol_wildcard",
"role": "assistant"
}
] |
def x(state: '_State', symbol: Symbol) ->Type[Symbol]:
return next((t for t in state.keys() if is_symbol_wildcard(t) and
isinstance(symbol, t)), None)
| get_symbol_wildcard_label | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(state: '_State', symbol: Symbol) ->Type[Symbol]:\n return next((t for t in state.keys() if is_symbol_wildcard(t) and\n isinstance(symbol, t)), None)\n",
"role": "user"
},
{
"content": "get_symbol_wildcard_label",
"role": "assistant"
}
] |
def x(term: TermAtom) ->str:
if is_operation(term):
return term.name + '('
elif is_symbol_wildcard(term):
return '*{!s}'.format(term.__name__)
elif isinstance(term, Wildcard):
return '*{!s}{!s}'.format(term.min_count, not term.fixed_size and
'+' or '')
elif term == Wildcard:
return '*'
else:
return str(term)
| term_str | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(term: TermAtom) ->str:\n if is_operation(term):\n return term.name + '('\n elif is_symbol_wildcard(term):\n return '*{!s}'.format(term.__name__)\n elif isinstance(term, Wildcard):\n return '*{!s}{!s}'.format(term.min_count, not term.fixed_size and\n '+' or '')\n elif term == Wildcard:\n return '*'\n else:\n return str(term)\n",
"role": "user"
},
{
"content": "term_str",
"role": "assistant"
}
] |
def x(self):
for term in self._terms:
if isinstance(term, Wildcard) and not term.fixed_size:
return False
if is_operation(term) and issubclass(term, (AssociativeOperation,
CommutativeOperation)):
return False
return True
| is_syntactic | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n for term in self._terms:\n if isinstance(term, Wildcard) and not term.fixed_size:\n return False\n if is_operation(term) and issubclass(term, (AssociativeOperation,\n CommutativeOperation)):\n return False\n return True\n",
"role": "user"
},
{
"content": "is_syntactic",
"role": "assistant"
}
] |
def x(cls, *flatterms: 'FlatTerm') ->'FlatTerm':
return cls(cls._combined_wildcards_iter(sum(flatterms, cls.empty())))
| merged | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, *flatterms: 'FlatTerm') ->'FlatTerm':\n return cls(cls._combined_wildcards_iter(sum(flatterms, cls.empty())))\n",
"role": "user"
},
{
"content": "merged",
"role": "assistant"
}
] |
def x(cls, expression: Expression) ->Iterator[TermAtom]:
if isinstance(expression, Operation):
yield type(expression)
for operand in op_iter(expression):
yield from cls._flatterm_iter(operand)
yield OPERATION_END
elif isinstance(expression, SymbolWildcard):
yield expression.symbol_type
elif isinstance(expression, (Symbol, Wildcard)):
yield expression
else:
assert False, 'Unreachable unless a new unsupported expression type is added.'
| flatterm_iter | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, expression: Expression) ->Iterator[TermAtom]:\n if isinstance(expression, Operation):\n yield type(expression)\n for operand in op_iter(expression):\n yield from cls._flatterm_iter(operand)\n yield OPERATION_END\n elif isinstance(expression, SymbolWildcard):\n yield expression.symbol_type\n elif isinstance(expression, (Symbol, Wildcard)):\n yield expression\n else:\n assert False, 'Unreachable unless a new unsupported expression type is added.'\n",
"role": "user"
},
{
"content": "flatterm_iter",
"role": "assistant"
}
] |
def x(flatterm: Iterator[TermAtom]) ->Iterator[TermAtom]:
last_wildcard = None
for term in flatterm:
if isinstance(term, Wildcard) and not isinstance(term, SymbolWildcard):
if last_wildcard is not None:
new_min_count = last_wildcard.min_count + term.min_count
new_fixed_size = last_wildcard.fixed_size and term.fixed_size
last_wildcard = Wildcard(new_min_count, new_fixed_size)
else:
last_wildcard = Wildcard(term.min_count, term.fixed_size)
else:
if last_wildcard is not None:
yield last_wildcard
last_wildcard = None
yield term
if last_wildcard is not None:
yield last_wildcard
| combined_wildcards_iter | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(flatterm: Iterator[TermAtom]) ->Iterator[TermAtom]:\n last_wildcard = None\n for term in flatterm:\n if isinstance(term, Wildcard) and not isinstance(term, SymbolWildcard):\n if last_wildcard is not None:\n new_min_count = last_wildcard.min_count + term.min_count\n new_fixed_size = last_wildcard.fixed_size and term.fixed_size\n last_wildcard = Wildcard(new_min_count, new_fixed_size)\n else:\n last_wildcard = Wildcard(term.min_count, term.fixed_size)\n else:\n if last_wildcard is not None:\n yield last_wildcard\n last_wildcard = None\n yield term\n if last_wildcard is not None:\n yield last_wildcard\n",
"role": "user"
},
{
"content": "combined_wildcards_iter",
"role": "assistant"
}
] |
def x(self) ->Set[TransitionLabel]:
labels = set()
if self.state1 is not None and self.fixed != 1:
labels.update(self.state1.keys())
if self.state2 is not None and self.fixed != 2:
labels.update(self.state2.keys())
if self.fixed != 0:
if self.fixed == 1 and self.state2 is None:
labels.add(OPERATION_END)
elif self.fixed == 2 and self.state1 is None:
labels.add(OPERATION_END)
labels.add(Wildcard)
return labels
| labels | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self) ->Set[TransitionLabel]:\n labels = set()\n if self.state1 is not None and self.fixed != 1:\n labels.update(self.state1.keys())\n if self.state2 is not None and self.fixed != 2:\n labels.update(self.state2.keys())\n if self.fixed != 0:\n if self.fixed == 1 and self.state2 is None:\n labels.add(OPERATION_END)\n elif self.fixed == 2 and self.state1 is None:\n labels.add(OPERATION_END)\n labels.add(Wildcard)\n return labels\n",
"role": "user"
},
{
"content": "labels",
"role": "assistant"
}
] |
def x(self, pattern: Union[Pattern, FlatTerm], final_label: T=None) ->int:
index = len(self._patterns)
self._patterns.append((pattern, final_label))
flatterm = FlatTerm(pattern.expression) if not isinstance(pattern, FlatTerm
) else pattern
if flatterm.is_syntactic or len(flatterm) == 1:
net = self._generate_syntactic_net(flatterm, index)
else:
net = self._generate_net(flatterm, index)
if self._root:
self._root = self._product_net(self._root, net)
else:
self._root = net
return index
| add | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, pattern: Union[Pattern, FlatTerm], final_label: T=None) ->int:\n index = len(self._patterns)\n self._patterns.append((pattern, final_label))\n flatterm = FlatTerm(pattern.expression) if not isinstance(pattern, FlatTerm\n ) else pattern\n if flatterm.is_syntactic or len(flatterm) == 1:\n net = self._generate_syntactic_net(flatterm, index)\n else:\n net = self._generate_net(flatterm, index)\n if self._root:\n self._root = self._product_net(self._root, net)\n else:\n self._root = net\n return index\n",
"role": "user"
},
{
"content": "add",
"role": "assistant"
}
] |
def x(cls, flatterm: FlatTerm, final_label: T) ->_State[T]:
last_wildcards = [None]
fail_states = [None]
operand_counts = [0]
root = state = _State()
states = {root.id: root}
for term in flatterm:
if operand_counts[-1] >= 0:
operand_counts[-1] += 1
if isinstance(term, Wildcard):
for _ in range(term.min_count):
state = cls._create_child_state(state, Wildcard)
states[state.id] = state
if not term.fixed_size:
state[Wildcard] = state
last_wildcards[-1] = state
operand_counts[-1] = -1
else:
state = cls._create_child_state(state, term)
states[state.id] = state
if is_operation(term):
fail_state = None
if last_wildcards[-1] or fail_states[-1]:
last_fail_state = fail_states[-1] if not isinstance(
fail_states[-1], list) else fail_states[-1][
operand_counts[-1]]
if term.arity.fixed_size:
fail_state = _State()
states[fail_state.id] = fail_state
new_fail_states = [fail_state]
for _ in range(term.arity.min_count):
new_fail_state = _State()
states[new_fail_state.id] = new_fail_state
fail_state[Wildcard] = new_fail_state
fail_state = new_fail_state
new_fail_states.append(new_fail_state)
fail_state[OPERATION_END] = last_wildcards[-1
] or last_fail_state
fail_state = new_fail_states
else:
fail_state = _State()
states[fail_state.id] = fail_state
fail_state[OPERATION_END] = last_wildcards[-1
] or last_fail_state
fail_state[Wildcard] = fail_state
fail_states.append(fail_state)
last_wildcards.append(None)
operand_counts.append(0)
elif term == OPERATION_END:
fail_states.pop()
last_wildcards.pop()
operand_counts.pop()
if last_wildcards[-1] != state:
if last_wildcards[-1]:
state[EPSILON] = last_wildcards[-1]
elif fail_states[-1]:
last_fail_state = fail_states[-1] if not isinstance(fail_states
[-1], list) else fail_states[-1][operand_counts[-1]]
state[EPSILON] = last_fail_state
state.payload = [final_label]
return cls._convert_nfa_to_dfa(root, states)
| generate_net | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, flatterm: FlatTerm, final_label: T) ->_State[T]:\n last_wildcards = [None]\n fail_states = [None]\n operand_counts = [0]\n root = state = _State()\n states = {root.id: root}\n for term in flatterm:\n if operand_counts[-1] >= 0:\n operand_counts[-1] += 1\n if isinstance(term, Wildcard):\n for _ in range(term.min_count):\n state = cls._create_child_state(state, Wildcard)\n states[state.id] = state\n if not term.fixed_size:\n state[Wildcard] = state\n last_wildcards[-1] = state\n operand_counts[-1] = -1\n else:\n state = cls._create_child_state(state, term)\n states[state.id] = state\n if is_operation(term):\n fail_state = None\n if last_wildcards[-1] or fail_states[-1]:\n last_fail_state = fail_states[-1] if not isinstance(\n fail_states[-1], list) else fail_states[-1][\n operand_counts[-1]]\n if term.arity.fixed_size:\n fail_state = _State()\n states[fail_state.id] = fail_state\n new_fail_states = [fail_state]\n for _ in range(term.arity.min_count):\n new_fail_state = _State()\n states[new_fail_state.id] = new_fail_state\n fail_state[Wildcard] = new_fail_state\n fail_state = new_fail_state\n new_fail_states.append(new_fail_state)\n fail_state[OPERATION_END] = last_wildcards[-1\n ] or last_fail_state\n fail_state = new_fail_states\n else:\n fail_state = _State()\n states[fail_state.id] = fail_state\n fail_state[OPERATION_END] = last_wildcards[-1\n ] or last_fail_state\n fail_state[Wildcard] = fail_state\n fail_states.append(fail_state)\n last_wildcards.append(None)\n operand_counts.append(0)\n elif term == OPERATION_END:\n fail_states.pop()\n last_wildcards.pop()\n operand_counts.pop()\n if last_wildcards[-1] != state:\n if last_wildcards[-1]:\n state[EPSILON] = last_wildcards[-1]\n elif fail_states[-1]:\n last_fail_state = fail_states[-1] if not isinstance(fail_states\n [-1], list) else fail_states[-1][operand_counts[-1]]\n state[EPSILON] = last_fail_state\n state.payload = [final_label]\n return cls._convert_nfa_to_dfa(root, states)\n",
"role": "user"
},
{
"content": "generate_net",
"role": "assistant"
}
] |
def x(self, subject: Union[Expression, FlatTerm]) ->Iterator[Tuple[T,
Substitution]]:
for index in self._match(subject):
pattern, label = self._patterns[index]
subst = Substitution()
if subst.extract_substitution(subject, pattern.expression):
for constraint in pattern.constraints:
if not constraint(subst):
break
else:
yield label, subst
| match | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, subject: Union[Expression, FlatTerm]) ->Iterator[Tuple[T,\n Substitution]]:\n for index in self._match(subject):\n pattern, label = self._patterns[index]\n subst = Substitution()\n if subst.extract_substitution(subject, pattern.expression):\n for constraint in pattern.constraints:\n if not constraint(subst):\n break\n else:\n yield label, subst\n",
"role": "user"
},
{
"content": "match",
"role": "assistant"
}
] |
def x(self, subject: Union[Expression, FlatTerm]) ->bool:
try:
next(self.match(subject))
except StopIteration:
return False
return True
| is_match | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, subject: Union[Expression, FlatTerm]) ->bool:\n try:\n next(self.match(subject))\n except StopIteration:\n return False\n return True\n",
"role": "user"
},
{
"content": "is_match",
"role": "assistant"
}
] |
def x(self) ->Digraph:
if Digraph is None:
raise ImportError('The graphviz package is required to draw the graph.'
)
dot = Digraph()
nodes = set()
queue = [self._root]
while queue:
state = queue.pop(0)
if not state.payload:
dot.node('n{!s}'.format(state.id), '', {'shape': 'circle' if
state else 'doublecircle'})
else:
dot.node('n{!s}'.format(state.id), '\n'.join(map(str, state.
payload)), {'shape': 'box'})
for next_state in state.values():
if next_state.id not in nodes:
queue.append(next_state)
nodes.add(state.id)
nodes = set()
queue = [self._root]
while queue:
state = queue.pop(0)
if state.id in nodes:
continue
nodes.add(state.id)
for label, other in state.items():
dot.edge('n{!s}'.format(state.id), 'n{!s}'.format(other.id),
_term_str(label))
if other.id not in nodes:
queue.append(other)
return dot
| as_graph | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self) ->Digraph:\n if Digraph is None:\n raise ImportError('The graphviz package is required to draw the graph.'\n )\n dot = Digraph()\n nodes = set()\n queue = [self._root]\n while queue:\n state = queue.pop(0)\n if not state.payload:\n dot.node('n{!s}'.format(state.id), '', {'shape': 'circle' if\n state else 'doublecircle'})\n else:\n dot.node('n{!s}'.format(state.id), '\\n'.join(map(str, state.\n payload)), {'shape': 'box'})\n for next_state in state.values():\n if next_state.id not in nodes:\n queue.append(next_state)\n nodes.add(state.id)\n nodes = set()\n queue = [self._root]\n while queue:\n state = queue.pop(0)\n if state.id in nodes:\n continue\n nodes.add(state.id)\n for label, other in state.items():\n dot.edge('n{!s}'.format(state.id), 'n{!s}'.format(other.id),\n _term_str(label))\n if other.id not in nodes:\n queue.append(other)\n return dot\n",
"role": "user"
},
{
"content": "as_graph",
"role": "assistant"
}
] |
def x(self, pattern: Pattern) ->int:
inner = pattern.expression
if self.operation is None:
if not isinstance(inner, Operation) or isinstance(inner,
CommutativeOperation):
raise TypeError('Pattern must be a non-commutative operation.')
self.operation = type(inner)
elif not isinstance(inner, self.operation):
raise TypeError(
'All patterns must be the same operation, expected {} but got {}'
.format(self.operation, type(inner)))
if op_len(inner) < 3:
raise ValueError('Pattern has not enough operands.')
operands = list(op_iter(inner))
first_name = self._check_wildcard_and_get_name(operands[0])
last_name = self._check_wildcard_and_get_name(operands[-1])
index = len(self._patterns)
self._patterns.append((pattern, first_name, last_name))
flatterm = FlatTerm.merged(*(FlatTerm(o) for o in operands[1:-1]))
self._net.add(flatterm, index)
return index
| add | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, pattern: Pattern) ->int:\n inner = pattern.expression\n if self.operation is None:\n if not isinstance(inner, Operation) or isinstance(inner,\n CommutativeOperation):\n raise TypeError('Pattern must be a non-commutative operation.')\n self.operation = type(inner)\n elif not isinstance(inner, self.operation):\n raise TypeError(\n 'All patterns must be the same operation, expected {} but got {}'\n .format(self.operation, type(inner)))\n if op_len(inner) < 3:\n raise ValueError('Pattern has not enough operands.')\n operands = list(op_iter(inner))\n first_name = self._check_wildcard_and_get_name(operands[0])\n last_name = self._check_wildcard_and_get_name(operands[-1])\n index = len(self._patterns)\n self._patterns.append((pattern, first_name, last_name))\n flatterm = FlatTerm.merged(*(FlatTerm(o) for o in operands[1:-1]))\n self._net.add(flatterm, index)\n return index\n",
"role": "user"
},
{
"content": "add",
"role": "assistant"
}
] |
def x(cls, pattern: Pattern) ->bool:
if not isinstance(pattern.expression, Operation) or isinstance(pattern.
expression, CommutativeOperation):
return False
if op_len(pattern.expression) < 3:
return False
first, *_, last = op_iter(pattern.expression)
try:
cls._check_wildcard_and_get_name(first)
cls._check_wildcard_and_get_name(last)
except ValueError:
return False
return True
| can_match | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, pattern: Pattern) ->bool:\n if not isinstance(pattern.expression, Operation) or isinstance(pattern.\n expression, CommutativeOperation):\n return False\n if op_len(pattern.expression) < 3:\n return False\n first, *_, last = op_iter(pattern.expression)\n try:\n cls._check_wildcard_and_get_name(first)\n cls._check_wildcard_and_get_name(last)\n except ValueError:\n return False\n return True\n",
"role": "user"
},
{
"content": "can_match",
"role": "assistant"
}
] |
def x(self, subject: Expression) ->Iterator[Tuple[Pattern, Substitution]]:
if not isinstance(subject, self.operation):
return
subjects = list(op_iter(subject))
flatterms = [FlatTerm(o) for o in subjects]
for i in range(len(flatterms)):
flatterm = FlatTerm.merged(*flatterms[i:])
for index in self._net._match(flatterm, collect=True):
match_index = self._net._patterns[index][1]
pattern, first_name, last_name = self._patterns[match_index]
operand_count = op_len(pattern.expression) - 2
expr_operands = subjects[i:i + operand_count]
patt_operands = list(op_iter(pattern.expression))[1:-1]
substitution = Substitution()
if not all(itertools.starmap(substitution.extract_substitution,
zip(expr_operands, patt_operands))):
continue
try:
if first_name is not None:
substitution.try_add_variable(first_name, tuple(
subjects[:i]))
if last_name is not None:
substitution.try_add_variable(last_name, tuple(subjects
[i + operand_count:]))
except ValueError:
continue
for constraint in pattern.constraints:
if not constraint(substitution):
break
else:
yield pattern, substitution
| match | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, subject: Expression) ->Iterator[Tuple[Pattern, Substitution]]:\n if not isinstance(subject, self.operation):\n return\n subjects = list(op_iter(subject))\n flatterms = [FlatTerm(o) for o in subjects]\n for i in range(len(flatterms)):\n flatterm = FlatTerm.merged(*flatterms[i:])\n for index in self._net._match(flatterm, collect=True):\n match_index = self._net._patterns[index][1]\n pattern, first_name, last_name = self._patterns[match_index]\n operand_count = op_len(pattern.expression) - 2\n expr_operands = subjects[i:i + operand_count]\n patt_operands = list(op_iter(pattern.expression))[1:-1]\n substitution = Substitution()\n if not all(itertools.starmap(substitution.extract_substitution,\n zip(expr_operands, patt_operands))):\n continue\n try:\n if first_name is not None:\n substitution.try_add_variable(first_name, tuple(\n subjects[:i]))\n if last_name is not None:\n substitution.try_add_variable(last_name, tuple(subjects\n [i + operand_count:]))\n except ValueError:\n continue\n for constraint in pattern.constraints:\n if not constraint(substitution):\n break\n else:\n yield pattern, substitution\n",
"role": "user"
},
{
"content": "match",
"role": "assistant"
}
] |
def x(subject: Expression, pattern: Pattern) ->Iterator[Substitution]:
if not is_constant(subject):
raise ValueError('The subject for matching must be constant.')
global_constraints = [c for c in pattern.constraints if not c.variables]
local_constraints = set(c for c in pattern.constraints if c.variables)
for subst in _match([subject], pattern.expression, Substitution(),
local_constraints):
for constraint in global_constraints:
if not constraint(subst):
break
else:
yield subst
| match | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(subject: Expression, pattern: Pattern) ->Iterator[Substitution]:\n if not is_constant(subject):\n raise ValueError('The subject for matching must be constant.')\n global_constraints = [c for c in pattern.constraints if not c.variables]\n local_constraints = set(c for c in pattern.constraints if c.variables)\n for subst in _match([subject], pattern.expression, Substitution(),\n local_constraints):\n for constraint in global_constraints:\n if not constraint(subst):\n break\n else:\n yield subst\n",
"role": "user"
},
{
"content": "match",
"role": "assistant"
}
] |
def x(subject: Expression, pattern: Pattern) ->Iterator[Tuple[Substitution,
Tuple[int, ...]]]:
if not is_constant(subject):
raise ValueError('The subject for matching must be constant.')
for child, pos in preorder_iter_with_position(subject):
if match_head(child, pattern):
for subst in match(child, pattern):
yield subst, pos
| match_anywhere | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(subject: Expression, pattern: Pattern) ->Iterator[Tuple[Substitution,\n Tuple[int, ...]]]:\n if not is_constant(subject):\n raise ValueError('The subject for matching must be constant.')\n for child, pos in preorder_iter_with_position(subject):\n if match_head(child, pattern):\n for subst in match(child, pattern):\n yield subst, pos\n",
"role": "user"
},
{
"content": "match_anywhere",
"role": "assistant"
}
] |
def x(optional_parts, sequence_var_partition: Sequence[int], subjects:
Sequence[Expression], operation: Operation) ->List[Sequence[Expression]]:
i = 0
var_index = 0
opt_index = 0
result = []
for operand in op_iter(operation):
wrap_associative = False
if isinstance(operand, Wildcard):
count = operand.min_count if operand.optional is None else 0
if not operand.fixed_size or isinstance(operation,
AssociativeOperation):
count += sequence_var_partition[var_index]
var_index += 1
wrap_associative = operand.fixed_size and operand.min_count
elif operand.optional is not None:
count = optional_parts[opt_index]
opt_index += 1
else:
count = 1
operand_expressions = list(op_iter(subjects))[i:i + count]
i += count
if wrap_associative and len(operand_expressions) > wrap_associative:
fixed = wrap_associative - 1
operand_expressions = tuple(operand_expressions[:fixed]) + (
create_operation_expression(operation, operand_expressions[
fixed:]),)
result.append(operand_expressions)
return result
| build_full_partition | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(optional_parts, sequence_var_partition: Sequence[int], subjects:\n Sequence[Expression], operation: Operation) ->List[Sequence[Expression]]:\n i = 0\n var_index = 0\n opt_index = 0\n result = []\n for operand in op_iter(operation):\n wrap_associative = False\n if isinstance(operand, Wildcard):\n count = operand.min_count if operand.optional is None else 0\n if not operand.fixed_size or isinstance(operation,\n AssociativeOperation):\n count += sequence_var_partition[var_index]\n var_index += 1\n wrap_associative = operand.fixed_size and operand.min_count\n elif operand.optional is not None:\n count = optional_parts[opt_index]\n opt_index += 1\n else:\n count = 1\n operand_expressions = list(op_iter(subjects))[i:i + count]\n i += count\n if wrap_associative and len(operand_expressions) > wrap_associative:\n fixed = wrap_associative - 1\n operand_expressions = tuple(operand_expressions[:fixed]) + (\n create_operation_expression(operation, operand_expressions[\n fixed:]),)\n result.append(operand_expressions)\n return result\n",
"role": "user"
},
{
"content": "build_full_partition",
"role": "assistant"
}
] |
def x(self):
for _ in self._match(self.matcher.root):
yield list(self._internal_iter())
| grouped | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n for _ in self._match(self.matcher.root):\n yield list(self._internal_iter())\n",
"role": "user"
},
{
"content": "grouped",
"role": "assistant"
}
] |
def x(self, pattern: Pattern, label=None) ->None:
if label is None:
label = pattern
for i, (p, l, _) in enumerate(self.patterns):
if pattern == p and label == l:
return i
renaming = self._collect_variable_renaming(pattern.expression
) if self.rename else {}
self._internal_add(pattern, label, renaming)
| add | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, pattern: Pattern, label=None) ->None:\n if label is None:\n label = pattern\n for i, (p, l, _) in enumerate(self.patterns):\n if pattern == p and label == l:\n return i\n renaming = self._collect_variable_renaming(pattern.expression\n ) if self.rename else {}\n self._internal_add(pattern, label, renaming)\n",
"role": "user"
},
{
"content": "add",
"role": "assistant"
}
] |
def x(self, pattern: Pattern, label, renaming) ->int:
pattern_index = len(self.patterns)
renamed_constraints = [c.with_renamed_vars(renaming) for c in pattern.
local_constraints]
constraint_indices = [self._add_constraint(c, pattern_index) for c in
renamed_constraints]
self.patterns.append((pattern, label, constraint_indices))
self.pattern_vars.append(renaming)
pattern = rename_variables(pattern.expression, renaming)
state = self.root
patterns_stack = [deque([pattern])]
self._process_pattern_stack(state, patterns_stack, renamed_constraints,
pattern_index)
return pattern_index
| internal_add | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, pattern: Pattern, label, renaming) ->int:\n pattern_index = len(self.patterns)\n renamed_constraints = [c.with_renamed_vars(renaming) for c in pattern.\n local_constraints]\n constraint_indices = [self._add_constraint(c, pattern_index) for c in\n renamed_constraints]\n self.patterns.append((pattern, label, constraint_indices))\n self.pattern_vars.append(renaming)\n pattern = rename_variables(pattern.expression, renaming)\n state = self.root\n patterns_stack = [deque([pattern])]\n self._process_pattern_stack(state, patterns_stack, renamed_constraints,\n pattern_index)\n return pattern_index\n",
"role": "user"
},
{
"content": "internal_add",
"role": "assistant"
}
] |
def x(self, subject: Expression) ->Iterator[Tuple[Expression, Substitution]]:
return _MatchIter(self, subject)
| match | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, subject: Expression) ->Iterator[Tuple[Expression, Substitution]]:\n return _MatchIter(self, subject)\n",
"role": "user"
},
{
"content": "match",
"role": "assistant"
}
] |
def x(cls, expression: Expression, position: List[int]=None, variables:
Dict[str, str]=None) ->Dict[str, str]:
if position is None:
position = [0]
if variables is None:
variables = {}
if getattr(expression, 'variable_name', False):
if expression.variable_name not in variables:
variables[expression.variable_name] = cls._get_name_for_position(
position, variables.values())
position[-1] += 1
if isinstance(expression, Operation):
if isinstance(expression, CommutativeOperation):
for operand in op_iter(expression):
position.append(0)
cls._collect_variable_renaming(operand, position, variables)
position.pop()
else:
for operand in op_iter(expression):
cls._collect_variable_renaming(operand, position, variables)
return variables
| collect_variable_renaming | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, expression: Expression, position: List[int]=None, variables:\n Dict[str, str]=None) ->Dict[str, str]:\n if position is None:\n position = [0]\n if variables is None:\n variables = {}\n if getattr(expression, 'variable_name', False):\n if expression.variable_name not in variables:\n variables[expression.variable_name] = cls._get_name_for_position(\n position, variables.values())\n position[-1] += 1\n if isinstance(expression, Operation):\n if isinstance(expression, CommutativeOperation):\n for operand in op_iter(expression):\n position.append(0)\n cls._collect_variable_renaming(operand, position, variables)\n position.pop()\n else:\n for operand in op_iter(expression):\n cls._collect_variable_renaming(operand, position, variables)\n return variables\n",
"role": "user"
},
{
"content": "collect_variable_renaming",
"role": "assistant"
}
] |
def x(self, rule: 'functions.ReplacementRule') ->None:
self.matcher.add(rule.pattern, rule.replacement)
| add | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, rule: 'functions.ReplacementRule') ->None:\n self.matcher.add(rule.pattern, rule.replacement)\n",
"role": "user"
},
{
"content": "add",
"role": "assistant"
}
] |
def x(self, expression: Expression, max_count: int=math.inf) ->Union[
Expression, Sequence[Expression]]:
replaced = True
replace_count = 0
while replaced and replace_count < max_count:
replaced = False
for subexpr, pos in preorder_iter_with_position(expression):
try:
replacement, subst = next(iter(self.matcher.match(subexpr)))
result = replacement(**subst)
expression = functions.replace(expression, pos, result)
replaced = True
break
except StopIteration:
pass
replace_count += 1
return expression
| replace | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, expression: Expression, max_count: int=math.inf) ->Union[\n Expression, Sequence[Expression]]:\n replaced = True\n replace_count = 0\n while replaced and replace_count < max_count:\n replaced = False\n for subexpr, pos in preorder_iter_with_position(expression):\n try:\n replacement, subst = next(iter(self.matcher.match(subexpr)))\n result = replacement(**subst)\n expression = functions.replace(expression, pos, result)\n replaced = True\n break\n except StopIteration:\n pass\n replace_count += 1\n return expression\n",
"role": "user"
},
{
"content": "replace",
"role": "assistant"
}
] |
def x(self, expression: Expression) ->Union[Expression, Sequence[Expression]]:
return self._replace_post_order(expression)[0]
| replace_post_order | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, expression: Expression) ->Union[Expression, Sequence[Expression]]:\n return self._replace_post_order(expression)[0]\n",
"role": "user"
},
{
"content": "replace_post_order",
"role": "assistant"
}
] |
def x(self) ->Graph:
if Graph is None:
raise ImportError('The graphviz package is required to draw the graph.'
)
graph = Graph()
nodes_left = {}
nodes_right = {}
node_id = 0
for (left, right), value in self.bipartite._edges.items():
if left not in nodes_left:
name = 'node{:d}'.format(node_id)
nodes_left[left] = name
label = str(self.subjects_by_id[left])
graph.node(name, label=label)
node_id += 1
if right not in nodes_right:
name = 'node{:d}'.format(node_id)
nodes_right[right] = name
label = str(self.automaton.patterns[right][0])
graph.node(name, label=label)
node_id += 1
edge_label = value is not True and str(value) or ''
graph.edge(nodes_left[left], nodes_right[right], edge_label)
return graph
| bipartite_as_graph | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self) ->Graph:\n if Graph is None:\n raise ImportError('The graphviz package is required to draw the graph.'\n )\n graph = Graph()\n nodes_left = {}\n nodes_right = {}\n node_id = 0\n for (left, right), value in self.bipartite._edges.items():\n if left not in nodes_left:\n name = 'node{:d}'.format(node_id)\n nodes_left[left] = name\n label = str(self.subjects_by_id[left])\n graph.node(name, label=label)\n node_id += 1\n if right not in nodes_right:\n name = 'node{:d}'.format(node_id)\n nodes_right[right] = name\n label = str(self.automaton.patterns[right][0])\n graph.node(name, label=label)\n node_id += 1\n edge_label = value is not True and str(value) or ''\n graph.edge(nodes_left[left], nodes_right[right], edge_label)\n return graph\n",
"role": "user"
},
{
"content": "bipartite_as_graph",
"role": "assistant"
}
] |
def x(self, subjects, patterns) ->Graph:
if Graph is None:
raise ImportError('The graphviz package is required to draw the graph.'
)
bipartite = self._build_bipartite(subjects, patterns)
graph = Graph()
nodes_left = {}
nodes_right = {}
node_id = 0
for (left, right), value in bipartite._edges.items():
if left not in nodes_left:
subject_id, i = left
name = 'node{:d}'.format(node_id)
nodes_left[left] = name
label = '{}, {}'.format(i, self.subjects_by_id[subject_id])
graph.node(name, label=label)
node_id += 1
if right not in nodes_right:
pattern, i = right
name = 'node{:d}'.format(node_id)
nodes_right[right] = name
label = '{}, {}'.format(i, self.automaton.patterns[pattern][0])
graph.node(name, label=label)
node_id += 1
edge_label = value is not True and str(value) or ''
graph.edge(nodes_left[left], nodes_right[right], edge_label)
return graph
| concrete_bipartite_as_graph | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, subjects, patterns) ->Graph:\n if Graph is None:\n raise ImportError('The graphviz package is required to draw the graph.'\n )\n bipartite = self._build_bipartite(subjects, patterns)\n graph = Graph()\n nodes_left = {}\n nodes_right = {}\n node_id = 0\n for (left, right), value in bipartite._edges.items():\n if left not in nodes_left:\n subject_id, i = left\n name = 'node{:d}'.format(node_id)\n nodes_left[left] = name\n label = '{}, {}'.format(i, self.subjects_by_id[subject_id])\n graph.node(name, label=label)\n node_id += 1\n if right not in nodes_right:\n pattern, i = right\n name = 'node{:d}'.format(node_id)\n nodes_right[right] = name\n label = '{}, {}'.format(i, self.automaton.patterns[pattern][0])\n graph.node(name, label=label)\n node_id += 1\n edge_label = value is not True and str(value) or ''\n graph.edge(nodes_left[left], nodes_right[right], edge_label)\n return graph\n",
"role": "user"
},
{
"content": "concrete_bipartite_as_graph",
"role": "assistant"
}
] |
def x(self, variables: MultisetOfVariables) ->None:
if self.variable_name is not None:
variables.add(self.variable_name)
| collect_variables | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, variables: MultisetOfVariables) ->None:\n if self.variable_name is not None:\n variables.add(self.variable_name)\n",
"role": "user"
},
{
"content": "collect_variables",
"role": "assistant"
}
] |
def x(cls, operands: List[Expression]) ->bool:
if cls.associative:
new_operands = []
for operand in operands:
if isinstance(operand, cls):
new_operands.extend(operand.operands)
else:
new_operands.append(operand)
operands.clear()
operands.extend(new_operands)
if cls.one_identity and len(operands) == 1:
expr = operands[0]
if not isinstance(expr, Wildcard
) or expr.min_count == 1 and expr.fixed_size:
return True
if cls.commutative:
operands.sort()
return False
| simplify | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, operands: List[Expression]) ->bool:\n if cls.associative:\n new_operands = []\n for operand in operands:\n if isinstance(operand, cls):\n new_operands.extend(operand.operands)\n else:\n new_operands.append(operand)\n operands.clear()\n operands.extend(new_operands)\n if cls.one_identity and len(operands) == 1:\n expr = operands[0]\n if not isinstance(expr, Wildcard\n ) or expr.min_count == 1 and expr.fixed_size:\n return True\n if cls.commutative:\n operands.sort()\n return False\n",
"role": "user"
},
{
"content": "simplify",
"role": "assistant"
}
] |
def x(name: str, arity: Arity, class_name: str=None, *, associative: bool=
False, commutative: bool=False, one_identity: bool=False, infix: bool=False
) ->Type['Operation']:
class_name = class_name or name
if not class_name.isidentifier() or keyword.iskeyword(class_name):
raise ValueError('Invalid identifier for new operator class.')
return type(class_name, (Operation,), {'name': name, 'arity': arity,
'associative': associative, 'commutative': commutative,
'one_identity': one_identity, 'infix': infix})
| new | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name: str, arity: Arity, class_name: str=None, *, associative: bool=\n False, commutative: bool=False, one_identity: bool=False, infix: bool=False\n ) ->Type['Operation']:\n class_name = class_name or name\n if not class_name.isidentifier() or keyword.iskeyword(class_name):\n raise ValueError('Invalid identifier for new operator class.')\n return type(class_name, (Operation,), {'name': name, 'arity': arity,\n 'associative': associative, 'commutative': commutative,\n 'one_identity': one_identity, 'infix': infix})\n",
"role": "user"
},
{
"content": "new",
"role": "assistant"
}
] |
def x(name, default) ->'Wildcard':
return Wildcard(min_count=1, fixed_size=True, variable_name=name,
optional=default)
| optional | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name, default) ->'Wildcard':\n return Wildcard(min_count=1, fixed_size=True, variable_name=name,\n optional=default)\n",
"role": "user"
},
{
"content": "optional",
"role": "assistant"
}
] |
def x(name: str=None, symbol_type: Type[Symbol]=Symbol) ->'SymbolWildcard':
if isinstance(name, type) and issubclass(name, Symbol
) and symbol_type is Symbol:
return SymbolWildcard(name)
return SymbolWildcard(symbol_type, variable_name=name)
| symbol | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name: str=None, symbol_type: Type[Symbol]=Symbol) ->'SymbolWildcard':\n if isinstance(name, type) and issubclass(name, Symbol\n ) and symbol_type is Symbol:\n return SymbolWildcard(name)\n return SymbolWildcard(symbol_type, variable_name=name)\n",
"role": "user"
},
{
"content": "symbol",
"role": "assistant"
}
] |
def x(self, method, url_parts, headers=None, data=None):
if method in self.ALLOWED_REQUESTS:
headers = headers or {}
if self.token_type == 'legacy':
headers.update({'Token': self.api_key, 'User-Agent':
'optimizely-client-python/0.1.1'})
elif self.token_type == 'oauth':
headers.update({'Authorization': 'Bearer ' + self.api_key,
'User-Agent': 'optimizely-client-python/0.1.1'})
else:
raise ValueError('{} is not a valid token type.'.format(self.
token_type))
url = urlparse.urljoin(self.api_base, '/'.join([str(url_part) for
url_part in url_parts]))
return self.parse_response(getattr(requests, method)(url, headers=
headers, data=data))
else:
raise error.BadRequestError('%s is not a valid request type.' % method)
| request | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, method, url_parts, headers=None, data=None):\n if method in self.ALLOWED_REQUESTS:\n headers = headers or {}\n if self.token_type == 'legacy':\n headers.update({'Token': self.api_key, 'User-Agent':\n 'optimizely-client-python/0.1.1'})\n elif self.token_type == 'oauth':\n headers.update({'Authorization': 'Bearer ' + self.api_key,\n 'User-Agent': 'optimizely-client-python/0.1.1'})\n else:\n raise ValueError('{} is not a valid token type.'.format(self.\n token_type))\n url = urlparse.urljoin(self.api_base, '/'.join([str(url_part) for\n url_part in url_parts]))\n return self.parse_response(getattr(requests, method)(url, headers=\n headers, data=data))\n else:\n raise error.BadRequestError('%s is not a valid request type.' % method)\n",
"role": "user"
},
{
"content": "request",
"role": "assistant"
}
] |
def x(resp):
if resp.status_code in [200, 201, 202]:
return resp.json()
elif resp.status_code == 204:
return None
elif resp.status_code == 400:
raise error.BadRequestError(resp.text)
elif resp.status_code == 401:
raise error.UnauthorizedError(resp.text)
elif resp.status_code == 403:
raise error.ForbiddenError(resp.text)
elif resp.status_code == 404:
raise error.NotFoundError(resp.text)
elif resp.status_code == 429:
raise error.TooManyRequestsError(resp.text)
elif resp.status_code == 503:
raise error.ServiceUnavailableError(resp.text)
else:
raise error.OptimizelyError(resp.text)
| parse_response | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(resp):\n if resp.status_code in [200, 201, 202]:\n return resp.json()\n elif resp.status_code == 204:\n return None\n elif resp.status_code == 400:\n raise error.BadRequestError(resp.text)\n elif resp.status_code == 401:\n raise error.UnauthorizedError(resp.text)\n elif resp.status_code == 403:\n raise error.ForbiddenError(resp.text)\n elif resp.status_code == 404:\n raise error.NotFoundError(resp.text)\n elif resp.status_code == 429:\n raise error.TooManyRequestsError(resp.text)\n elif resp.status_code == 503:\n raise error.ServiceUnavailableError(resp.text)\n else:\n raise error.OptimizelyError(resp.text)\n",
"role": "user"
},
{
"content": "parse_response",
"role": "assistant"
}
] |
def x(o, as_data=False, level=0):
if o is None:
return 'NA'
if isinstance(o, basestring):
return o
if hasattr(o, 'r'):
return o.r
elif isinstance(o, bool):
return 'TRUE' if o else 'FALSE'
elif isinstance(o, (list, tuple)):
inner = ','.join([_to_r(x, True, level + 1) for x in o])
return 'c({})'.format(inner) if as_data else inner
elif isinstance(o, dict):
inner = ','.join(['{}={}'.format(k, _to_r(v, True, level + 1)) for
k, v in sorted(o.iteritems(), key=lambda x: x[0])])
return 'list({})'.format(inner) if as_data else inner
return str(o)
| to_r | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(o, as_data=False, level=0):\n if o is None:\n return 'NA'\n if isinstance(o, basestring):\n return o\n if hasattr(o, 'r'):\n return o.r\n elif isinstance(o, bool):\n return 'TRUE' if o else 'FALSE'\n elif isinstance(o, (list, tuple)):\n inner = ','.join([_to_r(x, True, level + 1) for x in o])\n return 'c({})'.format(inner) if as_data else inner\n elif isinstance(o, dict):\n inner = ','.join(['{}={}'.format(k, _to_r(v, True, level + 1)) for \n k, v in sorted(o.iteritems(), key=lambda x: x[0])])\n return 'list({})'.format(inner) if as_data else inner\n return str(o)\n",
"role": "user"
},
{
"content": "to_r",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.