source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(self):
radii = self._get_user_components('radii')
if radii is None:
centers = self.components_['centers']
n_centers = centers.shape[0]
max_dist = np.max(pairwise_distances(centers))
radii = np.ones(n_centers) * max_dist / sqrt(2.0 * n_centers)
self.components_['radii'] ... | compute_radii | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n radii = self._get_user_components('radii')\n if radii is None:\n centers = self.components_['centers']\n n_centers = centers.shape... |
def x(self, X, sparse, rs):
centers = self._get_user_components('centers')
if centers is None:
n_features = X.shape[1]
if sparse:
fxr = range(n_features)
cols = [X.getcol(i) for i in fxr]
min_dtype = X.dtype.type(10000000000.0)
sp_min = lambda col:... | compute_centers | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, X, sparse, rs):\n centers = self._get_user_components('centers')\n if centers is None:\n n_features = X.shape[1]\n if sparse:\n ... |
def x(self, rs):
biases = self._get_user_components('biases')
if biases is None:
b_size = self.n_hidden
biases = rs.normal(size=b_size)
self.components_['biases'] = biases
| compute_biases | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, rs):\n biases = self._get_user_components('biases')\n if biases is None:\n b_size = self.n_hidden\n biases = rs.normal(size=b_size)\n... |
def x(self, X, rs):
weights = self._get_user_components('weights')
if weights is None:
n_features = X.shape[1]
hw_size = n_features, self.n_hidden
weights = rs.normal(size=hw_size)
self.components_['weights'] = weights
| compute_weights | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, X, rs):\n weights = self._get_user_components('weights')\n if weights is None:\n n_features = X.shape[1]\n hw_size = n_features, self... |
def x(self, X):
rs = check_random_state(self.random_state)
if self._use_mlp_input:
self._compute_biases(rs)
self._compute_weights(X, rs)
if self._use_rbf_input:
self._compute_centers(X, sp.issparse(X), rs)
self._compute_radii()
| generate_components | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, X):\n rs = check_random_state(self.random_state)\n if self._use_mlp_input:\n self._compute_biases(rs)\n self._compute_weights(X, rs)\... |
def x(self, X):
n_samples = X.shape[0]
mlp_acts = np.zeros((n_samples, self.n_hidden))
if self._use_mlp_input:
b = self.components_['biases']
w = self.components_['weights']
mlp_acts = self.alpha * (safe_sparse_dot(X, w) + b)
rbf_acts = np.zeros((n_samples, self.n_hidden))
if... | compute_input_activations | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, X):\n n_samples = X.shape[0]\n mlp_acts = np.zeros((n_samples, self.n_hidden))\n if self._use_mlp_input:\n b = self.components_['biases']... |
def x(self, X, sparse, rs):
super(GRBFRandomLayer, self)._compute_centers(X, sparse, rs)
centers = self.components_['centers']
sorted_distances = np.sort(squareform(pdist(centers)))
self.dF_vals = sorted_distances[:, -1]
self.dN_vals = sorted_distances[:, 1] / 100.0
tauNum = np.log(np.log(self.g... | compute_centers | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, X, sparse, rs):\n super(GRBFRandomLayer, self)._compute_centers(X, sparse, rs)\n centers = self.components_['centers']\n sorted_distances = np.s... |
def x(self):
denom = pow(-np.log(self.grbf_lambda), 1.0 / self.tau_vals)
self.components_['radii'] = self.dF_vals / denom
| compute_radii | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n denom = pow(-np.log(self.grbf_lambda), 1.0 / self.tau_vals)\n self.components_['radii'] = self.dF_vals / denom\n",
"role": "user"
},
{
... |
def x(self, y):
if self.regressor is None:
self.coefs_ = safe_sparse_dot(pinv2(self.hidden_activations_), y)
else:
self.regressor.fit(self.hidden_activations_, y)
self.fitted_ = True
| fit_regression | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, y):\n if self.regressor is None:\n self.coefs_ = safe_sparse_dot(pinv2(self.hidden_activations_), y)\n else:\n self.regressor.fit(sel... |
def x(self, X, y):
self.hidden_activations_ = self.hidden_layer.fit_transform(X)
self._fit_regression(as_float_array(y, copy=True))
return self
| fit | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, X, y):\n self.hidden_activations_ = self.hidden_layer.fit_transform(X)\n self._fit_regression(as_float_array(y, copy=True))\n return self\n",
... |
def x(self):
if self.regressor is None:
preds = safe_sparse_dot(self.hidden_activations_, self.coefs_)
else:
preds = self.regressor.predict(self.hidden_activations_)
return preds
| get_predictions | [
{
"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.regressor is None:\n preds = safe_sparse_dot(self.hidden_activations_, self.coefs_)\n else:\n preds = self.regressor.predi... |
def x(self, X):
if not self.fitted_:
raise ValueError('ELMRegressor not fitted')
self.hidden_activations_ = self.hidden_layer.transform(X)
predictions = self._get_predictions()
return predictions
| predict | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, X):\n if not self.fitted_:\n raise ValueError('ELMRegressor not fitted')\n self.hidden_activations_ = self.hidden_layer.transform(X)\n pr... |
def x(self, X, y):
self.classes_ = np.unique(y)
y_bin = self.binarizer.fit_transform(y)
self.genelm_regressor_.fit(X, y_bin)
return self
| fit | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, X, y):\n self.classes_ = np.unique(y)\n y_bin = self.binarizer.fit_transform(y)\n self.genelm_regressor_.fit(X, y_bin)\n return self\n",
... |
def x(self, X):
raw_predictions = self.decision_function(X)
class_predictions = self.binarizer.inverse_transform(raw_predictions)
return class_predictions
| predict | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, X):\n raw_predictions = self.decision_function(X)\n class_predictions = self.binarizer.inverse_transform(raw_predictions)\n return class_predict... |
def x(self):
return RandomLayer(n_hidden=self.n_hidden, alpha=self.alpha,
random_state=self.random_state, activation_func=self.
activation_func, activation_args=self.activation_args,
user_components=self.user_components, rbf_width=self.rbf_width)
| create_random_layer | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return RandomLayer(n_hidden=self.n_hidden, alpha=self.alpha,\n random_state=self.random_state, activation_func=self.\n activation_fun... |
def x(self, X, y):
rhl = self._create_random_layer()
self._genelm_regressor = GenELMRegressor(hidden_layer=rhl, regressor=
self.regressor)
self._genelm_regressor.fit(X, y)
return self
| fit | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, X, y):\n rhl = self._create_random_layer()\n self._genelm_regressor = GenELMRegressor(hidden_layer=rhl, regressor=\n self.regressor)\n se... |
def x(self, X):
if self._genelm_regressor is None:
raise ValueError('SimpleELMRegressor not fitted')
return self._genelm_regressor.predict(X)
| predict | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, X):\n if self._genelm_regressor is None:\n raise ValueError('SimpleELMRegressor not fitted')\n return self._genelm_regressor.predict(X)\n",
... |
def x(self, X, y):
self.classes_ = np.unique(y)
y_bin = self.binarizer.fit_transform(y)
super(ELMClassifier, self).fit(X, y_bin)
return self
| fit | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, X, y):\n self.classes_ = np.unique(y)\n y_bin = self.binarizer.fit_transform(y)\n super(ELMClassifier, self).fit(X, y_bin)\n return self\n",
... |
def x(self, X, y):
from sklearn.metrics import accuracy_score
return accuracy_score(y, self.predict(X))
| score | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, X, y):\n from sklearn.metrics import accuracy_score\n return accuracy_score(y, self.predict(X))\n",
"role": "user"
},
{
"content": "sco... |
def x(serializer):
if DRFVLIST[0] >= 3:
serializer.is_valid(raise_exception=True)
elif not serializer.is_valid():
serializers.ValidationError('The serializer raises a validation error')
| compat_serializer_check_is_valid | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(serializer):\n if DRFVLIST[0] >= 3:\n serializer.is_valid(raise_exception=True)\n elif not serializer.is_valid():\n serializers.ValidationE... |
def x(serializer, obj):
if DRFVLIST[0] == 3 and DRFVLIST[1] == 1:
for i in serializer.instance:
if i.id == obj.id:
return i
else:
return obj
| compat_serializer_attr | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(serializer, obj):\n if DRFVLIST[0] == 3 and DRFVLIST[1] == 1:\n for i in serializer.instance:\n if i.id == obj.id:\n return... |
def x(view, page):
if DRFVLIST[0] == 3 and DRFVLIST[1] >= 1:
from rest_messaging.serializers import ComplexMessageSerializer
serializer = ComplexMessageSerializer(page, many=True)
return view.get_paginated_response(serializer.data)
else:
serializer = view.get_pagination_serialize... | compat_get_paginated_response | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(view, page):\n if DRFVLIST[0] == 3 and DRFVLIST[1] >= 1:\n from rest_messaging.serializers import ComplexMessageSerializer\n serializer = Comp... |
def x(cls):
if DRFVLIST[0] == 3 and DRFVLIST[1] >= 1:
setattr(cls, 'pagination_class', MessagePagination)
return cls
else:
setattr(cls, 'paginate_by', getattr(settings,
'DJANGO_REST_MESSAGING_MESSAGES_PAGE_SIZE', 30))
return cls
| compat_pagination_messages | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls):\n if DRFVLIST[0] == 3 and DRFVLIST[1] >= 1:\n setattr(cls, 'pagination_class', MessagePagination)\n return cls\n else:\n setat... |
def x(self, obj):
if self.callback is None:
return [participant.id for participant in obj.participants.all()]
else:
return self.callback(obj)
| get_participants | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, obj):\n if self.callback is None:\n return [participant.id for participant in obj.participants.all()]\n else:\n return self.callback(... |
def x(self, obj):
try:
o = compat_serializer_attr(self, obj)
return o.is_notification
except Exception:
return False
| get_is_notification | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, obj):\n try:\n o = compat_serializer_attr(self, obj)\n return o.is_notification\n except Exception:\n return False\n",
"ro... |
def x(self, obj):
try:
o = compat_serializer_attr(self, obj)
return o.readers
except Exception:
return []
| get_readers | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, obj):\n try:\n o = compat_serializer_attr(self, obj)\n return o.readers\n except Exception:\n return []\n",
"role": "user"... |
def x(self, participant_id):
participations = Participation.objects.filter(participant__id=
participant_id).exclude(date_left__lte=now()).distinct(
).select_related('thread')
return Thread.objects.filter(id__in=[p.thread.id for p in participations]
).distinct()
| get_threads_where_participant_is_active | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, participant_id):\n participations = Participation.objects.filter(participant__id=\n participant_id).exclude(date_left__lte=now()).distinct(\n ... |
def x(self, *participant_ids):
query = Thread.objects.exclude(participation__date_left__lte=now()
).annotate(count_participants=Count('participants')).filter(
count_participants=len(participant_ids))
for participant_id in participant_ids:
query = query.filter(participants__id=participant... | get_active_threads_involving_all_participants | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *participant_ids):\n query = Thread.objects.exclude(participation__date_left__lte=now()\n ).annotate(count_participants=Count('participants')).... |
def x(self, request, name=None, *participant_ids):
participant_ids = list(participant_ids)
if request.rest_messaging_participant.id not in participant_ids:
participant_ids.append(request.rest_messaging_participant.id)
if len(participant_ids) < 2:
raise Exception('At least two participants ar... | get_or_create_thread | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request, name=None, *participant_ids):\n participant_ids = list(participant_ids)\n if request.rest_messaging_participant.id not in participant_ids:... |
def x(self, sender):
h24 = now() - timedelta(days=1)
return Message.objects.filter(sender=sender, sent_at__gte=h24).count()
| return_daily_messages_count | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sender):\n h24 = now() - timedelta(days=1)\n return Message.objects.filter(sender=sender, sent_at__gte=h24).count()\n",
"role": "user"
},
{... |
def x(self, messages):
for m in messages:
readers = []
for p in m.thread.participation_set.all():
if p.date_last_check is None:
pass
elif p.date_last_check > m.sent_at:
readers.append(p.participant.id)
setattr(m, 'readers', readers)
... | check_who_read | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, messages):\n for m in messages:\n readers = []\n for p in m.thread.participation_set.all():\n if p.date_last_check is None:\n... |
def x(self, participant_id, messages):
try:
last_check = NotificationCheck.objects.filter(participant__id=
participant_id).latest('id').date_check
except Exception:
for m in messages:
m.is_notification = True
return messages
for m in messages:
if m.sen... | check_is_notification | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, participant_id, messages):\n try:\n last_check = NotificationCheck.objects.filter(participant__id=\n participant_id).latest('id').da... |
def x(self, participant_id, check_who_read=True, check_is_notification=True):
threads = Thread.managers.get_threads_where_participant_is_active(
participant_id).annotate(last_message_id=Max('message__id'))
messages = Message.objects.filter(id__in=[thread.last_message_id for
thread in threads]).o... | get_lasts_messages_of_threads | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, participant_id, check_who_read=True, check_is_notification=True):\n threads = Thread.managers.get_threads_where_participant_is_active(\n partic... |
def x(self, participant_id, thread_id, check_who_read=True):
try:
messages = Message.objects.filter(thread__id=thread_id).order_by('-id'
).select_related('thread').prefetch_related(
'thread__participation_set',
'thread__participation_set__participant')
except Exceptio... | get_all_messages_in_thread | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, participant_id, thread_id, check_who_read=True):\n try:\n messages = Message.objects.filter(thread__id=thread_id).order_by('-id'\n )... |
def x(self, request, *args, **kwargs):
serializer = self.get_serializer(data=compat_get_request_data(request))
compat_serializer_check_is_valid(serializer)
self.perform_create(request, serializer)
headers = self.get_success_headers(serializer.data)
return Response(serializer.data, status=status.HTTP... | create | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request, *args, **kwargs):\n serializer = self.get_serializer(data=compat_get_request_data(request))\n compat_serializer_check_is_valid(serializer)... |
def x(self, request, pk=None):
thread = Thread.objects.get(id=pk)
self.check_object_permissions(request, thread)
try:
participation = Participation.objects.get(thread=thread,
participant=request.rest_messaging_participant)
participation.date_last_check = now()
participati... | mark_thread_as_read | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request, pk=None):\n thread = Thread.objects.get(id=pk)\n self.check_object_permissions(request, thread)\n try:\n participation = Partici... |
def x(self, quoted=False):
self.p = urlparse(self.raw)
self.scheme = self.p.scheme
self.netloc = self.p.netloc
self.opath = self.p.path if not quoted else quote(self.p.path)
self.path = [x for x in self.opath.split('/') if x]
self.params = self.p.params
self.query = parse_qs(self.p.query, ke... | process | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, quoted=False):\n self.p = urlparse(self.raw)\n self.scheme = self.p.scheme\n self.netloc = self.p.netloc\n self.opath = self.p.path if not qu... |
def x(self, url, encoding=None, force_refetch=False, nocache=False, quiet=True
):
try:
if not force_refetch and self.cache is not None and url in self.cache:
logging.debug('Retrieving content from cache for {}'.format(url))
return self.cache.retrieve_blob(url, encoding)
e... | fetch | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, url, encoding=None, force_refetch=False, nocache=False, quiet=True\n ):\n try:\n if not force_refetch and self.cache is not None and url in ... |
def x(self, url, path, force_refetch=False, nocache=False):
if os.path.isfile(path):
getLogger().info('File exists, download task skipped -> {path}'.
format(path=path))
return True
try:
getLogger().info('Downloading: {url} -> {path}'.format(url=url,
path=path))
... | download | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, url, path, force_refetch=False, nocache=False):\n if os.path.isfile(path):\n getLogger().info('File exists, download task skipped -> {path}'.\n... |
def x(self) ->Optional[str]:
try:
return str(self.journey.MainStop.BasicStop.Dep.Platform.text)
except AttributeError:
return None
| platform | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self) ->Optional[str]:\n try:\n return str(self.journey.MainStop.BasicStop.Dep.Platform.text)\n except AttributeError:\n return None\n",
... |
def x(self) ->int:
try:
return int(self.journey.MainStop.BasicStop.Dep.Delay.text)
except AttributeError:
return 0
| delay | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self) ->int:\n try:\n return int(self.journey.MainStop.BasicStop.Dep.Delay.text)\n except AttributeError:\n return 0\n",
"role": "user"... |
def x(self) ->datetime:
departure_time = datetime.strptime(self.journey.MainStop.BasicStop.Dep.
Time.text, '%H:%M').time()
if departure_time > (self.now - timedelta(hours=1)).time():
return datetime.combine(self.now.date(), departure_time)
return datetime.combine(self.now.date() + timedelta(... | departure | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self) ->datetime:\n departure_time = datetime.strptime(self.journey.MainStop.BasicStop.Dep.\n Time.text, '%H:%M').time()\n if departure_time > (se... |
def x(self, attribute) ->str:
attr_data = self.journey.JourneyAttributeList.JourneyAttribute[self.
attr_types.index(attribute)].Attribute
attr_variants = attr_data.xpath('AttributeVariant/@type')
data = attr_data.AttributeVariant[attr_variants.index('NORMAL')].Text.pyval
return str(data)
| extract | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, attribute) ->str:\n attr_data = self.journey.JourneyAttributeList.JourneyAttribute[self.\n attr_types.index(attribute)].Attribute\n attr_var... |
def x(self) ->Optional[str]:
try:
return str(html.unescape(self.journey.InfoTextList.InfoText.get(
'text')))
except AttributeError:
return None
| info | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self) ->Optional[str]:\n try:\n return str(html.unescape(self.journey.InfoTextList.InfoText.get(\n 'text')))\n except AttributeError:\n... |
def x(self) ->Optional[str]:
try:
return str(html.unescape(self.journey.InfoTextList.InfoText.get(
'textL')).replace('<br />', '\n'))
except AttributeError:
return None
| info_long | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self) ->Optional[str]:\n try:\n return str(html.unescape(self.journey.InfoTextList.InfoText.get(\n 'textL')).replace('<br />', '\\n'))\n ... |
def x(self) ->List[Dict[str, Any]]:
stops: List[Dict[str, Any]] = []
for stop in self.journey.PassList.BasicStop:
index = stop.get('index')
station = stop.Location.Station.HafasName.Text.text
station_id = stop.Location.Station.ExternalId.text
stops.append({'index': index, 'statio... | pass_list | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self) ->List[Dict[str, Any]]:\n stops: List[Dict[str, Any]] = []\n for stop in self.journey.PassList.BasicStop:\n index = stop.get('index')\n ... |
def x(style):
try:
import jsonschema
except ImportError:
return
try:
jsonschema.validate(style, schema)
except jsonschema.ValidationError as exc:
new_exc = StyleValidationError(exc)
new_exc.__cause__ = None
raise new_exc
| validate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(style):\n try:\n import jsonschema\n except ImportError:\n return\n try:\n jsonschema.validate(style, schema)\n except jsonsch... |
def x(value):
try:
keys = list(value.keys())
except AttributeError:
return 'simple'
if keys in [['lookup'], ['re_lookup'], ['interval']]:
return keys[0]
raise ValueError('Type of `value` could not be determined')
| value_type | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value):\n try:\n keys = list(value.keys())\n except AttributeError:\n return 'simple'\n if keys in [['lookup'], ['re_lookup'], ['interva... |
def x(location):
global MECAB_LOC
if not os.path.isfile(location):
logging.getLogger(__name__).warning(
'Provided mecab binary location does not exist {}'.format(location)
)
logging.getLogger(__name__).info('Mecab binary is switched to: {}'.
format(location))
MECA... | register_mecab_loc | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(location):\n global MECAB_LOC\n if not os.path.isfile(location):\n logging.getLogger(__name__).warning(\n 'Provided mecab binary locati... |
def x(content, *args, **kwargs):
encoding = 'utf-8' if 'encoding' not in kwargs else kwargs['encoding']
mecab_loc = kwargs['mecab_loc'] if 'mecab_loc' in kwargs else None
if mecab_loc is None:
mecab_loc = MECAB_LOC
proc_args = [mecab_loc]
if args:
proc_args.extend(args)
output = ... | run_mecab_process | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(content, *args, **kwargs):\n encoding = 'utf-8' if 'encoding' not in kwargs else kwargs['encoding']\n mecab_loc = kwargs['mecab_loc'] if 'mecab_loc' in k... |
def x(content, *args, **kwargs):
global MECAB_PYTHON3
if 'mecab_loc' not in kwargs and MECAB_PYTHON3 and 'MeCab' in globals():
return MeCab.Tagger(*args).parse(content)
else:
return run_mecab_process(content, *args, **kwargs)
| parse | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(content, *args, **kwargs):\n global MECAB_PYTHON3\n if 'mecab_loc' not in kwargs and MECAB_PYTHON3 and 'MeCab' in globals():\n return MeCab.Tagger... |
def x(self, path_in_ipod=None, checksum=None):
if bool(path_in_ipod) == bool(checksum):
raise Exception
if not path_in_ipod:
path_in_ipod = self.audiodb.get_voice(checksum)
track = Track(self, path_in_ipod=path_in_ipod)
return track
| create_track | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, path_in_ipod=None, checksum=None):\n if bool(path_in_ipod) == bool(checksum):\n raise Exception\n if not path_in_ipod:\n path_in_ipod... |
def x(self):
dbid = self.lldb.dbid
text, lang = self._voiceoverdb.get_text_lang(dbid)
return text, lang
| voice | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n dbid = self.lldb.dbid\n text, lang = self._voiceoverdb.get_text_lang(dbid)\n return text, lang\n",
"role": "user"
},
{
"content":... |
def x(self, src):
if not audio.get_type(src):
raise TypeError('The type of this file is not supported.')
return super().add(src)
| add | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, src):\n if not audio.get_type(src):\n raise TypeError('The type of this file is not supported.')\n return super().add(src)\n",
"role": "... |
def x(command, arguments):
if arguments is None:
arguments = []
if command.endswith('.py') or command.endswith('.pyw'):
return [sys.executable, command] + list(arguments)
else:
return [command] + list(arguments)
| get_cmd | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(command, arguments):\n if arguments is None:\n arguments = []\n if command.endswith('.py') or command.endswith('.pyw'):\n return [sys.execu... |
def x(argv, parser, arguments):
def x(parser, arg_spec):
parser.add_argument(arg_spec.name, help=arg_spec.help)
return parser
parse_request = parser.map(lambda i: ArgumentParser(description=i.
description)).combine_latest(arguments, lambda parser, arg_def:
add_arg(parser, arg_de... | argparse | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(argv, parser, arguments):\n\n def x(parser, arg_spec):\n parser.add_argument(arg_spec.name, help=arg_spec.help)\n return parser\n parse_req... |
def x(self, dg, dt, dt2, na=None, memlimit=-1):
if self.lib is None:
raise ValueError('Not initialized.')
import numpy as np
from .auto import ftype_np, gtype_np
from .types import isint
if dg.dtype.char != gtype_np:
raise ValueError(
'Wrong input dtype for genotype data:... | gassists_pv | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, dg, dt, dt2, na=None, memlimit=-1):\n if self.lib is None:\n raise ValueError('Not initialized.')\n import numpy as np\n from .auto impor... |
def x(self, dg, dt, dt2, name, na=None, nodiag=False, memlimit=-1):
if self.lib is None:
raise ValueError('Not initialized.')
import numpy as np
from .auto import ftype_np, gtype_np
from .types import isint
if dg.dtype.char != gtype_np:
raise ValueError(
'Wrong input dtyp... | gassist_any | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, dg, dt, dt2, name, na=None, nodiag=False, memlimit=-1):\n if self.lib is None:\n raise ValueError('Not initialized.')\n import numpy as np\n... |
def x(self, dg, dt, dt2, na=None, nodiag=False, memlimit=-1):
return _gassist_any(self, dg, dt, dt2, 'pij_gassist', na=na, nodiag=
nodiag, memlimit=memlimit)
| gassist | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, dg, dt, dt2, na=None, nodiag=False, memlimit=-1):\n return _gassist_any(self, dg, dt, dt2, 'pij_gassist', na=na, nodiag=\n nodiag, memlimit=mem... |
def x(self, dc, dt, dt2, name, nodiag=False, memlimit=-1):
if self.lib is None:
raise ValueError('Not initialized.')
import numpy as np
from .auto import ftype_np
from .types import isint
if (dc.dtype.char != ftype_np or dt.dtype.char != ftype_np or dt2.dtype
.char != ftype_np):
... | cassists_any | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, dc, dt, dt2, name, nodiag=False, memlimit=-1):\n if self.lib is None:\n raise ValueError('Not initialized.')\n import numpy as np\n from ... |
def x(self, dc, dt, dt2, nodiag=False, memlimit=-1):
return _cassists_any(self, dc, dt, dt2, 'pijs_cassist', nodiag=nodiag,
memlimit=memlimit)
| cassists | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, dc, dt, dt2, nodiag=False, memlimit=-1):\n return _cassists_any(self, dc, dt, dt2, 'pijs_cassist', nodiag=nodiag,\n memlimit=memlimit)\n",
... |
def x(self, dc, dt, dt2, name, nodiag=False, memlimit=-1):
if self.lib is None:
raise ValueError('Not initialized.')
import numpy as np
from .auto import ftype_np
from .types import isint
if (dc.dtype.char != ftype_np or dt.dtype.char != ftype_np or dt2.dtype
.char != ftype_np):
... | cassist_any | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, dc, dt, dt2, name, nodiag=False, memlimit=-1):\n if self.lib is None:\n raise ValueError('Not initialized.')\n import numpy as np\n from ... |
def x(self, dc, dt, dt2, nodiag=False, memlimit=-1):
return _cassist_any(self, dc, dt, dt2, 'pij_cassist', nodiag=nodiag,
memlimit=memlimit)
| cassist | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, dc, dt, dt2, nodiag=False, memlimit=-1):\n return _cassist_any(self, dc, dt, dt2, 'pij_cassist', nodiag=nodiag,\n memlimit=memlimit)\n",
"r... |
def x(self, dt, dt2, memlimit=-1):
if self.lib is None:
raise ValueError('Not initialized.')
import numpy as np
from .auto import ftype_np, gtype_np
from .types import isint
if dt.dtype.char != ftype_np or dt2.dtype.char != ftype_np:
raise ValueError('Wrong input dtype for gene expre... | rank_pv | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, dt, dt2, memlimit=-1):\n if self.lib is None:\n raise ValueError('Not initialized.')\n import numpy as np\n from .auto import ftype_np, g... |
def x(phi, *n):
phi = np.ravel(phi)
n = np.asarray(n)
i_n_phi = np.zeros((n.size, phi.size), dtype=complex)
np.outer(n, phi, out=i_n_phi.imag)
qn = np.exp(i_n_phi, out=i_n_phi).sum(axis=1)
if qn.size == 1:
qn = qn[0]
return qn
| qn | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(phi, *n):\n phi = np.ravel(phi)\n n = np.asarray(n)\n i_n_phi = np.zeros((n.size, phi.size), dtype=complex)\n np.outer(n, phi, out=i_n_phi.imag)\n ... |
def x(self, n, k, error=False):
self._calculate_corr(n, k)
corr_nk = self._corr[n][k]
if error:
self._calculate_corr_err(n, k)
return corr_nk, self._corr_err[n][k]
else:
return corr_nk
| correlation | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, n, k, error=False):\n self._calculate_corr(n, k)\n corr_nk = self._corr[n][k]\n if error:\n self._calculate_corr_err(n, k)\n retur... |
def x(self, n, k, error=False):
corr_nk = self.correlation(n, k, error=error)
if k == 2:
return corr_nk
elif k == 4:
corr_n2 = self.correlation(n, 2)
return corr_nk - 2 * corr_n2 * corr_n2
| cumulant | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, n, k, error=False):\n corr_nk = self.correlation(n, k, error=error)\n if k == 2:\n return corr_nk\n elif k == 4:\n corr_n2 = self.... |
def x(self, n, k, error=False, imaginary='nan'):
cnk = self.cumulant(n, k, error=error)
if error:
cnk, cnk_err = cnk
vnk_to_k = self._cnk_prefactor[k] * cnk
kinv = 1 / k
if vnk_to_k >= 0:
vnk = vnk_to_k ** kinv
elif imaginary == 'negative':
vnk = -1 * (-vnk_to_k) ** kinv
... | flow | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, n, k, error=False, imaginary='nan'):\n cnk = self.cumulant(n, k, error=error)\n if error:\n cnk, cnk_err = cnk\n vnk_to_k = self._cnk_pre... |
def x(self, phi):
pdf = np.inner(self._vn, np.cos(np.outer(phi, self._n)))
pdf *= 2.0
pdf += 1.0
return pdf
| pdf | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, phi):\n pdf = np.inner(self._vn, np.cos(np.outer(phi, self._n)))\n pdf *= 2.0\n pdf += 1.0\n return pdf\n",
"role": "user"
},
{
"... |
def x(M):
return np.random.uniform(-np.pi, np.pi, M)
| uniform_phi | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(M):\n return np.random.uniform(-np.pi, np.pi, M)\n",
"role": "user"
},
{
"content": "uniform_phi",
"role": "assistant"
}
] |
def x(self, phi):
if self._n is None:
pdf = np.empty_like(phi)
pdf.fill(0.5 / np.pi)
return pdf
phi = np.asarray(phi)
pdf = self._pdf(phi)
pdf /= 2.0 * np.pi
return pdf
| pdf | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, phi):\n if self._n is None:\n pdf = np.empty_like(phi)\n pdf.fill(0.5 / np.pi)\n return pdf\n phi = np.asarray(phi)\n pdf =... |
def x(self, multiplicity):
if self._n is None:
return self._uniform_phi(multiplicity)
N = 0
phi = np.empty(multiplicity)
pdf_max = 1 + 2 * self._vn.sum()
while N < multiplicity:
n_remaining = multiplicity - N
n_to_sample = int(1.03 * pdf_max * n_remaining)
phi_chunk =... | sample | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, multiplicity):\n if self._n is None:\n return self._uniform_phi(multiplicity)\n N = 0\n phi = np.empty(multiplicity)\n pdf_max = 1 + 2... |
def x(obj, *args, **kwargs):
return json.dumps(obj, *args, cls=TypelessSONEncoder, ensure_ascii=
False, **kwargs)
| dumps | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(obj, *args, **kwargs):\n return json.dumps(obj, *args, cls=TypelessSONEncoder, ensure_ascii=\n False, **kwargs)\n",
"role": "user"
},
{
"... |
def x(source, target, __silent, *fields, **field_map):
source_dict = source.__dict__ if hasattr(source, '__dict__') else source
if not fields:
fields = source_dict.keys()
for f in fields:
if f not in source_dict and __silent:
continue
target_f = f if f not in field_map el... | flex_update_obj | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(source, target, __silent, *fields, **field_map):\n source_dict = source.__dict__ if hasattr(source, '__dict__') else source\n if not fields:\n fie... |
def x(cls, obj_data=None, *fields, **field_map):
if not fields:
fields = obj_data.keys()
try:
kwargs = {field(f, field_map): obj_data[f] for f in fields if f in
obj_data}
obj = cls(**kwargs)
except:
getLogger().exception("Couldn't use kwargs to construct object")
... | to_obj | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, obj_data=None, *fields, **field_map):\n if not fields:\n fields = obj_data.keys()\n try:\n kwargs = {field(f, field_map): obj_data[f] ... |
def x(text):
if text is None:
raise ValueError('text cannot be None')
for c in text:
if c not in HIRAGANA and c not in KATAKANA:
return False
return True
| is_kana | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(text):\n if text is None:\n raise ValueError('text cannot be None')\n for c in text:\n if c not in HIRAGANA and c not in KATAKANA:\n ... |
def x(text, **kwargs):
mecab_out = _internal_mecab_parse(text, **kwargs).splitlines()
tokens = [MeCabToken.parse(x) for x in mecab_out]
return MeCabSent(text, tokens)
| txt2mecab | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(text, **kwargs):\n mecab_out = _internal_mecab_parse(text, **kwargs).splitlines()\n tokens = [MeCabToken.parse(x) for x in mecab_out]\n return MeCabSe... |
def x(lines, **kwargs):
sents = []
for line in lines:
sent = txt2mecab(line, **kwargs)
sents.append(sent)
return sents
| lines2mecab | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(lines, **kwargs):\n sents = []\n for line in lines:\n sent = txt2mecab(line, **kwargs)\n sents.append(sent)\n return sents\n",
"role... |
def x(mtokens, raw='', auto_strip=True):
sents = []
bucket = []
cfrom = 0
cto = 0
token_cfrom = 0
logger = getLogger()
logger.debug('raw text: {}'.format(raw))
logger.debug('tokens: {}'.format(mtokens))
for t in mtokens:
if t.is_eos:
continue
token_cfrom =... | tokenize_sent | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(mtokens, raw='', auto_strip=True):\n sents = []\n bucket = []\n cfrom = 0\n cto = 0\n token_cfrom = 0\n logger = getLogger()\n logger.debu... |
def x(content, splitlines=True, format=None, **kwargs):
sents = DekoText.parse(content, splitlines=splitlines, **kwargs)
doc = []
final = sents
if format == 'html':
for sent in sents:
doc.append(sent.to_ruby())
final = '<br/>\n'.join(doc)
elif format == 'csv':
for... | analyse | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(content, splitlines=True, format=None, **kwargs):\n sents = DekoText.parse(content, splitlines=splitlines, **kwargs)\n doc = []\n final = sents\n i... |
def x(self):
parts = [self.pos]
if self.sc1 and self.sc1 != '*':
parts.append(self.sc1)
if self.sc2 and self.sc2 != '*':
parts.append(self.sc2)
return '-'.join(parts)
| pos3 | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n parts = [self.pos]\n if self.sc1 and self.sc1 != '*':\n parts.append(self.sc1)\n if self.sc2 and self.sc2 != '*':\n par... |
def x(self):
if self.need_ruby():
surface = self.surface
reading = self.reading_hira()
return '<ruby><rb>{sur}</rb><rt>{read}</rt></ruby>'.format(sur=
surface, read=reading)
elif self.is_eos:
return ''
else:
return self.surface
| to_ruby | [
{
"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.need_ruby():\n surface = self.surface\n reading = self.reading_hira()\n return '<ruby><rb>{sur}</rb><rt>{read}</rt></r... |
def x(self, sentence_text, **kwargs):
sent = MeCabSent.parse(sentence_text, **kwargs)
self.sents.append(sent)
return sent
| add | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sentence_text, **kwargs):\n sent = MeCabSent.parse(sentence_text, **kwargs)\n self.sents.append(sent)\n return sent\n",
"role": "user"
},
... |
def x(s, encoding='utf-8', strings_only=False, errors='strict'):
if isinstance(s, six.text_type):
return s
if strings_only and not isinstance(s, six.string_types):
return s
if not isinstance(s, six.string_types):
if hasattr(s, '__unicode__'):
s = s.__unicode__()
e... | smart_text | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(s, encoding='utf-8', strings_only=False, errors='strict'):\n if isinstance(s, six.text_type):\n return s\n if strings_only and not isinstance(s, s... |
def x(s, encoding='utf-8', strings_only=False, errors='strict'):
if isinstance(s, six.binary_type):
if encoding == 'utf-8':
return s
else:
return s.decode('utf-8', errors).encode(encoding, errors)
if strings_only and not isinstance(s, six.text_type):
return s
... | smart_bytes | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(s, encoding='utf-8', strings_only=False, errors='strict'):\n if isinstance(s, six.binary_type):\n if encoding == 'utf-8':\n return s\n ... |
def x(self, response, accepts):
graph = self.get_graph(response)
if graph is not None:
mimetype, format = self.format_selector.decide(accepts, graph.
context_aware)
if mimetype is None:
return self.make_406_response()
if 'text' in mimetype:
mimetype = ... | output | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, response, accepts):\n graph = self.get_graph(response)\n if graph is not None:\n mimetype, format = self.format_selector.decide(accepts, gra... |
def x(self, view):
from functools import wraps
@wraps(view)
def x(*args, **kwargs):
response = view(*args, **kwargs)
accept = self.get_accept()
return self.output(response, accept)
return decorated
| decorate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, view):\n from functools import wraps\n\n @wraps(view)\n def x(*args, **kwargs):\n response = view(*args, **kwargs)\n accept = self... |
def x(self, n):
ny, nx = self._profile.shape
xmax, ymax = self._xymax
xcm, ycm = self._cm
Y, X = np.mgrid[ymax:-ymax:1.0j * ny, -xmax:xmax:1.0j * nx]
X -= xcm
Y -= ycm
Rsq = X * X + Y * Y
if n == 1:
W = np.sqrt(Rsq, out=Rsq)
elif n == 2:
W = Rsq
else:
if n... | ecc | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, n):\n ny, nx = self._profile.shape\n xmax, ymax = self._xymax\n xcm, ycm = self._cm\n Y, X = np.mgrid[ymax:-ymax:1.0j * ny, -xmax:xmax:1.0j *... |
def x(self, var, default=None):
try:
return self.__get(var)
except (KeyError, IndexError):
return default
| get | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, var, default=None):\n try:\n return self.__get(var)\n except (KeyError, IndexError):\n return default\n",
"role": "user"
},
{... |
def x(self, var, value, index=None):
current = self.__get(var)
if not isinstance(current, list):
raise KeyError('%s: is not a list' % var)
if index is None:
current.append(value)
else:
current.insert(index, value)
if self.auto_save:
self.save()
| insert | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, var, value, index=None):\n current = self.__get(var)\n if not isinstance(current, list):\n raise KeyError('%s: is not a list' % var)\n if... |
def x(self):
s = set()
for config in self.__configs:
s |= config.keys()
return s
| keys | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n s = set()\n for config in self.__configs:\n s |= config.keys()\n return s\n",
"role": "user"
},
{
"content": "keys",
"... |
def x(self):
self.flush()
self.stream.close()
logging.StreamHandler.close(self)
| close | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.flush()\n self.stream.close()\n logging.StreamHandler.close(self)\n",
"role": "user"
},
{
"content": "close",
"role": "a... |
def x(self, record):
try:
if self.shouldRollover(record):
self.doRollover()
FileHandler.emit(self, record)
except (KeyboardInterrupt, SystemExit):
raise
except Exception:
self.handleError(record)
| emit | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, record):\n try:\n if self.shouldRollover(record):\n self.doRollover()\n FileHandler.emit(self, record)\n except (KeyboardI... |
def x(self):
self.stream.close()
try:
if self.backupCount > 0:
tmp_location = '%s.0' % self.baseFilename
os.rename(self.baseFilename, tmp_location)
for i in range(self.backupCount - 1, 0, -1):
sfn = '%s.%d' % (self.baseFilename, i)
dfn ... | doRollover | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.stream.close()\n try:\n if self.backupCount > 0:\n tmp_location = '%s.0' % self.baseFilename\n os.rename(self.... |
def x(self, record):
if self.maxBytes > 0:
msg = '%s\n' % self.format(record)
self.stream.seek(0, 2)
if self.stream.tell() + len(msg) >= self.maxBytes:
return 1
return 0
| shouldRollover | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, record):\n if self.maxBytes > 0:\n msg = '%s\\n' % self.format(record)\n self.stream.seek(0, 2)\n if self.stream.tell() + len(msg... |
def x(s, posix=True):
if isinstance(s, six.binary_type):
s = s.decode('utf-8')
return shlex.split(s, posix=posix)
| split | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(s, posix=True):\n if isinstance(s, six.binary_type):\n s = s.decode('utf-8')\n return shlex.split(s, posix=posix)\n",
"role": "user"
},
{
... |
def x(path, matcher='*', dirs=False, files=True):
if callable(matcher):
def x(items):
return list(filter(matcher, items))
else:
def x(items):
return fnmatch.filter(items, matcher)
for root, directories, filenames in os.walk(os.path.abspath(path)):
to_match =... | search | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path, matcher='*', dirs=False, files=True):\n if callable(matcher):\n\n def x(items):\n return list(filter(matcher, items))\n else:\n\n... |
def x(directory):
directory = os.path.abspath(directory)
logger.info('chdir -> %s' % directory)
try:
if not os.path.isdir(directory):
logger.error('chdir -> %s failed! Directory does not exist!',
directory)
return False
os.chdir(directory)
retu... | chdir | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(directory):\n directory = os.path.abspath(directory)\n logger.info('chdir -> %s' % directory)\n try:\n if not os.path.isdir(directory):\n ... |
def x(directory, create=False):
current = os.getcwd()
directory = os.path.abspath(directory)
if os.path.isdir(directory) or create and mkdir(directory):
logger.info('goto -> %s', directory)
os.chdir(directory)
try:
yield True
finally:
logger.info('goto... | goto | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(directory, create=False):\n current = os.getcwd()\n directory = os.path.abspath(directory)\n if os.path.isdir(directory) or create and mkdir(directory... |
def x(path, mode=493, delete=False):
logger.info('mkdir: %s' % path)
if os.path.isdir(path):
if not delete:
return True
if not remove(path):
return False
try:
os.makedirs(path, mode)
return True
except Exception:
logger.exception('Failed to... | mkdir | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path, mode=493, delete=False):\n logger.info('mkdir: %s' % path)\n if os.path.isdir(path):\n if not delete:\n return True\n if n... |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.