source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(self, entity_types): assert type(entity_types) == set self._entity_types_to_censor = entity_types self._feats_from_spacy_doc = FeatsFromSpacyDoc(use_lemmas=self. _use_lemmas, entity_types_to_censor=self._entity_types_to_censor) return self
censor_entity_types
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, entity_types):\n assert type(entity_types) == set\n self._entity_types_to_censor = entity_types\n self._feats_from_spacy_doc = FeatsFromSpacyDoc...
def x(self, category_doc_iter): term_idx_store = IndexStore() category_idx_store = IndexStore() metadata_idx_store = IndexStore() X, mX, y = self._get_features_and_labels_from_documents_and_indexes( category_doc_iter, category_idx_store, term_idx_store, metadata_idx_store) return TermDocMatrix(X, mX, y, term_idx_store=term_idx_store, category_idx_store=category_idx_store, metadata_idx_store= metadata_idx_store)
build_from_category_spacy_doc_iter
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, category_doc_iter):\n term_idx_store = IndexStore()\n category_idx_store = IndexStore()\n metadata_idx_store = IndexStore()\n X, mX, y = self...
def x(self, raw_text): parsed_text = self._nlp(self._clean_function(raw_text)) X_factory = CSRMatrixFactory() X_factory.set_last_col_idx(self._term_idx_store.getnumvals() - 1) term_freq = self._get_features_from_parsed_text(parsed_text, self. _term_idx_store) self._register_document_features_with_X_factory(X_factory, 0, term_freq) return X_factory.get_csr_matrix()
feats_from_doc
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, raw_text):\n parsed_text = self._nlp(self._clean_function(raw_text))\n X_factory = CSRMatrixFactory()\n X_factory.set_last_col_idx(self._term_id...
def x(self, num_terms=10): return {k: v.index[:num_terms] for k, v in self.lexicons.items()}
get_lexicons
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, num_terms=10):\n return {k: v.index[:num_terms] for k, v in self.lexicons.items()}\n", "role": "user" }, { "content": "get_lexicons", ...
def x(self, term_doc_matrix): rank_df = self.scorer.get_rank_df(term_doc_matrix) optimal_rank = self._find_optimal_rank(rank_df) compacted_term_doc_matrix = self._prune_higher_ranked_terms(term_doc_matrix , rank_df, optimal_rank) print('max terms', self.max_terms, 'optimal_rank', optimal_rank, 'num_terms', compacted_term_doc_matrix.get_num_terms()) return compacted_term_doc_matrix
compact
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, term_doc_matrix):\n rank_df = self.scorer.get_rank_df(term_doc_matrix)\n optimal_rank = self._find_optimal_rank(rank_df)\n compacted_term_doc_ma...
def x(self, term_doc_matrix): rank_df = self.scorer.get_rank_df(term_doc_matrix) return self._prune_higher_ranked_terms(term_doc_matrix, rank_df, self.rank)
compact
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, term_doc_matrix):\n rank_df = self.scorer.get_rank_df(term_doc_matrix)\n return self._prune_higher_ranked_terms(term_doc_matrix, rank_df, self.rank...
def x(self, doc): ngram_counter = Counter() for sent in doc.sents: ngrams = self.phrases[str(sent)] for subphrases in self.phrases[1:]: ngrams = subphrases[str(sent)] for ngram in ngrams: ngram_counter[ngram] += 1 return ngram_counter
get_feats
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, doc):\n ngram_counter = Counter()\n for sent in doc.sents:\n ngrams = self.phrases[str(sent)]\n for subphrases in self.phrases[1:]:\n...
def x(self, corpus): from gensim.models import Phrases assert isinstance(corpus, ParsedCorpus) self.phrases = [Phrases(CorpusAdapterForGensim.get_sentences(corpus), delimiter=' ')] for i in range(1, self.max_tokens_per_phrase): self.phrases.append(Phrases(self.phrases[-1][CorpusAdapterForGensim .get_sentences(corpus)])) return self
add_phrases
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, corpus):\n from gensim.models import Phrases\n assert isinstance(corpus, ParsedCorpus)\n self.phrases = [Phrases(CorpusAdapterForGensim.get_sent...
def x(self, epochs=2000, training_iterations=5): self._scan_and_build_vocab() for _ in range(training_iterations): self.model.train(CorpusAdapterForGensim.get_sentences(self.corpus), total_examples=self.model.corpus_count, epochs=epochs) return self.model
train
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, epochs=2000, training_iterations=5):\n self._scan_and_build_vocab()\n for _ in range(training_iterations):\n self.model.train(CorpusAdapterF...
def x(self): self._clf = PassiveAggressiveClassifier(n_iter=50, C=0.2, n_jobs=-1, random_state=0) self._clf.fit(self._term_doc_matrix._X, self._term_doc_matrix._y) y_dist = self._clf.decision_function(self._term_doc_matrix._X) pos_ecdf = ECDF(y_dist[y_dist >= 0]) neg_ecdf = ECDF(y_dist[y_dist <= 0]) def x(distance_from_hyperplane): if distance_from_hyperplane > 0: return pos_ecdf(distance_from_hyperplane) / 2.0 + 0.5 elif distance_from_hyperplane < 0: return pos_ecdf(distance_from_hyperplane) / 2.0 return 0.5 self._proba = proba_function return self
passive_aggressive_train
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self._clf = PassiveAggressiveClassifier(n_iter=50, C=0.2, n_jobs=-1,\n random_state=0)\n self._clf.fit(self._term_doc_matrix._X, self._te...
def x(self): if self._clf is None: raise NeedToTrainExceptionBeforeDeployingException() return DeployedClassifier(self._category, self._term_doc_matrix. _category_idx_store, self._term_doc_matrix._term_idx_store, self. _term_doc_matrix_factory)
build
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if self._clf is None:\n raise NeedToTrainExceptionBeforeDeployingException()\n return DeployedClassifier(self._category, self._term_doc_m...
def x(term_to_index_dict): idxstore = IndexStore() idxstore._val2i = term_to_index_dict idxstore._next_i = len(term_to_index_dict) idxstore._i2val = [None for _ in range(idxstore._next_i)] for term, idx in idxstore._val2i.items(): idxstore._i2val[idx] = term return idxstore
build
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(term_to_index_dict):\n idxstore = IndexStore()\n idxstore._val2i = term_to_index_dict\n idxstore._next_i = len(term_to_index_dict)\n idxstore._i2va...
def x(self): constructor_kwargs = self._get_build_kwargs() if type(self.raw_texts) == list: constructor_kwargs['raw_texts'] = np.array(self.raw_texts) else: constructor_kwargs['raw_texts'] = self.raw_texts return Corpus(**constructor_kwargs)
build
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n constructor_kwargs = self._get_build_kwargs()\n if type(self.raw_texts) == list:\n constructor_kwargs['raw_texts'] = np.array(self.raw_te...
def x(self, y_i, y_j): n_i, n_j = y_i.sum(), y_j.sum() prior_scale_j = prior_scale_i = 1 if self._scale_type == 'class-size': prior_scale_i = n_i * self._scale * 1.0 / np.sum(self._priors) prior_scale_j = n_j * self._scale * 1.0 / np.sum(self._priors) elif self._scale_type == 'corpus-size': prior_scale_j = prior_scale_i = (n_i + n_j ) * self._scale * 1.0 / np.sum(self._priors) elif self._scale_type == 'word': prior_scale_j = prior_scale_i = self._scale / np.sum(self._priors) elif self._scale_type == 'background-corpus-size': prior_scale_j = prior_scale_i = self._scale a_wj = (self._priors * prior_scale_j) ** self._prior_power a_0j = np.sum(a_wj) a_wi = (self._priors * prior_scale_i) ** self._prior_power a_0i = np.sum(a_wi) delta_i_j = np.log((y_i + a_wi) / (n_i + a_0i - y_i - a_wi)) - np.log(( y_j + a_wj) / (n_j + a_0j - y_j - a_wj)) var_delta_i_j = 1.0 / (y_i + a_wi) + 1.0 / (n_i + a_0i - y_i - a_wi ) + 1.0 / (y_j + a_wj) + 1.0 / (n_j + a_0j - y_j - a_wj) zeta_i_j = delta_i_j / np.sqrt(var_delta_i_j) return zeta_i_j
get_zeta_i_j_given_separate_counts
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, y_i, y_j):\n n_i, n_j = y_i.sum(), y_j.sum()\n prior_scale_j = prior_scale_i = 1\n if self._scale_type == 'class-size':\n prior_scale_i =...
def x(self, term_doc_matrix): domain_mat = CombineDocsIntoDomains(term_doc_matrix).get_new_term_doc_mat( self.doc_domains) domain_count = (domain_mat > 0).sum(axis=0) valid_term_mask = (self.max_domain_count >= domain_count) & (domain_count >= self.min_domain_count) indices_to_compact = np.arange(term_doc_matrix.get_num_terms())[~ valid_term_mask.A1] return term_doc_matrix.remove_terms_by_indices(indices_to_compact)
compact
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, term_doc_matrix):\n domain_mat = CombineDocsIntoDomains(term_doc_matrix).get_new_term_doc_mat(\n self.doc_domains)\n domain_count = (domain_...
def x(self): if sys.version_info[0] == 2: return self._df[self._parsed_col] return self._df[self._parsed_col].apply(str)
get_texts
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if sys.version_info[0] == 2:\n return self._df[self._parsed_col]\n return self._df[self._parsed_col].apply(str)\n", "role": "user" ...
def x(self, group_col): group_idx_store = IndexStore() X = self._X group_idx_to_cat_idx, row_group_cat = (self. _get_group_docids_and_index_store(X, group_col, group_idx_store)) newX = self._change_document_type_in_matrix(X, row_group_cat) newX = self._make_all_positive_data_ones(newX) category_row = newX.tocoo().row for group_idx, cat_idx in group_idx_to_cat_idx.items(): category_row[category_row == group_idx] = cat_idx catX = self._change_document_type_in_matrix(newX, category_row) return self._term_freq_df_from_matrix(catX)
term_group_freq_df
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, group_col):\n group_idx_store = IndexStore()\n X = self._X\n group_idx_to_cat_idx, row_group_cat = (self.\n _get_group_docids_and_index_s...
def x(X): Xc = X.copy() Xc.data **= 2 return np.array(Xc.mean(axis=0) - np.power(X.mean(axis=0), 2))[0]
sparse_var
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(X):\n Xc = X.copy()\n Xc.data **= 2\n return np.array(Xc.mean(axis=0) - np.power(X.mean(axis=0), 2))[0]\n", "role": "user" }, { "content":...
def x(self, category_name, not_category_names=[], neutral_category_names=[]): tdf = self.term_ranker_.get_ranks() d = {'cat': tdf[category_name + ' freq']} if not_category_names == []: not_category_names = [(c + ' freq') for c in self.corpus_. get_categories() if c != category_name] else: not_category_names = [(c + ' freq') for c in not_category_names] d['ncat'] = tdf[not_category_names].sum(axis=1) if neutral_category_names == []: pass else: neutral_category_names = [(c + ' freq') for c in neutral_category_names ] for i, c in enumerate(neutral_category_names): d['neut%s' % i] = tdf[c] self.tdf_ = pd.DataFrame(d) self.category_name = category_name self.not_category_names = [c[:-5] for c in not_category_names] self.neutral_category_names = [c[:-5] for c in neutral_category_names] self.category_name_is_set_ = True return self
set_categories
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, category_name, not_category_names=[], neutral_category_names=[]):\n tdf = self.term_ranker_.get_ranks()\n d = {'cat': tdf[category_name + ' freq']}...
def x(self): X = self._get_X() cat_X, ncat_X = self._get_cat_and_ncat(X) mean_delta = self._get_mean_delta(cat_X, ncat_X) cat_var = sparse_var(cat_X) ncat_var = sparse_var(ncat_X) cat_n = cat_X.shape[0] ncat_n = ncat_X.shape[0] pooled_stderr = np.sqrt(cat_var / cat_n + ncat_var / ncat_n) tt = mean_delta / pooled_stderr degs_of_freedom = (cat_var ** 2 / cat_n + ncat_var ** 2 / ncat_n) ** 2 / ( (cat_var ** 2 / cat_n) ** 2 / (cat_n - 1) + (ncat_var ** 2 / ncat_n ) ** 2 / (ncat_n - 1)) only_in_neutral_mask = self.tdf_[['cat', 'ncat']].sum(axis=1) == 0 pvals = stats.t.sf(np.abs(tt), degs_of_freedom) tt[only_in_neutral_mask] = 0 pvals[only_in_neutral_mask] = 0 return tt, pvals
get_t_statistics
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n X = self._get_X()\n cat_X, ncat_X = self._get_cat_and_ncat(X)\n mean_delta = self._get_mean_delta(cat_X, ncat_X)\n cat_var = sparse_var(ca...
def x(self, X_factory, mX_factory, category_idx_store, df, parse_pipeline, term_idx_store, metadata_idx_store, y): df.apply(parse_pipeline.parse, axis=1) y = np.array(y) X, mX = build_sparse_matrices(y, X_factory, mX_factory) return CorpusDF(df, X, mX, y, self._text_col, term_idx_store, category_idx_store, metadata_idx_store)
apply_pipeline_and_get_build_instance
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, X_factory, mX_factory, category_idx_store, df, parse_pipeline,\n term_idx_store, metadata_idx_store, y):\n df.apply(parse_pipeline.parse, axis=1)\n...
def x(self, background): if issubclass(type(background), TermDocMatrixWithoutCategories): self._background_corpus = pd.DataFrame(background.get_term_freq_df( ).sum(axis=1), columns=['background']).reset_index() self._background_corpus.columns = ['word', 'background'] elif type(background) == pd.DataFrame and set(background.columns) == set([ 'word', 'background']): self._background_corpus = background else: raise Exception( 'The argument named background must be a subclass of TermDocMatrix or a ' + 'DataFrame with columns "word" and "background", where "word" ' + 'is the term text, and "background" is its frequency.')
set_background_corpus
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, background):\n if issubclass(type(background), TermDocMatrixWithoutCategories):\n self._background_corpus = pd.DataFrame(background.get_term_fr...
def x(self): background_df = self._get_background_unigram_frequencies() corpus_freq_df = self.get_term_count_df() corpus_unigram_freq = self._get_corpus_unigram_freq(corpus_freq_df) df = corpus_unigram_freq.join(background_df, how='outer').fillna(0) del df.index.name return df
get_term_and_background_counts
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n background_df = self._get_background_unigram_frequencies()\n corpus_freq_df = self.get_term_count_df()\n corpus_unigram_freq = self._get_corp...
def x(self): return FeatureLister(self._mX, self._metadata_idx_store, self. get_num_docs()).output()
list_extra_features
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n return FeatureLister(self._mX, self._metadata_idx_store, self.\n get_num_docs()).output()\n", "role": "user" }, { "content": "li...
def x(self, minimum_term_count, term_ranker=AbsoluteFrequencyRanker): tdf = term_ranker(self).get_ranks().sum(axis=1) return self.remove_terms(list(tdf[tdf <= minimum_term_count].index))
remove_infrequent_words
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, minimum_term_count, term_ranker=AbsoluteFrequencyRanker):\n tdf = term_ranker(self).get_ranks().sum(axis=1)\n return self.remove_terms(list(tdf[tdf...
def x(self): terms_to_remove = [term for term in self._term_idx_store._i2val if any( [(word in SPACY_ENTITY_TAGS) for word in term.split()])] return self.remove_terms(terms_to_remove)
remove_entity_tags
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n terms_to_remove = [term for term in self._term_idx_store._i2val if any(\n [(word in SPACY_ENTITY_TAGS) for word in term.split()])]\n retu...
def x(self, terms, ignore_absences=False): idx_to_delete_list = self._build_term_index_list(ignore_absences, terms) return self.remove_terms_by_indices(idx_to_delete_list)
remove_terms
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, terms, ignore_absences=False):\n idx_to_delete_list = self._build_term_index_list(ignore_absences, terms)\n return self.remove_terms_by_indices(idx...
def x(self, threshold): term_counts = self._X.astype(bool).astype(int).sum(axis=0).A[0] terms_to_remove = np.where(term_counts < threshold)[0] return self.remove_terms_by_indices(terms_to_remove)
remove_terms_used_in_less_than_num_docs
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, threshold):\n term_counts = self._X.astype(bool).astype(int).sum(axis=0).A[0]\n terms_to_remove = np.where(term_counts < threshold)[0]\n return ...
def x(self, stoplist=None): if stoplist is None: stoplist = self.get_default_stoplist() else: stoplist = [w.lower() for w in stoplist] return self._remove_terms_from_list(stoplist)
get_stoplisted_unigram_corpus
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, stoplist=None):\n if stoplist is None:\n stoplist = self.get_default_stoplist()\n else:\n stoplist = [w.lower() for w in stoplist]\n ...
def x(self, custom_stoplist): if type(custom_stoplist) == str: custom_stoplist = [custom_stoplist] return self._remove_terms_from_list(set(self.get_default_stoplist()) | set(w.lower() for w in custom_stoplist))
get_stoplisted_unigram_corpus_and_custom
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, custom_stoplist):\n if type(custom_stoplist) == str:\n custom_stoplist = [custom_stoplist]\n return self._remove_terms_from_list(set(self.ge...
def x(self): idx_to_delete_list = self._build_term_index_list(True, self. _get_non_unigrams()) unigram_X, _ = self._get_X_after_delete_terms(idx_to_delete_list) return unigram_X.sum(axis=1).A1
get_doc_lengths
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n idx_to_delete_list = self._build_term_index_list(True, self.\n _get_non_unigrams())\n unigram_X, _ = self._get_X_after_delete_terms(idx_t...
def x(self, idx_to_delete_list): new_X, new_term_idx_store = self._get_X_after_delete_terms( idx_to_delete_list) return self._make_new_term_doc_matrix(new_X=new_X, new_mX=self._mX, new_y=None, new_category_idx_store=None, new_term_idx_store= new_term_idx_store, new_metadata_idx_store=self._metadata_idx_store, new_y_mask=np.ones(new_X.shape[0]).astype(np.bool))
remove_terms_by_indices
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, idx_to_delete_list):\n new_X, new_term_idx_store = self._get_X_after_delete_terms(\n idx_to_delete_list)\n return self._make_new_term_doc_ma...
def x(self): doc_ids = self._X.transpose().tolil().rows terms = self._term_idx_store.values() return dict(zip(terms, doc_ids))
term_doc_lists
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n doc_ids = self._X.transpose().tolil().rows\n terms = self._term_idx_store.values()\n return dict(zip(terms, doc_ids))\n", "role": "user" ...
def x(self, term_ranker, use_non_text_features): if use_non_text_features: return term_ranker(self).use_non_text_features().get_ranks() return term_ranker(self).get_ranks()
apply_ranker
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, term_ranker, use_non_text_features):\n if use_non_text_features:\n return term_ranker(self).use_non_text_features().get_ranks()\n return ter...
def x(self, doc_names): if len(doc_names) != self.get_num_docs(): raise Exception( 'The parameter doc_names contains %s elements. It should have %s elements, one per document.' % (len(doc_names), self.get_num_docs())) doc_names_counter = collections.Counter(np.array(doc_names)) metafact = CSRMatrixFactory() metaidxstore = IndexStore() doc_id_uses = collections.Counter() for i in range(self.get_num_docs()): doc_id = doc_names[i] if doc_names_counter[doc_id] > 1: doc_id_uses[doc_id] += 1 doc_name_idx = metaidxstore.getidx('%s (%s)' % (doc_id, doc_id_uses[doc_id])) else: doc_name_idx = metaidxstore.getidx(doc_id) metafact[i, i] = doc_name_idx return self.add_metadata(metafact.get_csr_matrix(), metaidxstore)
add_doc_names_as_metadata
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, doc_names):\n if len(doc_names) != self.get_num_docs():\n raise Exception(\n 'The parameter doc_names contains %s elements. It shoul...
def x(self, metadata_matrix, meta_index_store): assert isinstance(meta_index_store, IndexStore) assert len(metadata_matrix.shape) == 2 assert metadata_matrix.shape[0] == self.get_num_docs() return self._make_new_term_doc_matrix(new_X=self._X, new_y=None, new_category_idx_store=None, new_y_mask=np.ones(self.get_num_docs() ).astype(bool), new_mX=metadata_matrix, new_term_idx_store=self. _term_idx_store, new_metadata_idx_store=meta_index_store)
add_metadata
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, metadata_matrix, meta_index_store):\n assert isinstance(meta_index_store, IndexStore)\n assert len(metadata_matrix.shape) == 2\n assert metadata...
def x(self, doc): ngram_counter = Counter() for sent in doc.sents: unigrams = self._get_unigram_feats(sent) bigrams = self._get_bigram_feats(unigrams) ngram_counter += Counter(chain(unigrams, bigrams)) return ngram_counter
get_feats
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, doc):\n ngram_counter = Counter()\n for sent in doc.sents:\n unigrams = self._get_unigram_feats(sent)\n bigrams = self._get_bigram_fe...
def x(self, correction_method=None): X = self._get_X().astype(np.float64) X = X / X.sum(axis=1) cat_X, ncat_X = self._get_cat_and_ncat(X) def x(u, x, y): m_u = len(x) * len(y) / 2 sigma_u = np.sqrt(len(x) * len(y) * (len(x) + len(y) + 1) / 12) z = (u - m_u) / sigma_u return 2 * norm.cdf(z) scores = [] for i in range(cat_X.shape[1]): cat_list = cat_X.T[i].A1 ncat_list = ncat_X.T[i].A1 try: if cat_list.mean() > ncat_list.mean(): mw = mannwhitneyu(cat_list, ncat_list, alternative='greater') if mw.pvalue in (0, 1): mw.pvalue = normal_apx(mw.staistic, cat_list, ncat_list) scores.append({'mwu': mw.statistic, 'mwu_p': mw.pvalue, 'mwu_z': norm.isf(float(mw.pvalue)), 'valid': True}) else: mw = mannwhitneyu(ncat_list, cat_list, alternative='greater') if mw.pvalue in (0, 1): mw.pvalue = normal_apx(mw.staistic, ncat_list, cat_list) scores.append({'mwu': -mw.statistic, 'mwu_p': 1 - mw.pvalue, 'mwu_z': 1.0 - norm.isf(float(mw.pvalue)), 'valid': True}) except: scores.append({'mwu': 0, 'mwu_p': 0, 'mwu_z': 0, 'valid': False}) score_df = pd.DataFrame(scores, index=self.corpus_.get_terms()).fillna(0) if correction_method is not None: from statsmodels.stats.multitest import multipletests for method in ['mwu']: valid_pvals = score_df[score_df.valid].mwu_p valid_pvals_abs = np.min([valid_pvals, 1 - valid_pvals], axis=0) valid_pvals_abs_corr = multipletests(valid_pvals_abs, method= correction_method)[1] score_df[method + '_p_corr'] = 0.5 valid_pvals_abs_corr[valid_pvals > 0.5 ] = 1.0 - valid_pvals_abs_corr[valid_pvals > 0.5] valid_pvals_abs_corr[valid_pvals < 0.5] = valid_pvals_abs_corr[ valid_pvals < 0.5] score_df.loc[score_df.valid, method + '_p_corr' ] = valid_pvals_abs_corr score_df[method + '_z'] = -norm.ppf(score_df[method + '_p_corr']) return score_df
get_score_df
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, correction_method=None):\n X = self._get_X().astype(np.float64)\n X = X / X.sum(axis=1)\n cat_X, ncat_X = self._get_cat_and_ncat(X)\n\n def x...
def x(term_doc_matrix, scores, num_term_to_keep=None): terms_to_show = AutoTermSelector.get_selected_terms(term_doc_matrix, scores, num_term_to_keep) return term_doc_matrix.remove_terms(set(term_doc_matrix.get_terms()) - set(terms_to_show))
reduce_terms
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(term_doc_matrix, scores, num_term_to_keep=None):\n terms_to_show = AutoTermSelector.get_selected_terms(term_doc_matrix,\n scores, num_term_to_keep)\n...
def x(term_doc_matrix, scores, num_term_to_keep=None): num_term_to_keep = AutoTermSelector._add_default_num_terms_to_keep( num_term_to_keep) term_doc_freq = term_doc_matrix.get_term_freq_df() term_doc_freq['count'] = term_doc_freq.sum(axis=1) term_doc_freq['score'] = scores score_terms = AutoTermSelector._get_score_terms(num_term_to_keep, term_doc_freq) background_terms = AutoTermSelector._get_background_terms(num_term_to_keep, term_doc_matrix) frequent_terms = AutoTermSelector._get_frequent_terms(num_term_to_keep, term_doc_freq) terms_to_show = score_terms | background_terms | frequent_terms return terms_to_show
get_selected_terms
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(term_doc_matrix, scores, num_term_to_keep=None):\n num_term_to_keep = AutoTermSelector._add_default_num_terms_to_keep(\n num_term_to_keep)\n term_...
def x(self, *args): if self.tdf_ is None: raise Exception( "Use set_category_name('category name', ['not category name', ...]) " + 'to set the category of interest') avgdl = self.tdf_.sum(axis=0).mean() def x(cat): n_q = (self.tdf_ > 0).astype(int).max(axis=1).sum() N = len(self.tdf_) return (N - n_q + 0.5) / (n_q + 0.5) def x(cat): tf = self.tdf_[cat] dl = self.tdf_[cat].sum() return tf * (self.k1 + 1) / (tf + self.k1 * (1 - self.b + self.b * (dl / avgdl))) def x(cat): return -length_adjusted_tf(cat) * np.log(idf(cat)) scores = bm25_score('cat') - bm25_score('ncat') return scores
get_scores
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *args):\n if self.tdf_ is None:\n raise Exception(\n \"Use set_category_name('category name', ['not category name', ...]) \"\n ...
def x(self, X): z_scores = ScaledFZScore(self.scaler_algo, self.beta).get_scores(X[:, 0 ], X[:, 1]) return norm.cdf(z_scores)
get_p_vals
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, X):\n z_scores = ScaledFZScore(self.scaler_algo, self.beta).get_scores(X[:, 0\n ], X[:, 1])\n return norm.cdf(z_scores)\n", "role": "use...
def x(self, term_doc_mat, x_dim=0, y_dim=1): return self._project_category_corpus(self._get_category_metadata_corpus (term_doc_mat), x_dim, y_dim)
project
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, term_doc_mat, x_dim=0, y_dim=1):\n return self._project_category_corpus(self._get_category_metadata_corpus\n (term_doc_mat), x_dim, y_dim)\n", ...
def x(self, term_doc_mat, x_dim=0, y_dim=1): return self._project_category_corpus(self. _get_category_metadata_corpus_and_replace_terms(term_doc_mat), x_dim, y_dim)
project_with_metadata
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, term_doc_mat, x_dim=0, y_dim=1):\n return self._project_category_corpus(self.\n _get_category_metadata_corpus_and_replace_terms(term_doc_mat),\...
def x(self, *args): def x(cat): p_hat_w = self.tdf_[cat] * 1.0 / self.tdf_[cat].sum() c_hat_w = self.smoothing_lambda_ * self.tdf_.sum(axis=1 ) * 1.0 / self.tdf_.sum().sum() return (1 - self.smoothing_lambda_ ) * p_hat_w + self.smoothing_lambda_ * c_hat_w p_w = jelinek_mercer_smoothing('cat') q_w = jelinek_mercer_smoothing('ncat') kl_divergence = p_w * np.log(p_w / q_w) / np.log(2) tt, pvals = self.get_t_statistics() return kl_divergence * (pvals < self.min_p_)
get_scores
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *args):\n\n def x(cat):\n p_hat_w = self.tdf_[cat] * 1.0 / self.tdf_[cat].sum()\n c_hat_w = self.smoothing_lambda_ * self.tdf_.sum(axis=...
def x(klass): if not is_py3: return klass def x(self, other): c = self.__cmp__(other) if c is NotImplemented: return c return c == 0 def x(self, other): c = self.__cmp__(other) if c is NotImplemented: return c return c != 0 def x(self, other): c = self.__cmp__(other) if c is NotImplemented: return c return c < 0 def x(self, other): c = self.__cmp__(other) if c is NotImplemented: return c return c <= 0 def x(self, other): c = self.__cmp__(other) if c is NotImplemented: return c return c > 0 def x(self, other): c = self.__cmp__(other) if c is NotImplemented: return c return c >= 0 klass.__lt__ = __lt__ klass.__gt__ = __gt__ klass.__le__ = __le__ klass.__ge__ = __ge__ klass.__eq__ = __eq__ klass.__ne__ = __ne__ return klass
comparable
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(klass):\n if not is_py3:\n return klass\n\n def x(self, other):\n c = self.__cmp__(other)\n if c is NotImplemented:\n ret...
def x(operator): def x(function): def x(self, *args, **kwargs): for arg in (args + tuple(kwargs.values())): if not isinstance(arg, self.__class__): raise TypeError('unorderable types: {}() {} {}()'. format(type(self).__name__, operator, type(arg). __name__)) return function(self, *args, **kwargs) return wrapper return inner
validate_class_type_arguments
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(operator):\n\n def x(function):\n\n def x(self, *args, **kwargs):\n for arg in (args + tuple(kwargs.values())):\n if not is...
def x(param_type=None): def x(function): def x(self, *args, **kwargs): type_ = param_type or type(self) for arg in (args + tuple(kwargs.values())): if not isinstance(arg, type_): raise TypeError( 'Invalid Type: {}.{}() accepts only the arguments of type "<{}>"' .format(type(self).__name__, function.__name__, type_.__name__)) return function(self, *args, **kwargs) return wrapper return inner
validate_arguments_type_of_function
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(param_type=None):\n\n def x(function):\n\n def x(self, *args, **kwargs):\n type_ = param_type or type(self)\n for arg in (args ...
def x(time_struct=None): if time_struct: ts = time_struct else: ts = time.localtime() if ts[-1]: offset = time.altzone else: offset = time.timezone return offset
utc_offset
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(time_struct=None):\n if time_struct:\n ts = time_struct\n else:\n ts = time.localtime()\n if ts[-1]:\n offset = time.altzone\n ...
def x(string, timezone='UTC', prefer_dates_from='current_period'): settings = {'TIMEZONE': timezone, 'RETURN_AS_TIMEZONE_AWARE': True, 'TO_TIMEZONE': 'UTC', 'PREFER_DATES_FROM': prefer_dates_from} dt = dateparser.parse(string, settings=settings) if dt is None: raise ValueError('invalid datetime input specified.') return MayaDT.from_datetime(dt)
when
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(string, timezone='UTC', prefer_dates_from='current_period'):\n settings = {'TIMEZONE': timezone, 'RETURN_AS_TIMEZONE_AWARE': True,\n 'TO_TIMEZONE': '...
def x(string, timezone='UTC', day_first=False, year_first=True, strict=False): options = {} options['tz'] = timezone options['day_first'] = day_first options['year_first'] = year_first options['strict'] = strict dt = pendulum.parse(str(string), **options) return MayaDT.from_datetime(dt)
parse
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(string, timezone='UTC', day_first=False, year_first=True, strict=False):\n options = {}\n options['tz'] = timezone\n options['day_first'] = day_first\...
def x(duration): if isinstance(duration, int): dt_timedelta = timedelta(seconds=duration) elif isinstance(duration, timedelta): dt_timedelta = duration else: raise TypeError( 'Expects argument as `datetime.timedelta` object or seconds in `int` format' ) return dt_timedelta
seconds_or_timedelta
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(duration):\n if isinstance(duration, int):\n dt_timedelta = timedelta(seconds=duration)\n elif isinstance(duration, timedelta):\n dt_timede...
def x(start, end, interval): interval = _seconds_or_timedelta(interval) current_timestamp = start while current_timestamp.epoch < end.epoch: yield current_timestamp current_timestamp = current_timestamp.add(seconds=interval. total_seconds())
intervals
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(start, end, interval):\n interval = _seconds_or_timedelta(interval)\n current_timestamp = start\n while current_timestamp.epoch < end.epoch:\n ...
def x(self, **kwargs): return self.from_datetime(pendulum.instance(self.datetime()).add(**kwargs))
add
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, **kwargs):\n return self.from_datetime(pendulum.instance(self.datetime()).add(**kwargs))\n", "role": "user" }, { "content": "add", "ro...
def x(self, **kwargs): return self.from_datetime(pendulum.instance(self.datetime()).subtract( **kwargs))
subtract
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, **kwargs):\n return self.from_datetime(pendulum.instance(self.datetime()).subtract(\n **kwargs))\n", "role": "user" }, { "content":...
def x(self, instruction): return self.from_datetime(snaptime.snap(self.datetime(), instruction))
snap
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, instruction):\n return self.from_datetime(snaptime.snap(self.datetime(), instruction))\n", "role": "user" }, { "content": "snap", "rol...
def x(self): if self._local_tz.zone in pytz.all_timezones: return self._local_tz.zone return self.timezone
local_timezone
[ { "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._local_tz.zone in pytz.all_timezones:\n return self._local_tz.zone\n return self.timezone\n", "role": "user" }, { "co...
def x(dt): if dt.tzinfo is None: dt = dt.replace(tzinfo=pytz.utc) epoch_start = Datetime(*MayaDT.__EPOCH_START, tzinfo=pytz.timezone('UTC')) return (dt - epoch_start).total_seconds()
dt_to_epoch
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(dt):\n if dt.tzinfo is None:\n dt = dt.replace(tzinfo=pytz.utc)\n epoch_start = Datetime(*MayaDT.__EPOCH_START, tzinfo=pytz.timezone('UTC'))\n ...
def x(klass, struct, timezone=pytz.UTC): struct_time = time.mktime(struct) - utc_offset(struct) dt = Datetime.fromtimestamp(struct_time, timezone) return klass(klass.__dt_to_epoch(dt))
from_struct
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(klass, struct, timezone=pytz.UTC):\n struct_time = time.mktime(struct) - utc_offset(struct)\n dt = Datetime.fromtimestamp(struct_time, timezone)\n ret...
def x(self, to_timezone=None, naive=False): if to_timezone: dt = self.datetime().astimezone(pytz.timezone(to_timezone)) else: dt = Datetime.utcfromtimestamp(self._epoch) dt.replace(tzinfo=self._tz) if naive: return dt.replace(tzinfo=None) elif dt.tzinfo is None: dt = dt.replace(tzinfo=self._tz) return dt
datetime
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, to_timezone=None, naive=False):\n if to_timezone:\n dt = self.datetime().astimezone(pytz.timezone(to_timezone))\n else:\n dt = Dateti...
def x(self): dt = self.datetime(naive=True) return '{}Z'.format(dt.isoformat())
iso8601
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n dt = self.datetime(naive=True)\n return '{}Z'.format(dt.isoformat())\n", "role": "user" }, { "content": "iso8601", "role": "assi...
def x(self, locale='en'): dt = pendulum.instance(self.datetime()) try: return _translate(dt, locale) except KeyError: pass delta = humanize.time.abs_timedelta(timedelta(seconds=self.epoch - now( ).epoch)) format_string = 'DD MMM' if delta.days >= 365: format_string += ' YYYY' return dt.format(format_string, locale=locale).title()
slang_date
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, locale='en'):\n dt = pendulum.instance(self.datetime())\n try:\n return _translate(dt, locale)\n except KeyError:\n pass\n delt...
def x(self, locale='en'): dt = self.datetime() return pendulum.instance(dt).diff_for_humans(locale=locale)
slang_time
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, locale='en'):\n dt = self.datetime()\n return pendulum.instance(dt).diff_for_humans(locale=locale)\n", "role": "user" }, { "content": "...
def x(target, current, scale): delta = target - current while delta < -180: delta += 360 while delta > 180: delta -= 360 return old_div(2.0, 1.0 + math.exp(old_div(-delta, scale))) - 1.0
angvel
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(target, current, scale):\n delta = target - current\n while delta < -180:\n delta += 360\n while delta > 180:\n delta -= 360\n return...
def x(agent_host, ob, target_pitch, target_yaw, threshold): pitch = ob.get(u'Pitch', 0) yaw = ob.get(u'Yaw', 0) delta_yaw = angvel(target_yaw, yaw, 50.0) delta_pitch = angvel(target_pitch, pitch, 50.0) agent_host.sendCommand('turn ' + str(delta_yaw)) agent_host.sendCommand('pitch ' + str(delta_pitch)) if abs(pitch - target_pitch) + abs(yaw - target_yaw) < threshold: agent_host.sendCommand('turn 0') agent_host.sendCommand('pitch 0') return True return False
pointTo
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(agent_host, ob, target_pitch, target_yaw, threshold):\n pitch = ob.get(u'Pitch', 0)\n yaw = ob.get(u'Yaw', 0)\n delta_yaw = angvel(target_yaw, yaw, 50...
def x(branch=None, buildMod=False): gradlew = './gradlew' if os.name == 'nt': gradlew = 'gradlew.bat' if branch is None: branch = malmo_version subprocess.check_call(['git', 'clone', '-b', branch, 'https://github.com/Microsoft/malmo.git', malmo_install_dir]) os.chdir(malmo_install_dir) os.chdir('Minecraft') try: pathlib.Path('src/main/resources/version.properties').write_text( 'malmomod.version={}\n'.format(malmo_version)) if buildMod: subprocess.check_call([gradlew, 'setupDecompWorkspace', 'build', 'testClasses', '-x', 'test', '--stacktrace', '-Pversion={}' .format(malmo_version)]) minecraft_dir = os.getcwd() finally: os.chdir('../..') if 'MALMO_XSD_PATH' not in os.environ: print( 'Please make sure you set the MALMO_XSD_PATH environment variable to "{}/Schemas"!' .format(str(pathlib.Path(malmo_install_dir).absolute()))) return minecraft_dir
download
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(branch=None, buildMod=False):\n gradlew = './gradlew'\n if os.name == 'nt':\n gradlew = 'gradlew.bat'\n if branch is None:\n branch = ma...
def x(ports=[], wait_timeout=360): if 'MALMO_XSD_PATH' not in os.environ: print('Please set the MALMO_XSD_PATH environment variable.') return cwd = os.getcwd() try: os.chdir(malmo_install_dir + '/Minecraft') launch_minecraft_in_background(os.getcwd(), ports, wait_timeout) finally: os.chdir(cwd)
launch_minecraft
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(ports=[], wait_timeout=360):\n if 'MALMO_XSD_PATH' not in os.environ:\n print('Please set the MALMO_XSD_PATH environment variable.')\n return\...
def x(): os.environ['MALMO_XSD_PATH'] = str(pathlib.Path(malmo_install_dir + '/Schemas').absolute()) print(os.environ['MALMO_XSD_PATH'])
set_malmo_xsd_path
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n os.environ['MALMO_XSD_PATH'] = str(pathlib.Path(malmo_install_dir +\n '/Schemas').absolute())\n print(os.environ['MALMO_XSD_PATH'])\n", "...
def x(arr, val): i_closest = None for i, v in enumerate(arr): d = math.fabs(v - val) if i_closest == None or d < d_closest: i_closest = i d_closest = d return i_closest
indexOfClosest
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(arr, val):\n i_closest = None\n for i, v in enumerate(arr):\n d = math.fabs(v - val)\n if i_closest == None or d < d_closest:\n ...
def x(self): world_state = self.agent_host.peekWorldState() while world_state.is_mission_running and all(e.text == '{}' for e in world_state.observations): world_state = self.agent_host.peekWorldState() num_frames_seen = world_state.number_of_video_frames_since_last_state while (world_state.is_mission_running and world_state. number_of_video_frames_since_last_state == num_frames_seen): world_state = self.agent_host.peekWorldState() world_state = self.agent_host.getWorldState() if world_state.is_mission_running: assert len(world_state.video_frames) > 0, 'No video frames!?' obs = json.loads(world_state.observations[-1].text) self.prev_x = obs[u'XPos'] self.prev_y = obs[u'YPos'] self.prev_z = obs[u'ZPos'] self.prev_yaw = obs[u'Yaw'] print('Initial position:', self.prev_x, ',', self.prev_y, ',', self .prev_z, 'yaw', self.prev_yaw) if save_images: frame = world_state.video_frames[-1] image = Image.frombytes('RGB', (frame.width, frame.height), bytes(frame.pixels)) self.iFrame = 0 self.rep = self.rep + 1 image.save('rep_' + str(self.rep).zfill(3) + '_saved_frame_' + str(self.iFrame).zfill(4) + '.png') return world_state
waitForInitialState
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n world_state = self.agent_host.peekWorldState()\n while world_state.is_mission_running and all(e.text == '{}' for e in\n world_state.obser...
def x(self): print('Waiting for observation...', end=' ') while True: world_state = self.agent_host.peekWorldState() if not world_state.is_mission_running: print('mission ended.') break if not all(e.text == '{}' for e in world_state.observations): obs = json.loads(world_state.observations[-1].text) self.curr_x = obs[u'XPos'] self.curr_y = obs[u'YPos'] self.curr_z = obs[u'ZPos'] self.curr_yaw = obs[u'Yaw'] if self.require_move: if math.fabs(self.curr_x - self.prev_x ) > self.tolerance or math.fabs(self.curr_y - self.prev_y ) > self.tolerance or math.fabs(self.curr_z - self.prev_z ) > self.tolerance: print('received a move.') break elif self.require_yaw_change: if math.fabs(self.curr_yaw - self.prev_yaw) > self.tolerance: print('received a turn.') break else: print('received.') break print('Waiting for render...', end=' ') while True: world_state = self.agent_host.peekWorldState() if not world_state.is_mission_running: print('mission ended.') break if len(world_state.video_frames) > 0: frame = world_state.video_frames[-1] curr_x_from_render = frame.xPos curr_y_from_render = frame.yPos curr_z_from_render = frame.zPos curr_yaw_from_render = frame.yaw if self.require_move: if math.fabs(curr_x_from_render - self.prev_x ) > self.tolerance or math.fabs(curr_y_from_render - self.prev_y) > self.tolerance or math.fabs( curr_z_from_render - self.prev_z) > self.tolerance: print('received a move.') break elif self.require_yaw_change: if math.fabs(curr_yaw_from_render - self.prev_yaw ) > self.tolerance: print('received a turn.') break else: print('received.') break num_frames_before_get = len(world_state.video_frames) world_state = self.agent_host.getWorldState() if save_images: if world_state.is_mission_running: assert len(world_state.video_frames) > 0, 'No video frames!?' frame = world_state.video_frames[-1] image = Image.frombytes('RGB', (frame.width, frame.height), bytes(frame.pixels)) self.iFrame = self.iFrame + 1 image.save('rep_' + str(self.rep).zfill(3) + '_saved_frame_' + str(self.iFrame).zfill(4) + '.png') if world_state.is_mission_running: assert len(world_state.video_frames) > 0, 'No video frames!?' num_frames_after_get = len(world_state.video_frames) assert num_frames_after_get >= num_frames_before_get, 'Fewer frames after getWorldState!?' frame = world_state.video_frames[-1] obs = json.loads(world_state.observations[-1].text) self.curr_x = obs[u'XPos'] self.curr_y = obs[u'YPos'] self.curr_z = obs[u'ZPos'] self.curr_yaw = obs[u'Yaw'] print('New position from observation:', self.curr_x, ',', self. curr_y, ',', self.curr_z, 'yaw', self.curr_yaw, end=' ') if math.fabs(self.curr_x - self.expected_x ) > self.tolerance or math.fabs(self.curr_y - self.expected_y ) > self.tolerance or math.fabs(self.curr_z - self.expected_z ) > self.tolerance or math.fabs(self.curr_yaw - self.expected_yaw ) > self.tolerance: print(' - ERROR DETECTED! Expected:', self.expected_x, ',', self.expected_y, ',', self.expected_z, 'yaw', self.expected_yaw ) exit(1) else: print('as expected.') curr_x_from_render = frame.xPos curr_y_from_render = frame.yPos curr_z_from_render = frame.zPos curr_yaw_from_render = frame.yaw print('New position from render:', curr_x_from_render, ',', curr_y_from_render, ',', curr_z_from_render, 'yaw', curr_yaw_from_render, end=' ') if math.fabs(curr_x_from_render - self.expected_x ) > self.tolerance or math.fabs(curr_y_from_render - self. expected_y) > self.tolerance or math.fabs(curr_z_from_render - self.expected_z) > self.tolerance or math.fabs( curr_yaw_from_render - self.expected_yaw) > self.tolerance: print(' - ERROR DETECTED! Expected:', self.expected_x, ',', self.expected_y, ',', self.expected_z, 'yaw', self.expected_yaw ) exit(1) else: print('as expected.') self.prev_x = self.curr_x self.prev_y = self.curr_y self.prev_z = self.curr_z self.prev_yaw = self.curr_yaw return world_state
waitForNextState
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n print('Waiting for observation...', end=' ')\n while True:\n world_state = self.agent_host.peekWorldState()\n if not world_state.i...
def x(self): if self.action_set == 'discrete_absolute': actions = ['movenorth 1', 'movesouth 1', 'movewest 1', 'moveeast 1'] elif self.action_set == 'discrete_relative': actions = ['move 1', 'move -1', 'turn 1', 'turn -1'] elif self.action_set == 'teleport': while True: dx = random.randint(-10, 10) dz = random.randint(-10, 10) if not dx == 0 or not dz == 0: break self.expected_x = self.prev_x + dx self.expected_y = self.prev_y self.expected_z = self.prev_z + dz self.expected_yaw = self.prev_yaw self.require_move = True self.require_yaw_change = False actions = ['tp ' + str(self.expected_x) + ' ' + str(self.expected_y ) + ' ' + str(self.expected_z)] else: print('ERROR: Unsupported action set:', self.action_set) exit(1) i_action = random.randint(0, len(actions) - 1) action = actions[i_action] print('Sending', action) self.agent_host.sendCommand(action) if self.action_set == 'discrete_absolute': self.expected_x = self.prev_x + [0, 0, -1, 1][i_action] self.expected_y = self.prev_y self.expected_z = self.prev_z + [-1, 1, 0, 0][i_action] self.expected_yaw = self.prev_yaw self.require_move = True self.require_yaw_change = False elif self.action_set == 'discrete_relative': if i_action == 0 or i_action == 1: i_yaw = indexOfClosest([0, 90, 180, 270], self.prev_yaw) forward = [(0, 1), (-1, 0), (0, -1), (1, 0)][i_yaw] if i_action == 0: self.expected_x = self.prev_x + forward[0] self.expected_z = self.prev_z + forward[1] else: self.expected_x = self.prev_x - forward[0] self.expected_z = self.prev_z - forward[1] self.expected_y = self.prev_y self.expected_yaw = self.prev_yaw self.require_move = True self.require_yaw_change = False else: self.expected_x = self.prev_x self.expected_y = self.prev_y self.expected_z = self.prev_z self.expected_yaw = math.fmod(360 + self.prev_yaw + [90, -90][ i_action - 2], 360) self.require_move = False self.require_yaw_change = True elif self.action_set == 'teleport': pass else: print('ERROR: Unsupported action set:', self.action_set) exit(1)
act
[ { "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.action_set == 'discrete_absolute':\n actions = ['movenorth 1', 'movesouth 1', 'movewest 1', 'moveeast 1']\n elif self.action_set ...
def x(frame): width = frame.width height = frame.height pixels = frame.pixels USE_SIMPLE_APPROACH = False if USE_SIMPLE_APPROACH: left_centre_x = int(width / 4) right_centre_x = int(3 * width / 4) centre_y = int(height / 2) left_pixel_index = left_centre_x + centre_y * width right_pixel_index = right_centre_x + centre_y * width left_sensor = float(pixels[left_pixel_index]) / 255.0 right_sensor = float(pixels[right_pixel_index]) / 255.0 else: left_total = 0 right_total = 0 left_hist = [(0) for i in range(256)] right_hist = [(0) for i in range(256)] for y in range(height): for x in range(int(width / 2)): i = pixels[x + y * width] left_hist[i] += 1 left_total += float(i) / 255.0 for x in range(int(width / 2), width): i = pixels[x + y * width] right_hist[i] += 1 right_total += float(i) / 255.0 left_mean, right_mean = left_total / (width * height / 2 ), right_total / (width * height / 2) left_total, right_total = 0, 0 pixels_per_half = width * height / 2 cut_off_value = pixels_per_half / 2 left_cut_off_point, right_cut_off_point = 0, 0 while left_total < cut_off_value: left_total += left_hist[left_cut_off_point] left_cut_off_point += 1 while right_total < cut_off_value: right_total += right_hist[right_cut_off_point] right_cut_off_point += 1 left_median, right_median = (left_cut_off_point / 255.0, right_cut_off_point / 255.0) left_sensor, right_sensor = left_median, right_median GAIN = 1.8 left_sensor = min(1, left_sensor * GAIN) right_sensor = min(1, right_sensor * GAIN) return left_sensor, right_sensor
processFrame
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(frame):\n width = frame.width\n height = frame.height\n pixels = frame.pixels\n USE_SIMPLE_APPROACH = False\n if USE_SIMPLE_APPROACH:\n l...
def x(points): xml = '' for p in points: x = str(p.x) z = str(p.y) xml += '<DrawBlock x="' + x + '" y="7" z="' + z + '" type="beacon"/>' xml += ('<DrawItem x="' + x + '" y="10" z="' + z + '" type="ender_pearl"/>') return xml
getCitiesDrawingXML
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(points):\n xml = ''\n for p in points:\n x = str(p.x)\n z = str(p.y)\n xml += '<DrawBlock x=\"' + x + '\" y=\"7\" z=\"' + z + '\" ty...
def x(self, mission_spec, mission_record_spec, role=0): self.world_state = None total_reward = 0 command_handlers = mission_spec.getListOfCommandHandlers(role) if ('ContinuousMovement' in command_handlers and 'DiscreteMovement' in command_handlers): print( 'ERROR: Ambiguous action space in supplied mission: both continuous and discrete command handlers present.' ) exit(1) elif 'ContinuousMovement' in command_handlers: self.action_space = 'continuous' elif 'DiscreteMovement' in command_handlers: self.action_space = 'discrete' else: print( 'ERROR: Unknown action space in supplied mission: neither continuous or discrete command handlers present.' ) exit(1) self.createGUI() if mission_spec.isVideoRequested(0): self.canvas.config(width=mission_spec.getVideoWidth(0), height= mission_spec.getVideoHeight(0)) start_time = time.time() while time.time() - start_time < 4: canvas_id = self.canvas.create_rectangle(100, 100, 540, 200, fill= 'white', outline='red', width='5') self.canvas.create_text(320, 120, text=mission_spec.getSummary(), font=('Helvetica', '16')) self.canvas.create_text(320, 150, text=str(3 - int(time.time() - start_time)), font=('Helvetica', '16'), fill='red') self.root.update() time.sleep(0.2) try: self.agent_host.startMission(mission_spec, mission_record_spec) except RuntimeError as e: tkinter.messagebox.showerror('Error', 'Error starting mission: ' + str(e)) return print('Waiting for the mission to start', end=' ') self.world_state = self.agent_host.peekWorldState() while not self.world_state.has_mission_begun: print('.', end='') time.sleep(0.1) self.world_state = self.agent_host.peekWorldState() for error in self.world_state.errors: print('Error:', error.text) print() if self.action_space == 'continuous': self.canvas.config(cursor='none') self.canvas.event_generate('<Motion>', warp=True, x=old_div(self. canvas.winfo_width(), 2), y=old_div(self.canvas.winfo_height(), 2)) self.root.after(50, self.update) self.canvas.focus_set() while self.world_state.is_mission_running: self.world_state = self.agent_host.getWorldState() if self.world_state.number_of_observations_since_last_state > 0: self.observation.config(text=self.world_state.observations[0].text) if mission_spec.isVideoRequested(0 ) and self.world_state.number_of_video_frames_since_last_state > 0: frame = self.world_state.video_frames[-1] image = Image.frombytes('RGB', (frame.width, frame.height), bytes(frame.pixels)) photo = ImageTk.PhotoImage(image) self.canvas.delete('all') self.canvas.create_image(old_div(frame.width, 2), old_div(frame .height, 2), image=photo) self.canvas.create_line(old_div(self.canvas.winfo_width(), 2) - 5, old_div(self.canvas.winfo_height(), 2), old_div(self.canvas. winfo_width(), 2) + 6, old_div(self.canvas.winfo_height(), 2), fill='white') self.canvas.create_line(old_div(self.canvas.winfo_width(), 2), old_div(self.canvas.winfo_height(), 2) - 5, old_div(self.canvas .winfo_width(), 2), old_div(self.canvas.winfo_height(), 2) + 6, fill='white') for reward in self.world_state.rewards: total_reward += reward.getValue() self.reward.config(text=str(total_reward)) self.root.update() time.sleep(0.01) if self.action_space == 'continuous': self.canvas.config(cursor='arrow') print('Mission stopped') if not self.agent_host.receivedArgument('test'): tkinter.messagebox.showinfo('Mission ended', 'Mission has ended. Total reward: ' + str(total_reward)) self.root_frame.destroy()
runMission
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, mission_spec, mission_record_spec, role=0):\n self.world_state = None\n total_reward = 0\n command_handlers = mission_spec.getListOfCommandHandl...
def x(self): our_font = 'Helvetica 16 bold' small_font = 'Helvetica 9 bold' self.root_frame = Frame(self.root) if self.action_space == 'continuous': desc = ( 'Running continuous-action mission.\nUse the mouse to turn, WASD to move.' ) else: desc = ( 'Running discrete-action mission.\nUse the arrow keys to turn and move.' ) Label(self.root_frame, text=desc, font=our_font, wraplength=640).pack(padx =5, pady=5) self.canvas = Canvas(self.root_frame, borderwidth=0, highlightthickness =0, width=640, height=480, bg='gray') self.canvas.bind('<Motion>', self.onMouseMoveInCanvas) self.canvas.bind('<Button-1>', self.onLeftMouseDownInCanvas) self.canvas.bind('<ButtonRelease-1>', self.onLeftMouseUpInCanvas) if sys.platform == 'darwin': right_mouse_button = '2' else: right_mouse_button = '3' self.canvas.bind('<Button-' + right_mouse_button + '>', self. onRightMouseDownInCanvas) self.canvas.bind('<ButtonRelease-' + right_mouse_button + '>', self. onRightMouseUpInCanvas) self.canvas.bind('<KeyPress>', self.onKeyPressInCanvas) self.canvas.bind('<KeyRelease>', self.onKeyReleaseInCanvas) self.canvas.pack(padx=5, pady=5) self.entry_frame = Frame(self.root_frame) Label(self.entry_frame, text="Type '/' to enter command:", font=small_font ).pack(padx=5, pady=5, side=LEFT) self.command_entry = Entry(self.entry_frame, font=small_font) self.command_entry.bind('<Key>', self.onKeyInCommandEntry) self.command_entry.pack(padx=5, pady=5, side=LEFT) Button(self.entry_frame, text='Send', command=self.onSendCommand, font= small_font).pack(padx=5, pady=5, side=LEFT) self.entry_frame.pack() self.observation = Label(self.root_frame, text= 'observations will appear here', wraplength=640, font=small_font) self.observation.pack() self.reward = Label(self.root_frame, text='rewards will appear here', wraplength=640, font=small_font) self.reward.pack() self.root_frame.pack() self.mouse_event = self.prev_mouse_event = None
createGUI
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n our_font = 'Helvetica 16 bold'\n small_font = 'Helvetica 9 bold'\n self.root_frame = Frame(self.root)\n if self.action_space == 'continuou...
def x(self): self.agent_host.sendCommand(self.command_entry.get()) self.command_entry.delete(0, END) self.canvas.focus_set()
onSendCommand
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.agent_host.sendCommand(self.command_entry.get())\n self.command_entry.delete(0, END)\n self.canvas.focus_set()\n", "role": "user" ...
def x(self): if self.action_space == 'continuous': if self.world_state and self.world_state.is_mission_running: if self.mouse_event and self.prev_mouse_event: rotation_speed = 0.1 turn_speed = (self.mouse_event.x - self.prev_mouse_event.x ) * rotation_speed pitch_speed = (self.mouse_event.y - self.prev_mouse_event.y ) * rotation_speed self.agent_host.sendCommand('turn ' + str(turn_speed)) self.agent_host.sendCommand('pitch ' + str(pitch_speed)) if self.mouse_event: if os.name == 'nt': self.canvas.event_generate('<Motion>', warp=True, x= old_div(self.canvas.winfo_width(), 2), y=old_div( self.canvas.winfo_height(), 2)) self.mouse_event.x = old_div(self.canvas.winfo_width(), 2) self.mouse_event.y = old_div(self.canvas.winfo_height(), 2) self.prev_mouse_event = self.mouse_event if self.world_state.is_mission_running: self.root.after(50, self.update)
update
[ { "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.action_space == 'continuous':\n if self.world_state and self.world_state.is_mission_running:\n if self.mouse_event and se...
def x(self, event): if event.char == '\r': self.onSendCommand() self.canvas.focus_set()
onKeyInCommandEntry
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, event):\n if event.char == '\\r':\n self.onSendCommand()\n self.canvas.focus_set()\n", "role": "user" }, { "content": "onKey...
def x(self, event): char_map = {'w': 'move 1', 'a': 'strafe -1', 's': 'move -1', 'd': 'strafe 1', ' ': 'jump 1'} keysym_map = {'continuous': {'Left': 'turn -1', 'Right': 'turn 1', 'Up': 'pitch -1', 'Down': 'pitch 1', 'Shift_L': 'crouch 1', 'Shift_R': 'crouch 1', '1': 'hotbar.1 1', '2': 'hotbar.2 1', '3': 'hotbar.3 1', '4': 'hotbar.4 1', '5': 'hotbar.5 1', '6': 'hotbar.6 1', '7': 'hotbar.7 1', '8': 'hotbar.8 1', '9': 'hotbar.9 1'}, 'discrete': { 'Left': 'turn -1', 'Right': 'turn 1', 'Up': 'move 1', 'Down': 'move -1', '1': 'hotbar.1 1', '2': 'hotbar.2 1', '3': 'hotbar.3 1', '4': 'hotbar.4 1', '5': 'hotbar.5 1', '6': 'hotbar.6 1', '7': 'hotbar.7 1', '8': 'hotbar.8 1', '9': 'hotbar.9 1'}} if event.char == '/': self.command_entry.focus_set() elif event.char.lower() in char_map: self.agent_host.sendCommand(char_map[event.char.lower()]) elif event.keysym in keysym_map[self.action_space]: self.agent_host.sendCommand(keysym_map[self.action_space][event.keysym] )
onKeyPressInCanvas
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, event):\n char_map = {'w': 'move 1', 'a': 'strafe -1', 's': 'move -1', 'd':\n 'strafe 1', ' ': 'jump 1'}\n keysym_map = {'continuous': {'Lef...
def x(self, event): char_map = {'w': 'move 0', 'a': 'strafe 0', 's': 'move 0', 'd': 'strafe 0', ' ': 'jump 0'} keysym_map = {'Left': 'turn 0', 'Right': 'turn 0', 'Up': 'pitch 0', 'Down': 'pitch 0', 'Shift_L': 'crouch 0', 'Shift_R': 'crouch 0', '1': 'hotbar.1 0', '2': 'hotbar.2 0', '3': 'hotbar.3 0', '4': 'hotbar.4 0', '5': 'hotbar.5 0', '6': 'hotbar.6 0', '7': 'hotbar.7 0', '8': 'hotbar.8 0', '9': 'hotbar.9 0'} if event.char.lower() in char_map: self.agent_host.sendCommand(char_map[event.char.lower()]) elif event.keysym in keysym_map: self.agent_host.sendCommand(keysym_map[event.keysym])
onKeyReleaseInCanvas
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, event):\n char_map = {'w': 'move 0', 'a': 'strafe 0', 's': 'move 0', 'd':\n 'strafe 0', ' ': 'jump 0'}\n keysym_map = {'Left': 'turn 0', 'Ri...
def x(): xml = '' for item in range(NUM_GOALS): x = str(random.randint(old_div(-ARENA_WIDTH, 2), old_div( ARENA_WIDTH, 2))) z = str(random.randint(old_div(-ARENA_BREADTH, 2), old_div( ARENA_BREADTH, 2))) xml += ('<DrawItem x="' + x + '" y="210" z="' + z + '" type="' + GOAL_TYPE + '"/>') return xml
getItemXML
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n xml = ''\n for item in range(NUM_GOALS):\n x = str(random.randint(old_div(-ARENA_WIDTH, 2), old_div(\n ARENA_WIDTH, 2)))\n ...
def x(index, top, left, expand=0, y=206): x = str(-(expand + old_div(ARENA_WIDTH, 2))) if left else str(expand + old_div(ARENA_WIDTH, 2)) z = str(-(expand + old_div(ARENA_BREADTH, 2))) if top else str(expand + old_div(ARENA_BREADTH, 2)) return 'x' + index + '="' + x + '" y' + index + '="' + str(y ) + '" z' + index + '="' + z + '"'
getCorner
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(index, top, left, expand=0, y=206):\n x = str(-(expand + old_div(ARENA_WIDTH, 2))) if left else str(expand +\n old_div(ARENA_WIDTH, 2))\n z = str(...
def x(summary): spawn_end_tag = ' type="mob_spawner" variant="' + MOB_TYPE + '"/>' return """<?xml version="1.0" encoding="UTF-8" ?> <Mission xmlns="http://ProjectMalmo.microsoft.com" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"> <About> <Summary>""" + summary + """</Summary> </About> <ModSettings> <MsPerTick>20</MsPerTick> </ModSettings> <ServerSection> <ServerInitialConditions> <Time> <StartTime>13000</StartTime> <AllowPassageOfTime>false</AllowPassageOfTime> </Time> <AllowSpawning>true</AllowSpawning> <AllowedMobs>""" + MOB_TYPE + """</AllowedMobs> </ServerInitialConditions> <ServerHandlers> <FlatWorldGenerator generatorString="3;7,220*1,5*3,2;3;,biome_1" /> <DrawingDecorator> <DrawCuboid """ + getCorner('1', True, True, expand=1) + ' ' + getCorner('2', False, False, y=226, expand=1) + """ type="stone"/> <DrawCuboid """ + getCorner('1', True, True, y=207) + ' ' + getCorner('2', False, False, y=226) + """ type="air"/> <DrawLine """ + getCorner('1', True, True) + ' ' + getCorner('2', True, False) + spawn_end_tag + """ <DrawLine """ + getCorner('1', True, True) + ' ' + getCorner('2', False, True) + spawn_end_tag + """ <DrawLine """ + getCorner('1', False, False) + ' ' + getCorner('2', True, False) + spawn_end_tag + """ <DrawLine """ + getCorner('1', False, False) + ' ' + getCorner('2', False, True) + spawn_end_tag + """ <DrawCuboid x1="-1" y1="206" z1="-1" x2="1" y2="206" z2="1" """ + spawn_end_tag + """ """ + getItemXML() + """ </DrawingDecorator> <ServerQuitWhenAnyAgentFinishes /> </ServerHandlers> </ServerSection> <AgentSection mode="Survival"> <Name>The Hunted</Name> <AgentStart> <Placement x="0.5" y="207.0" z="0.5"/> <Inventory> </Inventory> </AgentStart> <AgentHandlers> <ChatCommands/> <ContinuousMovementCommands turnSpeedDegs="360"/> <AbsoluteMovementCommands/> <ObservationFromNearbyEntities> <Range name="entities" xrange=\"""" + str(ARENA_WIDTH) + '" yrange="2" zrange="' + str(ARENA_BREADTH) + """" /> </ObservationFromNearbyEntities> <ObservationFromFullStats/> <RewardForCollectingItem> <Item type=\"""" + GOAL_TYPE + '" reward="' + str(GOAL_REWARD) + """"/> </RewardForCollectingItem>""" + malmoutils.get_video_xml(agent_host) + """ </AgentHandlers> </AgentSection> </Mission>"""
getMissionXML
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(summary):\n spawn_end_tag = ' type=\"mob_spawner\" variant=\"' + MOB_TYPE + '\"/>'\n return \"\"\"<?xml version=\"1.0\" encoding=\"UTF-8\" ?>\n <Missi...
def x(entities, current_yaw, current_health): us = findUs(entities) scores = [] while current_yaw < 0: current_yaw += 360 while current_yaw > 360: current_yaw -= 360 for i in range(agent_search_resolution): ang = 2 * math.pi * old_div(i, float(agent_search_resolution)) yaw = i * 360.0 / float(agent_search_resolution) yawdist = min(abs(yaw - current_yaw), 360 - abs(yaw - current_yaw)) turncost = agent_turn_weight * yawdist score = turncost x = us['x'] + agent_stepsize - math.sin(ang) z = us['z'] + agent_stepsize * math.cos(ang) for ent in entities: dist = (ent['x'] - x) * (ent['x'] - x) + (ent['z'] - z) * (ent[ 'z'] - z) if dist == 0: continue weight = 0.0 if ent['name'] == MOB_TYPE: weight = agent_mob_weight dist -= 1 if dist <= 0: dist = 0.1 elif ent['name'] == GOAL_TYPE: weight = agent_goal_weight * current_health / 20.0 score += old_div(weight, float(dist)) distRight = 2 + old_div(ARENA_WIDTH, 2) - x distLeft = -2 - old_div(ARENA_WIDTH, 2) - x distTop = 2 + old_div(ARENA_BREADTH, 2) - z distBottom = -2 - old_div(ARENA_BREADTH, 2) - z score += old_div(agent_edge_weight, float(distRight * distRight * distRight * distRight)) score += old_div(agent_edge_weight, float(distLeft * distLeft * distLeft * distLeft)) score += old_div(agent_edge_weight, float(distTop * distTop * distTop * distTop)) score += old_div(agent_edge_weight, float(distBottom * distBottom * distBottom * distBottom)) scores.append(score) i = scores.index(max(scores)) return i * 360.0 / float(agent_search_resolution)
getBestAngle
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(entities, current_yaw, current_health):\n us = findUs(entities)\n scores = []\n while current_yaw < 0:\n current_yaw += 360\n while current_...
def x(world_state, agent_host, client_info, message): if world_state.is_mission_running: agent_host.sendCommand('quit') time.sleep(10) agent_host.killClient(client_info) raise MissionTimeoutException(message)
restart_minecraft
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(world_state, agent_host, client_info, message):\n if world_state.is_mission_running:\n agent_host.sendCommand('quit')\n time.sleep(10)\n ag...
def x(self, xml, port, server=None, server2=None, port2=None, role=0, exp_uid=None, episode=0, action_filter=None, resync=0, step_options=0, action_space=None): if action_filter is None: action_filter = {'move', 'turn', 'use', 'attack'} if not xml.startswith('<Mission'): i = xml.index('<Mission') if i == -1: raise EnvException('Mission xml must contain <Mission> tag.') xml = xml[i:] self.xml = etree.fromstring(xml) self.role = role if exp_uid is None: self.exp_uid = str(uuid.uuid4()) else: self.exp_uid = exp_uid command_parser = CommandParser(action_filter) commands = command_parser.get_commands_from_xml(self.xml, self.role) actions = command_parser.get_actions(commands) if action_space: self.action_space = action_space else: self.action_space = ActionSpace(actions) self.port = port if server is not None: self.server = server if server2 is not None: self.server2 = server2 else: self.server2 = self.server if port2 is not None: self.port2 = port2 else: self.port2 = self.port + self.role self.agent_count = len(self.xml.findall(self.ns + 'AgentSection')) turn_based = self.xml.find('.//' + self.ns + 'TurnBasedCommands' ) is not None if turn_based: self.turn_key = 'AKWozEre' else: self.turn_key = '' if step_options is None: self.step_options = 0 if not turn_based else 2 else: self.step_options = step_options self.done = True self.resync_period = resync self.resets = episode e = etree.fromstring( """<MissionInit xmlns="http://ProjectMalmo.microsoft.com" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" SchemaVersion="" PlatformVersion=""" + '"' + malmo_version + '"' + """> <ExperimentUID></ExperimentUID> <ClientRole>0</ClientRole> <ClientAgentConnection> <ClientIPAddress>127.0.0.1</ClientIPAddress> <ClientMissionControlPort>0</ClientMissionControlPort> <ClientCommandsPort>0</ClientCommandsPort> <AgentIPAddress>127.0.0.1</AgentIPAddress> <AgentMissionControlPort>0</AgentMissionControlPort> <AgentVideoPort>0</AgentVideoPort> <AgentDepthPort>0</AgentDepthPort> <AgentLuminancePort>0</AgentLuminancePort> <AgentObservationsPort>0</AgentObservationsPort> <AgentRewardsPort>0</AgentRewardsPort> <AgentColourMapPort>0</AgentColourMapPort> </ClientAgentConnection> </MissionInit>""" ) e.insert(0, self.xml) self.xml = e self.xml.find(self.ns + 'ClientRole').text = str(self.role) self.xml.find(self.ns + 'ExperimentUID').text = self.exp_uid if self.role != 0 and self.agent_count > 1: e = etree.Element(self.ns + 'MinecraftServerConnection', attrib={ 'address': self.server, 'port': str(0)}) self.xml.insert(2, e) video_producers = self.xml.findall('.//' + self.ns + 'VideoProducer') assert len(video_producers) == self.agent_count video_producer = video_producers[self.role] self.width = int(video_producer.find(self.ns + 'Width').text) self.height = int(video_producer.find(self.ns + 'Height').text) want_depth = video_producer.attrib['want_depth'] self.depth = 4 if want_depth is not None and (want_depth == 'true' or want_depth == '1') else 3 self.observation_space = VisualObservationSpace(self.width, self.height, self.depth)
init
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, xml, port, server=None, server2=None, port2=None, role=0,\n exp_uid=None, episode=0, action_filter=None, resync=0, step_options=0,\n action_space=N...
def x(self): if self.resync_period > 0 and (self.resets + 1) % self.resync_period == 0: self._exit_resync() while not self.done: self.done = self._quit_episode() if not self.done: time.sleep(0.1) return self._start_up()
reset
[ { "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.resync_period > 0 and (self.resets + 1) % self.resync_period == 0:\n self._exit_resync()\n while not self.done:\n self.don...
def x(self, action): obs = None reward = None info = None turn = True withturnkey = self.step_options < 2 withinfo = self.step_options == 0 or self.step_options == 2 while not self.done and ((obs is None or len(obs) == 0) or withinfo and info is None or turn): step_message = '<Step' + str(self.step_options ) + '>' + self.action_space[action] + '</Step' + str(self. step_options) + ' >' comms.send_message(self.client_socket, step_message.encode()) if withturnkey: comms.send_message(self.client_socket, self.turn_key.encode()) obs = comms.recv_message(self.client_socket) reply = comms.recv_message(self.client_socket) reward, done, sent = struct.unpack('!dbb', reply) self.done = done == 1 if withinfo: info = comms.recv_message(self.client_socket).decode('utf-8') turn_key = comms.recv_message(self.client_socket).decode('utf-8' ) if withturnkey else '' if turn_key != '': if sent != 0: turn = False self.turn_key = turn_key else: turn = sent == 0 if (obs is None or len(obs) == 0) or turn: time.sleep(0.1) obs = np.frombuffer(obs, dtype=np.uint8) return obs, reward, self.done, info
step
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, action):\n obs = None\n reward = None\n info = None\n turn = True\n withturnkey = self.step_options < 2\n withinfo = self.step_options ...
def x(self): try: sock = socket.socket(socket.AF_INET, socket.SOCK_STREAM) sock.connect((self.server, self.port)) self._hello(sock) comms.send_message(sock, ('<Close>' + self._get_token() + '</Close>').encode()) reply = comms.recv_message(sock) ok, = struct.unpack('!I', reply) assert ok sock.close() except Exception as e: self._log_error(e) if self.client_socket: self.client_socket.close() self.client_socket = None
close
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n try:\n sock = socket.socket(socket.AF_INET, socket.SOCK_STREAM)\n sock.connect((self.server, self.port))\n self._hello(sock)\n...
def x(self): sock = socket.socket(socket.AF_INET, socket.SOCK_STREAM) sock.connect((self.server, self.port)) self._hello(sock) comms.send_message(sock, ('<Init>' + self._get_token() + '</Init>'). encode()) reply = comms.recv_message(sock) sock.close() ok, = struct.unpack('!I', reply) return ok != 0
reinit
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n sock = socket.socket(socket.AF_INET, socket.SOCK_STREAM)\n sock.connect((self.server, self.port))\n self._hello(sock)\n comms.send_message...
def x(self, head): sock = socket.socket(socket.AF_INET, socket.SOCK_STREAM) if head: sock.connect((self.server, self.port)) else: sock.connect((self.server2, self.port2)) self._hello(sock) comms.send_message(sock, '<Status/>'.encode()) status = comms.recv_message(sock).decode('utf-8') sock.close() return status
status
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, head):\n sock = socket.socket(socket.AF_INET, socket.SOCK_STREAM)\n if head:\n sock.connect((self.server, self.port))\n else:\n so...
def x(self): sock = socket.socket(socket.AF_INET, socket.SOCK_STREAM) sock.connect((self.server2, self.port2)) self._hello(sock) comms.send_message(sock, ('<Exit>' + self._get_token() + '</Exit>'). encode()) reply = comms.recv_message(sock) sock.close() ok, = struct.unpack('!I', reply) return ok != 0
exit
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n sock = socket.socket(socket.AF_INET, socket.SOCK_STREAM)\n sock.connect((self.server2, self.port2))\n self._hello(sock)\n comms.send_messa...
def x(self): success = 0 for head in [True, False]: for _ in range(30): try: self.status(head) success += 1 break except Exception as e: self._log_error(e) time.sleep(10) if success != 2: raise EnvException('Failed to contact service' + (' head' if success == 0 else ''))
resync
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n success = 0\n for head in [True, False]:\n for _ in range(30):\n try:\n self.status(head)\n succ...
def x(self): print('********** exit & resync **********') try: if self.client_socket: self.client_socket.close() self.client_socket = None try: self.exit() except Exception as e: self._log_error(e) print('Pause for exit(s) ...') time.sleep(60) except (socket.error, ConnectionError): pass self.resync()
exit_resync
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n print('********** exit & resync **********')\n try:\n if self.client_socket:\n self.client_socket.close()\n self.cl...
def x(self, reward, current_state): old_q = self.q_table[self.prev_s][self.prev_a] new_q = old_q self.q_table[self.prev_s][self.prev_a] = new_q
updateQTable
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, reward, current_state):\n old_q = self.q_table[self.prev_s][self.prev_a]\n new_q = old_q\n self.q_table[self.prev_s][self.prev_a] = new_q\n", ...
def x(self, reward): old_q = self.q_table[self.prev_s][self.prev_a] new_q = old_q self.q_table[self.prev_s][self.prev_a] = new_q
updateQTableFromTerminatingState
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, reward):\n old_q = self.q_table[self.prev_s][self.prev_a]\n new_q = old_q\n self.q_table[self.prev_s][self.prev_a] = new_q\n", "role": "user...
def x(self, world_state, agent_host, current_r): obs_text = world_state.observations[-1].text obs = json.loads(obs_text) self.logger.debug(obs) if not u'XPos' in obs or not u'ZPos' in obs: self.logger.error('Incomplete observation received: %s' % obs_text) return 0 current_s = '%d:%d' % (int(obs[u'XPos']), int(obs[u'ZPos'])) self.logger.debug('State: %s (x = %.2f, z = %.2f)' % (current_s, float( obs[u'XPos']), float(obs[u'ZPos']))) if current_s not in self.q_table: self.q_table[current_s] = [0] * len(self.actions) if self.prev_s is not None and self.prev_a is not None: self.updateQTable(current_r, current_s) self.drawQ(curr_x=int(obs[u'XPos']), curr_y=int(obs[u'ZPos'])) rnd = random.random() if rnd < self.epsilon: a = random.randint(0, len(self.actions) - 1) self.logger.info('Random action: %s' % self.actions[a]) else: m = max(self.q_table[current_s]) self.logger.debug('Current values: %s' % ','.join(str(x) for x in self.q_table[current_s])) l = list() for x in range(0, len(self.actions)): if self.q_table[current_s][x] == m: l.append(x) y = random.randint(0, len(l) - 1) a = l[y] self.logger.info('Taking q action: %s' % self.actions[a]) try: agent_host.sendCommand(self.actions[a]) self.prev_s = current_s self.prev_a = a except RuntimeError as e: self.logger.error('Failed to send command: %s' % e) return current_r
act
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, world_state, agent_host, current_r):\n obs_text = world_state.observations[-1].text\n obs = json.loads(obs_text)\n self.logger.debug(obs)\n i...
def x(self, agent_host): total_reward = 0 self.prev_s = None self.prev_a = None is_first_action = True world_state = agent_host.getWorldState() while world_state.is_mission_running: current_r = 0 if is_first_action: while True: time.sleep(0.1) world_state = agent_host.getWorldState() for error in world_state.errors: self.logger.error('Error: %s' % error.text) for reward in world_state.rewards: current_r += reward.getValue() if world_state.is_mission_running and len(world_state. observations) > 0 and not world_state.observations[-1 ].text == '{}': total_reward += self.act(world_state, agent_host, current_r ) break if not world_state.is_mission_running: break is_first_action = False else: while world_state.is_mission_running and current_r == 0: time.sleep(0.1) world_state = agent_host.getWorldState() for error in world_state.errors: self.logger.error('Error: %s' % error.text) for reward in world_state.rewards: current_r += reward.getValue() while True: time.sleep(0.1) world_state = agent_host.getWorldState() for error in world_state.errors: self.logger.error('Error: %s' % error.text) for reward in world_state.rewards: current_r += reward.getValue() if world_state.is_mission_running and len(world_state. observations) > 0 and not world_state.observations[-1 ].text == '{}': total_reward += self.act(world_state, agent_host, current_r ) break if not world_state.is_mission_running: break self.logger.debug('Final reward: %d' % current_r) total_reward += current_r if self.prev_s is not None and self.prev_a is not None: self.updateQTableFromTerminatingState(current_r) self.drawQ() return total_reward
run
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, agent_host):\n total_reward = 0\n self.prev_s = None\n self.prev_a = None\n is_first_action = True\n world_state = agent_host.getWorldStat...
def x(self, mission_xml, role): mission = etree.fromstring(mission_xml) return self.get_commands_from_xml(mission, role)
get_commands
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, mission_xml, role):\n mission = etree.fromstring(mission_xml)\n return self.get_commands_from_xml(mission, role)\n", "role": "user" }, { ...