source_code
stringlengths 45
7.24k
| function_name
stringlengths 1
111
| messages
list |
|---|---|---|
def x(self, k=1):
if k == 0:
results = []
elif k == 1:
results = [self.redis.srandmember(self.key)]
else:
results = self.redis.srandmember(self.key, k)
return [self._unpickle(x) for x in results]
|
random_sample
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, k=1):\n if k == 0:\n results = []\n elif k == 1:\n results = [self.redis.srandmember(self.key)]\n else:\n results = self.redis.srandmember(self.key, k)\n return [self._unpickle(x) for x in results]\n",
"role": "user"
},
{
"content": "random_sample",
"role": "assistant"
}
] |
def x(self, value):
hash(value)
result = self.redis.srem(self.key, self._pickle(value))
if not result:
raise KeyError(value)
|
remove
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value):\n hash(value)\n result = self.redis.srem(self.key, self._pickle(value))\n if not result:\n raise KeyError(value)\n",
"role": "user"
},
{
"content": "remove",
"role": "assistant"
}
] |
def x(self):
for x in self.redis.sscan_iter(self.key):
yield self._unpickle(x)
|
scan_elements
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n for x in self.redis.sscan_iter(self.key):\n yield self._unpickle(x)\n",
"role": "user"
},
{
"content": "scan_elements",
"role": "assistant"
}
] |
def x(self, *others):
return self._op_update_helper(tuple(others), operator.and_,
'sinterstore', update=True)
|
intersection_update
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *others):\n return self._op_update_helper(tuple(others), operator.and_,\n 'sinterstore', update=True)\n",
"role": "user"
},
{
"content": "intersection_update",
"role": "assistant"
}
] |
def x(self, *others):
return self._op_update_helper(tuple(others), operator.or_,
'sunionstore', update=True)
|
update
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *others):\n return self._op_update_helper(tuple(others), operator.or_,\n 'sunionstore', update=True)\n",
"role": "user"
},
{
"content": "update",
"role": "assistant"
}
] |
def x(self, *others):
return self._op_update_helper(tuple(others), operator.sub, 'sdiffstore',
update=True)
|
difference_update
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *others):\n return self._op_update_helper(tuple(others), operator.sub, 'sdiffstore',\n update=True)\n",
"role": "user"
},
{
"content": "difference_update",
"role": "assistant"
}
] |
def x(self, member, pipe=None):
pipe = self.redis if pipe is None else pipe
pipe.zrem(self.key, self._pickle(member))
|
discard_member
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, member, pipe=None):\n pipe = self.redis if pipe is None else pipe\n pipe.zrem(self.key, self._pickle(member))\n",
"role": "user"
},
{
"content": "discard_member",
"role": "assistant"
}
] |
def x(self):
for m, s in self.redis.zscan_iter(self.key):
yield self._unpickle(m), s
|
scan_items
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n for m, s in self.redis.zscan_iter(self.key):\n yield self._unpickle(m), s\n",
"role": "user"
},
{
"content": "scan_items",
"role": "assistant"
}
] |
def x(self, other):
def x(pipe):
other_items = method(pipe=pipe) if use_redis else method()
pipe.multi()
for member, score in other_items:
pipe.zadd(self.key, {self._pickle(member): float(score)})
watches = []
if self._same_redis(other, RedisCollection):
use_redis = True
watches.append(other.key)
else:
use_redis = False
if hasattr(other, 'items'):
method = other.items
elif hasattr(other, '__iter__'):
method = other.__iter__
self._transaction(update_trans, *watches)
|
update
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, other):\n\n def x(pipe):\n other_items = method(pipe=pipe) if use_redis else method()\n pipe.multi()\n for member, score in other_items:\n pipe.zadd(self.key, {self._pickle(member): float(score)})\n watches = []\n if self._same_redis(other, RedisCollection):\n use_redis = True\n watches.append(other.key)\n else:\n use_redis = False\n if hasattr(other, 'items'):\n method = other.items\n elif hasattr(other, '__iter__'):\n method = other.__iter__\n self._transaction(update_trans, *watches)\n",
"role": "user"
},
{
"content": "update",
"role": "assistant"
}
] |
def x(self, min_score=None, max_score=None):
min_score = float('-inf') if min_score is None else float(min_score)
max_score = float('inf') if max_score is None else float(max_score)
return self.redis.zcount(self.key, min_score, max_score)
|
count_between
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, min_score=None, max_score=None):\n min_score = float('-inf') if min_score is None else float(min_score)\n max_score = float('inf') if max_score is None else float(max_score)\n return self.redis.zcount(self.key, min_score, max_score)\n",
"role": "user"
},
{
"content": "count_between",
"role": "assistant"
}
] |
def x(self, min_rank=None, max_rank=None, min_score=None, max_score=None):
no_ranks = min_rank is None and max_rank is None
no_scores = min_score is None and max_score is None
if no_ranks and no_scores:
return
if no_ranks and not no_scores:
return self.discard_by_score(min_score, max_score)
if not no_ranks and no_scores:
return self.discard_by_rank(min_rank, max_rank)
with self.redis.pipeline() as pipe:
self.discard_by_score(min_score, max_score, pipe)
self.discard_by_rank(min_rank, max_rank, pipe)
pipe.execute()
|
discard_between
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, min_rank=None, max_rank=None, min_score=None, max_score=None):\n no_ranks = min_rank is None and max_rank is None\n no_scores = min_score is None and max_score is None\n if no_ranks and no_scores:\n return\n if no_ranks and not no_scores:\n return self.discard_by_score(min_score, max_score)\n if not no_ranks and no_scores:\n return self.discard_by_rank(min_rank, max_rank)\n with self.redis.pipeline() as pipe:\n self.discard_by_score(min_score, max_score, pipe)\n self.discard_by_rank(min_rank, max_rank, pipe)\n pipe.execute()\n",
"role": "user"
},
{
"content": "discard_between",
"role": "assistant"
}
] |
def x(self, member, default=None, pipe=None):
pipe = self.redis if pipe is None else pipe
score = pipe.zscore(self.key, self._pickle(member))
if score is None and default is not None:
score = float(default)
return score
|
get_score
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, member, default=None, pipe=None):\n pipe = self.redis if pipe is None else pipe\n score = pipe.zscore(self.key, self._pickle(member))\n if score is None and default is not None:\n score = float(default)\n return score\n",
"role": "user"
},
{
"content": "get_score",
"role": "assistant"
}
] |
def x(self, member, default=0):
default = float(default)
def x(pipe):
pickled_member = self._pickle(member)
score = pipe.zscore(self.key, pickled_member)
if score is None:
pipe.zadd(self.key, {self._pickle(member): default})
return default
return score
return self._transaction(get_or_set_score_trans)
|
get_or_set_score
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, member, default=0):\n default = float(default)\n\n def x(pipe):\n pickled_member = self._pickle(member)\n score = pipe.zscore(self.key, pickled_member)\n if score is None:\n pipe.zadd(self.key, {self._pickle(member): default})\n return default\n return score\n return self._transaction(get_or_set_score_trans)\n",
"role": "user"
},
{
"content": "get_or_set_score",
"role": "assistant"
}
] |
def x(self, member, reverse=False, pipe=None):
pipe = self.redis if pipe is None else pipe
method = getattr(pipe, 'zrevrank' if reverse else 'zrank')
rank = method(self.key, self._pickle(member))
return rank
|
get_rank
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, member, reverse=False, pipe=None):\n pipe = self.redis if pipe is None else pipe\n method = getattr(pipe, 'zrevrank' if reverse else 'zrank')\n rank = method(self.key, self._pickle(member))\n return rank\n",
"role": "user"
},
{
"content": "get_rank",
"role": "assistant"
}
] |
def x(self, member, amount=1):
return self.redis.zincrby(self.key, float(amount), self._pickle(member))
|
increment_score
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, member, amount=1):\n return self.redis.zincrby(self.key, float(amount), self._pickle(member))\n",
"role": "user"
},
{
"content": "increment_score",
"role": "assistant"
}
] |
def x(self, min_rank=None, max_rank=None, min_score=None, max_score=None,
reverse=False, pipe=None):
pipe = self.redis if pipe is None else pipe
no_ranks = min_rank is None and max_rank is None
no_scores = min_score is None and max_score is None
if no_ranks and no_scores:
ret = self.items_by_score(min_score, max_score, reverse, pipe)
elif no_ranks and not no_scores:
ret = self.items_by_score(min_score, max_score, reverse, pipe)
elif not no_ranks and no_scores:
ret = self.items_by_rank(min_rank, max_rank, reverse, pipe)
else:
results = self.items_by_rank(min_rank, max_rank, reverse, pipe)
ret = []
for member, score in results:
if min_score is not None and score < min_score:
continue
if max_score is not None and score > max_score:
continue
ret.append((member, score))
return ret
|
items
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, min_rank=None, max_rank=None, min_score=None, max_score=None,\n reverse=False, pipe=None):\n pipe = self.redis if pipe is None else pipe\n no_ranks = min_rank is None and max_rank is None\n no_scores = min_score is None and max_score is None\n if no_ranks and no_scores:\n ret = self.items_by_score(min_score, max_score, reverse, pipe)\n elif no_ranks and not no_scores:\n ret = self.items_by_score(min_score, max_score, reverse, pipe)\n elif not no_ranks and no_scores:\n ret = self.items_by_rank(min_rank, max_rank, reverse, pipe)\n else:\n results = self.items_by_rank(min_rank, max_rank, reverse, pipe)\n ret = []\n for member, score in results:\n if min_score is not None and score < min_score:\n continue\n if max_score is not None and score > max_score:\n continue\n ret.append((member, score))\n return ret\n",
"role": "user"
},
{
"content": "items",
"role": "assistant"
}
] |
def x(self, member, score, pipe=None):
pipe = self.redis if pipe is None else pipe
pipe.zadd(self.key, {self._pickle(member): float(score)})
|
set_score
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, member, score, pipe=None):\n pipe = self.redis if pipe is None else pipe\n pipe.zadd(self.key, {self._pickle(member): float(score)})\n",
"role": "user"
},
{
"content": "set_score",
"role": "assistant"
}
] |
def x(self, place_1, place_2, unit='km'):
pickled_place_1 = self._pickle(place_1)
pickled_place_2 = self._pickle(place_2)
try:
return self.redis.geodist(self.key, pickled_place_1,
pickled_place_2, unit=unit)
except TypeError:
return None
|
distance_between
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, place_1, place_2, unit='km'):\n pickled_place_1 = self._pickle(place_1)\n pickled_place_2 = self._pickle(place_2)\n try:\n return self.redis.geodist(self.key, pickled_place_1,\n pickled_place_2, unit=unit)\n except TypeError:\n return None\n",
"role": "user"
},
{
"content": "distance_between",
"role": "assistant"
}
] |
def x(self, place):
pickled_place = self._pickle(place)
try:
return self.redis.geohash(self.key, pickled_place)[0]
except (AttributeError, TypeError):
return None
|
get_hash
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, place):\n pickled_place = self._pickle(place)\n try:\n return self.redis.geohash(self.key, pickled_place)[0]\n except (AttributeError, TypeError):\n return None\n",
"role": "user"
},
{
"content": "get_hash",
"role": "assistant"
}
] |
def x(self, place):
pickled_place = self._pickle(place)
try:
longitude, latitude = self.redis.geopos(self.key, pickled_place)[0]
except (AttributeError, TypeError):
return None
return {'latitude': latitude, 'longitude': longitude}
|
get_location
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, place):\n pickled_place = self._pickle(place)\n try:\n longitude, latitude = self.redis.geopos(self.key, pickled_place)[0]\n except (AttributeError, TypeError):\n return None\n return {'latitude': latitude, 'longitude': longitude}\n",
"role": "user"
},
{
"content": "get_location",
"role": "assistant"
}
] |
def x(self, place=None, latitude=None, longitude=None, radius=0, **kwargs):
kwargs['withdist'] = True
kwargs['withcoord'] = True
kwargs['withhash'] = False
kwargs.setdefault('sort', 'ASC')
unit = kwargs.setdefault('unit', 'km')
if place is not None:
response = self.redis.georadiusbymember(self.key, self._pickle(
place), radius, **kwargs)
elif latitude is not None and longitude is not None:
response = self.redis.georadius(self.key, longitude, latitude,
radius, **kwargs)
else:
raise ValueError('Must specify place, or both latitude and longitude')
ret = []
for item in response:
ret.append({'place': self._unpickle(item[0]), 'distance': item[1],
'unit': unit, 'latitude': item[2][1], 'longitude': item[2][0]})
return ret
|
places_within_radius
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, place=None, latitude=None, longitude=None, radius=0, **kwargs):\n kwargs['withdist'] = True\n kwargs['withcoord'] = True\n kwargs['withhash'] = False\n kwargs.setdefault('sort', 'ASC')\n unit = kwargs.setdefault('unit', 'km')\n if place is not None:\n response = self.redis.georadiusbymember(self.key, self._pickle(\n place), radius, **kwargs)\n elif latitude is not None and longitude is not None:\n response = self.redis.georadius(self.key, longitude, latitude,\n radius, **kwargs)\n else:\n raise ValueError('Must specify place, or both latitude and longitude')\n ret = []\n for item in response:\n ret.append({'place': self._unpickle(item[0]), 'distance': item[1],\n 'unit': unit, 'latitude': item[2][1], 'longitude': item[2][0]})\n return ret\n",
"role": "user"
},
{
"content": "places_within_radius",
"role": "assistant"
}
] |
def x(self, place, latitude, longitude, pipe=None):
pipe = self.redis if pipe is None else pipe
pipe.geoadd(self.key, longitude, latitude, self._pickle(place))
|
set_location
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, place, latitude, longitude, pipe=None):\n pipe = self.redis if pipe is None else pipe\n pipe.geoadd(self.key, longitude, latitude, self._pickle(place))\n",
"role": "user"
},
{
"content": "set_location",
"role": "assistant"
}
] |
def x(self, other):
def x(pipe):
items = other._data(pipe=pipe) if use_redis else other._data()
pipe.multi()
for member, score in items:
pipe.zadd(self.key, {self._pickle(member): float(score)})
def x(pipe):
items = other.items(pipe=pipe) if use_redis else other.items()
pipe.multi()
for place, value in items:
self.set_location(place, value['latitude'], value['longitude'],
pipe=pipe)
def x(pipe):
items = other.__iter__(pipe=pipe) if use_redis else other.__iter__()
pipe.multi()
for place, latitude, longitude in items:
self.set_location(place, latitude, longitude, pipe=pipe)
watches = []
if self._same_redis(other, RedisCollection):
use_redis = True
watches.append(other.key)
else:
use_redis = False
if isinstance(other, SortedSetBase):
func = update_sortedset_trans
elif hasattr(other, 'items'):
func = update_mapping_trans
elif hasattr(other, '__iter__'):
func = update_tuples_trans
self._transaction(func, *watches)
|
update
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, other):\n\n def x(pipe):\n items = other._data(pipe=pipe) if use_redis else other._data()\n pipe.multi()\n for member, score in items:\n pipe.zadd(self.key, {self._pickle(member): float(score)})\n\n def x(pipe):\n items = other.items(pipe=pipe) if use_redis else other.items()\n pipe.multi()\n for place, value in items:\n self.set_location(place, value['latitude'], value['longitude'],\n pipe=pipe)\n\n def x(pipe):\n items = other.__iter__(pipe=pipe) if use_redis else other.__iter__()\n pipe.multi()\n for place, latitude, longitude in items:\n self.set_location(place, latitude, longitude, pipe=pipe)\n watches = []\n if self._same_redis(other, RedisCollection):\n use_redis = True\n watches.append(other.key)\n else:\n use_redis = False\n if isinstance(other, SortedSetBase):\n func = update_sortedset_trans\n elif hasattr(other, 'items'):\n func = update_mapping_trans\n elif hasattr(other, '__iter__'):\n func = update_tuples_trans\n self._transaction(func, *watches)\n",
"role": "user"
},
{
"content": "update",
"role": "assistant"
}
] |
def x(self, key=None):
other = self.__class__(maxsize=self.maxsize, redis=self.persistence.
redis, key=key)
other.update(self)
return other
|
copy
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key=None):\n other = self.__class__(maxsize=self.maxsize, redis=self.persistence.\n redis, key=key)\n other.update(self)\n return other\n",
"role": "user"
},
{
"content": "copy",
"role": "assistant"
}
] |
def x(cls, seq, value=None, **kwargs):
other = cls(**kwargs)
other.update((key, value) for key in seq)
return other
|
fromkeys
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, seq, value=None, **kwargs):\n other = cls(**kwargs)\n other.update((key, value) for key in seq)\n return other\n",
"role": "user"
},
{
"content": "fromkeys",
"role": "assistant"
}
] |
def x(self, clear_cache=False):
self.persistence.update(self)
if clear_cache:
self.cache.clear()
|
sync
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, clear_cache=False):\n self.persistence.update(self)\n if clear_cache:\n self.cache.clear()\n",
"role": "user"
},
{
"content": "sync",
"role": "assistant"
}
] |
def x(self, pipe=None):
pipe = self.redis if pipe is None else pipe
return [self._unpickle(v) for v in pipe.lrange(self.key, 0, -1)]
|
data
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, pipe=None):\n pipe = self.redis if pipe is None else pipe\n return [self._unpickle(v) for v in pipe.lrange(self.key, 0, -1)]\n",
"role": "user"
},
{
"content": "data",
"role": "assistant"
}
] |
def x(self, value):
len_self = self.redis.rpush(self.key, self._pickle(value))
if self.writeback:
self.cache[len_self - 1] = value
|
append
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value):\n len_self = self.redis.rpush(self.key, self._pickle(value))\n if self.writeback:\n self.cache[len_self - 1] = value\n",
"role": "user"
},
{
"content": "append",
"role": "assistant"
}
] |
def x(self, key=None):
other = self.__class__(redis=self.redis, key=key, writeback=self.writeback)
other.extend(self)
return other
|
copy
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key=None):\n other = self.__class__(redis=self.redis, key=key, writeback=self.writeback)\n other.extend(self)\n return other\n",
"role": "user"
},
{
"content": "copy",
"role": "assistant"
}
] |
def x(self, other):
def x(pipe):
values = list(other.__iter__(pipe)) if use_redis else other
len_self = pipe.rpush(self.key, *(self._pickle(v) for v in values))
if self.writeback:
for i, v in enumerate(values, len_self - len(values)):
self.cache[i] = v
if self._same_redis(other, RedisCollection):
use_redis = True
self._transaction(extend_trans, other.key)
else:
use_redis = False
self._transaction(extend_trans)
|
extend
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, other):\n\n def x(pipe):\n values = list(other.__iter__(pipe)) if use_redis else other\n len_self = pipe.rpush(self.key, *(self._pickle(v) for v in values))\n if self.writeback:\n for i, v in enumerate(values, len_self - len(values)):\n self.cache[i] = v\n if self._same_redis(other, RedisCollection):\n use_redis = True\n self._transaction(extend_trans, other.key)\n else:\n use_redis = False\n self._transaction(extend_trans)\n",
"role": "user"
},
{
"content": "extend",
"role": "assistant"
}
] |
def x(self, value, start=None, stop=None):
def x(pipe):
len_self, normal_start = self._normalize_index(start or 0, pipe)
__, normal_stop = self._normalize_index(stop or len_self, pipe)
for i, v in enumerate(self.__iter__(pipe=pipe)):
if v == value:
if i < normal_start:
continue
if i >= normal_stop:
break
return i
raise ValueError
return self._transaction(index_trans)
|
index
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value, start=None, stop=None):\n\n def x(pipe):\n len_self, normal_start = self._normalize_index(start or 0, pipe)\n __, normal_stop = self._normalize_index(stop or len_self, pipe)\n for i, v in enumerate(self.__iter__(pipe=pipe)):\n if v == value:\n if i < normal_start:\n continue\n if i >= normal_stop:\n break\n return i\n raise ValueError\n return self._transaction(index_trans)\n",
"role": "user"
},
{
"content": "index",
"role": "assistant"
}
] |
def x(self, index, value):
if index == 0:
return self._insert_left(value)
def x(pipe):
self._insert_middle(index, value, pipe=pipe)
return self._transaction(insert_middle_trans)
|
insert
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, index, value):\n if index == 0:\n return self._insert_left(value)\n\n def x(pipe):\n self._insert_middle(index, value, pipe=pipe)\n return self._transaction(insert_middle_trans)\n",
"role": "user"
},
{
"content": "insert",
"role": "assistant"
}
] |
def x(self, index=-1):
if index == 0:
return self._pop_left()
elif index == -1:
return self._pop_right()
else:
return self._pop_middle(index)
|
pop
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, index=-1):\n if index == 0:\n return self._pop_left()\n elif index == -1:\n return self._pop_right()\n else:\n return self._pop_middle(index)\n",
"role": "user"
},
{
"content": "pop",
"role": "assistant"
}
] |
def x(self, value):
def x(pipe):
if self.writeback:
self._sync_helper(pipe)
delete_count = pipe.lrem(self.key, 1, self._pickle(value))
if delete_count == 0:
raise ValueError
self._transaction(remove_trans)
|
remove
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value):\n\n def x(pipe):\n if self.writeback:\n self._sync_helper(pipe)\n delete_count = pipe.lrem(self.key, 1, self._pickle(value))\n if delete_count == 0:\n raise ValueError\n self._transaction(remove_trans)\n",
"role": "user"
},
{
"content": "remove",
"role": "assistant"
}
] |
def x(self):
def x(pipe):
if self.writeback:
self._sync_helper(pipe)
n = self.__len__(pipe)
for i in range(n // 2):
left = pipe.lindex(self.key, i)
right = pipe.lindex(self.key, n - i - 1)
pipe.lset(self.key, i, right)
pipe.lset(self.key, n - i - 1, left)
self._transaction(reverse_trans)
|
reverse
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n\n def x(pipe):\n if self.writeback:\n self._sync_helper(pipe)\n n = self.__len__(pipe)\n for i in range(n // 2):\n left = pipe.lindex(self.key, i)\n right = pipe.lindex(self.key, n - i - 1)\n pipe.lset(self.key, i, right)\n pipe.lset(self.key, n - i - 1, left)\n self._transaction(reverse_trans)\n",
"role": "user"
},
{
"content": "reverse",
"role": "assistant"
}
] |
def x(self, key=None, reverse=False):
def x(pipe):
values = list(self.__iter__(pipe))
values.sort(key=key, reverse=reverse)
pipe.multi()
pipe.delete(self.key)
pipe.rpush(self.key, *(self._pickle(v) for v in values))
if self.writeback:
self.cache = {}
return self._transaction(sort_trans)
|
sort
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key=None, reverse=False):\n\n def x(pipe):\n values = list(self.__iter__(pipe))\n values.sort(key=key, reverse=reverse)\n pipe.multi()\n pipe.delete(self.key)\n pipe.rpush(self.key, *(self._pickle(v) for v in values))\n if self.writeback:\n self.cache = {}\n return self._transaction(sort_trans)\n",
"role": "user"
},
{
"content": "sort",
"role": "assistant"
}
] |
def x(self, value):
def x(pipe):
self._append_helper(value, pipe)
self._transaction(append_trans)
|
append
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value):\n\n def x(pipe):\n self._append_helper(value, pipe)\n self._transaction(append_trans)\n",
"role": "user"
},
{
"content": "append",
"role": "assistant"
}
] |
def x(self, value):
def x(pipe):
self._appendleft_helper(value, pipe)
self._transaction(appendleft_trans)
|
appendleft
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value):\n\n def x(pipe):\n self._appendleft_helper(value, pipe)\n self._transaction(appendleft_trans)\n",
"role": "user"
},
{
"content": "appendleft",
"role": "assistant"
}
] |
def x(self, key=None):
other = self.__class__(self.__iter__(), self.maxlen, redis=self.redis,
key=key, writeback=self.writeback)
return other
|
copy
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key=None):\n other = self.__class__(self.__iter__(), self.maxlen, redis=self.redis,\n key=key, writeback=self.writeback)\n return other\n",
"role": "user"
},
{
"content": "copy",
"role": "assistant"
}
] |
def x(self, other):
def x(pipe):
values = list(other.__iter__(pipe)) if use_redis else other
for v in values:
self._append_helper(v, pipe)
if self._same_redis(other, RedisCollection):
use_redis = True
self._transaction(extend_trans, other.key)
else:
use_redis = False
self._transaction(extend_trans)
|
extend
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, other):\n\n def x(pipe):\n values = list(other.__iter__(pipe)) if use_redis else other\n for v in values:\n self._append_helper(v, pipe)\n if self._same_redis(other, RedisCollection):\n use_redis = True\n self._transaction(extend_trans, other.key)\n else:\n use_redis = False\n self._transaction(extend_trans)\n",
"role": "user"
},
{
"content": "extend",
"role": "assistant"
}
] |
def x(self, other):
def x(pipe):
values = list(other.__iter__(pipe)) if use_redis else other
for v in values:
self._appendleft_helper(v, pipe)
if self._same_redis(other, RedisCollection):
use_redis = True
self._transaction(extendleft_trans, other.key)
else:
use_redis = False
self._transaction(extendleft_trans)
|
extendleft
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, other):\n\n def x(pipe):\n values = list(other.__iter__(pipe)) if use_redis else other\n for v in values:\n self._appendleft_helper(v, pipe)\n if self._same_redis(other, RedisCollection):\n use_redis = True\n self._transaction(extendleft_trans, other.key)\n else:\n use_redis = False\n self._transaction(extendleft_trans)\n",
"role": "user"
},
{
"content": "extendleft",
"role": "assistant"
}
] |
def x(self, index, value):
def x(pipe):
len_self = self.__len__(pipe)
if self.maxlen is not None and len_self >= self.maxlen:
raise IndexError
if index == 0:
self._insert_left(value, pipe)
else:
self._insert_middle(index, value, pipe=pipe)
self._transaction(insert_trans)
|
insert
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, index, value):\n\n def x(pipe):\n len_self = self.__len__(pipe)\n if self.maxlen is not None and len_self >= self.maxlen:\n raise IndexError\n if index == 0:\n self._insert_left(value, pipe)\n else:\n self._insert_middle(index, value, pipe=pipe)\n self._transaction(insert_trans)\n",
"role": "user"
},
{
"content": "insert",
"role": "assistant"
}
] |
def x(self, n=1):
if n == 0:
return
def x(pipe):
if self.writeback:
self._sync_helper(pipe)
len_self = self.__len__(pipe)
steps = abs_n % len_self
if forward:
pipe.multi()
for __ in range(steps):
pipe.rpoplpush(self.key, self.key)
else:
for __ in range(steps):
pickled_value = pipe.lpop(self.key)
pipe.rpush(self.key, pickled_value)
forward = n >= 0
abs_n = abs(n)
self._transaction(rotate_trans)
|
rotate
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, n=1):\n if n == 0:\n return\n\n def x(pipe):\n if self.writeback:\n self._sync_helper(pipe)\n len_self = self.__len__(pipe)\n steps = abs_n % len_self\n if forward:\n pipe.multi()\n for __ in range(steps):\n pipe.rpoplpush(self.key, self.key)\n else:\n for __ in range(steps):\n pickled_value = pipe.lpop(self.key)\n pipe.rpush(self.key, pickled_value)\n forward = n >= 0\n abs_n = abs(n)\n self._transaction(rotate_trans)\n",
"role": "user"
},
{
"content": "rotate",
"role": "assistant"
}
] |
def x(membership_cache=None, is_active=True):
if membership_cache is None:
membership_cache = EntityGroup.objects.get_membership_cache(is_active
=is_active)
entities_by_kind = {}
kinds_with_all = set()
kinds_with_supers = set()
super_ids = set()
for group_id, memberships in membership_cache.items():
for entity_id, entity_kind_id in memberships:
if entity_kind_id:
entities_by_kind.setdefault(entity_kind_id, {})
if entity_id:
entities_by_kind[entity_kind_id][entity_id] = []
kinds_with_supers.add(entity_kind_id)
super_ids.add(entity_id)
else:
entities_by_kind[entity_kind_id]['all'] = []
kinds_with_all.add(entity_kind_id)
all_entities_for_types = Entity.objects.filter(entity_kind_id__in=
kinds_with_all).values_list('id', 'entity_kind_id')
for id, entity_kind_id in all_entities_for_types:
entities_by_kind[entity_kind_id]['all'].append(id)
relationships = EntityRelationship.objects.filter(super_entity_id__in=
super_ids, sub_entity__entity_kind_id__in=kinds_with_supers
).values_list('super_entity_id', 'sub_entity_id',
'sub_entity__entity_kind_id')
for super_entity_id, sub_entity_id, sub_entity__entity_kind_id in relationships:
entities_by_kind[sub_entity__entity_kind_id].setdefault(super_entity_id
, [])
entities_by_kind[sub_entity__entity_kind_id][super_entity_id].append(
sub_entity_id)
return entities_by_kind
|
get_entities_by_kind
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(membership_cache=None, is_active=True):\n if membership_cache is None:\n membership_cache = EntityGroup.objects.get_membership_cache(is_active\n =is_active)\n entities_by_kind = {}\n kinds_with_all = set()\n kinds_with_supers = set()\n super_ids = set()\n for group_id, memberships in membership_cache.items():\n for entity_id, entity_kind_id in memberships:\n if entity_kind_id:\n entities_by_kind.setdefault(entity_kind_id, {})\n if entity_id:\n entities_by_kind[entity_kind_id][entity_id] = []\n kinds_with_supers.add(entity_kind_id)\n super_ids.add(entity_id)\n else:\n entities_by_kind[entity_kind_id]['all'] = []\n kinds_with_all.add(entity_kind_id)\n all_entities_for_types = Entity.objects.filter(entity_kind_id__in=\n kinds_with_all).values_list('id', 'entity_kind_id')\n for id, entity_kind_id in all_entities_for_types:\n entities_by_kind[entity_kind_id]['all'].append(id)\n relationships = EntityRelationship.objects.filter(super_entity_id__in=\n super_ids, sub_entity__entity_kind_id__in=kinds_with_supers\n ).values_list('super_entity_id', 'sub_entity_id',\n 'sub_entity__entity_kind_id')\n for super_entity_id, sub_entity_id, sub_entity__entity_kind_id in relationships:\n entities_by_kind[sub_entity__entity_kind_id].setdefault(super_entity_id\n , [])\n entities_by_kind[sub_entity__entity_kind_id][super_entity_id].append(\n sub_entity_id)\n return entities_by_kind\n",
"role": "user"
},
{
"content": "get_entities_by_kind",
"role": "assistant"
}
] |
def x(self, *super_entities):
if super_entities:
if len(super_entities) == 1:
has_subset = EntityRelationship.objects.filter(super_entity=
super_entities[0]).values_list('sub_entity', flat=True)
else:
has_subset = EntityRelationship.objects.filter(super_entity__in
=super_entities).values('sub_entity').annotate(Count(
'super_entity')).filter(super_entity__count=len(set(
super_entities))).values_list('sub_entity', flat=True)
return self.filter(id__in=has_subset)
else:
return self
|
is_sub_to_all
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *super_entities):\n if super_entities:\n if len(super_entities) == 1:\n has_subset = EntityRelationship.objects.filter(super_entity=\n super_entities[0]).values_list('sub_entity', flat=True)\n else:\n has_subset = EntityRelationship.objects.filter(super_entity__in\n =super_entities).values('sub_entity').annotate(Count(\n 'super_entity')).filter(super_entity__count=len(set(\n super_entities))).values_list('sub_entity', flat=True)\n return self.filter(id__in=has_subset)\n else:\n return self\n",
"role": "user"
},
{
"content": "is_sub_to_all",
"role": "assistant"
}
] |
def x(self, *super_entities):
if super_entities:
return self.filter(id__in=EntityRelationship.objects.filter(
super_entity__in=super_entities).values_list('sub_entity', flat
=True))
else:
return self
|
is_sub_to_any
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *super_entities):\n if super_entities:\n return self.filter(id__in=EntityRelationship.objects.filter(\n super_entity__in=super_entities).values_list('sub_entity', flat\n =True))\n else:\n return self\n",
"role": "user"
},
{
"content": "is_sub_to_any",
"role": "assistant"
}
] |
def x(self, *super_entity_kinds):
if super_entity_kinds:
if len(super_entity_kinds) == 1:
has_subset = EntityRelationship.objects.filter(
super_entity__entity_kind=super_entity_kinds[0]).values_list(
'sub_entity', flat=True)
else:
has_subset = EntityRelationship.objects.filter(
super_entity__entity_kind__in=super_entity_kinds).values(
'sub_entity').annotate(Count('super_entity')).filter(
super_entity__count=len(set(super_entity_kinds))).values_list(
'sub_entity', flat=True)
return self.filter(pk__in=has_subset)
else:
return self
|
is_sub_to_all_kinds
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *super_entity_kinds):\n if super_entity_kinds:\n if len(super_entity_kinds) == 1:\n has_subset = EntityRelationship.objects.filter(\n super_entity__entity_kind=super_entity_kinds[0]).values_list(\n 'sub_entity', flat=True)\n else:\n has_subset = EntityRelationship.objects.filter(\n super_entity__entity_kind__in=super_entity_kinds).values(\n 'sub_entity').annotate(Count('super_entity')).filter(\n super_entity__count=len(set(super_entity_kinds))).values_list(\n 'sub_entity', flat=True)\n return self.filter(pk__in=has_subset)\n else:\n return self\n",
"role": "user"
},
{
"content": "is_sub_to_all_kinds",
"role": "assistant"
}
] |
def x(self, *super_entity_kinds):
if super_entity_kinds:
if len(super_entity_kinds) == 1:
entity_pks = EntityRelationship.objects.filter(
super_entity__entity_kind=super_entity_kinds[0]
).select_related('entity_kind', 'sub_entity').values_list(
'sub_entity', flat=True)
else:
entity_pks = EntityRelationship.objects.filter(
super_entity__entity_kind__in=super_entity_kinds
).select_related('entity_kind', 'sub_entity').values_list(
'sub_entity', flat=True)
return self.filter(pk__in=entity_pks)
else:
return self
|
is_sub_to_any_kind
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *super_entity_kinds):\n if super_entity_kinds:\n if len(super_entity_kinds) == 1:\n entity_pks = EntityRelationship.objects.filter(\n super_entity__entity_kind=super_entity_kinds[0]\n ).select_related('entity_kind', 'sub_entity').values_list(\n 'sub_entity', flat=True)\n else:\n entity_pks = EntityRelationship.objects.filter(\n super_entity__entity_kind__in=super_entity_kinds\n ).select_related('entity_kind', 'sub_entity').values_list(\n 'sub_entity', flat=True)\n return self.filter(pk__in=entity_pks)\n else:\n return self\n",
"role": "user"
},
{
"content": "is_sub_to_any_kind",
"role": "assistant"
}
] |
def x(self, cache_super=True, cache_sub=True):
relationships_to_cache = compress(['super_relationships__super_entity',
'sub_relationships__sub_entity'], [cache_super, cache_sub])
return self.prefetch_related(*relationships_to_cache)
|
cache_relationships
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, cache_super=True, cache_sub=True):\n relationships_to_cache = compress(['super_relationships__super_entity',\n 'sub_relationships__sub_entity'], [cache_super, cache_sub])\n return self.prefetch_related(*relationships_to_cache)\n",
"role": "user"
},
{
"content": "cache_relationships",
"role": "assistant"
}
] |
def x(self, entity_model_obj):
return self.get(entity_type=ContentType.objects.get_for_model(
entity_model_obj, for_concrete_model=False), entity_id=
entity_model_obj.id)
|
get_for_obj
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, entity_model_obj):\n return self.get(entity_type=ContentType.objects.get_for_model(\n entity_model_obj, for_concrete_model=False), entity_id=\n entity_model_obj.id)\n",
"role": "user"
},
{
"content": "get_for_obj",
"role": "assistant"
}
] |
def x(self, entity_model_obj):
return self.filter(entity_type=ContentType.objects.get_for_model(
entity_model_obj, for_concrete_model=False), entity_id=
entity_model_obj.id).delete(force=True)
|
delete_for_obj
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, entity_model_obj):\n return self.filter(entity_type=ContentType.objects.get_for_model(\n entity_model_obj, for_concrete_model=False), entity_id=\n entity_model_obj.id).delete(force=True)\n",
"role": "user"
},
{
"content": "delete_for_obj",
"role": "assistant"
}
] |
def x(self, cache_super=True, cache_sub=True):
return self.get_queryset().cache_relationships(cache_super=cache_super,
cache_sub=cache_sub)
|
cache_relationships
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, cache_super=True, cache_sub=True):\n return self.get_queryset().cache_relationships(cache_super=cache_super,\n cache_sub=cache_sub)\n",
"role": "user"
},
{
"content": "cache_relationships",
"role": "assistant"
}
] |
def x(self, group_ids=None, is_active=True):
membership_queryset = EntityGroupMembership.objects.filter(Q(
entity__isnull=True) | Q(entity__isnull=False) & Q(
entity__is_active=is_active))
if is_active is None:
membership_queryset = EntityGroupMembership.objects.all()
if group_ids:
membership_queryset = membership_queryset.filter(entity_group_id__in
=group_ids)
membership_queryset = membership_queryset.values_list('entity_group_id',
'entity_id', 'sub_entity_kind_id')
membership_cache = {}
for entity_group_id, entity_id, sub_entity_kind_id in membership_queryset:
membership_cache.setdefault(entity_group_id, [])
membership_cache[entity_group_id].append([entity_id,
sub_entity_kind_id])
return membership_cache
|
get_membership_cache
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, group_ids=None, is_active=True):\n membership_queryset = EntityGroupMembership.objects.filter(Q(\n entity__isnull=True) | Q(entity__isnull=False) & Q(\n entity__is_active=is_active))\n if is_active is None:\n membership_queryset = EntityGroupMembership.objects.all()\n if group_ids:\n membership_queryset = membership_queryset.filter(entity_group_id__in\n =group_ids)\n membership_queryset = membership_queryset.values_list('entity_group_id',\n 'entity_id', 'sub_entity_kind_id')\n membership_cache = {}\n for entity_group_id, entity_id, sub_entity_kind_id in membership_queryset:\n membership_cache.setdefault(entity_group_id, [])\n membership_cache[entity_group_id].append([entity_id,\n sub_entity_kind_id])\n return membership_cache\n",
"role": "user"
},
{
"content": "get_membership_cache",
"role": "assistant"
}
] |
def x(self, is_active=True):
return self.get_all_entities(return_models=True, is_active=is_active)
|
all_entities
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, is_active=True):\n return self.get_all_entities(return_models=True, is_active=is_active)\n",
"role": "user"
},
{
"content": "all_entities",
"role": "assistant"
}
] |
def x(self, membership_cache=None, entities_by_kind=None, return_models=
False, is_active=True):
if membership_cache is None:
membership_cache = EntityGroup.objects.get_membership_cache([self.
id], is_active=is_active)
if entities_by_kind is None:
entities_by_kind = entities_by_kind or get_entities_by_kind(
membership_cache=membership_cache)
entity_ids = set()
if membership_cache.get(self.id):
for entity_id, entity_kind_id in membership_cache[self.id]:
if entity_id:
if entity_kind_id:
entity_ids.update(entities_by_kind[entity_kind_id][
entity_id])
else:
entity_ids.add(entity_id)
else:
entity_ids.update(entities_by_kind[entity_kind_id]['all'])
if return_models:
return Entity.objects.filter(id__in=entity_ids)
return entity_ids
|
get_all_entities
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, membership_cache=None, entities_by_kind=None, return_models=\n False, is_active=True):\n if membership_cache is None:\n membership_cache = EntityGroup.objects.get_membership_cache([self.\n id], is_active=is_active)\n if entities_by_kind is None:\n entities_by_kind = entities_by_kind or get_entities_by_kind(\n membership_cache=membership_cache)\n entity_ids = set()\n if membership_cache.get(self.id):\n for entity_id, entity_kind_id in membership_cache[self.id]:\n if entity_id:\n if entity_kind_id:\n entity_ids.update(entities_by_kind[entity_kind_id][\n entity_id])\n else:\n entity_ids.add(entity_id)\n else:\n entity_ids.update(entities_by_kind[entity_kind_id]['all'])\n if return_models:\n return Entity.objects.filter(id__in=entity_ids)\n return entity_ids\n",
"role": "user"
},
{
"content": "get_all_entities",
"role": "assistant"
}
] |
def x(self, entity, sub_entity_kind=None):
membership = EntityGroupMembership.objects.create(entity_group=self,
entity=entity, sub_entity_kind=sub_entity_kind)
return membership
|
add_entity
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, entity, sub_entity_kind=None):\n membership = EntityGroupMembership.objects.create(entity_group=self,\n entity=entity, sub_entity_kind=sub_entity_kind)\n return membership\n",
"role": "user"
},
{
"content": "add_entity",
"role": "assistant"
}
] |
def x(self, entities_and_kinds):
memberships = [EntityGroupMembership(entity_group=self, entity=entity,
sub_entity_kind=sub_entity_kind) for entity, sub_entity_kind in
entities_and_kinds]
created = EntityGroupMembership.objects.bulk_create(memberships)
return created
|
bulk_add_entities
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, entities_and_kinds):\n memberships = [EntityGroupMembership(entity_group=self, entity=entity,\n sub_entity_kind=sub_entity_kind) for entity, sub_entity_kind in\n entities_and_kinds]\n created = EntityGroupMembership.objects.bulk_create(memberships)\n return created\n",
"role": "user"
},
{
"content": "bulk_add_entities",
"role": "assistant"
}
] |
def x(self, entity, sub_entity_kind=None):
EntityGroupMembership.objects.get(entity_group=self, entity=entity,
sub_entity_kind=sub_entity_kind).delete()
|
remove_entity
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, entity, sub_entity_kind=None):\n EntityGroupMembership.objects.get(entity_group=self, entity=entity,\n sub_entity_kind=sub_entity_kind).delete()\n",
"role": "user"
},
{
"content": "remove_entity",
"role": "assistant"
}
] |
def x(self, entities_and_kinds):
criteria = [Q(entity=entity, sub_entity_kind=entity_kind) for entity,
entity_kind in entities_and_kinds]
criteria = reduce(lambda q1, q2: q1 | q2, criteria, Q())
EntityGroupMembership.objects.filter(criteria, entity_group=self).delete()
|
bulk_remove_entities
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, entities_and_kinds):\n criteria = [Q(entity=entity, sub_entity_kind=entity_kind) for entity,\n entity_kind in entities_and_kinds]\n criteria = reduce(lambda q1, q2: q1 | q2, criteria, Q())\n EntityGroupMembership.objects.filter(criteria, entity_group=self).delete()\n",
"role": "user"
},
{
"content": "bulk_remove_entities",
"role": "assistant"
}
] |
def x(self, entities_and_kinds):
EntityGroupMembership.objects.filter(entity_group=self).delete()
return self.bulk_add_entities(entities_and_kinds)
|
bulk_overwrite
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, entities_and_kinds):\n EntityGroupMembership.objects.filter(entity_group=self).delete()\n return self.bulk_add_entities(entities_and_kinds)\n",
"role": "user"
},
{
"content": "bulk_overwrite",
"role": "assistant"
}
] |
def x(value):
alphabet = 'abcdefghijkmnopqrstuvwxyz23456789'
salt = 'Django Spectator'
if hasattr(settings, 'SPECTATOR_SLUG_ALPHABET'):
alphabet = settings.SPECTATOR_SLUG_ALPHABET
if hasattr(settings, 'SPECTATOR_SLUG_SALT'):
salt = settings.SPECTATOR_SLUG_SALT
hashids = Hashids(alphabet=alphabet, salt=salt, min_length=5)
return hashids.encode(value)
|
generate_slug
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value):\n alphabet = 'abcdefghijkmnopqrstuvwxyz23456789'\n salt = 'Django Spectator'\n if hasattr(settings, 'SPECTATOR_SLUG_ALPHABET'):\n alphabet = settings.SPECTATOR_SLUG_ALPHABET\n if hasattr(settings, 'SPECTATOR_SLUG_SALT'):\n salt = settings.SPECTATOR_SLUG_SALT\n hashids = Hashids(alphabet=alphabet, salt=salt, min_length=5)\n return hashids.encode(value)\n",
"role": "user"
},
{
"content": "generate_slug",
"role": "assistant"
}
] |
def x(apps, schema_editor, class_name):
Cls = apps.get_model('spectator_events', class_name)
for obj in Cls.objects.all():
obj.slug = generate_slug(obj.pk)
obj.save(update_fields=['slug'])
|
set_slug
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(apps, schema_editor, class_name):\n Cls = apps.get_model('spectator_events', class_name)\n for obj in Cls.objects.all():\n obj.slug = generate_slug(obj.pk)\n obj.save(update_fields=['slug'])\n",
"role": "user"
},
{
"content": "set_slug",
"role": "assistant"
}
] |
def x(self):
return {k: v for k, v in self.KIND_CHOICES}[self.kind]
|
kind_name
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return {k: v for k, v in self.KIND_CHOICES}[self.kind]\n",
"role": "user"
},
{
"content": "kind_name",
"role": "assistant"
}
] |
def x(kind):
if kind in ['comedy', 'cinema', 'dance', 'theatre']:
return kind.title()
elif kind == 'museum':
return 'Galleries/Museums'
else:
return '{}s'.format(Event.get_kind_name(kind))
|
get_kind_name_plural
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(kind):\n if kind in ['comedy', 'cinema', 'dance', 'theatre']:\n return kind.title()\n elif kind == 'museum':\n return 'Galleries/Museums'\n else:\n return '{}s'.format(Event.get_kind_name(kind))\n",
"role": "user"
},
{
"content": "get_kind_name_plural",
"role": "assistant"
}
] |
def x():
kinds = {k: {'name': v} for k, v in Event.KIND_CHOICES}
for k, data in kinds.items():
kinds[k]['slug'] = Event.KIND_SLUGS[k]
kinds[k]['name_plural'] = Event.get_kind_name_plural(k)
return kinds
|
get_kinds_data
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n kinds = {k: {'name': v} for k, v in Event.KIND_CHOICES}\n for k, data in kinds.items():\n kinds[k]['slug'] = Event.KIND_SLUGS[k]\n kinds[k]['name_plural'] = Event.get_kind_name_plural(k)\n return kinds\n",
"role": "user"
},
{
"content": "get_kinds_data",
"role": "assistant"
}
] |
def x(self, kind_slug=None):
if kind_slug is None:
kind_slug = self.KIND_SLUGS[self.kind]
return reverse('spectator:events:work_list', kwargs={'kind_slug':
kind_slug})
|
get_list_url
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, kind_slug=None):\n if kind_slug is None:\n kind_slug = self.KIND_SLUGS[self.kind]\n return reverse('spectator:events:work_list', kwargs={'kind_slug':\n kind_slug})\n",
"role": "user"
},
{
"content": "get_list_url",
"role": "assistant"
}
] |
def x(self, descriptor, rows):
primary_key = None
schema = tableschema.Schema(descriptor)
if len(schema.primary_key) == 1:
primary_key = schema.primary_key[0]
elif len(schema.primary_key) > 1:
message = 'Multi-column primary keys are not supported'
raise tableschema.exceptions.StorageError(message)
data_rows = []
index_rows = []
jtstypes_map = {}
for row in rows:
values = []
index = None
for field, value in zip(schema.fields, row):
try:
if isinstance(value, float) and np.isnan(value):
value = None
if value and field.type == 'integer':
value = int(value)
value = field.cast_value(value)
except tableschema.exceptions.CastError:
value = json.loads(value)
if value is None and field.type in ('number', 'integer'):
jtstypes_map[field.name] = 'number'
value = np.NaN
if field.name == primary_key:
index = value
else:
values.append(value)
data_rows.append(tuple(values))
index_rows.append(index)
dtypes = []
for field in schema.fields:
if field.name != primary_key:
field_name = field.name
if six.PY2:
field_name = field.name.encode('utf-8')
dtype = self.convert_type(jtstypes_map.get(field.name, field.type))
dtypes.append((field_name, dtype))
index = None
columns = schema.headers
array = np.array(data_rows, dtype=dtypes)
if primary_key:
index_field = schema.get_field(primary_key)
index_dtype = self.convert_type(index_field.type)
index_class = pd.Index
if index_field.type in ['datetime', 'date']:
index_class = pd.DatetimeIndex
index = index_class(index_rows, name=primary_key, dtype=index_dtype)
columns = filter(lambda column: column != primary_key, schema.headers)
dataframe = pd.DataFrame(array, index=index, columns=columns)
return dataframe
|
convert_descriptor_and_rows
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, descriptor, rows):\n primary_key = None\n schema = tableschema.Schema(descriptor)\n if len(schema.primary_key) == 1:\n primary_key = schema.primary_key[0]\n elif len(schema.primary_key) > 1:\n message = 'Multi-column primary keys are not supported'\n raise tableschema.exceptions.StorageError(message)\n data_rows = []\n index_rows = []\n jtstypes_map = {}\n for row in rows:\n values = []\n index = None\n for field, value in zip(schema.fields, row):\n try:\n if isinstance(value, float) and np.isnan(value):\n value = None\n if value and field.type == 'integer':\n value = int(value)\n value = field.cast_value(value)\n except tableschema.exceptions.CastError:\n value = json.loads(value)\n if value is None and field.type in ('number', 'integer'):\n jtstypes_map[field.name] = 'number'\n value = np.NaN\n if field.name == primary_key:\n index = value\n else:\n values.append(value)\n data_rows.append(tuple(values))\n index_rows.append(index)\n dtypes = []\n for field in schema.fields:\n if field.name != primary_key:\n field_name = field.name\n if six.PY2:\n field_name = field.name.encode('utf-8')\n dtype = self.convert_type(jtstypes_map.get(field.name, field.type))\n dtypes.append((field_name, dtype))\n index = None\n columns = schema.headers\n array = np.array(data_rows, dtype=dtypes)\n if primary_key:\n index_field = schema.get_field(primary_key)\n index_dtype = self.convert_type(index_field.type)\n index_class = pd.Index\n if index_field.type in ['datetime', 'date']:\n index_class = pd.DatetimeIndex\n index = index_class(index_rows, name=primary_key, dtype=index_dtype)\n columns = filter(lambda column: column != primary_key, schema.headers)\n dataframe = pd.DataFrame(array, index=index, columns=columns)\n return dataframe\n",
"role": "user"
},
{
"content": "convert_descriptor_and_rows",
"role": "assistant"
}
] |
def x(self, type):
mapping = {'any': np.dtype('O'), 'array': np.dtype(list), 'boolean': np
.dtype(bool), 'date': np.dtype('O'), 'datetime': np.dtype(
'datetime64[ns]'), 'duration': np.dtype('O'), 'geojson': np.dtype(
'O'), 'geopoint': np.dtype('O'), 'integer': np.dtype(int), 'number':
np.dtype(float), 'object': np.dtype(dict), 'string': np.dtype('O'),
'time': np.dtype('O'), 'year': np.dtype(int), 'yearmonth': np.dtype
('O')}
if type not in mapping:
message = 'Type "%s" is not supported' % type
raise tableschema.exceptions.StorageError(message)
return mapping[type]
|
convert_type
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, type):\n mapping = {'any': np.dtype('O'), 'array': np.dtype(list), 'boolean': np\n .dtype(bool), 'date': np.dtype('O'), 'datetime': np.dtype(\n 'datetime64[ns]'), 'duration': np.dtype('O'), 'geojson': np.dtype(\n 'O'), 'geopoint': np.dtype('O'), 'integer': np.dtype(int), 'number':\n np.dtype(float), 'object': np.dtype(dict), 'string': np.dtype('O'),\n 'time': np.dtype('O'), 'year': np.dtype(int), 'yearmonth': np.dtype\n ('O')}\n if type not in mapping:\n message = 'Type \"%s\" is not supported' % type\n raise tableschema.exceptions.StorageError(message)\n return mapping[type]\n",
"role": "user"
},
{
"content": "convert_type",
"role": "assistant"
}
] |
def x(self, dataframe):
fields = []
primary_key = None
if dataframe.index.name:
field_type = self.restore_type(dataframe.index.dtype)
field = {'name': dataframe.index.name, 'type': field_type,
'constraints': {'required': True}}
fields.append(field)
primary_key = dataframe.index.name
for column, dtype in dataframe.dtypes.iteritems():
sample = dataframe[column].iloc[0] if len(dataframe) else None
field_type = self.restore_type(dtype, sample=sample)
field = {'name': column, 'type': field_type}
fields.append(field)
descriptor = {}
descriptor['fields'] = fields
if primary_key:
descriptor['primaryKey'] = primary_key
return descriptor
|
restore_descriptor
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, dataframe):\n fields = []\n primary_key = None\n if dataframe.index.name:\n field_type = self.restore_type(dataframe.index.dtype)\n field = {'name': dataframe.index.name, 'type': field_type,\n 'constraints': {'required': True}}\n fields.append(field)\n primary_key = dataframe.index.name\n for column, dtype in dataframe.dtypes.iteritems():\n sample = dataframe[column].iloc[0] if len(dataframe) else None\n field_type = self.restore_type(dtype, sample=sample)\n field = {'name': column, 'type': field_type}\n fields.append(field)\n descriptor = {}\n descriptor['fields'] = fields\n if primary_key:\n descriptor['primaryKey'] = primary_key\n return descriptor\n",
"role": "user"
},
{
"content": "restore_descriptor",
"role": "assistant"
}
] |
def x(self, row, schema, pk):
result = []
for field in schema.fields:
if schema.primary_key and schema.primary_key[0] == field.name:
if field.type == 'number' and np.isnan(pk):
pk = None
if pk and field.type == 'integer':
pk = int(pk)
result.append(field.cast_value(pk))
else:
value = row[field.name]
if field.type == 'number' and np.isnan(value):
value = None
if value and field.type == 'integer':
value = int(value)
elif field.type == 'datetime':
value = value.to_pydatetime()
result.append(field.cast_value(value))
return result
|
restore_row
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, row, schema, pk):\n result = []\n for field in schema.fields:\n if schema.primary_key and schema.primary_key[0] == field.name:\n if field.type == 'number' and np.isnan(pk):\n pk = None\n if pk and field.type == 'integer':\n pk = int(pk)\n result.append(field.cast_value(pk))\n else:\n value = row[field.name]\n if field.type == 'number' and np.isnan(value):\n value = None\n if value and field.type == 'integer':\n value = int(value)\n elif field.type == 'datetime':\n value = value.to_pydatetime()\n result.append(field.cast_value(value))\n return result\n",
"role": "user"
},
{
"content": "restore_row",
"role": "assistant"
}
] |
def x(self, dtype, sample=None):
if pdc.is_bool_dtype(dtype):
return 'boolean'
elif pdc.is_datetime64_any_dtype(dtype):
return 'datetime'
elif pdc.is_integer_dtype(dtype):
return 'integer'
elif pdc.is_numeric_dtype(dtype):
return 'number'
if sample is not None:
if isinstance(sample, (list, tuple)):
return 'array'
elif isinstance(sample, datetime.date):
return 'date'
elif isinstance(sample, isodate.Duration):
return 'duration'
elif isinstance(sample, dict):
return 'object'
elif isinstance(sample, six.string_types):
return 'string'
elif isinstance(sample, datetime.time):
return 'time'
return 'string'
|
restore_type
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, dtype, sample=None):\n if pdc.is_bool_dtype(dtype):\n return 'boolean'\n elif pdc.is_datetime64_any_dtype(dtype):\n return 'datetime'\n elif pdc.is_integer_dtype(dtype):\n return 'integer'\n elif pdc.is_numeric_dtype(dtype):\n return 'number'\n if sample is not None:\n if isinstance(sample, (list, tuple)):\n return 'array'\n elif isinstance(sample, datetime.date):\n return 'date'\n elif isinstance(sample, isodate.Duration):\n return 'duration'\n elif isinstance(sample, dict):\n return 'object'\n elif isinstance(sample, six.string_types):\n return 'string'\n elif isinstance(sample, datetime.time):\n return 'time'\n return 'string'\n",
"role": "user"
},
{
"content": "restore_type",
"role": "assistant"
}
] |
def x(obj, perms):
name = obj.__class__.__name__.lower()
permission = 'spectator.can_edit_{}'.format(name)
change_url_name = 'admin:{}_{}_change'.format(obj._meta.app_label, name)
return {'display_link': permission in perms, 'change_url': reverse(
change_url_name, args=[obj.id])}
|
change_object_link_card
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(obj, perms):\n name = obj.__class__.__name__.lower()\n permission = 'spectator.can_edit_{}'.format(name)\n change_url_name = 'admin:{}_{}_change'.format(obj._meta.app_label, name)\n return {'display_link': permission in perms, 'change_url': reverse(\n change_url_name, args=[obj.id])}\n",
"role": "user"
},
{
"content": "change_object_link_card",
"role": "assistant"
}
] |
def x(value):
parsed_uri = urlparse(value)
domain = '{uri.netloc}'.format(uri=parsed_uri)
if domain.startswith('www.'):
domain = domain[4:]
return format_html('<a href="{}" rel="nofollow">{}</a>', value, domain)
|
domain_urlize
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value):\n parsed_uri = urlparse(value)\n domain = '{uri.netloc}'.format(uri=parsed_uri)\n if domain.startswith('www.'):\n domain = domain[4:]\n return format_html('<a href=\"{}\" rel=\"nofollow\">{}</a>', value, domain)\n",
"role": "user"
},
{
"content": "domain_urlize",
"role": "assistant"
}
] |
def x(context):
url_name = False
if context.request.resolver_match:
url_name = '{}:{}'.format(context.request.resolver_match.namespace,
context.request.resolver_match.url_name)
return url_name
|
current_url_name
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(context):\n url_name = False\n if context.request.resolver_match:\n url_name = '{}:{}'.format(context.request.resolver_match.namespace,\n context.request.resolver_match.url_name)\n return url_name\n",
"role": "user"
},
{
"content": "current_url_name",
"role": "assistant"
}
] |
def x(context, key, value):
try:
request = context['request']
args = request.GET.copy()
except KeyError:
args = QueryDict('').copy()
args[key] = value
return args.urlencode()
|
query_string
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(context, key, value):\n try:\n request = context['request']\n args = request.GET.copy()\n except KeyError:\n args = QueryDict('').copy()\n args[key] = value\n return args.urlencode()\n",
"role": "user"
},
{
"content": "query_string",
"role": "assistant"
}
] |
def x(num=10):
if spectator_apps.is_enabled('reading'):
object_list = most_read_creators(num=num)
object_list = chartify(object_list, 'num_readings', cutoff=1)
return {'card_title': 'Most read authors', 'score_attr':
'num_readings', 'object_list': object_list}
|
most_read_creators_card
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(num=10):\n if spectator_apps.is_enabled('reading'):\n object_list = most_read_creators(num=num)\n object_list = chartify(object_list, 'num_readings', cutoff=1)\n return {'card_title': 'Most read authors', 'score_attr':\n 'num_readings', 'object_list': object_list}\n",
"role": "user"
},
{
"content": "most_read_creators_card",
"role": "assistant"
}
] |
def x(num=10):
if spectator_apps.is_enabled('events'):
object_list = most_visited_venues(num=num)
object_list = chartify(object_list, 'num_visits', cutoff=1)
return {'card_title': 'Most visited venues', 'score_attr':
'num_visits', 'object_list': object_list}
|
most_visited_venues_card
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(num=10):\n if spectator_apps.is_enabled('events'):\n object_list = most_visited_venues(num=num)\n object_list = chartify(object_list, 'num_visits', cutoff=1)\n return {'card_title': 'Most visited venues', 'score_attr':\n 'num_visits', 'object_list': object_list}\n",
"role": "user"
},
{
"content": "most_visited_venues_card",
"role": "assistant"
}
] |
def x(self):
if self.isbn_uk or self.isbn_us or self.official_url or self.notes_url:
return True
else:
return False
|
has_urls
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self.isbn_uk or self.isbn_us or self.official_url or self.notes_url:\n return True\n else:\n return False\n",
"role": "user"
},
{
"content": "has_urls",
"role": "assistant"
}
] |
def x(package, entity):
init_py = open(os.path.join(package, '__init__.py')).read()
find = '__%s__ = [\'"]([^\'"]+)[\'"]' % entity
return re.search(find, init_py).group(1)
|
get_entity
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(package, entity):\n init_py = open(os.path.join(package, '__init__.py')).read()\n find = '__%s__ = [\\'\"]([^\\'\"]+)[\\'\"]' % entity\n return re.search(find, init_py).group(1)\n",
"role": "user"
},
{
"content": "get_entity",
"role": "assistant"
}
] |
def x(self):
qs = super().get_queryset()
qs = qs.select_related('publication__series').prefetch_related(
'publication__roles__creator')
return qs
|
get_queryset
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n qs = super().get_queryset()\n qs = qs.select_related('publication__series').prefetch_related(\n 'publication__roles__creator')\n return qs\n",
"role": "user"
},
{
"content": "get_queryset",
"role": "assistant"
}
] |
def x(apps, schema_editor):
Creator = apps.get_model('spectator_core', 'Creator')
for c in Creator.objects.all():
c.slug = generate_slug(c.pk)
c.save(update_fields=['slug'])
|
set_slug
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(apps, schema_editor):\n Creator = apps.get_model('spectator_core', 'Creator')\n for c in Creator.objects.all():\n c.slug = generate_slug(c.pk)\n c.save(update_fields=['slug'])\n",
"role": "user"
},
{
"content": "set_slug",
"role": "assistant"
}
] |
def x(apps, schema_editor):
Event = apps.get_model('spectator_events', 'Event')
ClassicalWorkSelection = apps.get_model('spectator_events',
'ClassicalWorkSelection')
DancePieceSelection = apps.get_model('spectator_events',
'DancePieceSelection')
for event in Event.objects.all():
for work in event.classicalworks.all():
selection = ClassicalWorkSelection(classical_work=work, event=event
)
selection.save()
for piece in event.dancepieces.all():
selection = DancePieceSelection(dance_piece=piece, event=event)
selection.save()
|
forwards
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(apps, schema_editor):\n Event = apps.get_model('spectator_events', 'Event')\n ClassicalWorkSelection = apps.get_model('spectator_events',\n 'ClassicalWorkSelection')\n DancePieceSelection = apps.get_model('spectator_events',\n 'DancePieceSelection')\n for event in Event.objects.all():\n for work in event.classicalworks.all():\n selection = ClassicalWorkSelection(classical_work=work, event=event\n )\n selection.save()\n for piece in event.dancepieces.all():\n selection = DancePieceSelection(dance_piece=piece, event=event)\n selection.save()\n",
"role": "user"
},
{
"content": "forwards",
"role": "assistant"
}
] |
def x(apps, schema_editor):
Event = apps.get_model('spectator_events', 'Event')
for event in Event.objects.all():
if event.venue is not None:
event.venue_name = event.venue.name
event.save()
|
forwards
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(apps, schema_editor):\n Event = apps.get_model('spectator_events', 'Event')\n for event in Event.objects.all():\n if event.venue is not None:\n event.venue_name = event.venue.name\n event.save()\n",
"role": "user"
},
{
"content": "forwards",
"role": "assistant"
}
] |
def x(apps, schema_editor):
Event = apps.get_model('spectator_events', 'Event')
for ev in Event.objects.filter(kind='exhibition'):
ev.kind = 'museum'
ev.save()
|
forwards
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(apps, schema_editor):\n Event = apps.get_model('spectator_events', 'Event')\n for ev in Event.objects.filter(kind='exhibition'):\n ev.kind = 'museum'\n ev.save()\n",
"role": "user"
},
{
"content": "forwards",
"role": "assistant"
}
] |
def x(text, strip_html=True, chars=255, truncate='…', at_word_boundary=False):
if strip_html:
text = strip_tags(text)
text = text.replace('\n', ' ').replace('\r', '')
text = ' '.join(text.split())
if at_word_boundary:
if len(text) > chars:
text = text[:chars].rsplit(' ', 1)[0] + truncate
else:
text = Truncator(text).chars(chars, html=False, truncate=truncate)
return text
|
truncate_string
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(text, strip_html=True, chars=255, truncate='…', at_word_boundary=False):\n if strip_html:\n text = strip_tags(text)\n text = text.replace('\\n', ' ').replace('\\r', '')\n text = ' '.join(text.split())\n if at_word_boundary:\n if len(text) > chars:\n text = text[:chars].rsplit(' ', 1)[0] + truncate\n else:\n text = Truncator(text).chars(chars, html=False, truncate=truncate)\n return text\n",
"role": "user"
},
{
"content": "truncate_string",
"role": "assistant"
}
] |
def x(qs, score_field, cutoff=0, ensure_chartiness=True):
chart = []
position = 0
prev_obj = None
for counter, obj in enumerate(qs):
score = getattr(obj, score_field)
if score != getattr(prev_obj, score_field, None):
position = counter + 1
if cutoff is None or score > cutoff:
obj.chart_position = position
chart.append(obj)
prev_obj = obj
if ensure_chartiness and len(chart) > 0:
if getattr(chart[0], score_field) == getattr(chart[-1], score_field):
chart = []
return chart
|
chartify
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(qs, score_field, cutoff=0, ensure_chartiness=True):\n chart = []\n position = 0\n prev_obj = None\n for counter, obj in enumerate(qs):\n score = getattr(obj, score_field)\n if score != getattr(prev_obj, score_field, None):\n position = counter + 1\n if cutoff is None or score > cutoff:\n obj.chart_position = position\n chart.append(obj)\n prev_obj = obj\n if ensure_chartiness and len(chart) > 0:\n if getattr(chart[0], score_field) == getattr(chart[-1], score_field):\n chart = []\n return chart\n",
"role": "user"
},
{
"content": "chartify",
"role": "assistant"
}
] |
def x(self, event_kind=None):
qs = self.get_queryset()
if event_kind is not None:
qs = qs.filter(event__kind=event_kind)
qs = qs.annotate(num_visits=Count('event')).order_by('-num_visits',
'name_sort')
return qs
|
by_visits
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, event_kind=None):\n qs = self.get_queryset()\n if event_kind is not None:\n qs = qs.filter(event__kind=event_kind)\n qs = qs.annotate(num_visits=Count('event')).order_by('-num_visits',\n 'name_sort')\n return qs\n",
"role": "user"
},
{
"content": "by_visits",
"role": "assistant"
}
] |
def x(self, kind=None):
qs = self.get_queryset()
if kind is not None:
qs = qs.filter(kind=kind)
qs = qs.annotate(num_views=Count('event')).order_by('-num_views',
'title_sort')
return qs
|
by_views
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, kind=None):\n qs = self.get_queryset()\n if kind is not None:\n qs = qs.filter(kind=kind)\n qs = qs.annotate(num_views=Count('event')).order_by('-num_views',\n 'title_sort')\n return qs\n",
"role": "user"
},
{
"content": "by_views",
"role": "assistant"
}
] |
def x(self, string):
articles = ['a', 'an', 'the', 'un', 'une', 'le', 'la', 'les', "l'",
'l’', 'ein', 'eine', 'der', 'die', 'das', 'una', 'el', 'los', 'las']
sort_string = string
parts = string.split(' ')
if len(parts) > 1 and parts[0] in articles:
if parts[0] != parts[1]:
sort_string = '{}, {}'.format(' '.join(parts[1:]), parts[0])
sort_string = self._naturalize_numbers(sort_string)
return sort_string
|
naturalize_thing
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, string):\n articles = ['a', 'an', 'the', 'un', 'une', 'le', 'la', 'les', \"l'\",\n 'l’', 'ein', 'eine', 'der', 'die', 'das', 'una', 'el', 'los', 'las']\n sort_string = string\n parts = string.split(' ')\n if len(parts) > 1 and parts[0] in articles:\n if parts[0] != parts[1]:\n sort_string = '{}, {}'.format(' '.join(parts[1:]), parts[0])\n sort_string = self._naturalize_numbers(sort_string)\n return sort_string\n",
"role": "user"
},
{
"content": "naturalize_thing",
"role": "assistant"
}
] |
def x(self, string):
suffixes = ['Jr', 'Jr.', 'Sr', 'Sr.', 'I', 'II', 'III', 'IV', 'V']
suffixes = suffixes + [s.lower() for s in suffixes]
particles = ['Le', 'La', 'Von', 'Van', 'Du', 'De']
surname = ''
names = ''
suffix = ''
sort_string = string
parts = string.split(' ')
if parts[-1] in suffixes:
suffix = parts[-1]
parts = parts[0:-1]
sort_string = ' '.join(parts)
if len(parts) > 1:
if parts[-2] in particles:
parts = parts[0:-2] + [' '.join(parts[-2:])]
sort_string = '{}, {}'.format(parts[-1], ' '.join(parts[:-1]))
if suffix:
sort_string = '{} {}'.format(sort_string, suffix)
sort_string = self._naturalize_numbers(sort_string)
return sort_string
|
naturalize_person
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, string):\n suffixes = ['Jr', 'Jr.', 'Sr', 'Sr.', 'I', 'II', 'III', 'IV', 'V']\n suffixes = suffixes + [s.lower() for s in suffixes]\n particles = ['Le', 'La', 'Von', 'Van', 'Du', 'De']\n surname = ''\n names = ''\n suffix = ''\n sort_string = string\n parts = string.split(' ')\n if parts[-1] in suffixes:\n suffix = parts[-1]\n parts = parts[0:-1]\n sort_string = ' '.join(parts)\n if len(parts) > 1:\n if parts[-2] in particles:\n parts = parts[0:-2] + [' '.join(parts[-2:])]\n sort_string = '{}, {}'.format(parts[-1], ' '.join(parts[:-1]))\n if suffix:\n sort_string = '{} {}'.format(sort_string, suffix)\n sort_string = self._naturalize_numbers(sort_string)\n return sort_string\n",
"role": "user"
},
{
"content": "naturalize_person",
"role": "assistant"
}
] |
def x(self, string):
def x(match):
return '%08d' % (int(match.group(0)),)
string = re.sub('\\d+', naturalize_int_match, string)
return string
|
naturalize_numbers
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, string):\n\n def x(match):\n return '%08d' % (int(match.group(0)),)\n string = re.sub('\\\\d+', naturalize_int_match, string)\n return string\n",
"role": "user"
},
{
"content": "naturalize_numbers",
"role": "assistant"
}
] |
def x(kind='all'):
if kind == 'all':
kinds = ['book', 'periodical']
else:
kinds = [kind]
counts = OrderedDict()
for k in kinds:
qs = Reading.objects.exclude(end_date__isnull=True).filter(
publication__kind=k).annotate(year=TruncYear('end_date')).values(
'year').annotate(count=Count('id')).order_by('year')
for year_data in qs:
year_str = year_data['year'].strftime('%Y')
if not year_str in counts:
counts[year_str] = {'year': year_data['year']}
counts[year_str][k] = year_data['count']
counts_list = []
for year_str, data in counts.items():
year_data = {'year': data['year']}
if kind == 'all':
year_data['total'] = 0
for k in kinds:
if k in data:
year_data[k] = data[k]
if kind == 'all':
year_data['total'] += data[k]
else:
year_data[k] = 0
counts_list.append(year_data)
return counts_list
|
annual_reading_counts
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(kind='all'):\n if kind == 'all':\n kinds = ['book', 'periodical']\n else:\n kinds = [kind]\n counts = OrderedDict()\n for k in kinds:\n qs = Reading.objects.exclude(end_date__isnull=True).filter(\n publication__kind=k).annotate(year=TruncYear('end_date')).values(\n 'year').annotate(count=Count('id')).order_by('year')\n for year_data in qs:\n year_str = year_data['year'].strftime('%Y')\n if not year_str in counts:\n counts[year_str] = {'year': year_data['year']}\n counts[year_str][k] = year_data['count']\n counts_list = []\n for year_str, data in counts.items():\n year_data = {'year': data['year']}\n if kind == 'all':\n year_data['total'] = 0\n for k in kinds:\n if k in data:\n year_data[k] = data[k]\n if kind == 'all':\n year_data['total'] += data[k]\n else:\n year_data[k] = 0\n counts_list.append(year_data)\n return counts_list\n",
"role": "user"
},
{
"content": "annual_reading_counts",
"role": "assistant"
}
] |
def x(self, request, model_admin):
list_of_countries = []
qs = Venue.objects.exclude(country='').values('country').annotate(
country_count=Count('country')).order_by('country')
for obj in qs:
country = obj['country']
list_of_countries.append((country, Venue.COUNTRIES[country]))
return sorted(list_of_countries, key=lambda c: c[1])
|
lookups
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request, model_admin):\n list_of_countries = []\n qs = Venue.objects.exclude(country='').values('country').annotate(\n country_count=Count('country')).order_by('country')\n for obj in qs:\n country = obj['country']\n list_of_countries.append((country, Venue.COUNTRIES[country]))\n return sorted(list_of_countries, key=lambda c: c[1])\n",
"role": "user"
},
{
"content": "lookups",
"role": "assistant"
}
] |
def x(self, request, queryset):
if self.value():
return queryset.filter(country=self.value())
else:
return queryset
|
queryset
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request, queryset):\n if self.value():\n return queryset.filter(country=self.value())\n else:\n return queryset\n",
"role": "user"
},
{
"content": "queryset",
"role": "assistant"
}
] |
def x(apps, schema_editor):
Event = apps.get_model('spectator_events', 'Event')
MovieSelection = apps.get_model('spectator_events', 'MovieSelection')
PlaySelection = apps.get_model('spectator_events', 'PlaySelection')
for event in Event.objects.all():
if event.movie is not None:
selection = MovieSelection(event=event, movie=event.movie)
selection.save()
if event.play is not None:
selection = PlaySelection(event=event, play=event.play)
selection.save()
|
forward
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(apps, schema_editor):\n Event = apps.get_model('spectator_events', 'Event')\n MovieSelection = apps.get_model('spectator_events', 'MovieSelection')\n PlaySelection = apps.get_model('spectator_events', 'PlaySelection')\n for event in Event.objects.all():\n if event.movie is not None:\n selection = MovieSelection(event=event, movie=event.movie)\n selection.save()\n if event.play is not None:\n selection = PlaySelection(event=event, play=event.play)\n selection.save()\n",
"role": "user"
},
{
"content": "forward",
"role": "assistant"
}
] |
def x(apps, schema_editor):
Event = apps.get_model('spectator_events', 'Event')
for e in Event.objects.all():
e.slug = generate_slug(e.pk)
e.save(update_fields=['slug'])
|
set_slug
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(apps, schema_editor):\n Event = apps.get_model('spectator_events', 'Event')\n for e in Event.objects.all():\n e.slug = generate_slug(e.pk)\n e.save(update_fields=['slug'])\n",
"role": "user"
},
{
"content": "set_slug",
"role": "assistant"
}
] |
def x(self, number, *args, **kwargs):
page = super().page(number, *args, **kwargs)
number = int(number)
num_pages, body, tail, padding, margin = (self.num_pages, self.body,
self.tail, self.padding, self.margin)
main_range = list(map(int, [math.floor(number - body / 2.0) + 1, math.
floor(number + body / 2.0)]))
if main_range[0] < 1:
main_range = list(map(abs(main_range[0] - 1).__add__, main_range))
if main_range[1] > num_pages:
main_range = list(map((num_pages - main_range[1]).__add__, main_range))
if main_range[0] <= tail + margin:
leading = []
main_range = [1, max(body, min(number + padding, main_range[1]))]
main_range[0] = 1
else:
leading = list(range(1, tail + 1))
if self.align_left:
trailing = []
elif main_range[1] >= num_pages - (tail + margin) + 1:
trailing = []
if not leading:
main_range = [1, num_pages]
else:
main_range = [min(num_pages - body + 1, max(number - padding,
main_range[0])), num_pages]
else:
trailing = list(range(num_pages - tail + 1, num_pages + 1))
main_range = [max(main_range[0], 1), min(main_range[1], num_pages)]
page.main_range = list(range(main_range[0], main_range[1] + 1))
page.leading_range = leading
page.trailing_range = trailing
page.page_range = reduce(lambda x, y: x + ((x and y) and [False]) + y,
[page.leading_range, page.main_range, page.trailing_range])
page.__class__ = DiggPage
return page
|
page
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, number, *args, **kwargs):\n page = super().page(number, *args, **kwargs)\n number = int(number)\n num_pages, body, tail, padding, margin = (self.num_pages, self.body,\n self.tail, self.padding, self.margin)\n main_range = list(map(int, [math.floor(number - body / 2.0) + 1, math.\n floor(number + body / 2.0)]))\n if main_range[0] < 1:\n main_range = list(map(abs(main_range[0] - 1).__add__, main_range))\n if main_range[1] > num_pages:\n main_range = list(map((num_pages - main_range[1]).__add__, main_range))\n if main_range[0] <= tail + margin:\n leading = []\n main_range = [1, max(body, min(number + padding, main_range[1]))]\n main_range[0] = 1\n else:\n leading = list(range(1, tail + 1))\n if self.align_left:\n trailing = []\n elif main_range[1] >= num_pages - (tail + margin) + 1:\n trailing = []\n if not leading:\n main_range = [1, num_pages]\n else:\n main_range = [min(num_pages - body + 1, max(number - padding,\n main_range[0])), num_pages]\n else:\n trailing = list(range(num_pages - tail + 1, num_pages + 1))\n main_range = [max(main_range[0], 1), min(main_range[1], num_pages)]\n page.main_range = list(range(main_range[0], main_range[1] + 1))\n page.leading_range = leading\n page.trailing_range = trailing\n page.page_range = reduce(lambda x, y: x + ((x and y) and [False]) + y,\n [page.leading_range, page.main_range, page.trailing_range])\n page.__class__ = DiggPage\n return page\n",
"role": "user"
},
{
"content": "page",
"role": "assistant"
}
] |
def x():
namespace = {}
with open(os.path.join('mrcfile', 'version.py')) as f:
exec(f.read(), namespace)
return namespace['__version__']
|
version
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n namespace = {}\n with open(os.path.join('mrcfile', 'version.py')) as f:\n exec(f.read(), namespace)\n return namespace['__version__']\n",
"role": "user"
},
{
"content": "version",
"role": "assistant"
}
] |
def x(self):
counts = {'all': Event.objects.count()}
for k, v in Event.KIND_CHOICES:
counts[k] = Event.objects.filter(kind=k).count()
return {'counts': counts}
|
get_event_counts
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n counts = {'all': Event.objects.count()}\n for k, v in Event.KIND_CHOICES:\n counts[k] = Event.objects.filter(kind=k).count()\n return {'counts': counts}\n",
"role": "user"
},
{
"content": "get_event_counts",
"role": "assistant"
}
] |
def x(self):
slug = self.kwargs.get('kind_slug', None)
if slug is None:
return None
else:
slugs_to_kinds = {v: k for k, v in Event.KIND_SLUGS.items()}
return slugs_to_kinds.get(slug, None)
|
get_event_kind
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n slug = self.kwargs.get('kind_slug', None)\n if slug is None:\n return None\n else:\n slugs_to_kinds = {v: k for k, v in Event.KIND_SLUGS.items()}\n return slugs_to_kinds.get(slug, None)\n",
"role": "user"
},
{
"content": "get_event_kind",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.