source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(participantsIdentities, minimum_tier=Tier.bronze, queue=Queue. RANKED_SOLO_5x5): leagues = leagues_by_summoner_ids([p.player.summonerId for p in participantsIdentities], queue) match_tier = max(leagues.keys(), key=operator.attrgetter('value')) return match_tier, {league: ids for league, ids in leagues.items() if league.is_better_or_equal(minimum_tier)}
get_tier_from_participants
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(participantsIdentities, minimum_tier=Tier.bronze, queue=Queue.\n RANKED_SOLO_5x5):\n leagues = leagues_by_summoner_ids([p.player.summonerId for p in\n participantsIdentities], queue)\n match_tier = max(leagues.keys(), key=operator.attrgetter('value'))\n return match_tier, {league: ids for league, ids in leagues.items() if\n league.is_better_or_equal(minimum_tier)}\n", "role": "user" }, { "content": "get_tier_from_participants", "role": "assistant" } ]
def x(summoners): ids = {} for start, end in _slice(0, len(summoners), 40): result = get_summoners_by_name(summoners[start:end]) for name, summoner in result.items(): ids[name] = summoner.id return ids
summoner_names_to_id
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(summoners):\n ids = {}\n for start, end in _slice(0, len(summoners), 40):\n result = get_summoners_by_name(summoners[start:end])\n for name, summoner in result.items():\n ids[name] = summoner.id\n return ids\n", "role": "user" }, { "content": "summoner_names_to_id", "role": "assistant" } ]
def x(self): if self.board_data: board_dict = json.loads(self.board_data) board_dict['id'] = self.id del board_dict['__version__'] else: board_dict = {'id': self.id, 'title': '', 'panels': []} return board_dict """ pycode = self.pycodes.first() or PyCode() return {'id': self.id, 'pycode': pycode.json()} """
json
[ { "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.board_data:\n board_dict = json.loads(self.board_data)\n board_dict['id'] = self.id\n del board_dict['__version__']\n else:\n board_dict = {'id': self.id, 'title': '', 'panels': []}\n return board_dict\n \"\"\" pycode = self.pycodes.first() or PyCode()\n return {'id': self.id,\n 'pycode': pycode.json()}\n \"\"\"\n", "role": "user" }, { "content": "json", "role": "assistant" } ]
def x(dataset=None, include_metadata=False, mnemonics=None, **dim_values): if not dataset and not mnemonics: raise ValueError('Dataset id is not specified') if mnemonics and dim_values: raise ValueError( 'The function does not support specifying mnemonics and selection in a single call' ) config = ApiConfig() client = ApiClient(config.host, config.app_id, config.app_secret) client.check_correct_host() ds = client.get_dataset(dataset) if dataset else None reader = MnemonicsDataReader(client, mnemonics ) if mnemonics else StreamingDataReader(client, dim_values ) if ds.type == 'Regular' else PivotDataReader(client, dim_values) reader.include_metadata = include_metadata reader.dataset = ds return reader.get_pandasframe()
get
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(dataset=None, include_metadata=False, mnemonics=None, **dim_values):\n if not dataset and not mnemonics:\n raise ValueError('Dataset id is not specified')\n if mnemonics and dim_values:\n raise ValueError(\n 'The function does not support specifying mnemonics and selection in a single call'\n )\n config = ApiConfig()\n client = ApiClient(config.host, config.app_id, config.app_secret)\n client.check_correct_host()\n ds = client.get_dataset(dataset) if dataset else None\n reader = MnemonicsDataReader(client, mnemonics\n ) if mnemonics else StreamingDataReader(client, dim_values\n ) if ds.type == 'Regular' else PivotDataReader(client, dim_values)\n reader.include_metadata = include_metadata\n reader.dataset = ds\n return reader.get_pandasframe()\n", "role": "user" }, { "content": "get", "role": "assistant" } ]
def x(file_path, dataset=None, public=False): config = ApiConfig() client = ApiClient(config.host, config.app_id, config.app_secret) return client.upload(file_path, dataset, public)
upload
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(file_path, dataset=None, public=False):\n config = ApiConfig()\n client = ApiClient(config.host, config.app_id, config.app_secret)\n return client.upload(file_path, dataset, public)\n", "role": "user" }, { "content": "upload", "role": "assistant" } ]
def x(dataset): config = ApiConfig() client = ApiClient(config.host, config.app_id, config.app_secret) client.check_correct_host() client.delete(dataset) return 'Dataset {} has been deleted successfully'.format(dataset)
delete
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(dataset):\n config = ApiConfig()\n client = ApiClient(config.host, config.app_id, config.app_secret)\n client.check_correct_host()\n client.delete(dataset)\n return 'Dataset {} has been deleted successfully'.format(dataset)\n", "role": "user" }, { "content": "delete", "role": "assistant" } ]
def x(dataset, publication_date, source, refernce_url): config = ApiConfig() client = ApiClient(config.host, config.app_id, config.app_secret) client.check_correct_host() client.verify(dataset, publication_date, source, refernce_url)
verify
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(dataset, publication_date, source, refernce_url):\n config = ApiConfig()\n client = ApiClient(config.host, config.app_id, config.app_secret)\n client.check_correct_host()\n client.verify(dataset, publication_date, source, refernce_url)\n", "role": "user" }, { "content": "verify", "role": "assistant" } ]
def x(self, ns, raw): docid = self.__get_id(raw) op = raw['op'] if op == 'i': self.insert(ns=ns, docid=docid, raw=raw) elif op == 'u': self.update(ns=ns, docid=docid, raw=raw) elif op == 'd': self.delete(ns=ns, docid=docid, raw=raw) elif op == 'c': self.command(ns=ns, raw=raw) elif op == 'db': self.db_declare(ns=ns, raw=raw) elif op == 'n': self.noop() else: logging.error('Unknown op: %r' % op) self.ts = raw['ts']
process_op
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, ns, raw):\n docid = self.__get_id(raw)\n op = raw['op']\n if op == 'i':\n self.insert(ns=ns, docid=docid, raw=raw)\n elif op == 'u':\n self.update(ns=ns, docid=docid, raw=raw)\n elif op == 'd':\n self.delete(ns=ns, docid=docid, raw=raw)\n elif op == 'c':\n self.command(ns=ns, raw=raw)\n elif op == 'db':\n self.db_declare(ns=ns, raw=raw)\n elif op == 'n':\n self.noop()\n else:\n logging.error('Unknown op: %r' % op)\n self.ts = raw['ts']\n", "role": "user" }, { "content": "process_op", "role": "assistant" } ]
def x(items, bin_count): bins = [_Bin() for _ in range(bin_count)] for item, weight in sorted(items, key=lambda x: x[1], reverse=True): bin_ = min(bins, key=lambda bin_: bin_.weights_sum) bin_.add(item, weight) return frozenbag(frozenbag(bin_.items) for bin_ in bins)
multi_way_partitioning
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(items, bin_count):\n bins = [_Bin() for _ in range(bin_count)]\n for item, weight in sorted(items, key=lambda x: x[1], reverse=True):\n bin_ = min(bins, key=lambda bin_: bin_.weights_sum)\n bin_.add(item, weight)\n return frozenbag(frozenbag(bin_.items) for bin_ in bins)\n", "role": "user" }, { "content": "multi_way_partitioning", "role": "assistant" } ]
def x(*tosets): graph = nx.DiGraph() for toset in tosets: graph.add_nodes_from(toset) graph.add_edges_from(windowed(reversed(toset))) if not nx.is_directed_acyclic_graph(graph): raise ValueError('Given tosets contradict each other') return setlist(nx.topological_sort(graph, reverse=True))
toset_from_tosets
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(*tosets):\n graph = nx.DiGraph()\n for toset in tosets:\n graph.add_nodes_from(toset)\n graph.add_edges_from(windowed(reversed(toset)))\n if not nx.is_directed_acyclic_graph(graph):\n raise ValueError('Given tosets contradict each other')\n return setlist(nx.topological_sort(graph, reverse=True))\n", "role": "user" }, { "content": "toset_from_tosets", "role": "assistant" } ]
def x(groupKeys, groupLimits, value): if not len(groupKeys) == len(groupLimits) - 1: raise ValueError( 'len(groupKeys) must equal len(grouplimits)-1 got \nkeys:{0} \nlimits:{1}' .format(groupKeys, groupLimits)) if math.isnan(value): return 'Uncertain' keyIndex = None if value == groupLimits[0]: keyIndex = 1 elif value == groupLimits[-1]: keyIndex = len(groupLimits) - 1 else: for i, limit in enumerate(groupLimits): if value < limit: keyIndex = i break if keyIndex == 0: raise BelowLimitsError('Value {0} below limit {1}'.format(value, groupLimits[0])) if keyIndex is None: raise AboveLimitsError('Value {0} above limit {1}'.format(value, groupLimits[-1])) return groupKeys[keyIndex - 1]
sortValueIntoGroup
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(groupKeys, groupLimits, value):\n if not len(groupKeys) == len(groupLimits) - 1:\n raise ValueError(\n 'len(groupKeys) must equal len(grouplimits)-1 got \\nkeys:{0} \\nlimits:{1}'\n .format(groupKeys, groupLimits))\n if math.isnan(value):\n return 'Uncertain'\n keyIndex = None\n if value == groupLimits[0]:\n keyIndex = 1\n elif value == groupLimits[-1]:\n keyIndex = len(groupLimits) - 1\n else:\n for i, limit in enumerate(groupLimits):\n if value < limit:\n keyIndex = i\n break\n if keyIndex == 0:\n raise BelowLimitsError('Value {0} below limit {1}'.format(value,\n groupLimits[0]))\n if keyIndex is None:\n raise AboveLimitsError('Value {0} above limit {1}'.format(value,\n groupLimits[-1]))\n return groupKeys[keyIndex - 1]\n", "role": "user" }, { "content": "sortValueIntoGroup", "role": "assistant" } ]
def x(self, size): if size == 'small': self._set_size_small() elif size == 'large': self._set_size_large() else: raise ValueError('Size must be large or small')
set_size
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, size):\n if size == 'small':\n self._set_size_small()\n elif size == 'large':\n self._set_size_large()\n else:\n raise ValueError('Size must be large or small')\n", "role": "user" }, { "content": "set_size", "role": "assistant" } ]
def x(self, color): ax = self.ax for tl in (ax.get_xticklines() + ax.get_yticklines()): tl.set_color(color) for spine in ax.spines: ax.spines[spine].set_edgecolor(color) for tick in ax.xaxis.get_major_ticks(): tick.label1.set_color(color) for tick in ax.yaxis.get_major_ticks(): tick.label1.set_color(color) ax.axes.xaxis.label.set_color(color) ax.axes.yaxis.label.set_color(color) ax.axes.xaxis.get_offset_text().set_color(color) ax.axes.yaxis.get_offset_text().set_color(color) ax.axes.title.set_color(color) lh = ax.get_legend() if lh != None: lh.get_title().set_color(color) lh.legendPatch.set_edgecolor('none') labels = lh.get_texts() for lab in labels: lab.set_color(color) for tl in ax.get_xticklabels(): tl.set_color(color) for tl in ax.get_yticklabels(): tl.set_color(color) plt.draw()
set_foregroundcolor
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, color):\n ax = self.ax\n for tl in (ax.get_xticklines() + ax.get_yticklines()):\n tl.set_color(color)\n for spine in ax.spines:\n ax.spines[spine].set_edgecolor(color)\n for tick in ax.xaxis.get_major_ticks():\n tick.label1.set_color(color)\n for tick in ax.yaxis.get_major_ticks():\n tick.label1.set_color(color)\n ax.axes.xaxis.label.set_color(color)\n ax.axes.yaxis.label.set_color(color)\n ax.axes.xaxis.get_offset_text().set_color(color)\n ax.axes.yaxis.get_offset_text().set_color(color)\n ax.axes.title.set_color(color)\n lh = ax.get_legend()\n if lh != None:\n lh.get_title().set_color(color)\n lh.legendPatch.set_edgecolor('none')\n labels = lh.get_texts()\n for lab in labels:\n lab.set_color(color)\n for tl in ax.get_xticklabels():\n tl.set_color(color)\n for tl in ax.get_yticklabels():\n tl.set_color(color)\n plt.draw()\n", "role": "user" }, { "content": "set_foregroundcolor", "role": "assistant" } ]
def x(self, color): ax = self.ax ax.patch.set_facecolor(color) lh = ax.get_legend() if lh != None: lh.legendPatch.set_facecolor(color) plt.draw()
set_backgroundcolor
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, color):\n ax = self.ax\n ax.patch.set_facecolor(color)\n lh = ax.get_legend()\n if lh != None:\n lh.legendPatch.set_facecolor(color)\n plt.draw()\n", "role": "user" }, { "content": "set_backgroundcolor", "role": "assistant" } ]
def x(self, param): firstObject = self.objectList[0] if isinstance(firstObject, ac.Planet): if 'star.' in param: return _starPars[param[5:]] else: return _planetPars[param] elif isinstance(firstObject, ac.Star): return _starPars[param] else: raise TypeError( 'Only Planets and Star object are currently supported, you gave {0}' .format(type(firstObject)))
getParLabelAndUnit
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, param):\n firstObject = self.objectList[0]\n if isinstance(firstObject, ac.Planet):\n if 'star.' in param:\n return _starPars[param[5:]]\n else:\n return _planetPars[param]\n elif isinstance(firstObject, ac.Star):\n return _starPars[param]\n else:\n raise TypeError(\n 'Only Planets and Star object are currently supported, you gave {0}'\n .format(type(firstObject)))\n", "role": "user" }, { "content": "getParLabelAndUnit", "role": "assistant" } ]
def x(self): resultsByClass = self._genEmptyResults() for astroObject in self.objectList: sortKey = self._getSortKey(astroObject) resultsByClass[sortKey] += 1 return resultsByClass
processResults
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n resultsByClass = self._genEmptyResults()\n for astroObject in self.objectList:\n sortKey = self._getSortKey(astroObject)\n resultsByClass[sortKey] += 1\n return resultsByClass\n", "role": "user" }, { "content": "processResults", "role": "assistant" } ]
def x(self): resultsByClass = self.resultsByClass try: if resultsByClass['Uncertain'] == 0: resultsByClass.pop('Uncertain', None) except KeyError: pass plotData = list(zip(*resultsByClass.items())) return plotData
getPlotData
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n resultsByClass = self.resultsByClass\n try:\n if resultsByClass['Uncertain'] == 0:\n resultsByClass.pop('Uncertain', None)\n except KeyError:\n pass\n plotData = list(zip(*resultsByClass.items()))\n return plotData\n", "role": "user" }, { "content": "getPlotData", "role": "assistant" } ]
def x(self): allowedKeys = self._allowedKeys keysDict = OrderedDict() for k in allowedKeys: keysDict[k] = 0 resultsByClass = keysDict return resultsByClass
genEmptyResults
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n allowedKeys = self._allowedKeys\n keysDict = OrderedDict()\n for k in allowedKeys:\n keysDict[k] = 0\n resultsByClass = keysDict\n return resultsByClass\n", "role": "user" }, { "content": "genEmptyResults", "role": "assistant" } ]
def x(self, planet): value = eval('planet.' + self._planetProperty) if self.unit is not None: try: value = value.rescale(self.unit) except AttributeError: pass return _sortValueIntoGroup(self._allowedKeys[:-1], self._binlimits, value)
getSortKey
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, planet):\n value = eval('planet.' + self._planetProperty)\n if self.unit is not None:\n try:\n value = value.rescale(self.unit)\n except AttributeError:\n pass\n return _sortValueIntoGroup(self._allowedKeys[:-1], self._binlimits, value)\n", "role": "user" }, { "content": "getSortKey", "role": "assistant" } ]
def x(self): binlimits = self._binlimits allowedKeys = [] midbinlimits = binlimits if binlimits[0] == -float('inf'): midbinlimits = binlimits[1:] allowedKeys.append('<{0}'.format(midbinlimits[0])) if binlimits[-1] == float('inf'): midbinlimits = midbinlimits[:-1] lastbin = midbinlimits[0] for binlimit in midbinlimits[1:]: if lastbin == binlimit: allowedKeys.append('{0}'.format(binlimit)) else: allowedKeys.append('{0} to {1}'.format(lastbin, binlimit)) lastbin = binlimit if binlimits[-1] == float('inf'): allowedKeys.append('{0}+'.format(binlimits[-2])) allowedKeys.append('Uncertain') self._allowedKeys = allowedKeys
genKeysBins
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n binlimits = self._binlimits\n allowedKeys = []\n midbinlimits = binlimits\n if binlimits[0] == -float('inf'):\n midbinlimits = binlimits[1:]\n allowedKeys.append('<{0}'.format(midbinlimits[0]))\n if binlimits[-1] == float('inf'):\n midbinlimits = midbinlimits[:-1]\n lastbin = midbinlimits[0]\n for binlimit in midbinlimits[1:]:\n if lastbin == binlimit:\n allowedKeys.append('{0}'.format(binlimit))\n else:\n allowedKeys.append('{0} to {1}'.format(lastbin, binlimit))\n lastbin = binlimit\n if binlimits[-1] == float('inf'):\n allowedKeys.append('{0}+'.format(binlimits[-2]))\n allowedKeys.append('Uncertain')\n self._allowedKeys = allowedKeys\n", "role": "user" }, { "content": "genKeysBins", "role": "assistant" } ]
def x(self, param, unit=None, label=None): if unit is None: unit = self._getParLabelAndUnit(param)[1] self._xaxis_unit = unit self._xaxis = self._set_axis(param, unit) if label is None: self.xlabel = self._gen_label(param, unit) else: self.xlabel = label
set_xaxis
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, param, unit=None, label=None):\n if unit is None:\n unit = self._getParLabelAndUnit(param)[1]\n self._xaxis_unit = unit\n self._xaxis = self._set_axis(param, unit)\n if label is None:\n self.xlabel = self._gen_label(param, unit)\n else:\n self.xlabel = label\n", "role": "user" }, { "content": "set_xaxis", "role": "assistant" } ]
def x(self, param, unit=None, label=None): if unit is None: unit = self._getParLabelAndUnit(param)[1] self._yaxis_unit = unit self._yaxis = self._set_axis(param, unit) if label is None: self.ylabel = self._gen_label(param, unit) else: self.ylabel = label
set_yaxis
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, param, unit=None, label=None):\n if unit is None:\n unit = self._getParLabelAndUnit(param)[1]\n self._yaxis_unit = unit\n self._yaxis = self._set_axis(param, unit)\n if label is None:\n self.ylabel = self._gen_label(param, unit)\n else:\n self.ylabel = label\n", "role": "user" }, { "content": "set_yaxis", "role": "assistant" } ]
def x(self, param, unit): axisValues = [] for astroObject in self.objectList: try: value = eval('astroObject.{0}'.format(param)) except ac.HierarchyError: value = np.nan if unit is None: axisValues.append(value) else: try: axisValues.append(value.rescale(unit)) except AttributeError: axisValues.append(value) return axisValues
set_axis
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, param, unit):\n axisValues = []\n for astroObject in self.objectList:\n try:\n value = eval('astroObject.{0}'.format(param))\n except ac.HierarchyError:\n value = np.nan\n if unit is None:\n axisValues.append(value)\n else:\n try:\n axisValues.append(value.rescale(unit))\n except AttributeError:\n axisValues.append(value)\n return axisValues\n", "role": "user" }, { "content": "set_axis", "role": "assistant" } ]
def x(self, color='#3ea0e4', edgecolor='k'): self._marker_color = color self._edge_color = edgecolor
set_marker_color
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, color='#3ea0e4', edgecolor='k'):\n self._marker_color = color\n self._edge_color = edgecolor\n", "role": "user" }, { "content": "set_marker_color", "role": "assistant" } ]
def x(self): discovery_methods = {} discovery_years = {} nan_list = [] for planet in self.planet_list: if 'Solar System' in planet.params['list' ] and self.skip_solar_system_planets: continue try: discovery_methods[planet.discoveryMethod] += 1 except KeyError: discovery_methods[planet.discoveryMethod] = 1 try: discovery_years[planet.discoveryYear] += 1 except KeyError: discovery_years[planet.discoveryYear] = 1 if planet.discoveryMethod is np.nan: nan_list.append(planet) self.nan_list = nan_list return discovery_years
setup_keys
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n discovery_methods = {}\n discovery_years = {}\n nan_list = []\n for planet in self.planet_list:\n if 'Solar System' in planet.params['list'\n ] and self.skip_solar_system_planets:\n continue\n try:\n discovery_methods[planet.discoveryMethod] += 1\n except KeyError:\n discovery_methods[planet.discoveryMethod] = 1\n try:\n discovery_years[planet.discoveryYear] += 1\n except KeyError:\n discovery_years[planet.discoveryYear] = 1\n if planet.discoveryMethod is np.nan:\n nan_list.append(planet)\n self.nan_list = nan_list\n return discovery_years\n", "role": "user" }, { "content": "setup_keys", "role": "assistant" } ]
def x(self, method_labels=None, exodata_credit=True): if method_labels is None: method_labels = self.methods_to_plot plot_matrix, year_list, discovery_years = self.generate_data() fig = plt.figure() ax = fig.add_subplot(1, 1, 1) ind = np.arange(len(year_list)) colors = [(0.8941176533699036, 0.10196078568696976, 0.10980392247438431 ), (0.2160246080043269, 0.49487120380588606, 0.7198769869757634), ( 0.30426760128900115, 0.6832910605505401, 0.29293349969620797), ( 0.6008304736193488, 0.30814303335021526, 0.6316955229815315), (1.0, 0.5059131104572147, 0.0031372549487095253), (0.9931564786854912, 0.9870049982678657, 0.19915417450315812), (0.6584544609574711, 0.34122261685483596, 0.1707958535236471), (0.9585082685246187, 0.5084660039228551, 0.7449288887136123)] width = 0.9 bottom = np.zeros_like(year_list) for i, method in enumerate(self.methods_to_plot): bar_data = [plot_matrix[year][method] for year in year_list] plt.bar(ind, bar_data, width, color=colors[i], bottom=bottom, label =method_labels[i], linewidth=0) bottom += np.array(bar_data) plt.ylabel('Number of planets', fontsize=14) plt.xlabel('Year', fontsize=14) plt.xticks(ind + width / 2.0, year_list, rotation=70, fontsize=13) plt.xlim(0, ind[-1] + 1) plt.legend(loc=2, fontsize=13) if exodata_credit is True: ax.text(2, 420, 'Generated by ExoData on {}'.format(time.strftime( '%d/%m/%Y')), fontsize=11) for i, year in enumerate(year_list): try: total_planets = discovery_years[year] except KeyError: continue y_pos = bottom[i] + 10 x_pos = i ax.text(x_pos, y_pos, '{}'.format(total_planets), fontsize=9) plt.grid(b=True, which='both', color='0.9', linestyle='-') return fig
plot
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, method_labels=None, exodata_credit=True):\n if method_labels is None:\n method_labels = self.methods_to_plot\n plot_matrix, year_list, discovery_years = self.generate_data()\n fig = plt.figure()\n ax = fig.add_subplot(1, 1, 1)\n ind = np.arange(len(year_list))\n colors = [(0.8941176533699036, 0.10196078568696976, 0.10980392247438431\n ), (0.2160246080043269, 0.49487120380588606, 0.7198769869757634), (\n 0.30426760128900115, 0.6832910605505401, 0.29293349969620797), (\n 0.6008304736193488, 0.30814303335021526, 0.6316955229815315), (1.0,\n 0.5059131104572147, 0.0031372549487095253), (0.9931564786854912, \n 0.9870049982678657, 0.19915417450315812), (0.6584544609574711, \n 0.34122261685483596, 0.1707958535236471), (0.9585082685246187, \n 0.5084660039228551, 0.7449288887136123)]\n width = 0.9\n bottom = np.zeros_like(year_list)\n for i, method in enumerate(self.methods_to_plot):\n bar_data = [plot_matrix[year][method] for year in year_list]\n plt.bar(ind, bar_data, width, color=colors[i], bottom=bottom, label\n =method_labels[i], linewidth=0)\n bottom += np.array(bar_data)\n plt.ylabel('Number of planets', fontsize=14)\n plt.xlabel('Year', fontsize=14)\n plt.xticks(ind + width / 2.0, year_list, rotation=70, fontsize=13)\n plt.xlim(0, ind[-1] + 1)\n plt.legend(loc=2, fontsize=13)\n if exodata_credit is True:\n ax.text(2, 420, 'Generated by ExoData on {}'.format(time.strftime(\n '%d/%m/%Y')), fontsize=11)\n for i, year in enumerate(year_list):\n try:\n total_planets = discovery_years[year]\n except KeyError:\n continue\n y_pos = bottom[i] + 10\n x_pos = i\n ax.text(x_pos, y_pos, '{}'.format(total_planets), fontsize=9)\n plt.grid(b=True, which='both', color='0.9', linestyle='-')\n return fig\n", "role": "user" }, { "content": "plot", "role": "assistant" } ]
def x(cm, classes, normalize=False, title='Confusion matrix', cmap=plt.cm.Blues ): if normalize: cm = cm.astype('float') / cm.sum(axis=1)[:, np.newaxis] print('Normalized confusion matrix') else: print('Confusion matrix, without normalization') print(cm) plt.imshow(cm, interpolation='nearest', cmap=cmap) plt.title(title) plt.colorbar() tick_marks = np.arange(len(classes)) plt.xticks(tick_marks, classes, rotation=45) plt.yticks(tick_marks, classes) fmt = '.2f' if normalize else 'd' thresh = cm.max() / 2.0 for i, j in itertools.product(range(cm.shape[0]), range(cm.shape[1])): plt.text(j, i, format(cm[i, j], fmt), horizontalalignment='center', color='white' if cm[i, j] > thresh else 'black') plt.tight_layout() plt.ylabel('True label') plt.xlabel('Predicted label')
plot_confusion_matrix
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cm, classes, normalize=False, title='Confusion matrix', cmap=plt.cm.Blues\n ):\n if normalize:\n cm = cm.astype('float') / cm.sum(axis=1)[:, np.newaxis]\n print('Normalized confusion matrix')\n else:\n print('Confusion matrix, without normalization')\n print(cm)\n plt.imshow(cm, interpolation='nearest', cmap=cmap)\n plt.title(title)\n plt.colorbar()\n tick_marks = np.arange(len(classes))\n plt.xticks(tick_marks, classes, rotation=45)\n plt.yticks(tick_marks, classes)\n fmt = '.2f' if normalize else 'd'\n thresh = cm.max() / 2.0\n for i, j in itertools.product(range(cm.shape[0]), range(cm.shape[1])):\n plt.text(j, i, format(cm[i, j], fmt), horizontalalignment='center',\n color='white' if cm[i, j] > thresh else 'black')\n plt.tight_layout()\n plt.ylabel('True label')\n plt.xlabel('Predicted label')\n", "role": "user" }, { "content": "plot_confusion_matrix", "role": "assistant" } ]
def x(s): return all(map(lambda x: isinstance(x, (int, float, long)), s.values()))
is_zsettable
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(s):\n return all(map(lambda x: isinstance(x, (int, float, long)), s.values()))\n", "role": "user" }, { "content": "is_zsettable", "role": "assistant" } ]
def x(self, start, stop): return self.client.ltrim(self.name, start, stop - 1)
trim
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, start, stop):\n return self.client.ltrim(self.name, start, stop - 1)\n", "role": "user" }, { "content": "trim", "role": "assistant" } ]
def x(self, value, count=1): count = self.client.lrem(self.name, value, num=count) if not count: raise ValueError('%s not in list' % value) return count
remove
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, value, count=1):\n count = self.client.lrem(self.name, value, num=count)\n if not count:\n raise ValueError('%s not in list' % value)\n return count\n", "role": "user" }, { "content": "remove", "role": "assistant" } ]
def x(self, member): if not self.client.srem(self.name, member): raise KeyError(member)
remove
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, member):\n if not self.client.srem(self.name, member):\n raise KeyError(member)\n", "role": "user" }, { "content": "remove", "role": "assistant" } ]
def x(self): member = self.client.spop(self.name) if member is not None: return member raise KeyError()
pop
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n member = self.client.spop(self.name)\n if member is not None:\n return member\n raise KeyError()\n", "role": "user" }, { "content": "pop", "role": "assistant" } ]
def x(self, other): if isinstance(other, self.__class__): return self.client.sunion([self.name, other.name]) else: return self._as_set().union(other)
union
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, other):\n if isinstance(other, self.__class__):\n return self.client.sunion([self.name, other.name])\n else:\n return self._as_set().union(other)\n", "role": "user" }, { "content": "union", "role": "assistant" } ]
def x(self, other): if isinstance(other, self.__class__): return self.client.sunionstore(self.name, [self.name, other.name]) else: return map(self.add, other)
update
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, other):\n if isinstance(other, self.__class__):\n return self.client.sunionstore(self.name, [self.name, other.name])\n else:\n return map(self.add, other)\n", "role": "user" }, { "content": "update", "role": "assistant" } ]
def x(self, other): if isinstance(other, self.__class__): return self.client.sinter([self.name, other.name]) else: return self._as_set().intersection(other)
intersection
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, other):\n if isinstance(other, self.__class__):\n return self.client.sinter([self.name, other.name])\n else:\n return self._as_set().intersection(other)\n", "role": "user" }, { "content": "intersection", "role": "assistant" } ]
def x(self, other): return self.client.sinterstore(self.name, [self.name, other.name])
intersection_update
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, other):\n return self.client.sinterstore(self.name, [self.name, other.name])\n", "role": "user" }, { "content": "intersection_update", "role": "assistant" } ]
def x(self, *others): if all([isinstance(a, self.__class__) for a in others]): return self.client.sdiff([self.name] + [other.name for other in others] ) else: othersets = filter(lambda x: isinstance(x, set), others) otherTypes = filter(lambda x: isinstance(x, self.__class__), others) return self.client.sdiff([self.name] + [other.name for other in otherTypes]).difference(*othersets)
difference
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *others):\n if all([isinstance(a, self.__class__) for a in others]):\n return self.client.sdiff([self.name] + [other.name for other in others]\n )\n else:\n othersets = filter(lambda x: isinstance(x, set), others)\n otherTypes = filter(lambda x: isinstance(x, self.__class__), others)\n return self.client.sdiff([self.name] + [other.name for other in\n otherTypes]).difference(*othersets)\n", "role": "user" }, { "content": "difference", "role": "assistant" } ]
def x(self, other): return self.client.sdiffstore(self.name, [self.name, other.name])
difference_update
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, other):\n return self.client.sdiffstore(self.name, [self.name, other.name])\n", "role": "user" }, { "content": "difference_update", "role": "assistant" } ]
def x(self, member, score): return self.client.zadd(self.name, member, score)
add
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, member, score):\n return self.client.zadd(self.name, member, score)\n", "role": "user" }, { "content": "add", "role": "assistant" } ]
def x(self, member): if not self.client.zrem(self.name, member): raise KeyError(member)
remove
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, member):\n if not self.client.zrem(self.name, member):\n raise KeyError(member)\n", "role": "user" }, { "content": "remove", "role": "assistant" } ]
def x(self, member, amount=1): return self.client.zincrby(self.name, member, amount)
increment
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, member, amount=1):\n return self.client.zincrby(self.name, member, amount)\n", "role": "user" }, { "content": "increment", "role": "assistant" } ]
def x(self, min, max, num=None, withscores=False): return self.client.zrangebyscore(self.name, min, max, num=num, withscores=withscores)
range_by_score
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, min, max, num=None, withscores=False):\n return self.client.zrangebyscore(self.name, min, max, num=num,\n withscores=withscores)\n", "role": "user" }, { "content": "range_by_score", "role": "assistant" } ]
def x(self, key, *args, **kwargs): try: val = self[key] except KeyError: if len(args): return args[0] if 'default' in kwargs: return kwargs['default'] raise try: del self[key] except KeyError: pass return val
pop
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, key, *args, **kwargs):\n try:\n val = self[key]\n except KeyError:\n if len(args):\n return args[0]\n if 'default' in kwargs:\n return kwargs['default']\n raise\n try:\n del self[key]\n except KeyError:\n pass\n return val\n", "role": "user" }, { "content": "pop", "role": "assistant" } ]
def x(self): return self.maxsize and len(self.list) >= self.maxsize or False
full
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n return self.maxsize and len(self.list) >= self.maxsize or False\n", "role": "user" }, { "content": "full", "role": "assistant" } ]
def x(self, block=True, timeout=None): if not block: return self.get_nowait() item = self._bpop([self.name], timeout=timeout) if item is not None: return item raise Empty
get
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, block=True, timeout=None):\n if not block:\n return self.get_nowait()\n item = self._bpop([self.name], timeout=timeout)\n if item is not None:\n return item\n raise Empty\n", "role": "user" }, { "content": "get", "role": "assistant" } ]
def x(self, item, **kwargs): if self.full(): raise Full() self._append(item)
put
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, item, **kwargs):\n if self.full():\n raise Full()\n self._append(item)\n", "role": "user" }, { "content": "put", "role": "assistant" } ]
def x(self, member, amount=1): self._dict[member] += amount return self._dict[member]
increment
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, member, amount=1):\n self._dict[member] += amount\n return self._dict[member]\n", "role": "user" }, { "content": "increment", "role": "assistant" } ]
def x(self, min, max): data = self.items() keys = [r[1] for r in data] start = bisect.bisect_left(keys, min) end = bisect.bisect_right(keys, max, start) return self._as_set()[start:end]
range_by_score
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, min, max):\n data = self.items()\n keys = [r[1] for r in data]\n start = bisect.bisect_left(keys, min)\n end = bisect.bisect_right(keys, max, start)\n return self._as_set()[start:end]\n", "role": "user" }, { "content": "range_by_score", "role": "assistant" } ]
def x(self): if not self.connected: self.socket = socket.socket(socket.AF_INET, socket.SOCK_STREAM) self.socket.connect(self.address) self.connected = True
connect
[ { "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.connected:\n self.socket = socket.socket(socket.AF_INET, socket.SOCK_STREAM)\n self.socket.connect(self.address)\n self.connected = True\n", "role": "user" }, { "content": "connect", "role": "assistant" } ]
def x(self, data): self._send_data(int_to_hex(len(data))) self._send_data(data)
send
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, data):\n self._send_data(int_to_hex(len(data)))\n self._send_data(data)\n", "role": "user" }, { "content": "send", "role": "assistant" } ]
def x(self, data): total_sent = 0 while total_sent < len(data): sent = self.socket.send(data[total_sent:].encode('ascii')) if sent == 0: self.close() raise RuntimeError('Socket connection dropped, send failed') total_sent += sent
send_data
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, data):\n total_sent = 0\n while total_sent < len(data):\n sent = self.socket.send(data[total_sent:].encode('ascii'))\n if sent == 0:\n self.close()\n raise RuntimeError('Socket connection dropped, send failed')\n total_sent += sent\n", "role": "user" }, { "content": "send_data", "role": "assistant" } ]
def x(self, timeout=None): if self.receive_fixed_length(4) != 'OKAY': raise SocketError( 'Socket communication failed: the server did not return a valid response' ) start_time = time.clock() output = '' while True: if timeout is not None: self.socket.settimeout(timeout - (time.clock() - start_time)) chunk = '' try: chunk = self.socket.recv(4096).decode('ascii') except socket.timeout: return output if not chunk: return output output += chunk
receive_until_end
[ { "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 self.receive_fixed_length(4) != 'OKAY':\n raise SocketError(\n 'Socket communication failed: the server did not return a valid response'\n )\n start_time = time.clock()\n output = ''\n while True:\n if timeout is not None:\n self.socket.settimeout(timeout - (time.clock() - start_time))\n chunk = ''\n try:\n chunk = self.socket.recv(4096).decode('ascii')\n except socket.timeout:\n return output\n if not chunk:\n return output\n output += chunk\n", "role": "user" }, { "content": "receive_until_end", "role": "assistant" } ]
def x(f, self, *args, **kwargs): for name, data in PARAMETERS.iteritems(): kwargs[name] = kwargs.get(name) or getattr(self, name) if 'transform' in data: kwargs[name] = data['transform'](kwargs[name]) return f(self, *args, **kwargs)
defaults
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(f, self, *args, **kwargs):\n for name, data in PARAMETERS.iteritems():\n kwargs[name] = kwargs.get(name) or getattr(self, name)\n if 'transform' in data:\n kwargs[name] = data['transform'](kwargs[name])\n return f(self, *args, **kwargs)\n", "role": "user" }, { "content": "defaults", "role": "assistant" } ]
def x(*params): def x(f, self, *args, **kwargs): missing = filter(lambda x: kwargs.get(x) is None, params) if missing: msgs = ', '.join([PARAMETERS[x]['msg'] for x in missing]) raise ValueError('Missing the following parameters: %s' % msgs) return f(self, *args, **kwargs) return decorator(requires)
requires
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(*params):\n\n def x(f, self, *args, **kwargs):\n missing = filter(lambda x: kwargs.get(x) is None, params)\n if missing:\n msgs = ', '.join([PARAMETERS[x]['msg'] for x in missing])\n raise ValueError('Missing the following parameters: %s' % msgs)\n return f(self, *args, **kwargs)\n return decorator(requires)\n", "role": "user" }, { "content": "requires", "role": "assistant" } ]
def x(self, name): if not hasattr(self, '_security_groups'): self._security_groups = {} for group in self.get_all_security_groups(): self._security_groups[group.name] = group.id return self._security_groups[name]
get_security_group_id
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name):\n if not hasattr(self, '_security_groups'):\n self._security_groups = {}\n for group in self.get_all_security_groups():\n self._security_groups[group.name] = group.id\n return self._security_groups[name]\n", "role": "user" }, { "content": "get_security_group_id", "role": "assistant" } ]
def x(self, instance): if instance.subnet_id: subnet = self.config['subnets'][instance.subnet_id[7:]] else: subnet = BLANK return subnet
get_instance_subnet_name
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, instance):\n if instance.subnet_id:\n subnet = self.config['subnets'][instance.subnet_id[7:]]\n else:\n subnet = BLANK\n return subnet\n", "role": "user" }, { "content": "get_instance_subnet_name", "role": "assistant" } ]
def x(self, name): for subnet_id, subnet_name in self.config['subnets'].iteritems(): if subnet_name == name: return subnet_id return name
get_subnet_id
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name):\n for subnet_id, subnet_name in self.config['subnets'].iteritems():\n if subnet_name == name:\n return subnet_id\n return name\n", "role": "user" }, { "content": "get_subnet_id", "role": "assistant" } ]
def x(self, hostname, **kwargs): creating = "Creating '%s' (a %s instance of %s)" % (hostname, kwargs[ 'size'], kwargs['ami']) with self.msg(creating): instance = self._create(hostname, kwargs) with self.msg("Tagging as '%s'" % hostname): try: instance.rename(hostname) except _ResponseError: time.sleep(1) instance.rename(hostname) with self.msg('Waiting for boot: '): tick = 5 while instance.state != 'running': self.log('.', end='') time.sleep(tick) instance.update() return instance
create
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, hostname, **kwargs):\n creating = \"Creating '%s' (a %s instance of %s)\" % (hostname, kwargs[\n 'size'], kwargs['ami'])\n with self.msg(creating):\n instance = self._create(hostname, kwargs)\n with self.msg(\"Tagging as '%s'\" % hostname):\n try:\n instance.rename(hostname)\n except _ResponseError:\n time.sleep(1)\n instance.rename(hostname)\n with self.msg('Waiting for boot: '):\n tick = 5\n while instance.state != 'running':\n self.log('.', end='')\n time.sleep(tick)\n instance.update()\n return instance\n", "role": "user" }, { "content": "create", "role": "assistant" } ]
def x(self, arg): try: reservations = self.get_all_instances(filters={'tag:Name': [arg]}) instance = reservations[0].instances[0] except IndexError: try: instance = self.get_all_instances([arg])[0].instances[0] except (_ResponseError, IndexError): err = "Can't find any instance with name or ID '%s'" % arg raise ValueError(err) return instance
get
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, arg):\n try:\n reservations = self.get_all_instances(filters={'tag:Name': [arg]})\n instance = reservations[0].instances[0]\n except IndexError:\n try:\n instance = self.get_all_instances([arg])[0].instances[0]\n except (_ResponseError, IndexError):\n err = \"Can't find any instance with name or ID '%s'\" % arg\n raise ValueError(err)\n return instance\n", "role": "user" }, { "content": "get", "role": "assistant" } ]
def x(self, arg, device=None): instance = self.get(arg) filters = {'attachment.instance-id': instance.id} if device is not None: filters['attachment.device'] = device return self.get_all_volumes(filters=filters)
get_volumes_for_instance
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, arg, device=None):\n instance = self.get(arg)\n filters = {'attachment.instance-id': instance.id}\n if device is not None:\n filters['attachment.device'] = device\n return self.get_all_volumes(filters=filters)\n", "role": "user" }, { "content": "get_volumes_for_instance", "role": "assistant" } ]
def x(self, arg): instance = self.get(arg) with self.msg('Terminating %s (%s): ' % (instance.name, instance.id)): instance.rename('old-%s' % instance.name) instance.terminate() while instance.state != 'terminated': time.sleep(5) self.log('.', end='') instance.update()
terminate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, arg):\n instance = self.get(arg)\n with self.msg('Terminating %s (%s): ' % (instance.name, instance.id)):\n instance.rename('old-%s' % instance.name)\n instance.terminate()\n while instance.state != 'terminated':\n time.sleep(5)\n self.log('.', end='')\n instance.update()\n", "role": "user" }, { "content": "terminate", "role": "assistant" } ]
def x(self): data, stat = self.zk.get(self.path) if not len(data): return {}, stat.version if self.OLD_SEPARATOR in data: return self._get_old() return json.loads(data), stat.version
get
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n data, stat = self.zk.get(self.path)\n if not len(data):\n return {}, stat.version\n if self.OLD_SEPARATOR in data:\n return self._get_old()\n return json.loads(data), stat.version\n", "role": "user" }, { "content": "get", "role": "assistant" } ]
def x(self, data, version): self.zk.set(self.path, json.dumps(data), version)
set
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, data, version):\n self.zk.set(self.path, json.dumps(data), version)\n", "role": "user" }, { "content": "set", "role": "assistant" } ]
def x(self): def x(d): if not len(d): return {} return dict(l.split(self.OLD_SEPARATOR) for l in d.split('\n')) data, stat = self.zk.get(self.path) return _deserialize(data.decode('utf8')), stat.version
get_old
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n\n def x(d):\n if not len(d):\n return {}\n return dict(l.split(self.OLD_SEPARATOR) for l in d.split('\\n'))\n data, stat = self.zk.get(self.path)\n return _deserialize(data.decode('utf8')), stat.version\n", "role": "user" }, { "content": "get_old", "role": "assistant" } ]
def x(self, env, conf): if not isinstance(conf, collections.Mapping): raise ValueError('conf must be a collections.Mapping') self.zk.ensure_path(self.view_path) self._create(self._get_env_path(env), conf) self._update_view(env)
create_config
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, env, conf):\n if not isinstance(conf, collections.Mapping):\n raise ValueError('conf must be a collections.Mapping')\n self.zk.ensure_path(self.view_path)\n self._create(self._get_env_path(env), conf)\n self._update_view(env)\n", "role": "user" }, { "content": "create_config", "role": "assistant" } ]
def x(self, env, conf, version): if not isinstance(conf, collections.Mapping): raise ValueError('conf must be a collections.Mapping') self._set(self._get_env_path(env), conf, version) path = self._get_env_path(env) """Update env's children with new config.""" for child in zkutil.walk(self.zk, path): self._update_view(Env(child[len(self.conf_path) + 1:]))
set_config
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, env, conf, version):\n if not isinstance(conf, collections.Mapping):\n raise ValueError('conf must be a collections.Mapping')\n self._set(self._get_env_path(env), conf, version)\n path = self._get_env_path(env)\n \"\"\"Update env's children with new config.\"\"\"\n for child in zkutil.walk(self.zk, path):\n self._update_view(Env(child[len(self.conf_path) + 1:]))\n", "role": "user" }, { "content": "set_config", "role": "assistant" } ]
def x(self, hostname): version, config = self._get(self.associations.get(hostname)) return config
get_config
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, hostname):\n version, config = self._get(self.associations.get(hostname))\n return config\n", "role": "user" }, { "content": "get_config", "role": "assistant" } ]
def x(self, env): version, data = self._get(self._get_view_path(env)) return data
get_view_by_env
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, env):\n version, data = self._get(self._get_view_path(env))\n return data\n", "role": "user" }, { "content": "get_view_by_env", "role": "assistant" } ]
def x(self, hostname, env): dest = self._get_view_path(env) self.associations.set(hostname, dest)
assoc_host
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, hostname, env):\n dest = self._get_view_path(env)\n self.associations.set(hostname, dest)\n", "role": "user" }, { "content": "assoc_host", "role": "assistant" } ]
def x(self, env): if env.is_root: return None associations = self.associations.get_all() return [assoc for assoc in associations if associations[assoc] == self. _get_view_path(env)]
get_associations
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, env):\n if env.is_root:\n return None\n associations = self.associations.get_all()\n return [assoc for assoc in associations if associations[assoc] == self.\n _get_view_path(env)]\n", "role": "user" }, { "content": "get_associations", "role": "assistant" } ]
def x(self, env): nodes = env.components path = [nodes[:n] for n in xrange(len(nodes) + 1)] path = map(self._get_env_path, [Env('/'.join(p)) for p in path]) data = {} for n in path: _, config = self._get(n) data.update(config) return data
flatten_from_root
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, env):\n nodes = env.components\n path = [nodes[:n] for n in xrange(len(nodes) + 1)]\n path = map(self._get_env_path, [Env('/'.join(p)) for p in path])\n data = {}\n for n in path:\n _, config = self._get(n)\n data.update(config)\n return data\n", "role": "user" }, { "content": "flatten_from_root", "role": "assistant" } ]
def x(self, value): value = self.serialize(value) if self.encoding: value = value.encode(self.encoding) return value
encode
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, value):\n value = self.serialize(value)\n if self.encoding:\n value = value.encode(self.encoding)\n return value\n", "role": "user" }, { "content": "encode", "role": "assistant" } ]
def x(self, value): if self.encoding: value = value.decode(self.encoding) return self.deserialize(value)
decode
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, value):\n if self.encoding:\n value = value.decode(self.encoding)\n return self.deserialize(value)\n", "role": "user" }, { "content": "decode", "role": "assistant" } ]
def x(packagename, save, save_dev, save_test, filename): print('Installing ', packagename) print(sh_pip.install(packagename)) if not filename: filename = get_filename(save, save_dev, save_test) try: add_requirements(packagename, filename) except AssertionError: print('Package already pinned in ', filename)
install
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(packagename, save, save_dev, save_test, filename):\n print('Installing ', packagename)\n print(sh_pip.install(packagename))\n if not filename:\n filename = get_filename(save, save_dev, save_test)\n try:\n add_requirements(packagename, filename)\n except AssertionError:\n print('Package already pinned in ', filename)\n", "role": "user" }, { "content": "install", "role": "assistant" } ]
def x(packagename, save, save_dev, save_test, filename): print(sh_pip.uninstall(packagename, '-y')) if not filename: filename = get_filename(save, save_dev, save_test) remove_requirements(packagename, filename)
remove
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(packagename, save, save_dev, save_test, filename):\n print(sh_pip.uninstall(packagename, '-y'))\n if not filename:\n filename = get_filename(save, save_dev, save_test)\n remove_requirements(packagename, filename)\n", "role": "user" }, { "content": "remove", "role": "assistant" } ]
def x(potential_subdirectory, expected_parent_directory): def x(path): return DKCloudCommandRunner.os_path_split_asunder(os.path.realpath( os.path.abspath(os.path.normpath(path)))) sub_parts = _get_normalized_parts(potential_subdirectory) parent_parts = _get_normalized_parts(expected_parent_directory) if len(parent_parts) > len(sub_parts): return False return all(part1 == part2 for part1, part2 in zip(sub_parts, parent_parts))
is_subdirectory
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(potential_subdirectory, expected_parent_directory):\n\n def x(path):\n return DKCloudCommandRunner.os_path_split_asunder(os.path.realpath(\n os.path.abspath(os.path.normpath(path))))\n sub_parts = _get_normalized_parts(potential_subdirectory)\n parent_parts = _get_normalized_parts(expected_parent_directory)\n if len(parent_parts) > len(sub_parts):\n return False\n return all(part1 == part2 for part1, part2 in zip(sub_parts, parent_parts))\n", "role": "user" }, { "content": "is_subdirectory", "role": "assistant" } ]
def x(dk_api, kitchen, recipe_name, recipe_dir, message, dryrun=False): rc = DKReturnCode() if kitchen is None or recipe_name is None or message is None: s = 'ERROR: DKCloudCommandRunner bad input parameters' rc.set(rc.DK_FAIL, s) return rc rc = dk_api.recipe_status(kitchen, recipe_name, recipe_dir) if not rc.ok(): rs = ('DKCloudCommand.update_all_files failed\nmessage: %s' % rc. get_message()) rc.set_message(rs) return rc rl = rc.get_payload() if len(rl['different']) + len(rl['only_local']) + len(rl['only_remote'] ) == 0: rs = 'DKCloudCommand.update_all_files no files changed.' rc.set_message(rs) return rc rc = DKCloudCommandRunner._update_changed_files(dk_api, rl['different'], kitchen, recipe_name, message, dryrun) if not rc.ok(): return rc msg_differences = rc.get_message() rc = DKCloudCommandRunner._add_new_files(dk_api, rl['only_local'], kitchen, recipe_name, message, dryrun) if not rc.ok(): return rc msg_additions = rc.get_message() rc = DKCloudCommandRunner._remove_deleted_files(dk_api, rl[ 'only_remote'], kitchen, recipe_name, message, dryrun) if not rc.ok(): return rc msg_deletions = rc.get_message() msg = '' if len(msg_differences) > 0: if len(msg) > 0: msg += '\n' msg += msg_differences + '\n' if len(msg_additions) > 0: if len(msg) > 0: msg += '\n' msg += msg_additions + '\n' if len(msg_deletions) > 0: if len(msg) > 0: msg += '\n' msg += msg_deletions + '\n' rc.set_message(msg) return rc
update_all_files
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(dk_api, kitchen, recipe_name, recipe_dir, message, dryrun=False):\n rc = DKReturnCode()\n if kitchen is None or recipe_name is None or message is None:\n s = 'ERROR: DKCloudCommandRunner bad input parameters'\n rc.set(rc.DK_FAIL, s)\n return rc\n rc = dk_api.recipe_status(kitchen, recipe_name, recipe_dir)\n if not rc.ok():\n rs = ('DKCloudCommand.update_all_files failed\\nmessage: %s' % rc.\n get_message())\n rc.set_message(rs)\n return rc\n rl = rc.get_payload()\n if len(rl['different']) + len(rl['only_local']) + len(rl['only_remote']\n ) == 0:\n rs = 'DKCloudCommand.update_all_files no files changed.'\n rc.set_message(rs)\n return rc\n rc = DKCloudCommandRunner._update_changed_files(dk_api, rl['different'],\n kitchen, recipe_name, message, dryrun)\n if not rc.ok():\n return rc\n msg_differences = rc.get_message()\n rc = DKCloudCommandRunner._add_new_files(dk_api, rl['only_local'],\n kitchen, recipe_name, message, dryrun)\n if not rc.ok():\n return rc\n msg_additions = rc.get_message()\n rc = DKCloudCommandRunner._remove_deleted_files(dk_api, rl[\n 'only_remote'], kitchen, recipe_name, message, dryrun)\n if not rc.ok():\n return rc\n msg_deletions = rc.get_message()\n msg = ''\n if len(msg_differences) > 0:\n if len(msg) > 0:\n msg += '\\n'\n msg += msg_differences + '\\n'\n if len(msg_additions) > 0:\n if len(msg) > 0:\n msg += '\\n'\n msg += msg_additions + '\\n'\n if len(msg_deletions) > 0:\n if len(msg) > 0:\n msg += '\\n'\n msg += msg_deletions + '\\n'\n rc.set_message(msg)\n return rc\n", "role": "user" }, { "content": "update_all_files", "role": "assistant" } ]
def x(dk_api, kitchen, recipe_name, message, files_to_update_param): rc = DKReturnCode() if (kitchen is None or recipe_name is None or message is None or files_to_update_param is None): s = 'ERROR: DKCloudCommandRunner bad input parameters' rc.set(rc.DK_FAIL, s) return rc if isinstance(files_to_update_param, basestring): files_to_update = [files_to_update_param] else: files_to_update = files_to_update_param msg = '' for file_to_update in files_to_update: try: with open(file_to_update, 'r') as f: file_contents = f.read() except IOError as e: if len(msg) != 0: msg += '\n' msg += '%s' % str(e) rc.set(rc.DK_FAIL, msg) return rc except ValueError as e: if len(msg) != 0: msg += '\n' msg += 'ERROR: %s' % e.message rc.set(rc.DK_FAIL, msg) return rc rc = dk_api.update_file(kitchen, recipe_name, message, file_to_update, file_contents) if not rc.ok(): if len(msg) != 0: msg += '\n' msg += ( 'DKCloudCommand.update_file for %s failed\n\tmessage: %s' % (file_to_update, rc.get_message())) rc.set_message(msg) return rc else: if len(msg) != 0: msg += '\n' msg += ('DKCloudCommand.update_file for %s succeeded' % file_to_update) rc.set_message(msg) return rc
update_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(dk_api, kitchen, recipe_name, message, files_to_update_param):\n rc = DKReturnCode()\n if (kitchen is None or recipe_name is None or message is None or \n files_to_update_param is None):\n s = 'ERROR: DKCloudCommandRunner bad input parameters'\n rc.set(rc.DK_FAIL, s)\n return rc\n if isinstance(files_to_update_param, basestring):\n files_to_update = [files_to_update_param]\n else:\n files_to_update = files_to_update_param\n msg = ''\n for file_to_update in files_to_update:\n try:\n with open(file_to_update, 'r') as f:\n file_contents = f.read()\n except IOError as e:\n if len(msg) != 0:\n msg += '\\n'\n msg += '%s' % str(e)\n rc.set(rc.DK_FAIL, msg)\n return rc\n except ValueError as e:\n if len(msg) != 0:\n msg += '\\n'\n msg += 'ERROR: %s' % e.message\n rc.set(rc.DK_FAIL, msg)\n return rc\n rc = dk_api.update_file(kitchen, recipe_name, message,\n file_to_update, file_contents)\n if not rc.ok():\n if len(msg) != 0:\n msg += '\\n'\n msg += (\n 'DKCloudCommand.update_file for %s failed\\n\\tmessage: %s' %\n (file_to_update, rc.get_message()))\n rc.set_message(msg)\n return rc\n else:\n if len(msg) != 0:\n msg += '\\n'\n msg += ('DKCloudCommand.update_file for %s succeeded' %\n file_to_update)\n rc.set_message(msg)\n return rc\n", "role": "user" }, { "content": "update_file", "role": "assistant" } ]
def x(dk_api, kitchen, recipe_name, message, api_file_key): rc = DKReturnCode() if (kitchen is None or recipe_name is None or message is None or api_file_key is None): s = 'ERROR: DKCloudCommandRunner bad input parameters' rc.set(rc.DK_FAIL, s) return rc ig = DKIgnore() if ig.ignore(api_file_key): rs = 'DKCloudCommand.add_file ignoring %s' % api_file_key rc.set_message(rs) return rc if not os.path.exists(api_file_key): s = "'%s' does not exist" % api_file_key rc.set(rc.DK_FAIL, s) return rc try: with open(api_file_key, 'r') as f: file_contents = f.read() except ValueError as e: s = 'ERROR: %s' % e.message rc.set(rc.DK_FAIL, s) return rc rc = dk_api.add_file(kitchen, recipe_name, message, api_file_key, file_contents) if rc.ok(): rs = 'DKCloudCommand.add_file for %s succeed' % api_file_key else: rs = 'DKCloudCommand.add_file for %s failed\nmessage: %s' % ( api_file_key, rc.get_message()) rc.set_message(rs) return rc
add_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(dk_api, kitchen, recipe_name, message, api_file_key):\n rc = DKReturnCode()\n if (kitchen is None or recipe_name is None or message is None or \n api_file_key is None):\n s = 'ERROR: DKCloudCommandRunner bad input parameters'\n rc.set(rc.DK_FAIL, s)\n return rc\n ig = DKIgnore()\n if ig.ignore(api_file_key):\n rs = 'DKCloudCommand.add_file ignoring %s' % api_file_key\n rc.set_message(rs)\n return rc\n if not os.path.exists(api_file_key):\n s = \"'%s' does not exist\" % api_file_key\n rc.set(rc.DK_FAIL, s)\n return rc\n try:\n with open(api_file_key, 'r') as f:\n file_contents = f.read()\n except ValueError as e:\n s = 'ERROR: %s' % e.message\n rc.set(rc.DK_FAIL, s)\n return rc\n rc = dk_api.add_file(kitchen, recipe_name, message, api_file_key,\n file_contents)\n if rc.ok():\n rs = 'DKCloudCommand.add_file for %s succeed' % api_file_key\n else:\n rs = 'DKCloudCommand.add_file for %s failed\\nmessage: %s' % (\n api_file_key, rc.get_message())\n rc.set_message(rs)\n return rc\n", "role": "user" }, { "content": "add_file", "role": "assistant" } ]
def x(dk_api, kitchen, recipe_name, message, files_to_delete_param): rc = DKReturnCode() if (kitchen is None or recipe_name is None or message is None or files_to_delete_param is None): s = 'ERROR: DKCloudCommandRunner bad input parameters' rc.set(rc.DK_FAIL, s) return rc if isinstance(files_to_delete_param, basestring): files_to_delete = [files_to_delete_param] else: files_to_delete = files_to_delete_param msg = '' for file_to_delete in files_to_delete: basename = os.path.basename(file_to_delete) rc = dk_api.delete_file(kitchen, recipe_name, message, file_to_delete, basename) if not rc.ok(): msg += ( '\nDKCloudCommand.delete_file for %s failed\nmessage: %s' % (file_to_delete, rc.get_message())) rc.set_message(msg) return rc else: msg += 'DKCloudCommand.delete_file for %s succeed' % file_to_delete rc.set_message(msg) return rc
delete_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(dk_api, kitchen, recipe_name, message, files_to_delete_param):\n rc = DKReturnCode()\n if (kitchen is None or recipe_name is None or message is None or \n files_to_delete_param is None):\n s = 'ERROR: DKCloudCommandRunner bad input parameters'\n rc.set(rc.DK_FAIL, s)\n return rc\n if isinstance(files_to_delete_param, basestring):\n files_to_delete = [files_to_delete_param]\n else:\n files_to_delete = files_to_delete_param\n msg = ''\n for file_to_delete in files_to_delete:\n basename = os.path.basename(file_to_delete)\n rc = dk_api.delete_file(kitchen, recipe_name, message,\n file_to_delete, basename)\n if not rc.ok():\n msg += (\n '\\nDKCloudCommand.delete_file for %s failed\\nmessage: %s' %\n (file_to_delete, rc.get_message()))\n rc.set_message(msg)\n return rc\n else:\n msg += 'DKCloudCommand.delete_file for %s succeed' % file_to_delete\n rc.set_message(msg)\n return rc\n", "role": "user" }, { "content": "delete_file", "role": "assistant" } ]
def x(dk_api, kitchen, recipe_name, variation_name): rc = dk_api.get_compiled_serving(kitchen, recipe_name, variation_name) if rc.ok(): rs = 'DKCloudCommand.get_compiled_serving succeeded %s\n' % json.dumps( rc.get_payload(), indent=4) else: m = rc.get_message() e = m.split('the logfile errors are:nn') if len(e) > 1: e2 = DKCloudCommandRunner._decompress(e[len(e) - 1]) errors = e2.split('|') re = e[0] + ' ' + 'the logfile errors are: ' for e in errors: re += '\n%s' % e else: re = m rs = 'DKCloudCommand.get_compiled_serving failed\nmessage: %s\n' % re rc.set_message(rs) return rc
get_compiled_serving
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(dk_api, kitchen, recipe_name, variation_name):\n rc = dk_api.get_compiled_serving(kitchen, recipe_name, variation_name)\n if rc.ok():\n rs = 'DKCloudCommand.get_compiled_serving succeeded %s\\n' % json.dumps(\n rc.get_payload(), indent=4)\n else:\n m = rc.get_message()\n e = m.split('the logfile errors are:nn')\n if len(e) > 1:\n e2 = DKCloudCommandRunner._decompress(e[len(e) - 1])\n errors = e2.split('|')\n re = e[0] + ' ' + 'the logfile errors are: '\n for e in errors:\n re += '\\n%s' % e\n else:\n re = m\n rs = 'DKCloudCommand.get_compiled_serving failed\\nmessage: %s\\n' % re\n rc.set_message(rs)\n return rc\n", "role": "user" }, { "content": "get_compiled_serving", "role": "assistant" } ]
def x(dk_api, from_kitchen, to_kitchen): unresolved_conflicts = DKKitchenDisk.get_unresolved_conflicts(from_kitchen, to_kitchen) if unresolved_conflicts is not None and len(unresolved_conflicts) != 0: msg = DKCloudCommandRunner._print_unresolved_conflicts( unresolved_conflicts) rc = DKReturnCode() rc.set(DKReturnCode.DK_FAIL, msg) return rc resolved_conflicts = DKKitchenDisk.get_resolved_conflicts(from_kitchen, to_kitchen) md = dk_api.merge_kitchens_improved(from_kitchen, to_kitchen, resolved_conflicts) if not md.ok(): md.set_message( 'merge_kitchens_improved error from %s to Kitchen %s\nmessage: %s' % (from_kitchen, to_kitchen, md.get_message())) return md merge_no_conflicts = DKCloudCommandRunner._check_no_merge_conflicts(md. get_payload()) if merge_no_conflicts: msg = DKCloudCommandRunner._print_merge_success(md.get_payload()) current_kitchen = DKKitchenDisk.find_kitchen_name() md.set_message(msg) else: recipe_name = DKRecipeDisk.find_recipe_name() kitchen_name = DKKitchenDisk.find_kitchen_name() if recipe_name is None and kitchen_name is None: rs = DKCloudCommandRunner.print_merge_conflicts(md.get_payload()) md.set_message(rs) else: rc = DKCloudCommandRunner.write_merge_conflicts(md.get_payload()) if rc.ok(): md.set_message(rc.get_message()) else: md = rc return md
merge_kitchens_improved
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(dk_api, from_kitchen, to_kitchen):\n unresolved_conflicts = DKKitchenDisk.get_unresolved_conflicts(from_kitchen,\n to_kitchen)\n if unresolved_conflicts is not None and len(unresolved_conflicts) != 0:\n msg = DKCloudCommandRunner._print_unresolved_conflicts(\n unresolved_conflicts)\n rc = DKReturnCode()\n rc.set(DKReturnCode.DK_FAIL, msg)\n return rc\n resolved_conflicts = DKKitchenDisk.get_resolved_conflicts(from_kitchen,\n to_kitchen)\n md = dk_api.merge_kitchens_improved(from_kitchen, to_kitchen,\n resolved_conflicts)\n if not md.ok():\n md.set_message(\n 'merge_kitchens_improved error from %s to Kitchen %s\\nmessage: %s'\n % (from_kitchen, to_kitchen, md.get_message()))\n return md\n merge_no_conflicts = DKCloudCommandRunner._check_no_merge_conflicts(md.\n get_payload())\n if merge_no_conflicts:\n msg = DKCloudCommandRunner._print_merge_success(md.get_payload())\n current_kitchen = DKKitchenDisk.find_kitchen_name()\n md.set_message(msg)\n else:\n recipe_name = DKRecipeDisk.find_recipe_name()\n kitchen_name = DKKitchenDisk.find_kitchen_name()\n if recipe_name is None and kitchen_name is None:\n rs = DKCloudCommandRunner.print_merge_conflicts(md.get_payload())\n md.set_message(rs)\n else:\n rc = DKCloudCommandRunner.write_merge_conflicts(md.get_payload())\n if rc.ok():\n md.set_message(rc.get_message())\n else:\n md = rc\n return md\n", "role": "user" }, { "content": "merge_kitchens_improved", "role": "assistant" } ]
def x(dk_api, kitchen, recipe_name, variation_name, node_name=None): rc = dk_api.create_order(kitchen, recipe_name, variation_name, node_name) if rc.ok(): s = 'Order ID is: %s' % rc.get_payload() else: m = rc.get_message().replace('\\n', '\n') e = m.split('the logfile errors are:') if len(e) > 1: e2 = DKCloudCommandRunner._decompress(e[-1]) errors = e2.split('|') re = e[0] + ' ' + 'the logfile errors are: ' for e in errors: re += '\n%s' % e else: re = m s = 'DKCloudCommand.create_order failed\nmessage: %s\n' % re rc.set_message(s) return rc
create_order
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(dk_api, kitchen, recipe_name, variation_name, node_name=None):\n rc = dk_api.create_order(kitchen, recipe_name, variation_name, node_name)\n if rc.ok():\n s = 'Order ID is: %s' % rc.get_payload()\n else:\n m = rc.get_message().replace('\\\\n', '\\n')\n e = m.split('the logfile errors are:')\n if len(e) > 1:\n e2 = DKCloudCommandRunner._decompress(e[-1])\n errors = e2.split('|')\n re = e[0] + ' ' + 'the logfile errors are: '\n for e in errors:\n re += '\\n%s' % e\n else:\n re = m\n s = 'DKCloudCommand.create_order failed\\nmessage: %s\\n' % re\n rc.set_message(s)\n return rc\n", "role": "user" }, { "content": "create_order", "role": "assistant" } ]
def x(dk_api, kitchen, pd): if DKCloudCommandRunner.SUMMARY in pd: display_summary = True else: display_summary = False pd[DKCloudCommandRunner.SUMMARY] = True rc = dk_api.orderrun_detail(kitchen, pd) s = '' if not rc.ok() or not isinstance(rc.get_payload(), list): s = ('Issue with getting order run details\nmessage: %s' % rc. get_message()) rc.set_message(s) return rc serving_list = rc.get_payload() serving = None if DKCloudCommandRunner.ORDER_RUN_ID in pd: order_run_id = pd[DKCloudCommandRunner.ORDER_RUN_ID] for serv in serving_list: if serv[DKCloudCommandRunner.ORDER_RUN_ID] == order_run_id: serving = serv break elif DKCloudCommandRunner.ORDER_ID in pd: order_id = pd[DKCloudCommandRunner.ORDER_ID] for serv in serving_list: if serv[DKCloudCommandRunner.ORDER_ID] == order_id: serving = serv break else: dex = -1 latest = None for i, serving in enumerate(serving_list): if DKCloudCommandRunner.ORDER_ID in serving and serving[ DKCloudCommandRunner.ORDER_ID] > latest: latest = serving[DKCloudCommandRunner.ORDER_ID] dex = i if dex != -1: serving = serving_list[dex] if serving is None: rc.set(rc.DK_FAIL, "No OrderRun information. Try using 'dk order-list -k %s' to see what is available." % kitchen) return rc if serving and display_summary: s += '\nORDER RUN SUMMARY\n\n' summary = None if DKCloudCommandRunner.SUMMARY in serving: summary = serving[DKCloudCommandRunner.SUMMARY] pass s += 'Order ID:\t%s\n' % serving[DKCloudCommandRunner.ORDER_ID] orid_from_serving = serving[DKCloudCommandRunner.ORDER_RUN_ID] s += 'Order Run ID:\t%s\n' % orid_from_serving s += 'Status:\t\t%s\n' % serving['status'] s += 'Kitchen:\t%s\n' % kitchen if summary and 'name' in summary: s += 'Recipe:\t\t%s\n' % summary['name'] else: s += 'Recipe:\t\t%s\n' % 'Not available' s += 'Variation:\t%s\n' % orid_from_serving.split('#')[3] if summary and 'start-time' in summary: start_time = summary['start-time'] if isinstance(start_time, basestring): s += 'Start time:\t%s\n' % summary['start-time'].split('.')[0] else: s += 'Start time:\t%s\n' % 'Not available 1' else: s += 'Start time:\t%s\n' % 'Not available 2' run_time = None if summary and 'total-recipe-time' in summary: run_time = summary['total-recipe-time'] if isinstance(run_time, basestring): s += 'Run duration:\t%s (H:M:S)\n' % run_time.split('.')[0] else: s += 'Run duration:\t%s\n' % 'Not available' if serving and DKCloudCommandRunner.TESTRESULTS in serving and isinstance( serving[DKCloudCommandRunner.TESTRESULTS], basestring): s += '\nTEST RESULTS' s += serving[DKCloudCommandRunner.TESTRESULTS] if (serving and DKCloudCommandRunner.TIMINGRESULTS in serving and isinstance(serving[DKCloudCommandRunner.TIMINGRESULTS], basestring)): s += '\n\nTIMING RESULTS\n\n' s += serving[DKCloudCommandRunner.TIMINGRESULTS] if serving and DKCloudCommandRunner.LOGS in serving and isinstance(serving [DKCloudCommandRunner.LOGS], basestring): s += '\n\nLOG\n\n' s += DKCloudCommandRunner._decompress(serving[DKCloudCommandRunner. LOGS]) if ('status' in pd and serving and DKCloudCommandRunner.SUMMARY in serving and isinstance(serving[DKCloudCommandRunner.SUMMARY], dict)): s += '\nSTEP STATUS\n\n' summary = serving[DKCloudCommandRunner.SUMMARY] for key in sorted(summary): value = summary[key] if isinstance(value, dict): if 'status' in value: status = value['status'] else: status = 'unknown' s += '%s\t%s\n' % (key, status) if serving and 'runstatus' in pd: s += serving['status'] if (serving and 'disp_order_id' in pd and DKCloudCommandRunner.ORDER_ID in serving): s += serving[DKCloudCommandRunner.ORDER_ID] if (serving and 'disp_order_run_id' in pd and DKCloudCommandRunner. ORDER_RUN_ID in serving): s += serving[DKCloudCommandRunner.ORDER_RUN_ID] rc.set_message(s) return rc
orderrun_detail
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(dk_api, kitchen, pd):\n if DKCloudCommandRunner.SUMMARY in pd:\n display_summary = True\n else:\n display_summary = False\n pd[DKCloudCommandRunner.SUMMARY] = True\n rc = dk_api.orderrun_detail(kitchen, pd)\n s = ''\n if not rc.ok() or not isinstance(rc.get_payload(), list):\n s = ('Issue with getting order run details\\nmessage: %s' % rc.\n get_message())\n rc.set_message(s)\n return rc\n serving_list = rc.get_payload()\n serving = None\n if DKCloudCommandRunner.ORDER_RUN_ID in pd:\n order_run_id = pd[DKCloudCommandRunner.ORDER_RUN_ID]\n for serv in serving_list:\n if serv[DKCloudCommandRunner.ORDER_RUN_ID] == order_run_id:\n serving = serv\n break\n elif DKCloudCommandRunner.ORDER_ID in pd:\n order_id = pd[DKCloudCommandRunner.ORDER_ID]\n for serv in serving_list:\n if serv[DKCloudCommandRunner.ORDER_ID] == order_id:\n serving = serv\n break\n else:\n dex = -1\n latest = None\n for i, serving in enumerate(serving_list):\n if DKCloudCommandRunner.ORDER_ID in serving and serving[\n DKCloudCommandRunner.ORDER_ID] > latest:\n latest = serving[DKCloudCommandRunner.ORDER_ID]\n dex = i\n if dex != -1:\n serving = serving_list[dex]\n if serving is None:\n rc.set(rc.DK_FAIL, \n \"No OrderRun information. Try using 'dk order-list -k %s' to see what is available.\"\n % kitchen)\n return rc\n if serving and display_summary:\n s += '\\nORDER RUN SUMMARY\\n\\n'\n summary = None\n if DKCloudCommandRunner.SUMMARY in serving:\n summary = serving[DKCloudCommandRunner.SUMMARY]\n pass\n s += 'Order ID:\\t%s\\n' % serving[DKCloudCommandRunner.ORDER_ID]\n orid_from_serving = serving[DKCloudCommandRunner.ORDER_RUN_ID]\n s += 'Order Run ID:\\t%s\\n' % orid_from_serving\n s += 'Status:\\t\\t%s\\n' % serving['status']\n s += 'Kitchen:\\t%s\\n' % kitchen\n if summary and 'name' in summary:\n s += 'Recipe:\\t\\t%s\\n' % summary['name']\n else:\n s += 'Recipe:\\t\\t%s\\n' % 'Not available'\n s += 'Variation:\\t%s\\n' % orid_from_serving.split('#')[3]\n if summary and 'start-time' in summary:\n start_time = summary['start-time']\n if isinstance(start_time, basestring):\n s += 'Start time:\\t%s\\n' % summary['start-time'].split('.')[0]\n else:\n s += 'Start time:\\t%s\\n' % 'Not available 1'\n else:\n s += 'Start time:\\t%s\\n' % 'Not available 2'\n run_time = None\n if summary and 'total-recipe-time' in summary:\n run_time = summary['total-recipe-time']\n if isinstance(run_time, basestring):\n s += 'Run duration:\\t%s (H:M:S)\\n' % run_time.split('.')[0]\n else:\n s += 'Run duration:\\t%s\\n' % 'Not available'\n if serving and DKCloudCommandRunner.TESTRESULTS in serving and isinstance(\n serving[DKCloudCommandRunner.TESTRESULTS], basestring):\n s += '\\nTEST RESULTS'\n s += serving[DKCloudCommandRunner.TESTRESULTS]\n if (serving and DKCloudCommandRunner.TIMINGRESULTS in serving and\n isinstance(serving[DKCloudCommandRunner.TIMINGRESULTS], basestring)):\n s += '\\n\\nTIMING RESULTS\\n\\n'\n s += serving[DKCloudCommandRunner.TIMINGRESULTS]\n if serving and DKCloudCommandRunner.LOGS in serving and isinstance(serving\n [DKCloudCommandRunner.LOGS], basestring):\n s += '\\n\\nLOG\\n\\n'\n s += DKCloudCommandRunner._decompress(serving[DKCloudCommandRunner.\n LOGS])\n if ('status' in pd and serving and DKCloudCommandRunner.SUMMARY in\n serving and isinstance(serving[DKCloudCommandRunner.SUMMARY], dict)):\n s += '\\nSTEP STATUS\\n\\n'\n summary = serving[DKCloudCommandRunner.SUMMARY]\n for key in sorted(summary):\n value = summary[key]\n if isinstance(value, dict):\n if 'status' in value:\n status = value['status']\n else:\n status = 'unknown'\n s += '%s\\t%s\\n' % (key, status)\n if serving and 'runstatus' in pd:\n s += serving['status']\n if (serving and 'disp_order_id' in pd and DKCloudCommandRunner.ORDER_ID in\n serving):\n s += serving[DKCloudCommandRunner.ORDER_ID]\n if (serving and 'disp_order_run_id' in pd and DKCloudCommandRunner.\n ORDER_RUN_ID in serving):\n s += serving[DKCloudCommandRunner.ORDER_RUN_ID]\n rc.set_message(s)\n return rc\n", "role": "user" }, { "content": "orderrun_detail", "role": "assistant" } ]
def x(path): s = path.rsplit('/', 1) if len(s) == 1: return s[0], '' else: return tuple(s)
split_one_end
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(path):\n s = path.rsplit('/', 1)\n if len(s) == 1:\n return s[0], ''\n else:\n return tuple(s)\n", "role": "user" }, { "content": "split_one_end", "role": "assistant" } ]
def x(): if platform.system().lower() == 'windows': _cfg_directory = Path(os.getenv('APPDATA') or '~') elif platform.system().lower() == 'darwin': _cfg_directory = Path('~', 'Library', 'Preferences') else: _cfg_directory = Path(os.getenv('XDG_CONFIG_HOME') or '~/.config') logger.debug('Fetching configt directory for {}.'.format(platform.system()) ) return _cfg_directory.joinpath(Path('mayalauncher/.config'))
get_system_config_directory
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n if platform.system().lower() == 'windows':\n _cfg_directory = Path(os.getenv('APPDATA') or '~')\n elif platform.system().lower() == 'darwin':\n _cfg_directory = Path('~', 'Library', 'Preferences')\n else:\n _cfg_directory = Path(os.getenv('XDG_CONFIG_HOME') or '~/.config')\n logger.debug('Fetching configt directory for {}.'.format(platform.system())\n )\n return _cfg_directory.joinpath(Path('mayalauncher/.config'))\n", "role": "user" }, { "content": "get_system_config_directory", "role": "assistant" } ]
def x(path): version_executable = {} logger.debug('Getting exes from path: {}'.format(path)) for sub_dir in path.iterdir(): if not sub_dir.name.startswith(APPLICATION_NAME): continue release = sub_dir.name.split(APPLICATION_NAME)[-1] executable = Path(sub_dir, 'bin').glob('maya.exe').next() version_executable[release] = str(executable) logger.debug('Found exes for: {}'.format(version_executable.keys())) return version_executable
get_version_exec_mapping_from_path
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(path):\n version_executable = {}\n logger.debug('Getting exes from path: {}'.format(path))\n for sub_dir in path.iterdir():\n if not sub_dir.name.startswith(APPLICATION_NAME):\n continue\n release = sub_dir.name.split(APPLICATION_NAME)[-1]\n executable = Path(sub_dir, 'bin').glob('maya.exe').next()\n version_executable[release] = str(executable)\n logger.debug('Found exes for: {}'.format(version_executable.keys()))\n return version_executable\n", "role": "user" }, { "content": "get_version_exec_mapping_from_path", "role": "assistant" } ]
def x(): path_env = os.getenv('PATH').split(os.pathsep) versions = {} for each in path_env: path = Path(os.path.expandvars(each)) if not path.exists(): continue if path.name.endswith(DEVELOPER_NAME): if not path.exists(): continue versions.update(get_version_exec_mapping_from_path(path)) return versions
find_applications_on_system
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n path_env = os.getenv('PATH').split(os.pathsep)\n versions = {}\n for each in path_env:\n path = Path(os.path.expandvars(each))\n if not path.exists():\n continue\n if path.name.endswith(DEVELOPER_NAME):\n if not path.exists():\n continue\n versions.update(get_version_exec_mapping_from_path(path))\n return versions\n", "role": "user" }, { "content": "find_applications_on_system", "role": "assistant" } ]
def x(config_file=get_system_config_directory()): config = Config(config_file, allow_no_value=True) application_versions = find_applications_on_system() for item in application_versions.iteritems(): if not config.has_option(Config.EXECUTABLES, item[0]): config.set(Config.EXECUTABLES, item[0], item[1]) return config
build_config
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(config_file=get_system_config_directory()):\n config = Config(config_file, allow_no_value=True)\n application_versions = find_applications_on_system()\n for item in application_versions.iteritems():\n if not config.has_option(Config.EXECUTABLES, item[0]):\n config.set(Config.EXECUTABLES, item[0], item[1])\n return config\n", "role": "user" }, { "content": "build_config", "role": "assistant" } ]
def x(config, env): if env is None: return config.get(Config.DEFAULTS, 'environment') if config.has_option(Config.ENVIRONMENTS, env): env = config.get(Config.ENVIRONMENTS, env).replace(' ', '').split(';') else: env = os.getenv(env) if env: env = env.split(os.pathsep) return [i for i in env if i]
get_environment_paths
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(config, env):\n if env is None:\n return config.get(Config.DEFAULTS, 'environment')\n if config.has_option(Config.ENVIRONMENTS, env):\n env = config.get(Config.ENVIRONMENTS, env).replace(' ', '').split(';')\n else:\n env = os.getenv(env)\n if env:\n env = env.split(os.pathsep)\n return [i for i in env if i]\n", "role": "user" }, { "content": "get_environment_paths", "role": "assistant" } ]
def x(config, env=None, arg_paths=None): maya_env = MayaEnvironment() maya_env.exclude_pattern = config.get_list(Config.PATTERNS, 'exclude') maya_env.icon_extensions = config.get_list(Config.PATTERNS, 'icon_ext') env = get_environment_paths(config, env) if not env and arg_paths is None: return logger.info('Using maya factory environment setup.') logger.debug('Launching with addon paths: {}'.format(arg_paths)) logger.debug('Launching with environment paths: {}'.format(env)) if arg_paths: arg_paths = arg_paths.split(' ') for directory in flatten_combine_lists(env, arg_paths or ''): maya_env.traverse_path_for_valid_application_paths(directory) return maya_env
build_maya_environment
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(config, env=None, arg_paths=None):\n maya_env = MayaEnvironment()\n maya_env.exclude_pattern = config.get_list(Config.PATTERNS, 'exclude')\n maya_env.icon_extensions = config.get_list(Config.PATTERNS, 'icon_ext')\n env = get_environment_paths(config, env)\n if not env and arg_paths is None:\n return logger.info('Using maya factory environment setup.')\n logger.debug('Launching with addon paths: {}'.format(arg_paths))\n logger.debug('Launching with environment paths: {}'.format(env))\n if arg_paths:\n arg_paths = arg_paths.split(' ')\n for directory in flatten_combine_lists(env, arg_paths or ''):\n maya_env.traverse_path_for_valid_application_paths(directory)\n return maya_env\n", "role": "user" }, { "content": "build_maya_environment", "role": "assistant" } ]
def x(exec_, args): if not exec_: raise RuntimeError( 'Mayalauncher could not find a maya executable, please specifya path in the config file (-e) or add the {} directory locationto your PATH system environment.' .format(DEVELOPER_NAME)) if args.debug: return watched = WatchFile() cmd = [exec_] if args.file is None else [exec_, args.file] cmd.extend(['-hideConsole', '-log', watched.path]) if args.debug: cmd.append('-noAutoloadPlugins') maya = subprocess.Popen(cmd) while True: time.sleep(1) maya.poll() watched.check() if maya.returncode is not None: if not maya.returncode == 0: maya = subprocess.Popen(cmd) else: watched.stop() break
launch
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(exec_, args):\n if not exec_:\n raise RuntimeError(\n 'Mayalauncher could not find a maya executable, please specifya path in the config file (-e) or add the {} directory locationto your PATH system environment.'\n .format(DEVELOPER_NAME))\n if args.debug:\n return\n watched = WatchFile()\n cmd = [exec_] if args.file is None else [exec_, args.file]\n cmd.extend(['-hideConsole', '-log', watched.path])\n if args.debug:\n cmd.append('-noAutoloadPlugins')\n maya = subprocess.Popen(cmd)\n while True:\n time.sleep(1)\n maya.poll()\n watched.check()\n if maya.returncode is not None:\n if not maya.returncode == 0:\n maya = subprocess.Popen(cmd)\n else:\n watched.stop()\n break\n", "role": "user" }, { "content": "launch", "role": "assistant" } ]
def x(): config = build_config() parser = argparse.ArgumentParser(description= """ Maya Launcher is a useful script that tries to deal with all important system environments maya uses when starting up. It aims to streamline the setup process of maya to a simple string instead of constantly having to make sure paths are setup correctly. """ ) parser.add_argument('file', nargs='?', default=None, help= """ file is an optional argument telling maya what file to open with the launcher. """ ) parser.add_argument('-v', '--version', type=str, choices= get_executable_choices(dict(config.items(Config.EXECUTABLES))), help=""" Launch Maya with given version. """) parser.add_argument('-env', '--environment', metavar='env', type=str, default=config.get(Config.DEFAULTS, 'environment'), help= """ Launch maya with given environemnt, if no environment is specified will try to use default value. If not default value is specified Maya will behave with factory environment setup. """ ) parser.add_argument('-p', '--path', metavar='path', type=str, nargs='+', help= """ Path is an optional argument that takes an unlimited number of paths to use for environment creation. Useful if you don't want to create a environment variable. Just pass the path you want to use. """ ) parser.add_argument('-e', '--edit', action='store_true', help= """ Edit config file. """) parser.add_argument('-d', '--debug', action='store_true', help= """ Start maya in dev mode, autoload on plugins are turned off. """ ) args = parser.parse_args() if args.edit: return config.edit() if args.debug: logger.setLevel(logging.DEBUG) if args.version is None: exec_default = config.get(Config.DEFAULTS, 'executable') if not exec_default and config.items(Config.EXECUTABLES): items = dict(config.items(Config.EXECUTABLES)) exec_ = items[sorted(items.keys(), reverse=True)[0]] else: exec_ = exec_default else: exec_ = config.get(Config.EXECUTABLES, args.version) build_maya_environment(config, args.environment, args.path) logger.info('\nDone building maya environment, launching: \n{}\n'. format(exec_)) launch(exec_, args)
main
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n config = build_config()\n parser = argparse.ArgumentParser(description=\n \"\"\"\n Maya Launcher is a useful script that tries to deal with all\n important system environments maya uses when starting up.\n\n It aims to streamline the setup process of maya to a simple string\n instead of constantly having to make sure paths are setup correctly.\n \"\"\"\n )\n parser.add_argument('file', nargs='?', default=None, help=\n \"\"\"\n file is an optional argument telling maya what file to open with\n the launcher.\n \"\"\"\n )\n parser.add_argument('-v', '--version', type=str, choices=\n get_executable_choices(dict(config.items(Config.EXECUTABLES))),\n help=\"\"\"\n Launch Maya with given version.\n \"\"\")\n parser.add_argument('-env', '--environment', metavar='env', type=str,\n default=config.get(Config.DEFAULTS, 'environment'), help=\n \"\"\"\n Launch maya with given environemnt, if no environment is specified\n will try to use default value. If not default value is specified\n Maya will behave with factory environment setup.\n \"\"\"\n )\n parser.add_argument('-p', '--path', metavar='path', type=str, nargs='+',\n help=\n \"\"\"\n Path is an optional argument that takes an unlimited number of paths\n to use for environment creation.\n\n Useful if you don't want to create a environment variable. Just\n pass the path you want to use.\n \"\"\"\n )\n parser.add_argument('-e', '--edit', action='store_true', help=\n \"\"\"\n Edit config file.\n \"\"\")\n parser.add_argument('-d', '--debug', action='store_true', help=\n \"\"\"\n Start maya in dev mode, autoload on plugins are turned off.\n \"\"\"\n )\n args = parser.parse_args()\n if args.edit:\n return config.edit()\n if args.debug:\n logger.setLevel(logging.DEBUG)\n if args.version is None:\n exec_default = config.get(Config.DEFAULTS, 'executable')\n if not exec_default and config.items(Config.EXECUTABLES):\n items = dict(config.items(Config.EXECUTABLES))\n exec_ = items[sorted(items.keys(), reverse=True)[0]]\n else:\n exec_ = exec_default\n else:\n exec_ = config.get(Config.EXECUTABLES, args.version)\n build_maya_environment(config, args.environment, args.path)\n logger.info('\\nDone building maya environment, launching: \\n{}\\n'.\n format(exec_))\n launch(exec_, args)\n", "role": "user" }, { "content": "main", "role": "assistant" } ]
def x(self): logger.info('Initialize Maya launcher, creating config file...\n') self.add_section(self.DEFAULTS) self.add_section(self.PATTERNS) self.add_section(self.ENVIRONMENTS) self.add_section(self.EXECUTABLES) self.set(self.DEFAULTS, 'executable', None) self.set(self.DEFAULTS, 'environment', None) self.set(self.PATTERNS, 'exclude', ', '.join(self.EXLUDE_PATTERNS)) self.set(self.PATTERNS, 'icon_ext', ', '.join(self.ICON_EXTENSIONS)) self.config_file.parent.mkdir(exist_ok=True) self.config_file.touch() with self.config_file.open('wb') as f: self.write(f) sys.exit('Maya launcher has successfully created config file at:\n "{}"' .format(str(self.config_file)))
create_default_config_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n logger.info('Initialize Maya launcher, creating config file...\\n')\n self.add_section(self.DEFAULTS)\n self.add_section(self.PATTERNS)\n self.add_section(self.ENVIRONMENTS)\n self.add_section(self.EXECUTABLES)\n self.set(self.DEFAULTS, 'executable', None)\n self.set(self.DEFAULTS, 'environment', None)\n self.set(self.PATTERNS, 'exclude', ', '.join(self.EXLUDE_PATTERNS))\n self.set(self.PATTERNS, 'icon_ext', ', '.join(self.ICON_EXTENSIONS))\n self.config_file.parent.mkdir(exist_ok=True)\n self.config_file.touch()\n with self.config_file.open('wb') as f:\n self.write(f)\n sys.exit('Maya launcher has successfully created config file at:\\n \"{}\"'\n .format(str(self.config_file)))\n", "role": "user" }, { "content": "create_default_config_file", "role": "assistant" } ]
def x(self, section, option): if self.has_option(section, option): return self.get(section, option).replace(' ', '').split(',') else: raise KeyError('{} with {} does not exist.'.format(section, option))
get_list
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, section, option):\n if self.has_option(section, option):\n return self.get(section, option).replace(' ', '').split(',')\n else:\n raise KeyError('{} with {} does not exist.'.format(section, option))\n", "role": "user" }, { "content": "get_list", "role": "assistant" } ]
def x(self): if platform.system().lower() == 'windows': os.startfile(str(self.config_file)) else: if platform.system().lower() == 'darwin': call = 'open' else: call = 'xdg-open' subprocess.call([call, self.config_file])
edit
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if platform.system().lower() == 'windows':\n os.startfile(str(self.config_file))\n else:\n if platform.system().lower() == 'darwin':\n call = 'open'\n else:\n call = 'xdg-open'\n subprocess.call([call, self.config_file])\n", "role": "user" }, { "content": "edit", "role": "assistant" } ]
def x(self, path, exclude=None): for pattern in (exclude or self.exclude_pattern): if path.match(pattern): return True else: return False
is_excluded
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, path, exclude=None):\n for pattern in (exclude or self.exclude_pattern):\n if path.match(pattern):\n return True\n else:\n return False\n", "role": "user" }, { "content": "is_excluded", "role": "assistant" } ]
def x(self, start, extensions=None): return set([p.parent for ext in extensions for p in start.rglob(ext)])
get_directories_with_extensions
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, start, extensions=None):\n return set([p.parent for ext in extensions for p in start.rglob(ext)])\n", "role": "user" }, { "content": "get_directories_with_extensions", "role": "assistant" } ]
def x(self, path): if self.is_package(path): logger.debug('PYTHON PACKAGE: {}'.format(path)) self.python_paths.append(path.parent) site.addsitedir(str(path.parent)) xbmdirs = self.get_directories_with_extensions(path, self. icon_extensions) self.xbmlang_paths.extend(xbmdirs) return if self.has_next(path.glob('*.' + self.MEL)): logger.debug('MEL: {}'.format(str(path))) self.script_paths.append(path) if self.has_next(path.glob('*.' + self.PYTHON)): logger.debug('PYTHONPATH: {}'.format(str(path))) self.python_paths.append(path) site.addsitedir(str(path)) if self.PLUGIN in list(path.iterdir()): logger.debug('PLUG-IN: {}'.format(str(path))) self.plug_in_paths.append(path) for ext in self.icon_extensions: if self.has_next(path.glob('*.' + ext)): logger.debug('XBM: {}.'.format(str(path))) self.xbmlang_paths.append(path) break
put_path
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, path):\n if self.is_package(path):\n logger.debug('PYTHON PACKAGE: {}'.format(path))\n self.python_paths.append(path.parent)\n site.addsitedir(str(path.parent))\n xbmdirs = self.get_directories_with_extensions(path, self.\n icon_extensions)\n self.xbmlang_paths.extend(xbmdirs)\n return\n if self.has_next(path.glob('*.' + self.MEL)):\n logger.debug('MEL: {}'.format(str(path)))\n self.script_paths.append(path)\n if self.has_next(path.glob('*.' + self.PYTHON)):\n logger.debug('PYTHONPATH: {}'.format(str(path)))\n self.python_paths.append(path)\n site.addsitedir(str(path))\n if self.PLUGIN in list(path.iterdir()):\n logger.debug('PLUG-IN: {}'.format(str(path)))\n self.plug_in_paths.append(path)\n for ext in self.icon_extensions:\n if self.has_next(path.glob('*.' + ext)):\n logger.debug('XBM: {}.'.format(str(path)))\n self.xbmlang_paths.append(path)\n break\n", "role": "user" }, { "content": "put_path", "role": "assistant" } ]
def x(self, top_path): self.put_path(Path(top_path)) for p in self._walk(top_path): self.put_path(p)
traverse_path_for_valid_application_paths
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, top_path):\n self.put_path(Path(top_path))\n for p in self._walk(top_path):\n self.put_path(p)\n", "role": "user" }, { "content": "traverse_path_for_valid_application_paths", "role": "assistant" } ]