source_code
stringlengths 45
7.24k
| function_name
stringlengths 1
111
| messages
list |
|---|---|---|
def x(self, index=True, **kwargs):
print(self._make_table(index=index, **kwargs))
|
show
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, index=True, **kwargs):\n print(self._make_table(index=index, **kwargs))\n",
"role": "user"
},
{
"content": "show",
"role": "assistant"
}
] |
def x(self, indexes, as_list=False):
if isinstance(indexes, (list, blist)):
return self.get_rows(indexes, as_list)
else:
return self.get_cell(indexes)
|
get
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, indexes, as_list=False):\n if isinstance(indexes, (list, blist)):\n return self.get_rows(indexes, as_list)\n else:\n return self.get_cell(indexes)\n",
"role": "user"
},
{
"content": "get",
"role": "assistant"
}
] |
def x(self, index):
i = sorted_index(self._index, index) if self._sort else self._index.index(
index)
return self._data[i]
|
get_cell
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, index):\n i = sorted_index(self._index, index) if self._sort else self._index.index(\n index)\n return self._data[i]\n",
"role": "user"
},
{
"content": "get_cell",
"role": "assistant"
}
] |
def x(self, indexes, as_list=False):
if all([isinstance(i, bool) for i in indexes]):
if len(indexes) != len(self._index):
raise ValueError(
'boolean index list must be same size of existing index')
if all(indexes):
data = self._data
index = self._index
else:
data = list(compress(self._data, indexes))
index = list(compress(self._index, indexes))
else:
locations = [sorted_index(self._index, x) for x in indexes
] if self._sort else [self._index.index(x) for x in indexes]
data = [self._data[i] for i in locations]
index = [self._index[i] for i in locations]
return data if as_list else Series(data=data, index=index, data_name=
self._data_name, index_name=self._index_name, sort=self._sort)
|
get_rows
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, indexes, as_list=False):\n if all([isinstance(i, bool) for i in indexes]):\n if len(indexes) != len(self._index):\n raise ValueError(\n 'boolean index list must be same size of existing index')\n if all(indexes):\n data = self._data\n index = self._index\n else:\n data = list(compress(self._data, indexes))\n index = list(compress(self._index, indexes))\n else:\n locations = [sorted_index(self._index, x) for x in indexes\n ] if self._sort else [self._index.index(x) for x in indexes]\n data = [self._data[i] for i in locations]\n index = [self._index[i] for i in locations]\n return data if as_list else Series(data=data, index=index, data_name=\n self._data_name, index_name=self._index_name, sort=self._sort)\n",
"role": "user"
},
{
"content": "get_rows",
"role": "assistant"
}
] |
def x(self, location):
return {self.index_name: self._index[location], self.data_name: self.
_data[location]}
|
get_location
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, location):\n return {self.index_name: self._index[location], self.data_name: self.\n _data[location]}\n",
"role": "user"
},
{
"content": "get_location",
"role": "assistant"
}
] |
def x(self, locations, as_list=False):
indexes = [self._index[x] for x in locations]
return self.get(indexes, as_list)
|
get_locations
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, locations, as_list=False):\n indexes = [self._index[x] for x in locations]\n return self.get(indexes, as_list)\n",
"role": "user"
},
{
"content": "get_locations",
"role": "assistant"
}
] |
def x(self, start_index=None, stop_index=None, as_list=False):
if not self._sort:
raise RuntimeError('Can only use get_slice on sorted Series')
start_location = bisect_left(self._index, start_index
) if start_index is not None else None
stop_location = bisect_right(self._index, stop_index
) if stop_index is not None else None
index = self._index[start_location:stop_location]
data = self._data[start_location:stop_location]
if as_list:
return index, data
else:
return Series(data=data, index=index, data_name=self._data_name,
index_name=self._index_name, sort=self._sort)
|
get_slice
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, start_index=None, stop_index=None, as_list=False):\n if not self._sort:\n raise RuntimeError('Can only use get_slice on sorted Series')\n start_location = bisect_left(self._index, start_index\n ) if start_index is not None else None\n stop_location = bisect_right(self._index, stop_index\n ) if stop_index is not None else None\n index = self._index[start_location:stop_location]\n data = self._data[start_location:stop_location]\n if as_list:\n return index, data\n else:\n return Series(data=data, index=index, data_name=self._data_name,\n index_name=self._index_name, sort=self._sort)\n",
"role": "user"
},
{
"content": "get_slice",
"role": "assistant"
}
] |
def x(self, index=True, ordered=False):
result = OrderedDict() if ordered else dict()
if index:
result.update({self._index_name: self._index})
if ordered:
data_dict = [(self._data_name, self._data)]
else:
data_dict = {self._data_name: self._data}
result.update(data_dict)
return result
|
to_dict
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, index=True, ordered=False):\n result = OrderedDict() if ordered else dict()\n if index:\n result.update({self._index_name: self._index})\n if ordered:\n data_dict = [(self._data_name, self._data)]\n else:\n data_dict = {self._data_name: self._data}\n result.update(data_dict)\n return result\n",
"role": "user"
},
{
"content": "to_dict",
"role": "assistant"
}
] |
def x(self, rows):
rows_bool = [True] * min(rows, len(self._index))
rows_bool.extend([False] * max(0, len(self._index) - rows))
return self.get(indexes=rows_bool)
|
head
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, rows):\n rows_bool = [True] * min(rows, len(self._index))\n rows_bool.extend([False] * max(0, len(self._index) - rows))\n return self.get(indexes=rows_bool)\n",
"role": "user"
},
{
"content": "head",
"role": "assistant"
}
] |
def x(self, compare, result='boolean'):
if isinstance(compare, tuple):
booleans = [all([(compare[i] == w if compare[i] is not None else
True) for i, w in enumerate(v)]) for x, v in enumerate(self._index)
]
else:
booleans = [False] * len(self._index)
if self._sort:
booleans[sorted_index(self._index, compare)] = True
else:
booleans[self._index.index(compare)] = True
if result == 'boolean':
return booleans
elif result == 'value':
return list(compress(self._index, booleans))
else:
raise ValueError(
'only valid values for result parameter are: boolean or value.')
|
select_index
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, compare, result='boolean'):\n if isinstance(compare, tuple):\n booleans = [all([(compare[i] == w if compare[i] is not None else \n True) for i, w in enumerate(v)]) for x, v in enumerate(self._index)\n ]\n else:\n booleans = [False] * len(self._index)\n if self._sort:\n booleans[sorted_index(self._index, compare)] = True\n else:\n booleans[self._index.index(compare)] = True\n if result == 'boolean':\n return booleans\n elif result == 'value':\n return list(compress(self._index, booleans))\n else:\n raise ValueError(\n 'only valid values for result parameter are: boolean or value.')\n",
"role": "user"
},
{
"content": "select_index",
"role": "assistant"
}
] |
def x(self, indexes=None, value=None):
indexes = [True] * len(self._index) if indexes is None else indexes
compare_list = self.get_rows(indexes, as_list=True)
return [(x == value) for x in compare_list]
|
equality
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, indexes=None, value=None):\n indexes = [True] * len(self._index) if indexes is None else indexes\n compare_list = self.get_rows(indexes, as_list=True)\n return [(x == value) for x in compare_list]\n",
"role": "user"
},
{
"content": "equality",
"role": "assistant"
}
] |
def x(self, index_len):
self._data.extend([None] * (index_len - len(self._data)))
|
pad_data
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, index_len):\n self._data.extend([None] * (index_len - len(self._data)))\n",
"role": "user"
},
{
"content": "pad_data",
"role": "assistant"
}
] |
def x(self):
sort = sorted_list_indexes(self._index)
self._index = blist([self._index[x] for x in sort]) if self._blist else [
self._index[x] for x in sort]
self._data = blist([self._data[x] for x in sort]) if self._blist else [self
._data[x] for x in sort]
|
sort_index
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n sort = sorted_list_indexes(self._index)\n self._index = blist([self._index[x] for x in sort]) if self._blist else [\n self._index[x] for x in sort]\n self._data = blist([self._data[x] for x in sort]) if self._blist else [self\n ._data[x] for x in sort]\n",
"role": "user"
},
{
"content": "sort_index",
"role": "assistant"
}
] |
def x(self, indexes, values=None):
if isinstance(indexes, (list, blist)):
self.set_rows(indexes, values)
else:
self.set_cell(indexes, values)
|
set
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, indexes, values=None):\n if isinstance(indexes, (list, blist)):\n self.set_rows(indexes, values)\n else:\n self.set_cell(indexes, values)\n",
"role": "user"
},
{
"content": "set",
"role": "assistant"
}
] |
def x(self, index):
self._index.append(index)
self._data.append(None)
|
add_row
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, index):\n self._index.append(index)\n self._data.append(None)\n",
"role": "user"
},
{
"content": "add_row",
"role": "assistant"
}
] |
def x(self, i, index):
if i == len(self._index):
self._add_row(index)
else:
self._index.insert(i, index)
self._data.insert(i, None)
|
insert_row
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, i, index):\n if i == len(self._index):\n self._add_row(index)\n else:\n self._index.insert(i, index)\n self._data.insert(i, None)\n",
"role": "user"
},
{
"content": "insert_row",
"role": "assistant"
}
] |
def x(self, indexes):
new_indexes = [x for x in indexes if x not in self._index]
for x in new_indexes:
self._add_row(x)
|
add_missing_rows
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, indexes):\n new_indexes = [x for x in indexes if x not in self._index]\n for x in new_indexes:\n self._add_row(x)\n",
"role": "user"
},
{
"content": "add_missing_rows",
"role": "assistant"
}
] |
def x(self, indexes):
new_indexes = [x for x in indexes if x not in self._index]
for x in new_indexes:
self._insert_row(bisect_left(self._index, x), x)
|
insert_missing_rows
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, indexes):\n new_indexes = [x for x in indexes if x not in self._index]\n for x in new_indexes:\n self._insert_row(bisect_left(self._index, x), x)\n",
"role": "user"
},
{
"content": "insert_missing_rows",
"role": "assistant"
}
] |
def x(self, index, value):
if self._sort:
exists, i = sorted_exists(self._index, index)
if not exists:
self._insert_row(i, index)
else:
try:
i = self._index.index(index)
except ValueError:
i = len(self._index)
self._add_row(index)
self._data[i] = value
|
set_cell
|
[
{
"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 self._sort:\n exists, i = sorted_exists(self._index, index)\n if not exists:\n self._insert_row(i, index)\n else:\n try:\n i = self._index.index(index)\n except ValueError:\n i = len(self._index)\n self._add_row(index)\n self._data[i] = value\n",
"role": "user"
},
{
"content": "set_cell",
"role": "assistant"
}
] |
def x(self, index, values=None):
if all([isinstance(i, bool) for i in index]):
if not isinstance(values, (list, blist)):
values = [values for x in index if x]
if len(index) != len(self._index):
raise ValueError(
'boolean index list must be same size of existing index')
if len(values) != index.count(True):
raise ValueError(
'length of values list must equal number of True entries in index list'
)
indexes = [i for i, x in enumerate(index) if x]
for x, i in enumerate(indexes):
self._data[i] = values[x]
else:
if not isinstance(values, (list, blist)):
values = [values for _ in index]
if len(values) != len(index):
raise ValueError('length of values and index must be the same.')
if self._sort:
exists_tuples = list(zip(*[sorted_exists(self._index, x) for x in
index]))
exists = exists_tuples[0]
indexes = exists_tuples[1]
if not all(exists):
self._insert_missing_rows(index)
indexes = [sorted_index(self._index, x) for x in index]
else:
try:
indexes = [self._index.index(x) for x in index]
except ValueError:
self._add_missing_rows(index)
indexes = [self._index.index(x) for x in index]
for x, i in enumerate(indexes):
self._data[i] = values[x]
|
set_rows
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, index, values=None):\n if all([isinstance(i, bool) for i in index]):\n if not isinstance(values, (list, blist)):\n values = [values for x in index if x]\n if len(index) != len(self._index):\n raise ValueError(\n 'boolean index list must be same size of existing index')\n if len(values) != index.count(True):\n raise ValueError(\n 'length of values list must equal number of True entries in index list'\n )\n indexes = [i for i, x in enumerate(index) if x]\n for x, i in enumerate(indexes):\n self._data[i] = values[x]\n else:\n if not isinstance(values, (list, blist)):\n values = [values for _ in index]\n if len(values) != len(index):\n raise ValueError('length of values and index must be the same.')\n if self._sort:\n exists_tuples = list(zip(*[sorted_exists(self._index, x) for x in\n index]))\n exists = exists_tuples[0]\n indexes = exists_tuples[1]\n if not all(exists):\n self._insert_missing_rows(index)\n indexes = [sorted_index(self._index, x) for x in index]\n else:\n try:\n indexes = [self._index.index(x) for x in index]\n except ValueError:\n self._add_missing_rows(index)\n indexes = [self._index.index(x) for x in index]\n for x, i in enumerate(indexes):\n self._data[i] = values[x]\n",
"role": "user"
},
{
"content": "set_rows",
"role": "assistant"
}
] |
def x(self, locations, values):
indexes = [self._index[x] for x in locations]
self.set(indexes, values)
|
set_locations
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, locations, values):\n indexes = [self._index[x] for x in locations]\n self.set(indexes, values)\n",
"role": "user"
},
{
"content": "set_locations",
"role": "assistant"
}
] |
def x(self, index, value):
if index in self._index:
raise IndexError('index already in Series')
self._index.append(index)
self._data.append(value)
|
append_row
|
[
{
"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 in self._index:\n raise IndexError('index already in Series')\n self._index.append(index)\n self._data.append(value)\n",
"role": "user"
},
{
"content": "append_row",
"role": "assistant"
}
] |
def x(self, indexes, values):
if len(values) != len(indexes):
raise ValueError('length of values is not equal to length of indexes')
combined_index = self._index + indexes
if len(set(combined_index)) != len(combined_index):
raise IndexError('duplicate indexes in Series')
self._index.extend(indexes)
self._data.extend(values)
|
append_rows
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, indexes, values):\n if len(values) != len(indexes):\n raise ValueError('length of values is not equal to length of indexes')\n combined_index = self._index + indexes\n if len(set(combined_index)) != len(combined_index):\n raise IndexError('duplicate indexes in Series')\n self._index.extend(indexes)\n self._data.extend(values)\n",
"role": "user"
},
{
"content": "append_rows",
"role": "assistant"
}
] |
def x(self, indexes):
indexes = [indexes] if not isinstance(indexes, (list, blist)) else indexes
if all([isinstance(i, bool) for i in indexes]):
if len(indexes) != len(self._index):
raise ValueError(
'boolean indexes list must be same size of existing indexes')
indexes = [i for i, x in enumerate(indexes) if x]
else:
indexes = [sorted_index(self._index, x) for x in indexes
] if self._sort else [self._index.index(x) for x in indexes]
indexes = sorted(indexes, reverse=True)
for i in indexes:
del self._data[i]
for i in indexes:
del self._index[i]
|
delete
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, indexes):\n indexes = [indexes] if not isinstance(indexes, (list, blist)) else indexes\n if all([isinstance(i, bool) for i in indexes]):\n if len(indexes) != len(self._index):\n raise ValueError(\n 'boolean indexes list must be same size of existing indexes')\n indexes = [i for i, x in enumerate(indexes) if x]\n else:\n indexes = [sorted_index(self._index, x) for x in indexes\n ] if self._sort else [self._index.index(x) for x in indexes]\n indexes = sorted(indexes, reverse=True)\n for i in indexes:\n del self._data[i]\n for i in indexes:\n del self._index[i]\n",
"role": "user"
},
{
"content": "delete",
"role": "assistant"
}
] |
def x(self):
self.index = list(range(self.__len__()))
self.index_name = 'index'
|
reset_index
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.index = list(range(self.__len__()))\n self.index_name = 'index'\n",
"role": "user"
},
{
"content": "reset_index",
"role": "assistant"
}
] |
def x(self, indexes, int_as_index=False):
if isinstance(indexes, int):
if int_as_index:
return self.get(indexes, as_list=True)
else:
indexes = indexes - self._offset
return self._data[indexes]
elif isinstance(indexes, slice):
if isinstance(indexes.start, int) and not int_as_index:
start = indexes.start - self._offset
stop = indexes.stop - self._offset + 1
if start > stop:
raise IndexError('end of slice is before start of slice')
if start > 0 > stop or start < 0 < stop:
raise IndexError(
'slide indexes invalid with given offset:%f' % self._offset
)
if start < 0 and stop == 0:
return self._data[start:]
return self._data[start:stop]
else:
indexes = self._slice_index(indexes)
return self.get(indexes, as_list=True)
elif all([isinstance(x, bool) for x in indexes]):
return self.get(indexes, as_list=True)
elif isinstance(indexes, list):
if int_as_index or not isinstance(indexes[0], int):
return self.get(indexes, as_list=True)
else:
indexes = [(x - self._offset) for x in indexes]
return self.get_locations(indexes, as_list=True)
else:
return self.get(indexes)
|
value
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, indexes, int_as_index=False):\n if isinstance(indexes, int):\n if int_as_index:\n return self.get(indexes, as_list=True)\n else:\n indexes = indexes - self._offset\n return self._data[indexes]\n elif isinstance(indexes, slice):\n if isinstance(indexes.start, int) and not int_as_index:\n start = indexes.start - self._offset\n stop = indexes.stop - self._offset + 1\n if start > stop:\n raise IndexError('end of slice is before start of slice')\n if start > 0 > stop or start < 0 < stop:\n raise IndexError(\n 'slide indexes invalid with given offset:%f' % self._offset\n )\n if start < 0 and stop == 0:\n return self._data[start:]\n return self._data[start:stop]\n else:\n indexes = self._slice_index(indexes)\n return self.get(indexes, as_list=True)\n elif all([isinstance(x, bool) for x in indexes]):\n return self.get(indexes, as_list=True)\n elif isinstance(indexes, list):\n if int_as_index or not isinstance(indexes[0], int):\n return self.get(indexes, as_list=True)\n else:\n indexes = [(x - self._offset) for x in indexes]\n return self.get_locations(indexes, as_list=True)\n else:\n return self.get(indexes)\n",
"role": "user"
},
{
"content": "value",
"role": "assistant"
}
] |
def x(cls, dataframe, column, offset=0):
return cls(data=dataframe.get_entire_column(column, as_list=True),
index=dataframe.index, data_name=column, index_name=dataframe.
index_name, sort=dataframe.sort, offset=offset)
|
from_dataframe
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, dataframe, column, offset=0):\n return cls(data=dataframe.get_entire_column(column, as_list=True),\n index=dataframe.index, data_name=column, index_name=dataframe.\n index_name, sort=dataframe.sort, offset=offset)\n",
"role": "user"
},
{
"content": "from_dataframe",
"role": "assistant"
}
] |
def x(cls, series, offset=0):
return cls(data=series.data, index=series.index, data_name=series.
data_name, index_name=series.index_name, sort=series.sort, offset=
offset)
|
from_series
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, series, offset=0):\n return cls(data=series.data, index=series.index, data_name=series.\n data_name, index_name=series.index_name, sort=series.sort, offset=\n offset)\n",
"role": "user"
},
{
"content": "from_series",
"role": "assistant"
}
] |
def x(self, timeout=None):
if timeout:
try:
result = self._queue.get(True, timeout)
except multiprocessing.Queue.Empty:
return False, None
return True, result
return self._queue.get()
|
get
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, timeout=None):\n if timeout:\n try:\n result = self._queue.get(True, timeout)\n except multiprocessing.Queue.Empty:\n return False, None\n return True, result\n return self._queue.get()\n",
"role": "user"
},
{
"content": "get",
"role": "assistant"
}
] |
def x(self, timeout=None):
valid = False
result = None
for tube in self._output_tubes:
if timeout:
valid, result = tube.get(timeout)
if valid:
result = result[0]
else:
result = tube.get()[0]
if timeout:
return valid, result
return result
|
get
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, timeout=None):\n valid = False\n result = None\n for tube in self._output_tubes:\n if timeout:\n valid, result = tube.get(timeout)\n if valid:\n result = result[0]\n else:\n result = tube.get()[0]\n if timeout:\n return valid, result\n return result\n",
"role": "user"
},
{
"content": "get",
"role": "assistant"
}
] |
def x(self, next_stage):
if next_stage is self:
raise ValueError('cannot link stage to itself')
self._output_tubes.append(next_stage._input_tube)
self._next_stages.append(next_stage)
return self
|
link
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, next_stage):\n if next_stage is self:\n raise ValueError('cannot link stage to itself')\n self._output_tubes.append(next_stage._input_tube)\n self._next_stages.append(next_stage)\n return self\n",
"role": "user"
},
{
"content": "link",
"role": "assistant"
}
] |
def x(self):
result = list()
if not self._next_stages:
result.append(self)
else:
for stage in self._next_stages:
leaves = stage.getLeaves()
result += leaves
return result
|
getLeaves
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n result = list()\n if not self._next_stages:\n result.append(self)\n else:\n for stage in self._next_stages:\n leaves = stage.getLeaves()\n result += leaves\n return result\n",
"role": "user"
},
{
"content": "getLeaves",
"role": "assistant"
}
] |
def x(self):
if not self._output_tubes:
self._output_tubes.append(self._worker_class.getTubeClass()())
self._worker_class.assemble(self._worker_args, self._input_tube, self.
_output_tubes, self._size, self._disable_result, self._do_stop_task)
for stage in self._next_stages:
stage.build()
|
build
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if not self._output_tubes:\n self._output_tubes.append(self._worker_class.getTubeClass()())\n self._worker_class.assemble(self._worker_args, self._input_tube, self.\n _output_tubes, self._size, self._disable_result, self._do_stop_task)\n for stage in self._next_stages:\n stage.build()\n",
"role": "user"
},
{
"content": "build",
"role": "assistant"
}
] |
def x(self, timeout=None):
if timeout:
if self._conn1.poll(timeout):
return True, self._conn1.recv()
else:
return False, None
return self._conn1.recv()
|
get
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, timeout=None):\n if timeout:\n if self._conn1.poll(timeout):\n return True, self._conn1.recv()\n else:\n return False, None\n return self._conn1.recv()\n",
"role": "user"
},
{
"content": "get",
"role": "assistant"
}
] |
def x(self, columns_list):
if not (all([(x in columns_list) for x in self._columns]) and all([(x in
self._columns) for x in columns_list])):
raise ValueError(
'columns_list must be all in current columns, and all current columns must be in columns_list'
)
new_sort = [self._columns.index(x) for x in columns_list]
self._data = blist([self._data[x] for x in new_sort]) if self._blist else [
self._data[x] for x in new_sort]
self._columns = blist([self._columns[x] for x in new_sort]
) if self._blist else [self._columns[x] for x in new_sort]
|
sort_columns
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, columns_list):\n if not (all([(x in columns_list) for x in self._columns]) and all([(x in\n self._columns) for x in columns_list])):\n raise ValueError(\n 'columns_list must be all in current columns, and all current columns must be in columns_list'\n )\n new_sort = [self._columns.index(x) for x in columns_list]\n self._data = blist([self._data[x] for x in new_sort]) if self._blist else [\n self._data[x] for x in new_sort]\n self._columns = blist([self._columns[x] for x in new_sort]\n ) if self._blist else [self._columns[x] for x in new_sort]\n",
"role": "user"
},
{
"content": "sort_columns",
"role": "assistant"
}
] |
def x(self, max_len=None):
if not max_len:
max_len = max([len(x) for x in self._data])
for _, col in enumerate(self._data):
col.extend([None] * (max_len - len(col)))
|
pad_data
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, max_len=None):\n if not max_len:\n max_len = max([len(x) for x in self._data])\n for _, col in enumerate(self._data):\n col.extend([None] * (max_len - len(col)))\n",
"role": "user"
},
{
"content": "pad_data",
"role": "assistant"
}
] |
def x(self, indexes=None, columns=None, as_list=False, as_dict=False):
if indexes is None and columns is not None and not isinstance(columns,
(list, blist)):
return self.get_entire_column(columns, as_list)
if indexes is None:
indexes = [True] * len(self._index)
if columns is None:
columns = [True] * len(self._columns)
if isinstance(indexes, (list, blist)) and isinstance(columns, (list, blist)
):
return self.get_matrix(indexes, columns)
elif isinstance(indexes, (list, blist)) and not isinstance(columns, (
list, blist)):
return self.get_rows(indexes, columns, as_list)
elif not isinstance(indexes, (list, blist)) and isinstance(columns, (
list, blist)):
return self.get_columns(indexes, columns, as_dict)
else:
return self.get_cell(indexes, columns)
|
get
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, indexes=None, columns=None, as_list=False, as_dict=False):\n if indexes is None and columns is not None and not isinstance(columns,\n (list, blist)):\n return self.get_entire_column(columns, as_list)\n if indexes is None:\n indexes = [True] * len(self._index)\n if columns is None:\n columns = [True] * len(self._columns)\n if isinstance(indexes, (list, blist)) and isinstance(columns, (list, blist)\n ):\n return self.get_matrix(indexes, columns)\n elif isinstance(indexes, (list, blist)) and not isinstance(columns, (\n list, blist)):\n return self.get_rows(indexes, columns, as_list)\n elif not isinstance(indexes, (list, blist)) and isinstance(columns, (\n list, blist)):\n return self.get_columns(indexes, columns, as_dict)\n else:\n return self.get_cell(indexes, columns)\n",
"role": "user"
},
{
"content": "get",
"role": "assistant"
}
] |
def x(self, index, column):
i = sorted_index(self._index, index) if self._sort else self._index.index(
index)
c = self._columns.index(column)
return self._data[c][i]
|
get_cell
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, index, column):\n i = sorted_index(self._index, index) if self._sort else self._index.index(\n index)\n c = self._columns.index(column)\n return self._data[c][i]\n",
"role": "user"
},
{
"content": "get_cell",
"role": "assistant"
}
] |
def x(self, indexes, column, as_list=False):
c = self._columns.index(column)
if all([isinstance(i, bool) for i in indexes]):
if len(indexes) != len(self._index):
raise ValueError(
'boolean index list must be same size of existing index')
if all(indexes):
data = self._data[c]
index = self._index
else:
data = list(compress(self._data[c], indexes))
index = list(compress(self._index, indexes))
else:
locations = [sorted_index(self._index, x) for x in indexes
] if self._sort else [self._index.index(x) for x in indexes]
data = [self._data[c][i] for i in locations]
index = [self._index[i] for i in locations]
return data if as_list else DataFrame(data={column: data}, index=index,
index_name=self._index_name, sort=self._sort)
|
get_rows
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, indexes, column, as_list=False):\n c = self._columns.index(column)\n if all([isinstance(i, bool) for i in indexes]):\n if len(indexes) != len(self._index):\n raise ValueError(\n 'boolean index list must be same size of existing index')\n if all(indexes):\n data = self._data[c]\n index = self._index\n else:\n data = list(compress(self._data[c], indexes))\n index = list(compress(self._index, indexes))\n else:\n locations = [sorted_index(self._index, x) for x in indexes\n ] if self._sort else [self._index.index(x) for x in indexes]\n data = [self._data[c][i] for i in locations]\n index = [self._index[i] for i in locations]\n return data if as_list else DataFrame(data={column: data}, index=index,\n index_name=self._index_name, sort=self._sort)\n",
"role": "user"
},
{
"content": "get_rows",
"role": "assistant"
}
] |
def x(self, index, columns=None, as_dict=False):
i = sorted_index(self._index, index) if self._sort else self._index.index(
index)
return self.get_location(i, columns, as_dict)
|
get_columns
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, index, columns=None, as_dict=False):\n i = sorted_index(self._index, index) if self._sort else self._index.index(\n index)\n return self.get_location(i, columns, as_dict)\n",
"role": "user"
},
{
"content": "get_columns",
"role": "assistant"
}
] |
def x(self, column, as_list=False):
c = self._columns.index(column)
data = self._data[c]
return data if as_list else DataFrame(data={column: data}, index=self.
_index, index_name=self._index_name, sort=self._sort)
|
get_entire_column
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, column, as_list=False):\n c = self._columns.index(column)\n data = self._data[c]\n return data if as_list else DataFrame(data={column: data}, index=self.\n _index, index_name=self._index_name, sort=self._sort)\n",
"role": "user"
},
{
"content": "get_entire_column",
"role": "assistant"
}
] |
def x(self, indexes, columns):
if all([isinstance(i, bool) for i in indexes]):
is_bool_indexes = True
if len(indexes) != len(self._index):
raise ValueError(
'boolean index list must be same size of existing index')
bool_indexes = indexes
indexes = list(compress(self._index, indexes))
else:
is_bool_indexes = False
locations = [sorted_index(self._index, x) for x in indexes
] if self._sort else [self._index.index(x) for x in indexes]
if all([isinstance(i, bool) for i in columns]):
if len(columns) != len(self._columns):
raise ValueError(
'boolean column list must be same size of existing columns')
columns = list(compress(self._columns, columns))
col_locations = [self._columns.index(x) for x in columns]
data_dict = dict()
for c in col_locations:
data_dict[self._columns[c]] = list(compress(self._data[c],
bool_indexes)) if is_bool_indexes else [self._data[c][i] for i in
locations]
return DataFrame(data=data_dict, index=indexes, columns=columns,
index_name=self._index_name, sort=self._sort)
|
get_matrix
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, indexes, columns):\n if all([isinstance(i, bool) for i in indexes]):\n is_bool_indexes = True\n if len(indexes) != len(self._index):\n raise ValueError(\n 'boolean index list must be same size of existing index')\n bool_indexes = indexes\n indexes = list(compress(self._index, indexes))\n else:\n is_bool_indexes = False\n locations = [sorted_index(self._index, x) for x in indexes\n ] if self._sort else [self._index.index(x) for x in indexes]\n if all([isinstance(i, bool) for i in columns]):\n if len(columns) != len(self._columns):\n raise ValueError(\n 'boolean column list must be same size of existing columns')\n columns = list(compress(self._columns, columns))\n col_locations = [self._columns.index(x) for x in columns]\n data_dict = dict()\n for c in col_locations:\n data_dict[self._columns[c]] = list(compress(self._data[c],\n bool_indexes)) if is_bool_indexes else [self._data[c][i] for i in\n locations]\n return DataFrame(data=data_dict, index=indexes, columns=columns,\n index_name=self._index_name, sort=self._sort)\n",
"role": "user"
},
{
"content": "get_matrix",
"role": "assistant"
}
] |
def x(self, location, columns=None, as_dict=False, index=True):
if columns is None:
columns = self._columns
elif not isinstance(columns, list):
c = self._columns.index(columns)
return self._data[c][location]
elif all([isinstance(i, bool) for i in columns]):
if len(columns) != len(self._columns):
raise ValueError(
'boolean column list must be same size of existing columns')
columns = list(compress(self._columns, columns))
data = dict()
for column in columns:
c = self._columns.index(column)
data[column] = self._data[c][location]
index_value = self._index[location]
if as_dict:
if index:
data[self._index_name] = index_value
return data
else:
data = {k: [data[k]] for k in data}
return DataFrame(data=data, index=[index_value], columns=columns,
index_name=self._index_name, sort=self._sort)
|
get_location
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, location, columns=None, as_dict=False, index=True):\n if columns is None:\n columns = self._columns\n elif not isinstance(columns, list):\n c = self._columns.index(columns)\n return self._data[c][location]\n elif all([isinstance(i, bool) for i in columns]):\n if len(columns) != len(self._columns):\n raise ValueError(\n 'boolean column list must be same size of existing columns')\n columns = list(compress(self._columns, columns))\n data = dict()\n for column in columns:\n c = self._columns.index(column)\n data[column] = self._data[c][location]\n index_value = self._index[location]\n if as_dict:\n if index:\n data[self._index_name] = index_value\n return data\n else:\n data = {k: [data[k]] for k in data}\n return DataFrame(data=data, index=[index_value], columns=columns,\n index_name=self._index_name, sort=self._sort)\n",
"role": "user"
},
{
"content": "get_location",
"role": "assistant"
}
] |
def x(self, locations, columns=None, **kwargs):
indexes = [self._index[x] for x in locations]
return self.get(indexes, columns, **kwargs)
|
get_locations
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, locations, columns=None, **kwargs):\n indexes = [self._index[x] for x in locations]\n return self.get(indexes, columns, **kwargs)\n",
"role": "user"
},
{
"content": "get_locations",
"role": "assistant"
}
] |
def x(self, start_index=None, stop_index=None, columns=None, as_dict=False):
if not self._sort:
raise RuntimeError('Can only use get_slice on sorted DataFrames')
if columns is None:
columns = self._columns
elif all([isinstance(i, bool) for i in columns]):
if len(columns) != len(self._columns):
raise ValueError(
'boolean column list must be same size of existing columns')
columns = list(compress(self._columns, columns))
start_location = bisect_left(self._index, start_index
) if start_index is not None else None
stop_location = bisect_right(self._index, stop_index
) if stop_index is not None else None
index = self._index[start_location:stop_location]
data = dict()
for column in columns:
c = self._columns.index(column)
data[column] = self._data[c][start_location:stop_location]
if as_dict:
return index, data
else:
data = data if data else None
return DataFrame(data=data, index=index, columns=columns,
index_name=self._index_name, sort=self._sort, use_blist=self._blist
)
|
get_slice
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, start_index=None, stop_index=None, columns=None, as_dict=False):\n if not self._sort:\n raise RuntimeError('Can only use get_slice on sorted DataFrames')\n if columns is None:\n columns = self._columns\n elif all([isinstance(i, bool) for i in columns]):\n if len(columns) != len(self._columns):\n raise ValueError(\n 'boolean column list must be same size of existing columns')\n columns = list(compress(self._columns, columns))\n start_location = bisect_left(self._index, start_index\n ) if start_index is not None else None\n stop_location = bisect_right(self._index, stop_index\n ) if stop_index is not None else None\n index = self._index[start_location:stop_location]\n data = dict()\n for column in columns:\n c = self._columns.index(column)\n data[column] = self._data[c][start_location:stop_location]\n if as_dict:\n return index, data\n else:\n data = data if data else None\n return DataFrame(data=data, index=index, columns=columns,\n index_name=self._index_name, sort=self._sort, use_blist=self._blist\n )\n",
"role": "user"
},
{
"content": "get_slice",
"role": "assistant"
}
] |
def x(self, i, index):
if i == len(self._index):
self._add_row(index)
else:
self._index.insert(i, index)
for c in range(len(self._columns)):
self._data[c].insert(i, None)
|
insert_row
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, i, index):\n if i == len(self._index):\n self._add_row(index)\n else:\n self._index.insert(i, index)\n for c in range(len(self._columns)):\n self._data[c].insert(i, None)\n",
"role": "user"
},
{
"content": "insert_row",
"role": "assistant"
}
] |
def x(self, index):
self._index.append(index)
for c, _ in enumerate(self._columns):
self._data[c].append(None)
|
add_row
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, index):\n self._index.append(index)\n for c, _ in enumerate(self._columns):\n self._data[c].append(None)\n",
"role": "user"
},
{
"content": "add_row",
"role": "assistant"
}
] |
def x(self, column):
self._columns.append(column)
if self._blist:
self._data.append(blist([None] * len(self._index)))
else:
self._data.append([None] * len(self._index))
|
add_column
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, column):\n self._columns.append(column)\n if self._blist:\n self._data.append(blist([None] * len(self._index)))\n else:\n self._data.append([None] * len(self._index))\n",
"role": "user"
},
{
"content": "add_column",
"role": "assistant"
}
] |
def x(self, indexes=None, columns=None, values=None):
if indexes is not None and columns is not None:
if isinstance(indexes, (list, blist)):
self.set_column(indexes, columns, values)
else:
self.set_cell(indexes, columns, values)
elif indexes is not None and columns is None:
self.set_row(indexes, values)
elif indexes is None and columns is not None:
self.set_column(indexes, columns, values)
else:
raise ValueError(
'either or both of indexes or columns must be provided')
|
set
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, indexes=None, columns=None, values=None):\n if indexes is not None and columns is not None:\n if isinstance(indexes, (list, blist)):\n self.set_column(indexes, columns, values)\n else:\n self.set_cell(indexes, columns, values)\n elif indexes is not None and columns is None:\n self.set_row(indexes, values)\n elif indexes is None and columns is not None:\n self.set_column(indexes, columns, values)\n else:\n raise ValueError(\n 'either or both of indexes or columns must be provided')\n",
"role": "user"
},
{
"content": "set",
"role": "assistant"
}
] |
def x(self, index, column, value):
if self._sort:
exists, i = sorted_exists(self._index, index)
if not exists:
self._insert_row(i, index)
else:
try:
i = self._index.index(index)
except ValueError:
i = len(self._index)
self._add_row(index)
try:
c = self._columns.index(column)
except ValueError:
c = len(self._columns)
self._add_column(column)
self._data[c][i] = value
|
set_cell
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, index, column, value):\n if self._sort:\n exists, i = sorted_exists(self._index, index)\n if not exists:\n self._insert_row(i, index)\n else:\n try:\n i = self._index.index(index)\n except ValueError:\n i = len(self._index)\n self._add_row(index)\n try:\n c = self._columns.index(column)\n except ValueError:\n c = len(self._columns)\n self._add_column(column)\n self._data[c][i] = value\n",
"role": "user"
},
{
"content": "set_cell",
"role": "assistant"
}
] |
def x(self, index, values):
if self._sort:
exists, i = sorted_exists(self._index, index)
if not exists:
self._insert_row(i, index)
else:
try:
i = self._index.index(index)
except ValueError:
i = len(self._index)
self._add_row(index)
if isinstance(values, dict):
if not set(values.keys()).issubset(self._columns):
raise ValueError('keys of values are not all in existing columns')
for c, column in enumerate(self._columns):
self._data[c][i] = values.get(column, self._data[c][i])
else:
raise TypeError('cannot handle values of this type.')
|
set_row
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, index, values):\n if self._sort:\n exists, i = sorted_exists(self._index, index)\n if not exists:\n self._insert_row(i, index)\n else:\n try:\n i = self._index.index(index)\n except ValueError:\n i = len(self._index)\n self._add_row(index)\n if isinstance(values, dict):\n if not set(values.keys()).issubset(self._columns):\n raise ValueError('keys of values are not all in existing columns')\n for c, column in enumerate(self._columns):\n self._data[c][i] = values.get(column, self._data[c][i])\n else:\n raise TypeError('cannot handle values of this type.')\n",
"role": "user"
},
{
"content": "set_row",
"role": "assistant"
}
] |
def x(self, index=None, column=None, values=None):
try:
c = self._columns.index(column)
except ValueError:
c = len(self._columns)
self._add_column(column)
if index:
if all([isinstance(i, bool) for i in index]):
if not isinstance(values, (list, blist)):
values = [values for x in index if x]
if len(index) != len(self._index):
raise ValueError(
'boolean index list must be same size of existing index')
if len(values) != index.count(True):
raise ValueError(
'length of values list must equal number of True entries in index list'
)
indexes = [i for i, x in enumerate(index) if x]
for x, i in enumerate(indexes):
self._data[c][i] = values[x]
else:
if not isinstance(values, (list, blist)):
values = [values for _ in index]
if len(values) != len(index):
raise ValueError('length of values and index must be the same.'
)
if self._sort:
exists_tuples = list(zip(*[sorted_exists(self._index, x) for
x in index]))
exists = exists_tuples[0]
indexes = exists_tuples[1]
if not all(exists):
self._insert_missing_rows(index)
indexes = [sorted_index(self._index, x) for x in index]
else:
try:
indexes = [self._index.index(x) for x in index]
except ValueError:
self._add_missing_rows(index)
indexes = [self._index.index(x) for x in index]
for x, i in enumerate(indexes):
self._data[c][i] = values[x]
else:
if not isinstance(values, (list, blist)):
values = [values for _ in self._index]
if len(values) != len(self._index):
raise ValueError(
'values list must be at same length as current index length.')
else:
self._data[c] = blist(values) if self._blist else values
|
set_column
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, index=None, column=None, values=None):\n try:\n c = self._columns.index(column)\n except ValueError:\n c = len(self._columns)\n self._add_column(column)\n if index:\n if all([isinstance(i, bool) for i in index]):\n if not isinstance(values, (list, blist)):\n values = [values for x in index if x]\n if len(index) != len(self._index):\n raise ValueError(\n 'boolean index list must be same size of existing index')\n if len(values) != index.count(True):\n raise ValueError(\n 'length of values list must equal number of True entries in index list'\n )\n indexes = [i for i, x in enumerate(index) if x]\n for x, i in enumerate(indexes):\n self._data[c][i] = values[x]\n else:\n if not isinstance(values, (list, blist)):\n values = [values for _ in index]\n if len(values) != len(index):\n raise ValueError('length of values and index must be the same.'\n )\n if self._sort:\n exists_tuples = list(zip(*[sorted_exists(self._index, x) for\n x in index]))\n exists = exists_tuples[0]\n indexes = exists_tuples[1]\n if not all(exists):\n self._insert_missing_rows(index)\n indexes = [sorted_index(self._index, x) for x in index]\n else:\n try:\n indexes = [self._index.index(x) for x in index]\n except ValueError:\n self._add_missing_rows(index)\n indexes = [self._index.index(x) for x in index]\n for x, i in enumerate(indexes):\n self._data[c][i] = values[x]\n else:\n if not isinstance(values, (list, blist)):\n values = [values for _ in self._index]\n if len(values) != len(self._index):\n raise ValueError(\n 'values list must be at same length as current index length.')\n else:\n self._data[c] = blist(values) if self._blist else values\n",
"role": "user"
},
{
"content": "set_column",
"role": "assistant"
}
] |
def x(self, location, values, missing_to_none=False):
if missing_to_none:
for column in self._columns:
if column not in values:
values[column] = None
for column in values:
i = self._columns.index(column)
self._data[i][location] = values[column]
|
set_location
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, location, values, missing_to_none=False):\n if missing_to_none:\n for column in self._columns:\n if column not in values:\n values[column] = None\n for column in values:\n i = self._columns.index(column)\n self._data[i][location] = values[column]\n",
"role": "user"
},
{
"content": "set_location",
"role": "assistant"
}
] |
def x(self, index, values, new_cols=True):
if index in self._index:
raise IndexError('index already in DataFrame')
if new_cols:
for col in values:
if col not in self._columns:
self._add_column(col)
self._index.append(index)
for c, col in enumerate(self._columns):
self._data[c].append(values.get(col, None))
|
append_row
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, index, values, new_cols=True):\n if index in self._index:\n raise IndexError('index already in DataFrame')\n if new_cols:\n for col in values:\n if col not in self._columns:\n self._add_column(col)\n self._index.append(index)\n for c, col in enumerate(self._columns):\n self._data[c].append(values.get(col, None))\n",
"role": "user"
},
{
"content": "append_row",
"role": "assistant"
}
] |
def x(self, indexes, values, new_cols=True):
for column in values:
if len(values[column]) > len(indexes):
raise ValueError(
'length of %s column in values is longer than indexes' % column
)
combined_index = self._index + indexes
if len(set(combined_index)) != len(combined_index):
raise IndexError('duplicate indexes in DataFrames')
if new_cols:
for col in values:
if col not in self._columns:
self._add_column(col)
self._index.extend(indexes)
for c, col in enumerate(self._columns):
self._data[c].extend(values.get(col, [None] * len(indexes)))
self._pad_data()
|
append_rows
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, indexes, values, new_cols=True):\n for column in values:\n if len(values[column]) > len(indexes):\n raise ValueError(\n 'length of %s column in values is longer than indexes' % column\n )\n combined_index = self._index + indexes\n if len(set(combined_index)) != len(combined_index):\n raise IndexError('duplicate indexes in DataFrames')\n if new_cols:\n for col in values:\n if col not in self._columns:\n self._add_column(col)\n self._index.extend(indexes)\n for c, col in enumerate(self._columns):\n self._data[c].extend(values.get(col, [None] * len(indexes)))\n self._pad_data()\n",
"role": "user"
},
{
"content": "append_rows",
"role": "assistant"
}
] |
def x(self, index=True, ordered=False):
result = OrderedDict() if ordered else dict()
if index:
result.update({self._index_name: self._index})
if ordered:
data_dict = [(column, self._data[i]) for i, column in enumerate(
self._columns)]
else:
data_dict = {column: self._data[i] for i, column in enumerate(self.
_columns)}
result.update(data_dict)
return result
|
to_dict
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, index=True, ordered=False):\n result = OrderedDict() if ordered else dict()\n if index:\n result.update({self._index_name: self._index})\n if ordered:\n data_dict = [(column, self._data[i]) for i, column in enumerate(\n self._columns)]\n else:\n data_dict = {column: self._data[i] for i, column in enumerate(self.\n _columns)}\n result.update(data_dict)\n return result\n",
"role": "user"
},
{
"content": "to_dict",
"role": "assistant"
}
] |
def x(self):
input_dict = {'data': self.to_dict(index=False), 'index': list(self._index)
}
if self.blist:
input_dict['index'] = list(input_dict['index'])
for key in input_dict['data']:
input_dict['data'][key] = list(input_dict['data'][key])
meta_data = dict()
for key in self.__slots__:
if key not in ['_data', '_index']:
value = self.__getattribute__(key)
meta_data[key.lstrip('_')] = value if not isinstance(value, blist
) else list(value)
meta_data['use_blist'] = meta_data.pop('blist')
input_dict['meta_data'] = meta_data
return json.dumps(input_dict, default=repr)
|
to_json
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n input_dict = {'data': self.to_dict(index=False), 'index': list(self._index)\n }\n if self.blist:\n input_dict['index'] = list(input_dict['index'])\n for key in input_dict['data']:\n input_dict['data'][key] = list(input_dict['data'][key])\n meta_data = dict()\n for key in self.__slots__:\n if key not in ['_data', '_index']:\n value = self.__getattribute__(key)\n meta_data[key.lstrip('_')] = value if not isinstance(value, blist\n ) else list(value)\n meta_data['use_blist'] = meta_data.pop('blist')\n input_dict['meta_data'] = meta_data\n return json.dumps(input_dict, default=repr)\n",
"role": "user"
},
{
"content": "to_json",
"role": "assistant"
}
] |
def x(self, rename_dict):
if not all([(x in self._columns) for x in rename_dict.keys()]):
raise ValueError('all dictionary keys must be in current columns')
for current in rename_dict.keys():
self._columns[self._columns.index(current)] = rename_dict[current]
|
rename_columns
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, rename_dict):\n if not all([(x in self._columns) for x in rename_dict.keys()]):\n raise ValueError('all dictionary keys must be in current columns')\n for current in rename_dict.keys():\n self._columns[self._columns.index(current)] = rename_dict[current]\n",
"role": "user"
},
{
"content": "rename_columns",
"role": "assistant"
}
] |
def x(self):
del self._index[:]
for c in range(len(self._columns)):
del self._data[c][:]
|
delete_all_rows
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n del self._index[:]\n for c in range(len(self._columns)):\n del self._data[c][:]\n",
"role": "user"
},
{
"content": "delete_all_rows",
"role": "assistant"
}
] |
def x(self, columns):
columns = [columns] if not isinstance(columns, (list, blist)) else columns
if not all([(x in self._columns) for x in columns]):
raise ValueError('all columns must be in current columns')
for column in columns:
c = self._columns.index(column)
del self._data[c]
del self._columns[c]
if not len(self._data):
self.index = list()
|
delete_columns
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, columns):\n columns = [columns] if not isinstance(columns, (list, blist)) else columns\n if not all([(x in self._columns) for x in columns]):\n raise ValueError('all columns must be in current columns')\n for column in columns:\n c = self._columns.index(column)\n del self._data[c]\n del self._columns[c]\n if not len(self._data):\n self.index = list()\n",
"role": "user"
},
{
"content": "delete_columns",
"role": "assistant"
}
] |
def x(self):
sort = sorted_list_indexes(self._index)
self._index = blist([self._index[x] for x in sort]) if self._blist else [
self._index[x] for x in sort]
for c in range(len(self._data)):
self._data[c] = blist([self._data[c][i] for i in sort]
) if self._blist else [self._data[c][i] for i in sort]
|
sort_index
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n sort = sorted_list_indexes(self._index)\n self._index = blist([self._index[x] for x in sort]) if self._blist else [\n self._index[x] for x in sort]\n for c in range(len(self._data)):\n self._data[c] = blist([self._data[c][i] for i in sort]\n ) if self._blist else [self._data[c][i] for i in sort]\n",
"role": "user"
},
{
"content": "sort_index",
"role": "assistant"
}
] |
def x(self, column, key=None, reverse=False):
if isinstance(column, (list, blist)):
raise TypeError('Can only sort by a single column ')
sort = sorted_list_indexes(self._data[self._columns.index(column)], key,
reverse)
self._index = blist([self._index[x] for x in sort]) if self._blist else [
self._index[x] for x in sort]
for c in range(len(self._data)):
self._data[c] = blist([self._data[c][i] for i in sort]
) if self._blist else [self._data[c][i] for i in sort]
|
sort_columns
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, column, key=None, reverse=False):\n if isinstance(column, (list, blist)):\n raise TypeError('Can only sort by a single column ')\n sort = sorted_list_indexes(self._data[self._columns.index(column)], key,\n reverse)\n self._index = blist([self._index[x] for x in sort]) if self._blist else [\n self._index[x] for x in sort]\n for c in range(len(self._data)):\n self._data[c] = blist([self._data[c][i] for i in sort]\n ) if self._blist else [self._data[c][i] for i in sort]\n",
"role": "user"
},
{
"content": "sort_columns",
"role": "assistant"
}
] |
def x(self):
self._validate_columns(self._columns)
self._validate_index(self._index)
self._validate_data()
|
validate_integrity
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self._validate_columns(self._columns)\n self._validate_index(self._index)\n self._validate_data()\n",
"role": "user"
},
{
"content": "validate_integrity",
"role": "assistant"
}
] |
def x(self, data_frame):
if len(data_frame) == 0:
return
data_frame_index = data_frame.index
combined_index = self._index + data_frame_index
if len(set(combined_index)) != len(combined_index):
raise ValueError('duplicate indexes in DataFrames')
for c, column in enumerate(data_frame.columns):
if PYTHON3:
self.set(indexes=data_frame_index, columns=column, values=
data_frame.data[c].copy())
else:
self.set(indexes=data_frame_index, columns=column, values=
data_frame.data[c][:])
|
append
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data_frame):\n if len(data_frame) == 0:\n return\n data_frame_index = data_frame.index\n combined_index = self._index + data_frame_index\n if len(set(combined_index)) != len(combined_index):\n raise ValueError('duplicate indexes in DataFrames')\n for c, column in enumerate(data_frame.columns):\n if PYTHON3:\n self.set(indexes=data_frame_index, columns=column, values=\n data_frame.data[c].copy())\n else:\n self.set(indexes=data_frame_index, columns=column, values=\n data_frame.data[c][:])\n",
"role": "user"
},
{
"content": "append",
"role": "assistant"
}
] |
def x(self, left_column, right_column, indexes=None):
left_list, right_list = self._get_lists(left_column, right_column, indexes)
return [(l + r) for l, r in zip(left_list, right_list)]
|
add
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, left_column, right_column, indexes=None):\n left_list, right_list = self._get_lists(left_column, right_column, indexes)\n return [(l + r) for l, r in zip(left_list, right_list)]\n",
"role": "user"
},
{
"content": "add",
"role": "assistant"
}
] |
def x(self, column, compare_list):
return [(x in compare_list) for x in self._data[self._columns.index(
column)]]
|
isin
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, column, compare_list):\n return [(x in compare_list) for x in self._data[self._columns.index(\n column)]]\n",
"role": "user"
},
{
"content": "isin",
"role": "assistant"
}
] |
def x(self, index=True):
for i in range(len(self._index)):
row = {self._index_name: self._index[i]} if index else dict()
for c, col in enumerate(self._columns):
row[col] = self._data[c][i]
yield row
|
iterrows
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, index=True):\n for i in range(len(self._index)):\n row = {self._index_name: self._index[i]} if index else dict()\n for c, col in enumerate(self._columns):\n row[col] = self._data[c][i]\n yield row\n",
"role": "user"
},
{
"content": "iterrows",
"role": "assistant"
}
] |
def x(self, index=True, name='Raccoon'):
fields = [self._index_name] if index else list()
fields.extend(self._columns)
row_tuple = namedtuple(name, fields)
for i in range(len(self._index)):
row = {self._index_name: self._index[i]} if index else dict()
for c, col in enumerate(self._columns):
row[col] = self._data[c][i]
yield row_tuple(**row)
|
itertuples
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, index=True, name='Raccoon'):\n fields = [self._index_name] if index else list()\n fields.extend(self._columns)\n row_tuple = namedtuple(name, fields)\n for i in range(len(self._index)):\n row = {self._index_name: self._index[i]} if index else dict()\n for c, col in enumerate(self._columns):\n row[col] = self._data[c][i]\n yield row_tuple(**row)\n",
"role": "user"
},
{
"content": "itertuples",
"role": "assistant"
}
] |
def x(self, drop=False):
if not drop:
if isinstance(self.index_name, tuple):
index_data = list(map(list, zip(*self._index)))
for i in range(len(self.index_name)):
self.set_column(column=self.index_name[i], values=index_data[i]
)
else:
col_name = (self.index_name if self.index_name is not 'index' else
'index_0')
self.set_column(column=col_name, values=self._index)
self.index = list(range(self.__len__()))
self.index_name = 'index'
|
reset_index
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, drop=False):\n if not drop:\n if isinstance(self.index_name, tuple):\n index_data = list(map(list, zip(*self._index)))\n for i in range(len(self.index_name)):\n self.set_column(column=self.index_name[i], values=index_data[i]\n )\n else:\n col_name = (self.index_name if self.index_name is not 'index' else\n 'index_0')\n self.set_column(column=col_name, values=self._index)\n self.index = list(range(self.__len__()))\n self.index_name = 'index'\n",
"role": "user"
},
{
"content": "reset_index",
"role": "assistant"
}
] |
def x(cls, json_string):
input_dict = json.loads(json_string)
if input_dict['index'] and isinstance(input_dict['index'][0], list):
input_dict['index'] = [tuple(x) for x in input_dict['index']]
if isinstance(input_dict['meta_data']['index_name'], list):
input_dict['meta_data']['index_name'] = tuple(input_dict[
'meta_data']['index_name'])
data = input_dict['data'] if input_dict['data'] else None
return cls(data=data, index=input_dict['index'], **input_dict['meta_data'])
|
from_json
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, json_string):\n input_dict = json.loads(json_string)\n if input_dict['index'] and isinstance(input_dict['index'][0], list):\n input_dict['index'] = [tuple(x) for x in input_dict['index']]\n if isinstance(input_dict['meta_data']['index_name'], list):\n input_dict['meta_data']['index_name'] = tuple(input_dict[\n 'meta_data']['index_name'])\n data = input_dict['data'] if input_dict['data'] else None\n return cls(data=data, index=input_dict['index'], **input_dict['meta_data'])\n",
"role": "user"
},
{
"content": "from_json",
"role": "assistant"
}
] |
def x(self, task):
if not self._cache_results:
self._last_results = dict()
for pipe in self._pipelines:
count = self._task_counts[pipe]
valid = True
last_result = None
while count and valid:
valid, result = pipe.get(sys.float_info.min)
if valid:
last_result = result
count -= 1
if not self._drop_results:
if last_result is not None:
self._last_results[pipe] = last_result
if count <= self._max_tasks - 1 or task is None:
pipe.put(task)
count += 1
self._task_counts[pipe] = count
if self._drop_results:
return task
all_results = [res for res in self._last_results.values()]
return task, all_results
|
doTask
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, task):\n if not self._cache_results:\n self._last_results = dict()\n for pipe in self._pipelines:\n count = self._task_counts[pipe]\n valid = True\n last_result = None\n while count and valid:\n valid, result = pipe.get(sys.float_info.min)\n if valid:\n last_result = result\n count -= 1\n if not self._drop_results:\n if last_result is not None:\n self._last_results[pipe] = last_result\n if count <= self._max_tasks - 1 or task is None:\n pipe.put(task)\n count += 1\n self._task_counts[pipe] = count\n if self._drop_results:\n return task\n all_results = [res for res in self._last_results.values()]\n return task, all_results\n",
"role": "user"
},
{
"content": "doTask",
"role": "assistant"
}
] |
def x(left, right, data_function=None, data_args=None):
if data_function:
data_args = {} if not data_args else data_args
data_function(left.data, right.data, **data_args)
else:
assert left.data == right.data
assert left.index == right.index
assert left.columns == right.columns
assert left.index_name == right.index_name
assert left.sort == right.sort
assert left.blist == right.blist
|
assert_frame_equal
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(left, right, data_function=None, data_args=None):\n if data_function:\n data_args = {} if not data_args else data_args\n data_function(left.data, right.data, **data_args)\n else:\n assert left.data == right.data\n assert left.index == right.index\n assert left.columns == right.columns\n assert left.index_name == right.index_name\n assert left.sort == right.sort\n assert left.blist == right.blist\n",
"role": "user"
},
{
"content": "assert_frame_equal",
"role": "assistant"
}
] |
def x(left, right, data_function=None, data_args=None):
assert type(left) == type(right)
if data_function:
data_args = {} if not data_args else data_args
data_function(left.data, right.data, **data_args)
else:
assert left.data == right.data
assert left.index == right.index
assert left.data_name == right.data_name
assert left.index_name == right.index_name
assert left.sort == right.sort
if isinstance(left, rc.ViewSeries):
assert left.offset == right.offset
if isinstance(left, rc.Series):
assert left.blist == right.blist
|
assert_series_equal
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(left, right, data_function=None, data_args=None):\n assert type(left) == type(right)\n if data_function:\n data_args = {} if not data_args else data_args\n data_function(left.data, right.data, **data_args)\n else:\n assert left.data == right.data\n assert left.index == right.index\n assert left.data_name == right.data_name\n assert left.index_name == right.index_name\n assert left.sort == right.sort\n if isinstance(left, rc.ViewSeries):\n assert left.offset == right.offset\n if isinstance(left, rc.Series):\n assert left.blist == right.blist\n",
"role": "user"
},
{
"content": "assert_series_equal",
"role": "assistant"
}
] |
def x(self, timeout=None):
result = None
for stage in self._output_stages:
result = stage.get(timeout)
return result
|
get
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, timeout=None):\n result = None\n for stage in self._output_stages:\n result = stage.get(timeout)\n return result\n",
"role": "user"
},
{
"content": "get",
"role": "assistant"
}
] |
def x():
parser = argparse.ArgumentParser(description=
'Search artists, lyrics, and songs!')
parser.add_argument('artist', help=
'Specify an artist name (Default: Taylor Swift)', default=
'Taylor Swift', nargs='?')
parser.add_argument('-s', '--song', help=
'Given artist name, specify a song name', required=False)
parser.add_argument('-l', '--lyrics', help='Search for song by lyrics',
required=False)
args = parser.parse_args()
if args.lyrics:
song = Song.find_song(args.lyrics)
elif args.song:
song = Song(title=args.song, artist=args.artist)
else:
artist = Artist(args.artist)
if artist.songs:
song = random.choice(artist.songs)
else:
print("Couldn't find any songs by artist {}!".format(args.artist))
sys.exit(1)
print(song.format())
|
main
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n parser = argparse.ArgumentParser(description=\n 'Search artists, lyrics, and songs!')\n parser.add_argument('artist', help=\n 'Specify an artist name (Default: Taylor Swift)', default=\n 'Taylor Swift', nargs='?')\n parser.add_argument('-s', '--song', help=\n 'Given artist name, specify a song name', required=False)\n parser.add_argument('-l', '--lyrics', help='Search for song by lyrics',\n required=False)\n args = parser.parse_args()\n if args.lyrics:\n song = Song.find_song(args.lyrics)\n elif args.song:\n song = Song(title=args.song, artist=args.artist)\n else:\n artist = Artist(args.artist)\n if artist.songs:\n song = random.choice(artist.songs)\n else:\n print(\"Couldn't find any songs by artist {}!\".format(args.artist))\n sys.exit(1)\n print(song.format())\n",
"role": "user"
},
{
"content": "main",
"role": "assistant"
}
] |
def x(self):
page = requests.get(self._url)
page.encoding = 'utf-8'
tree = html.fromstring(page.text)
lyric_div = tree.get_element_by_id('lyrics-body-text')
verses = [c.text_content() for c in lyric_div.find_class('verse')]
self._lyrics = '\n\n'.join(verses)
return self
|
load
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n page = requests.get(self._url)\n page.encoding = 'utf-8'\n tree = html.fromstring(page.text)\n lyric_div = tree.get_element_by_id('lyrics-body-text')\n verses = [c.text_content() for c in lyric_div.find_class('verse')]\n self._lyrics = '\\n\\n'.join(verses)\n return self\n",
"role": "user"
},
{
"content": "load",
"role": "assistant"
}
] |
def x(self, verbose=False):
self._songs = []
page_num = 1
total_pages = 1
while page_num <= total_pages:
if verbose:
print('retrieving page %d' % page_num)
page = requests.get(ARTIST_URL.format(artist=self.name, n=page_num))
tree = html.fromstring(page.text)
song_rows_xp = '//*[@id="popular"]/div/table/tbody/tr'
songlist_pagination_xp = (
'//*[@id="main-content"]/div[1]/div[2]/p/span/a')
rows = tree.xpath(song_rows_xp)
for row in rows:
song_link = row.xpath('./td/a[contains(@class,"title")]')
assert len(song_link) == 1
self._songs.append(Song(url=song_link[0].attrib['href']))
total_pages = len(tree.xpath(songlist_pagination_xp))
page_num += 1
return self
|
load
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, verbose=False):\n self._songs = []\n page_num = 1\n total_pages = 1\n while page_num <= total_pages:\n if verbose:\n print('retrieving page %d' % page_num)\n page = requests.get(ARTIST_URL.format(artist=self.name, n=page_num))\n tree = html.fromstring(page.text)\n song_rows_xp = '//*[@id=\"popular\"]/div/table/tbody/tr'\n songlist_pagination_xp = (\n '//*[@id=\"main-content\"]/div[1]/div[2]/p/span/a')\n rows = tree.xpath(song_rows_xp)\n for row in rows:\n song_link = row.xpath('./td/a[contains(@class,\"title\")]')\n assert len(song_link) == 1\n self._songs.append(Song(url=song_link[0].attrib['href']))\n total_pages = len(tree.xpath(songlist_pagination_xp))\n page_num += 1\n return self\n",
"role": "user"
},
{
"content": "load",
"role": "assistant"
}
] |
def x(p0, p1, deg=True, r=r_earth_mean):
single, (p0, p1) = _to_arrays((p0, 2), (p1, 2))
if deg:
p0 = np.radians(p0)
p1 = np.radians(p1)
lon0, lat0 = p0[:, 0], p0[:, 1]
lon1, lat1 = p1[:, 0], p1[:, 1]
h_dlat = sin((lat1 - lat0) / 2.0) ** 2
h_dlon = sin((lon1 - lon0) / 2.0) ** 2
h_angle = h_dlat + cos(lat0) * cos(lat1) * h_dlon
angle = 2.0 * arcsin(sqrt(h_angle))
d = r * angle
if single:
d = d[0]
return d
|
distance
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(p0, p1, deg=True, r=r_earth_mean):\n single, (p0, p1) = _to_arrays((p0, 2), (p1, 2))\n if deg:\n p0 = np.radians(p0)\n p1 = np.radians(p1)\n lon0, lat0 = p0[:, 0], p0[:, 1]\n lon1, lat1 = p1[:, 0], p1[:, 1]\n h_dlat = sin((lat1 - lat0) / 2.0) ** 2\n h_dlon = sin((lon1 - lon0) / 2.0) ** 2\n h_angle = h_dlat + cos(lat0) * cos(lat1) * h_dlon\n angle = 2.0 * arcsin(sqrt(h_angle))\n d = r * angle\n if single:\n d = d[0]\n return d\n",
"role": "user"
},
{
"content": "distance",
"role": "assistant"
}
] |
def x(p0, p1, deg=True, bearing=False):
single, (p0, p1) = _to_arrays((p0, 2), (p1, 2))
if deg:
p0 = np.radians(p0)
p1 = np.radians(p1)
lon0, lat0 = p0[:, 0], p0[:, 1]
lon1, lat1 = p1[:, 0], p1[:, 1]
dlon = lon1 - lon0
a = sin(dlon) * cos(lat1)
b = cos(lat0) * sin(lat1) - sin(lat0) * cos(lat1) * cos(dlon)
if bearing:
angle = arctan2(a, b)
else:
angle = arctan2(b, a)
if deg:
angle = np.degrees(angle)
if single:
angle = angle[0]
return angle
|
course
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(p0, p1, deg=True, bearing=False):\n single, (p0, p1) = _to_arrays((p0, 2), (p1, 2))\n if deg:\n p0 = np.radians(p0)\n p1 = np.radians(p1)\n lon0, lat0 = p0[:, 0], p0[:, 1]\n lon1, lat1 = p1[:, 0], p1[:, 1]\n dlon = lon1 - lon0\n a = sin(dlon) * cos(lat1)\n b = cos(lat0) * sin(lat1) - sin(lat0) * cos(lat1) * cos(dlon)\n if bearing:\n angle = arctan2(a, b)\n else:\n angle = arctan2(b, a)\n if deg:\n angle = np.degrees(angle)\n if single:\n angle = angle[0]\n return angle\n",
"role": "user"
},
{
"content": "course",
"role": "assistant"
}
] |
def x(p0, angle, d, deg=True, bearing=False, r=r_earth_mean):
single, (p0, angle, d) = _to_arrays((p0, 2), (angle, 1), (d, 1))
if deg:
p0 = np.radians(p0)
angle = np.radians(angle)
if not bearing:
angle = np.pi / 2.0 - angle
lon0, lat0 = p0[:, 0], p0[:, 1]
angd = d / r
lat1 = arcsin(sin(lat0) * cos(angd) + cos(lat0) * sin(angd) * cos(angle))
a = sin(angle) * sin(angd) * cos(lat0)
b = cos(angd) - sin(lat0) * sin(lat1)
lon1 = lon0 + arctan2(a, b)
p1 = np.column_stack([lon1, lat1])
if deg:
p1 = np.degrees(p1)
if single:
p1 = p1[0]
return p1
|
propagate
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(p0, angle, d, deg=True, bearing=False, r=r_earth_mean):\n single, (p0, angle, d) = _to_arrays((p0, 2), (angle, 1), (d, 1))\n if deg:\n p0 = np.radians(p0)\n angle = np.radians(angle)\n if not bearing:\n angle = np.pi / 2.0 - angle\n lon0, lat0 = p0[:, 0], p0[:, 1]\n angd = d / r\n lat1 = arcsin(sin(lat0) * cos(angd) + cos(lat0) * sin(angd) * cos(angle))\n a = sin(angle) * sin(angd) * cos(lat0)\n b = cos(angd) - sin(lat0) * sin(lat1)\n lon1 = lon0 + arctan2(a, b)\n p1 = np.column_stack([lon1, lat1])\n if deg:\n p1 = np.degrees(p1)\n if single:\n p1 = p1[0]\n return p1\n",
"role": "user"
},
{
"content": "propagate",
"role": "assistant"
}
] |
def x(self, signature, timestamp, nonce):
if not self.token:
raise RuntimeError('WEIXIN_TOKEN is missing')
if self.expires_in:
try:
timestamp = int(timestamp)
except (ValueError, TypeError):
return False
delta = time.time() - timestamp
if delta < 0:
return False
if delta > self.expires_in:
return False
values = [self.token, str(timestamp), str(nonce)]
s = ''.join(sorted(values))
hsh = hashlib.sha1(s.encode('utf-8')).hexdigest()
return signature == hsh
|
validate
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, signature, timestamp, nonce):\n if not self.token:\n raise RuntimeError('WEIXIN_TOKEN is missing')\n if self.expires_in:\n try:\n timestamp = int(timestamp)\n except (ValueError, TypeError):\n return False\n delta = time.time() - timestamp\n if delta < 0:\n return False\n if delta > self.expires_in:\n return False\n values = [self.token, str(timestamp), str(nonce)]\n s = ''.join(sorted(values))\n hsh = hashlib.sha1(s.encode('utf-8')).hexdigest()\n return signature == hsh\n",
"role": "user"
},
{
"content": "validate",
"role": "assistant"
}
] |
def x(self, content):
raw = {}
try:
root = etree.fromstring(content)
except SyntaxError as e:
raise ValueError(*e.args)
for child in root:
raw[child.tag] = child.text
formatted = self.format(raw)
msg_type = formatted['type']
msg_parser = getattr(self, 'parse_%s' % msg_type, None)
if callable(msg_parser):
parsed = msg_parser(raw)
else:
parsed = self.parse_invalid_type(raw)
formatted.update(parsed)
return formatted
|
parse
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, content):\n raw = {}\n try:\n root = etree.fromstring(content)\n except SyntaxError as e:\n raise ValueError(*e.args)\n for child in root:\n raw[child.tag] = child.text\n formatted = self.format(raw)\n msg_type = formatted['type']\n msg_parser = getattr(self, 'parse_%s' % msg_type, None)\n if callable(msg_parser):\n parsed = msg_parser(raw)\n else:\n parsed = self.parse_invalid_type(raw)\n formatted.update(parsed)\n return formatted\n",
"role": "user"
},
{
"content": "parse",
"role": "assistant"
}
] |
def x(self, username, type='text', sender=None, **kwargs):
sender = sender or self.sender
if not sender:
raise RuntimeError('WEIXIN_SENDER or sender argument is missing')
if type == 'text':
content = kwargs.get('content', '')
return text_reply(username, sender, content)
if type == 'music':
values = {}
for k in ('title', 'description', 'music_url', 'hq_music_url'):
values[k] = kwargs.get(k)
return music_reply(username, sender, **values)
if type == 'news':
items = kwargs.get('articles', [])
return news_reply(username, sender, *items)
if type == 'customer_service':
service_account = kwargs.get('service_account', None)
return transfer_customer_service_reply(username, sender,
service_account)
if type == 'image':
media_id = kwargs.get('media_id', '')
return image_reply(username, sender, media_id)
if type == 'voice':
media_id = kwargs.get('media_id', '')
return voice_reply(username, sender, media_id)
if type == 'video':
values = {}
for k in ('media_id', 'title', 'description'):
values[k] = kwargs.get(k)
return video_reply(username, sender, **values)
|
reply
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, username, type='text', sender=None, **kwargs):\n sender = sender or self.sender\n if not sender:\n raise RuntimeError('WEIXIN_SENDER or sender argument is missing')\n if type == 'text':\n content = kwargs.get('content', '')\n return text_reply(username, sender, content)\n if type == 'music':\n values = {}\n for k in ('title', 'description', 'music_url', 'hq_music_url'):\n values[k] = kwargs.get(k)\n return music_reply(username, sender, **values)\n if type == 'news':\n items = kwargs.get('articles', [])\n return news_reply(username, sender, *items)\n if type == 'customer_service':\n service_account = kwargs.get('service_account', None)\n return transfer_customer_service_reply(username, sender,\n service_account)\n if type == 'image':\n media_id = kwargs.get('media_id', '')\n return image_reply(username, sender, media_id)\n if type == 'voice':\n media_id = kwargs.get('media_id', '')\n return voice_reply(username, sender, media_id)\n if type == 'video':\n values = {}\n for k in ('media_id', 'title', 'description'):\n values[k] = kwargs.get(k)\n return video_reply(username, sender, **values)\n",
"role": "user"
},
{
"content": "reply",
"role": "assistant"
}
] |
def x(self, key=None, func=None, **kwargs):
if func:
if key is None:
limitation = frozenset(kwargs.items())
self._registry_without_key.append((func, limitation))
else:
self._registry[key] = func
return func
return self.__call__(key, **kwargs)
|
register
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key=None, func=None, **kwargs):\n if func:\n if key is None:\n limitation = frozenset(kwargs.items())\n self._registry_without_key.append((func, limitation))\n else:\n self._registry[key] = func\n return func\n return self.__call__(key, **kwargs)\n",
"role": "user"
},
{
"content": "register",
"role": "assistant"
}
] |
def x(self):
if request is None:
raise RuntimeError('view_func need Flask be installed')
signature = request.args.get('signature')
timestamp = request.args.get('timestamp')
nonce = request.args.get('nonce')
if not self.validate(signature, timestamp, nonce):
return 'signature failed', 400
if request.method == 'GET':
echostr = request.args.get('echostr', '')
return echostr
try:
ret = self.parse(request.data)
except ValueError:
return 'invalid', 400
if 'type' not in ret:
return 'invalid', 400
if ret['type'] == 'text' and ret['content'] in self._registry:
func = self._registry[ret['content']]
else:
ret_set = frozenset(ret.items())
matched_rules = (_func for _func, _limitation in self.
_registry_without_key if _limitation.issubset(ret_set))
func = next(matched_rules, None)
if func is None:
if '*' in self._registry:
func = self._registry['*']
else:
func = 'failed'
if callable(func):
text = func(**ret)
else:
text = self.reply(username=ret['sender'], sender=ret['receiver'],
content=func)
return Response(text, content_type='text/xml; charset=utf-8')
|
view_func
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if request is None:\n raise RuntimeError('view_func need Flask be installed')\n signature = request.args.get('signature')\n timestamp = request.args.get('timestamp')\n nonce = request.args.get('nonce')\n if not self.validate(signature, timestamp, nonce):\n return 'signature failed', 400\n if request.method == 'GET':\n echostr = request.args.get('echostr', '')\n return echostr\n try:\n ret = self.parse(request.data)\n except ValueError:\n return 'invalid', 400\n if 'type' not in ret:\n return 'invalid', 400\n if ret['type'] == 'text' and ret['content'] in self._registry:\n func = self._registry[ret['content']]\n else:\n ret_set = frozenset(ret.items())\n matched_rules = (_func for _func, _limitation in self.\n _registry_without_key if _limitation.issubset(ret_set))\n func = next(matched_rules, None)\n if func is None:\n if '*' in self._registry:\n func = self._registry['*']\n else:\n func = 'failed'\n if callable(func):\n text = func(**ret)\n else:\n text = self.reply(username=ret['sender'], sender=ret['receiver'],\n content=func)\n return Response(text, content_type='text/xml; charset=utf-8')\n",
"role": "user"
},
{
"content": "view_func",
"role": "assistant"
}
] |
def x(filename, user, **kwargs):
assume_yes = kwargs.get('yes_to_all')
getgist = GetGist(user=user, filename=filename, assume_yes=assume_yes)
getgist.get()
|
run_getgist
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename, user, **kwargs):\n assume_yes = kwargs.get('yes_to_all')\n getgist = GetGist(user=user, filename=filename, assume_yes=assume_yes)\n getgist.get()\n",
"role": "user"
},
{
"content": "run_getgist",
"role": "assistant"
}
] |
def x(filename, **kwargs):
assume_yes = kwargs.get('yes_to_all')
user = getenv('GETGIST_USER')
getgist = GetGist(user=user, filename=filename, assume_yes=assume_yes)
getgist.get()
|
run_getmy
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename, **kwargs):\n assume_yes = kwargs.get('yes_to_all')\n user = getenv('GETGIST_USER')\n getgist = GetGist(user=user, filename=filename, assume_yes=assume_yes)\n getgist.get()\n",
"role": "user"
},
{
"content": "run_getmy",
"role": "assistant"
}
] |
def x(filename, user, **kwargs):
assume_yes = kwargs.get('yes_to_all')
private = kwargs.get('private')
getgist = GetGist(user=user, filename=filename, assume_yes=assume_yes,
create_private=private, allow_none=True)
getgist.put()
|
run_putgist
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename, user, **kwargs):\n assume_yes = kwargs.get('yes_to_all')\n private = kwargs.get('private')\n getgist = GetGist(user=user, filename=filename, assume_yes=assume_yes,\n create_private=private, allow_none=True)\n getgist.put()\n",
"role": "user"
},
{
"content": "run_putgist",
"role": "assistant"
}
] |
def x(self):
if self.gist:
content = self.github.read_gist_file(self.gist)
self.local.save(content)
|
get
|
[
{
"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.gist:\n content = self.github.read_gist_file(self.gist)\n self.local.save(content)\n",
"role": "user"
},
{
"content": "get",
"role": "assistant"
}
] |
def x(self):
content = self.local.read()
if self.gist:
self.github.update(self.gist, content)
else:
self.github.create(content, public=self.public)
|
put
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n content = self.local.read()\n if self.gist:\n self.github.update(self.gist, content)\n else:\n self.github.create(content, public=self.public)\n",
"role": "user"
},
{
"content": "put",
"role": "assistant"
}
] |
def x(function):
def x(self, *args, **kwargs):
if not self.is_authenticated:
self.oops('To use putgist you have to set your GETGIST_TOKEN')
self.oops('(see `putgist --help` for details)')
return False
return function(self, *args, **kwargs)
return check_for_oauth
|
oauth_only
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(function):\n\n def x(self, *args, **kwargs):\n if not self.is_authenticated:\n self.oops('To use putgist you have to set your GETGIST_TOKEN')\n self.oops('(see `putgist --help` for details)')\n return False\n return function(self, *args, **kwargs)\n return check_for_oauth\n",
"role": "user"
},
{
"content": "oauth_only",
"role": "assistant"
}
] |
def x(self):
oauth_token = self._get_token()
if not oauth_token:
return
self.headers['Authorization'] = 'token ' + oauth_token
url = self._api_url('user')
raw_resp = self.requests.get(url)
resp = raw_resp.json()
if resp.get('login', None) != self.user:
self.oops('Invalid token for user ' + self.user)
self.headers.pop('Authorization')
return
self.is_authenticated = True
self.yeah('User {} authenticated'.format(self.user))
|
add_oauth_header
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n oauth_token = self._get_token()\n if not oauth_token:\n return\n self.headers['Authorization'] = 'token ' + oauth_token\n url = self._api_url('user')\n raw_resp = self.requests.get(url)\n resp = raw_resp.json()\n if resp.get('login', None) != self.user:\n self.oops('Invalid token for user ' + self.user)\n self.headers.pop('Authorization')\n return\n self.is_authenticated = True\n self.yeah('User {} authenticated'.format(self.user))\n",
"role": "user"
},
{
"content": "add_oauth_header",
"role": "assistant"
}
] |
def x(self):
if self.is_authenticated:
url = self._api_url('gists')
else:
url = self._api_url('users', self.user, 'gists')
self.output('Fetching ' + url)
raw_resp = self.requests.get(url)
if raw_resp.status_code != 200:
self.oops('User `{}` not found'.format(self.user))
return
resp = raw_resp.json()
if not resp:
self.oops('No gists found for user `{}`'.format(self.user))
return
for gist in raw_resp.json():
yield self._parse_gist(gist)
|
get_gists
|
[
{
"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.is_authenticated:\n url = self._api_url('gists')\n else:\n url = self._api_url('users', self.user, 'gists')\n self.output('Fetching ' + url)\n raw_resp = self.requests.get(url)\n if raw_resp.status_code != 200:\n self.oops('User `{}` not found'.format(self.user))\n return\n resp = raw_resp.json()\n if not resp:\n self.oops('No gists found for user `{}`'.format(self.user))\n return\n for gist in raw_resp.json():\n yield self._parse_gist(gist)\n",
"role": "user"
},
{
"content": "get_gists",
"role": "assistant"
}
] |
def x(self, allow_none=False):
matches = list()
for gist in self.get_gists():
for gist_file in gist.get('files'):
if self.filename == gist_file.get('filename'):
matches.append(gist)
if not matches:
if allow_none:
return None
else:
msg = "No file named `{}` found in {}'s gists"
self.oops(msg.format(self.file_path, self.user))
if not self.is_authenticated:
self.warn('To access private gists set the GETGIST_TOKEN')
self.warn('(see `getgist --help` for details)')
return False
if len(matches) == 1 or self.assume_yes:
return matches.pop(0)
return self._ask_which_gist(matches)
|
select_gist
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, allow_none=False):\n matches = list()\n for gist in self.get_gists():\n for gist_file in gist.get('files'):\n if self.filename == gist_file.get('filename'):\n matches.append(gist)\n if not matches:\n if allow_none:\n return None\n else:\n msg = \"No file named `{}` found in {}'s gists\"\n self.oops(msg.format(self.file_path, self.user))\n if not self.is_authenticated:\n self.warn('To access private gists set the GETGIST_TOKEN')\n self.warn('(see `getgist --help` for details)')\n return False\n if len(matches) == 1 or self.assume_yes:\n return matches.pop(0)\n return self._ask_which_gist(matches)\n",
"role": "user"
},
{
"content": "select_gist",
"role": "assistant"
}
] |
def x(self, gist):
url = False
files = gist.get('files')
for gist_file in files:
if gist_file.get('filename') == self.filename:
url = gist_file.get('raw_url')
break
if url:
self.output('Reading {}'.format(url))
response = self.requests.get(url)
return response.content
|
read_gist_file
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, gist):\n url = False\n files = gist.get('files')\n for gist_file in files:\n if gist_file.get('filename') == self.filename:\n url = gist_file.get('raw_url')\n break\n if url:\n self.output('Reading {}'.format(url))\n response = self.requests.get(url)\n return response.content\n",
"role": "user"
},
{
"content": "read_gist_file",
"role": "assistant"
}
] |
def x(self, gist, content):
if content is False:
return False
url = self._api_url('gists', gist.get('id'))
data = {'files': {self.filename: {'content': content}}}
self.output('Sending contents of {} to {}'.format(self.file_path, url))
response = self.requests.patch(url, data=dumps(data))
if response.status_code != 200:
self.oops('Could not update ' + gist.get('description'))
self.oops('PATCH request returned ' + str(response.status_code))
return False
self.yeah('Done!')
self.hey('The URL to this Gist is: {}'.format(gist['url']))
return True
|
update
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, gist, content):\n if content is False:\n return False\n url = self._api_url('gists', gist.get('id'))\n data = {'files': {self.filename: {'content': content}}}\n self.output('Sending contents of {} to {}'.format(self.file_path, url))\n response = self.requests.patch(url, data=dumps(data))\n if response.status_code != 200:\n self.oops('Could not update ' + gist.get('description'))\n self.oops('PATCH request returned ' + str(response.status_code))\n return False\n self.yeah('Done!')\n self.hey('The URL to this Gist is: {}'.format(gist['url']))\n return True\n",
"role": "user"
},
{
"content": "update",
"role": "assistant"
}
] |
def x(self, content, **kwargs):
if content is False:
return False
public = bool(kwargs.get('public', True))
data = {'description': self.filename, 'public': public, 'files': {self.
filename: {'content': content}}}
url = self._api_url('gists')
self.output('Sending contents of {} to {}'.format(self.file_path, url))
response = self.requests.post(url, data=dumps(data))
if response.status_code != 201:
self.oops('Could not create ' + self.filename)
self.oops('POST request returned ' + str(response.status_code))
return False
gist = self._parse_gist(response.json())
self.yeah('Done!')
self.hey('The URL to this Gist is: {}'.format(gist['url']))
return True
|
create
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, content, **kwargs):\n if content is False:\n return False\n public = bool(kwargs.get('public', True))\n data = {'description': self.filename, 'public': public, 'files': {self.\n filename: {'content': content}}}\n url = self._api_url('gists')\n self.output('Sending contents of {} to {}'.format(self.file_path, url))\n response = self.requests.post(url, data=dumps(data))\n if response.status_code != 201:\n self.oops('Could not create ' + self.filename)\n self.oops('POST request returned ' + str(response.status_code))\n return False\n gist = self._parse_gist(response.json())\n self.yeah('Done!')\n self.hey('The URL to this Gist is: {}'.format(gist['url']))\n return True\n",
"role": "user"
},
{
"content": "create",
"role": "assistant"
}
] |
def x(self, matches):
self.hey('Use {} from which gist?'.format(self.filename))
for count, gist in enumerate(matches, 1):
self.hey('[{}] {}'.format(count, gist.get('description')))
selected = False
while not selected:
gist_index = prompt('Type the number: ', type=int) - 1
try:
selected = matches[gist_index]
except IndexError:
self.oops('Invalid number, please try again.')
self.output('Using `{}` Gist'.format(selected['description']))
return selected
|
ask_which_gist
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, matches):\n self.hey('Use {} from which gist?'.format(self.filename))\n for count, gist in enumerate(matches, 1):\n self.hey('[{}] {}'.format(count, gist.get('description')))\n selected = False\n while not selected:\n gist_index = prompt('Type the number: ', type=int) - 1\n try:\n selected = matches[gist_index]\n except IndexError:\n self.oops('Invalid number, please try again.')\n self.output('Using `{}` Gist'.format(selected['description']))\n return selected\n",
"role": "user"
},
{
"content": "ask_which_gist",
"role": "assistant"
}
] |
def x(gist):
files = list()
file_names = sorted(filename for filename in gist['files'].keys())
for name in file_names:
files.append(dict(filename=name, raw_url=gist['files'][name].get(
'raw_url')))
description = gist['description']
if not description:
names = sorted(f.get('filename') for f in files)
description = names.pop(0)
return dict(description=description, id=gist.get('id'), files=files,
url=gist.get('html_url'))
|
parse_gist
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(gist):\n files = list()\n file_names = sorted(filename for filename in gist['files'].keys())\n for name in file_names:\n files.append(dict(filename=name, raw_url=gist['files'][name].get(\n 'raw_url')))\n description = gist['description']\n if not description:\n names = sorted(f.get('filename') for f in files)\n description = names.pop(0)\n return dict(description=description, id=gist.get('id'), files=files,\n url=gist.get('html_url'))\n",
"role": "user"
},
{
"content": "parse_gist",
"role": "assistant"
}
] |
def x(self, message):
indent = self.indent_char * self.indent_size
return indent + message
|
indent
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, message):\n indent = self.indent_char * self.indent_size\n return indent + message\n",
"role": "user"
},
{
"content": "indent",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.