source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(start_season, end_season=None, league='all', ind=1): if start_season is None: raise ValueError( 'You need to provide at least one season to collect data for. Try team_pitching(season) or team_pitching(start_season, end_season).' ) if end_season is None: end_season = start_season soup = get_soup(start_season=start_season, end_season=end_season, league=league, ind=ind) table = get_table(soup, ind) table = postprocessing(table) return table
team_pitching
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(start_season, end_season=None, league='all', ind=1):\n if start_season is None:\n raise ValueError(\n 'You need to provide at least one se...
def x(team, start_season, end_season=None): if start_season is None: raise ValueError( 'You need to provide at least one season to collect data for. Try team_pitching_bref(season) or team_pitching_bref(start_season, end_season).' ) if end_season is None: end_season = start_season url = 'https://www.baseball-reference.com/teams/{}'.format(team) data = [] headings = None for season in range(start_season, end_season + 1): print('Getting Pitching Data: {} {}'.format(season, team)) stats_url = '{}/{}.shtml'.format(url, season) response = requests.get(stats_url) soup = BeautifulSoup(response.content, 'html.parser') table = soup.find_all('table', {'id': 'team_pitching'})[0] if headings is None: headings = [row.text.strip() for row in table.find_all('th')[1:34]] rows = table.find_all('tr') for row in rows: cols = row.find_all('td') cols = [ele.text.strip() for ele in cols] cols = [col.replace('*', '').replace('#', '') for col in cols] cols = [col for col in cols if 'Totals' not in col and 'NL teams' not in col and 'AL teams' not in col] cols.insert(2, season) data.append([ele for ele in cols[0:]]) headings.insert(2, 'Year') data = pd.DataFrame(data=data, columns=headings) data = data.dropna() return data
team_pitching_bref
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(team, start_season, end_season=None):\n if start_season is None:\n raise ValueError(\n 'You need to provide at least one season to collect...
def x(start_dt=None, end_dt=None, player_id=None): start_dt, end_dt, player_id = sanitize_input(start_dt, end_dt, player_id) if start_dt and end_dt: url = ( 'https://baseballsavant.mlb.com/statcast_search/csv?all=true&hfPT=&hfAB=&hfBBT=&hfPR=&hfZ=&stadium=&hfBBL=&hfNewZones=&hfGT=R%7CPO%7CS%7C=&hfSea=&hfSit=&player_type=batter&hfOuts=&opponent=&pitcher_throws=&batter_stands=&hfSA=&game_date_gt={}&game_date_lt={}&batters_lookup%5B%5D={}&team=&position=&hfRO=&home_road=&hfFlag=&metric_1=&hfInn=&min_pitches=0&min_results=0&group_by=name&sort_col=pitches&player_event_sort=h_launch_speed&sort_order=desc&min_abs=0&type=details&' ) df = split_request(start_dt, end_dt, player_id, url) return df
statcast_batter
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(start_dt=None, end_dt=None, player_id=None):\n start_dt, end_dt, player_id = sanitize_input(start_dt, end_dt, player_id)\n if start_dt and end_dt:\n ...
def x(player_ids, key_type=None): key_types = 'mlbam', 'retro', 'bbref', 'fangraphs' if not key_type: key_type = key_types[0] elif key_type not in key_types: raise ValueError('[Key Type: {}] Invalid; Key Type must be one of "{}"' .format(key_type, '", "'.join(key_types))) table = get_lookup_table() key = 'key_{}'.format(key_type) results = table[table[key].isin(player_ids)] results = results.reset_index().drop('index', 1) return results
playerid_reverse_lookup
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(player_ids, key_type=None):\n key_types = 'mlbam', 'retro', 'bbref', 'fangraphs'\n if not key_type:\n key_type = key_types[0]\n elif key_type n...
def x(start_season, end_season=None, league='all', qual=1, ind=1): if start_season is None: raise ValueError( 'You need to provide at least one season to collect data for. Try pitching_leaders(season) or pitching_leaders(start_season, end_season).' ) if end_season is None: end_season = start_season soup = get_soup(start_season=start_season, end_season=end_season, league=league, qual=qual, ind=ind) table = get_table(soup, ind) return table
pitching_stats
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(start_season, end_season=None, league='all', qual=1, ind=1):\n if start_season is None:\n raise ValueError(\n 'You need to provide at leas...
def x(start_dt, end_dt, d1, d2, step, verbose): error_counter = 0 no_success_msg_flag = False print('This is a large query, it may take a moment to complete') dataframe_list = [] d = d1 + datetime.timedelta(days=step) while d <= d2: if d.month < 4 and d.day < 15 or d1.month > 10 and d1.day > 14: if d2.year > d.year: print('Skipping offseason dates') d1 = d1.replace(month=3, day=15, year=d1.year + 1) d = d1 + datetime.timedelta(days=step + 1) else: break start_dt = d1.strftime('%Y-%m-%d') intermediate_end_dt = d.strftime('%Y-%m-%d') data = small_request(start_dt, intermediate_end_dt) if data.shape[0] > 1: dataframe_list.append(data) else: success = 0 while success == 0: data = small_request(start_dt, intermediate_end_dt) if data.shape[0] > 1: dataframe_list.append(data) success = 1 else: error_counter += 1 if error_counter > 2: tmp_end = d - datetime.timedelta(days=1) tmp_end = tmp_end.strftime('%Y-%m-%d') smaller_data_1 = small_request(start_dt, tmp_end) smaller_data_2 = small_request(intermediate_end_dt, intermediate_end_dt) if smaller_data_1.shape[0] > 1: dataframe_list.append(smaller_data_1) print('Completed sub-query from {} to {}'.format( start_dt, tmp_end)) else: print( 'Query unsuccessful for data from {} to {}. Skipping these dates.' .format(start_dt, tmp_end)) if smaller_data_2.shape[0] > 1: dataframe_list.append(smaller_data_2) print('Completed sub-query from {} to {}'.format( intermediate_end_dt, intermediate_end_dt)) else: print( 'Query unsuccessful for data from {} to {}. Skipping these dates.' .format(intermediate_end_dt, intermediate_end_dt)) no_success_msg_flag = True error_counter = 0 break if verbose: if no_success_msg_flag is False: print('Completed sub-query from {} to {}'.format(start_dt, intermediate_end_dt)) else: no_success_msg_flag = False d1 = d + datetime.timedelta(days=1) d = d + datetime.timedelta(days=step + 1) if d1 > d2: pass else: start_dt = d1.strftime('%Y-%m-%d') data = small_request(start_dt, end_dt) dataframe_list.append(data) if verbose: print('Completed sub-query from {} to {}'.format(start_dt, end_dt)) final_data = pd.concat(dataframe_list, axis=0) return final_data
large_request
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(start_dt, end_dt, d1, d2, step, verbose):\n error_counter = 0\n no_success_msg_flag = False\n print('This is a large query, it may take a moment to co...
def x(start_dt=None, end_dt=None, team=None, verbose=True): start_dt, end_dt = sanitize_input(start_dt, end_dt) small_query_threshold = 5 if start_dt and end_dt: date_format = '%Y-%m-%d' d1 = datetime.datetime.strptime(start_dt, date_format) d2 = datetime.datetime.strptime(end_dt, date_format) days_in_query = (d2 - d1).days if days_in_query <= small_query_threshold: data = small_request(start_dt, end_dt) else: data = large_request(start_dt, end_dt, d1, d2, step= small_query_threshold, verbose=verbose) data = postprocessing(data, team) return data
statcast
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(start_dt=None, end_dt=None, team=None, verbose=True):\n start_dt, end_dt = sanitize_input(start_dt, end_dt)\n small_query_threshold = 5\n if start_dt ...
def x(game_pk, team=None): data = single_game_request(game_pk) data = postprocessing(data, team) return data
statcast_single_game
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(game_pk, team=None):\n data = single_game_request(game_pk)\n data = postprocessing(data, team)\n return data\n", "role": "user" }, { "cont...
def x(start_dt=None, end_dt=None): start_dt, end_dt = sanitize_input(start_dt, end_dt) if datetime.datetime.strptime(start_dt, '%Y-%m-%d').year < 2008: raise ValueError('Year must be 2008 or later') if datetime.datetime.strptime(end_dt, '%Y-%m-%d').year < 2008: raise ValueError('Year must be 2008 or later') soup = get_soup(start_dt, end_dt) table = get_table(soup) table = table.dropna(how='all') table = table.replace('---%', np.nan) for column in ['Age', '#days', 'G', 'GS', 'W', 'L', 'SV', 'IP', 'H', 'R', 'ER', 'BB', 'SO', 'HR', 'HBP', 'ERA', 'AB', '2B', '3B', 'IBB', 'GDP', 'SF', 'SB', 'CS', 'PO', 'BF', 'Pit', 'WHIP', 'BAbip', 'SO9', 'SO/W']: table[column] = pd.to_numeric(table[column]) for column in ['Str', 'StL', 'StS', 'GB/FB', 'LD', 'PU']: table[column] = table[column].replace('%', '', regex=True).astype( 'float') / 100 table = table.drop('', 1) return table
pitching_stats_range
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(start_dt=None, end_dt=None):\n start_dt, end_dt = sanitize_input(start_dt, end_dt)\n if datetime.datetime.strptime(start_dt, '%Y-%m-%d').year < 2008:\n ...
def x(season=None): if season is None: season = datetime.datetime.today().strftime('%Y') season = str(season) start_dt = season + '-03-01' end_dt = season + '-11-01' return pitching_stats_range(start_dt, end_dt)
pitching_stats_bref
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(season=None):\n if season is None:\n season = datetime.datetime.today().strftime('%Y')\n season = str(season)\n start_dt = season + '-03-01'\n ...
def x(return_all=False): url = 'http://www.baseball-reference.com/data/war_daily_pitch.txt' s = requests.get(url).content c = pd.read_csv(io.StringIO(s.decode('utf-8'))) if return_all: return c else: cols_to_keep = ['name_common', 'mlb_ID', 'player_ID', 'year_ID', 'team_ID', 'stint_ID', 'lg_ID', 'G', 'GS', 'RA', 'xRA', 'BIP', 'BIP_perc', 'salary', 'ERA_plus', 'WAR_rep', 'WAA', 'WAA_adj', 'WAR'] return c[cols_to_keep]
bwar_pitch
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(return_all=False):\n url = 'http://www.baseball-reference.com/data/war_daily_pitch.txt'\n s = requests.get(url).content\n c = pd.read_csv(io.StringIO(...
def x(version, *replacement): def x(func): replacement_message = 'Use {} instead'.format(', '.join(["'{}'". format(_get_func_fq_name(x)) for x in replacement])) log_message = "'{}' is deprecated, {}".format(_get_func_fq_name( func), replacement_message) func_path = _get_func_path(func) doc_replacement = [] for x in replacement: if func_path == _get_func_path(x): doc_replacement.append(':func:`{}`'.format(_func_name(x))) else: doc_replacement.append(':func:`{}`'.format( _get_func_fq_name(x))) func.__doc__ = ( """ .. deprecated:: {} Use {} instead {} """ .format(version, ', '.join(doc_replacement), func.__doc__ if func.__doc__ else '')) @wraps(func) def x(*args, **kwargs): log.warning(log_message) return func(*args, **kwargs) return wrapper return deprecated_wrapper
deprecated
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(version, *replacement):\n\n def x(func):\n replacement_message = 'Use {} instead'.format(', '.join([\"'{}'\".\n format(_get_func_fq_name(x...
def x(self, restrict_keys=None): cc = self._cc data = {cc('displayName'): self.__display_name, cc('givenName'): self. __name, cc('surname'): self.__surname, cc('title'): self.__title, cc('jobTitle'): self.__job_title, cc('companyName'): self. __company_name, cc('department'): self.__department, cc( 'officeLocation'): self.__office_location, cc('businessPhones'): self.__business_phones, cc('mobilePhone'): self.__mobile_phone, cc( 'homePhones'): self.__home_phones, cc('emailAddresses'): [{self._cc ('name'): recipient.name or '', self._cc('address'): recipient. address} for recipient in self.emails], cc('businessAddress'): self .__business_address, cc('homesAddress'): self.__home_address, cc( 'otherAddress'): self.__other_address, cc('categories'): self. __categories} if restrict_keys: restrict_keys.add(cc('givenName')) for key in list(data.keys()): if key not in restrict_keys: del data[key] return data
to_api_data
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, restrict_keys=None):\n cc = self._cc\n data = {cc('displayName'): self.__display_name, cc('givenName'): self.\n __name, cc('surname'): self....
def x(self): if not self.object_id: raise RuntimeError('Attempting to delete an unsaved Contact') url = self.build_url(self._endpoints.get('root_contact').format(id=self .object_id)) response = self.con.delete(url) return bool(response)
delete
[ { "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.object_id:\n raise RuntimeError('Attempting to delete an unsaved Contact')\n url = self.build_url(self._endpoints.get('root_c...
def x(self): if self.object_id: if not self._track_changes: return True url = self.build_url(self._endpoints.get('root_contact').format(id= self.object_id)) method = self.con.patch data = self.to_api_data(restrict_keys=self._track_changes) else: if self.__folder_id: url = self.build_url(self._endpoints.get('child_contact'). format(folder_id=self.__folder_id)) else: url = self.build_url(self._endpoints.get('contact')) method = self.con.post data = self.to_api_data(restrict_keys=self._track_changes) response = method(url, data=data) if not response: return False if not self.object_id: contact = response.json() self.object_id = contact.get(self._cc('id'), None) self.__created = contact.get(self._cc('createdDateTime'), None) self.__modified = contact.get(self._cc('lastModifiedDateTime'), None) local_tz = self.protocol.timezone self.__created = parse(self.created).astimezone(local_tz ) if self.__created else None self.__modified = parse(self.modified).astimezone(local_tz ) if self.__modified else None else: self.__modified = self.protocol.timezone.localize(dt.datetime.now()) return True
save
[ { "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.object_id:\n if not self._track_changes:\n return True\n url = self.build_url(self._endpoints.get('root_contact')....
def x(self, recipient=None, *, recipient_type=RecipientType.TO): if self.main_resource == GAL_MAIN_RESOURCE: raise RuntimeError( 'Sending a message to all users within an Organization is not allowed' ) if isinstance(recipient_type, str): recipient_type = RecipientType(recipient_type) recipient = recipient or self.emails.get_first_recipient_with_address() if not recipient: return None new_message = self.message_constructor(parent=self, is_draft=True) target_recipients = getattr(new_message, str(recipient_type.value)) target_recipients.add(recipient) return new_message
new_message
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, recipient=None, *, recipient_type=RecipientType.TO):\n if self.main_resource == GAL_MAIN_RESOURCE:\n raise RuntimeError(\n 'Sending ...
def x(self, limit=100, *, query=None, order_by=None, batch=None): if self.main_resource == GAL_MAIN_RESOURCE: url = self.build_url(self._endpoints.get('gal')) elif self.root: url = self.build_url(self._endpoints.get('root_contacts')) else: url = self.build_url(self._endpoints.get('folder_contacts').format( id=self.folder_id)) if limit is None or limit > self.protocol.max_top_value: batch = self.protocol.max_top_value params = {'$top': batch if batch else limit} if order_by: params['$orderby'] = order_by if query: if isinstance(query, str): params['$filter'] = query else: params.update(query.as_params()) response = self.con.get(url, params=params) if not response: return iter(()) data = response.json() contacts = (self.contact_constructor(parent=self, **{self. _cloud_data_key: contact}) for contact in data.get('value', [])) next_link = data.get(NEXT_LINK_KEYWORD, None) if batch and next_link: return Pagination(parent=self, data=contacts, constructor=self. contact_constructor, next_link=next_link, limit=limit) else: return contacts
get_contacts
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, limit=100, *, query=None, order_by=None, batch=None):\n if self.main_resource == GAL_MAIN_RESOURCE:\n url = self.build_url(self._endpoints.get(...
def x(self, email): if not email: return None email = email.strip() query = self.q().any(collection='email_addresses', attribute='address', word=email, operation='eq') contacts = self.get_contacts(limit=1, query=query) return contacts[0] if contacts else None
get_contact_by_email
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, email):\n if not email:\n return None\n email = email.strip()\n query = self.q().any(collection='email_addresses', attribute='address',\n...
def x(self, limit=None, *, query=None, order_by=None): if self.root: url = self.build_url(self._endpoints.get('root_folders')) else: url = self.build_url(self._endpoints.get('child_folders').format(id =self.folder_id)) params = {} if limit: params['$top'] = limit if order_by: params['$orderby'] = order_by if query: if isinstance(query, str): params['$filter'] = query else: params.update(query.as_params()) response = self.con.get(url, params=params or None) if not response: return [] data = response.json() return [self.__class__(parent=self, **{self._cloud_data_key: folder}) for folder in data.get('value', [])]
get_folders
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, limit=None, *, query=None, order_by=None):\n if self.root:\n url = self.build_url(self._endpoints.get('root_folders'))\n else:\n url ...
def x(self, folder_name): if not folder_name: return None if self.root: url = self.build_url(self._endpoints.get('root_folders')) else: url = self.build_url(self._endpoints.get('child_folders').format(id =self.folder_id)) response = self.con.post(url, data={self._cc('displayName'): folder_name}) if not response: return None folder = response.json() return self.__class__(parent=self, **{self._cloud_data_key: folder})
create_child_folder
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, folder_name):\n if not folder_name:\n return None\n if self.root:\n url = self.build_url(self._endpoints.get('root_folders'))\n el...
def x(self, name): if self.root: return False if not name: return False url = self.build_url(self._endpoints.get('get_folder').format(id=self. folder_id)) response = self.con.patch(url, data={self._cc('displayName'): name}) if not response: return False folder = response.json() self.name = folder.get(self._cc('displayName'), '') self.parent_id = folder.get(self._cc('parentFolderId'), None) return True
update_folder_name
[ { "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 self.root:\n return False\n if not name:\n return False\n url = self.build_url(self._endpoints.get('get_folder').forma...
def x(self, to_folder): if self.root: return False if not to_folder: return False url = self.build_url(self._endpoints.get('get_folder').format(id=self. folder_id)) if isinstance(to_folder, ContactFolder): folder_id = to_folder.folder_id elif isinstance(to_folder, str): folder_id = to_folder else: return False response = self.con.patch(url, data={self._cc('parentFolderId'): folder_id} ) if not response: return False folder = response.json() self.name = folder.get(self._cc('displayName'), '') self.parent_id = folder.get(self._cc('parentFolderId'), None) return True
move_folder
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, to_folder):\n if self.root:\n return False\n if not to_folder:\n return False\n url = self.build_url(self._endpoints.get('get_fold...
def x(self): contact = self.contact_constructor(parent=self) if not self.root: contact.__folder_id = self.folder_id return contact
new_contact
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n contact = self.contact_constructor(parent=self)\n if not self.root:\n contact.__folder_id = self.folder_id\n return contact\n", "r...
def x(self, recipient_type=RecipientType.TO, *, query=None): if isinstance(recipient_type, str): recipient_type = RecipientType(recipient_type) recipients = [contact.emails[0] for contact in self.get_contacts(limit= None, query=query) if contact.emails and contact.emails[0].address] if not recipients: return None new_message = self.message_constructor(parent=self, is_draft=True) target_recipients = getattr(new_message, str(recipient_type.value)) target_recipients.add(recipients) return new_message
new_message
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, recipient_type=RecipientType.TO, *, query=None):\n if isinstance(recipient_type, str):\n recipient_type = RecipientType(recipient_type)\n re...
def x(self, email): if not email: return None email = email.strip() url = self.build_url('{}/{}'.format(self._endpoints.get('gal'), email)) response = self.con.get(url) if not response: return [] data = response.json() return self.contact_constructor(parent=self, **{self._cloud_data_key: data} )
get_contact_by_email
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, email):\n if not email:\n return None\n email = email.strip()\n url = self.build_url('{}/{}'.format(self._endpoints.get('gal'), email))\n...
def x(self, *, start_date=None, due_date=None): self.__status = Flag.Flagged start_date = start_date or dt.datetime.now() due_date = due_date or dt.datetime.now() if start_date.tzinfo is None: start_date = self.protocol.timezone.localize(start_date) if due_date.tzinfo is None: due_date = self.protocol.timezone.localize(due_date) self.__start = start_date self.__due_date = due_date self._track_changes()
set_flagged
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *, start_date=None, due_date=None):\n self.__status = Flag.Flagged\n start_date = start_date or dt.datetime.now()\n due_date = due_date or dt.da...
def x(self, *, completition_date=None): self.__status = Flag.Complete completition_date = completition_date or dt.datetime.now() if completition_date.tzinfo is None: completition_date = self.protocol.timezone.localize(completition_date) self.__completed = completition_date self._track_changes()
set_completed
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *, completition_date=None):\n self.__status = Flag.Complete\n completition_date = completition_date or dt.datetime.now()\n if completition_date....
def x(self): self.__status = Flag.NotFlagged self.__start = None self.__due_date = None self.__completed = None self._track_changes()
delete_flag
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.__status = Flag.NotFlagged\n self.__start = None\n self.__due_date = None\n self.__completed = None\n self._track_changes()\n", ...
def x(self): data = {self._cc('flagStatus'): self._cc(self.__status.value)} if self.__status is Flag.Flagged: data[self._cc('startDateTime')] = self._build_date_time_time_zone(self .__start) data[self._cc('dueDateTime')] = self._build_date_time_time_zone(self .__due_date) if self.__status is Flag.Complete: data[self._cc('completedDateTime')] = self._build_date_time_time_zone( self.__completed) return data
to_api_data
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n data = {self._cc('flagStatus'): self._cc(self.__status.value)}\n if self.__status is Flag.Flagged:\n data[self._cc('startDateTime')] = se...
def x(self, value): if isinstance(value, Recipient): if value._parent is None: value._parent = self value._field = 'from' self.__sender = value elif isinstance(value, str): self.__sender.address = value self.__sender.name = '' else: raise ValueError( 'sender must be an address string or a Recipient object') self._track_changes.add('from')
sender
[ { "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 isinstance(value, Recipient):\n if value._parent is None:\n value._parent = self\n value._field = 'from'\n ...
def x(self, restrict_keys=None): cc = self._cc message = {cc('subject'): self.subject, cc('body'): {cc('contentType'): self.body_type, cc('content'): self.body}, cc('importance'): cc( self.importance.value), cc('flag'): self.flag.to_api_data(), cc( 'isReadReceiptRequested'): self.is_read_receipt_requested, cc( 'isDeliveryReceiptRequested'): self.is_delivery_receipt_requested} if self.to: message[cc('toRecipients')] = [self._recipient_to_cloud(recipient) for recipient in self.to] if self.cc: message[cc('ccRecipients')] = [self._recipient_to_cloud(recipient) for recipient in self.cc] if self.bcc: message[cc('bccRecipients')] = [self._recipient_to_cloud(recipient) for recipient in self.bcc] if self.reply_to: message[cc('replyTo')] = [self._recipient_to_cloud(recipient) for recipient in self.reply_to] if self.attachments: message[cc('attachments')] = self.attachments.to_api_data() if self.sender and self.sender.address: message[cc('from')] = self._recipient_to_cloud(self.sender) if self.categories or 'categories' in (restrict_keys or {}): message[cc('categories')] = self.categories if self.object_id and not self.__is_draft: message[cc('id')] = self.object_id if self.created: message[cc('createdDateTime')] = self.created.astimezone(pytz.utc ).isoformat() if self.received: message[cc('receivedDateTime')] = self.received.astimezone(pytz.utc ).isoformat() if self.sent: message[cc('sentDateTime')] = self.sent.astimezone(pytz.utc ).isoformat() message[cc('hasAttachments')] = bool(self.attachments) message[cc('isRead')] = self.is_read message[cc('isDraft')] = self.__is_draft message[cc('conversationId')] = self.conversation_id message[cc('parentFolderId')] = self.folder_id if restrict_keys: for key in list(message.keys()): if key not in restrict_keys: del message[key] return message
to_api_data
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, restrict_keys=None):\n cc = self._cc\n message = {cc('subject'): self.subject, cc('body'): {cc('contentType'):\n self.body_type, cc('content...
def x(self, save_to_sent_folder=True): if self.object_id and not self.__is_draft: return RuntimeError( 'Not possible to send a message that is not new or a draft. Use Reply or Forward instead.' ) if self.__is_draft and self.object_id: url = self.build_url(self._endpoints.get('send_draft').format(id= self.object_id)) if self._track_changes: self.save_draft() data = None else: url = self.build_url(self._endpoints.get('send_mail')) data = {self._cc('message'): self.to_api_data()} if save_to_sent_folder is False: data[self._cc('saveToSentItems')] = False response = self.con.post(url, data=data) if not response: return False self.object_id = 'sent_message' if not self.object_id else self.object_id self.__is_draft = False return True
send
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, save_to_sent_folder=True):\n if self.object_id and not self.__is_draft:\n return RuntimeError(\n 'Not possible to send a message tha...
def x(self, to_all=True): if not self.object_id or self.__is_draft: raise RuntimeError("Can't reply to this message") if to_all: url = self.build_url(self._endpoints.get('create_reply_all').format (id=self.object_id)) else: url = self.build_url(self._endpoints.get('create_reply').format(id= self.object_id)) response = self.con.post(url) if not response: return None message = response.json() return self.__class__(parent=self, **{self._cloud_data_key: message})
reply
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, to_all=True):\n if not self.object_id or self.__is_draft:\n raise RuntimeError(\"Can't reply to this message\")\n if to_all:\n url = ...
def x(self): if not self.object_id or self.__is_draft: raise RuntimeError("Can't forward this message") url = self.build_url(self._endpoints.get('forward_message').format(id= self.object_id)) response = self.con.post(url) if not response: return None message = response.json() return self.__class__(parent=self, **{self._cloud_data_key: message})
forward
[ { "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.object_id or self.__is_draft:\n raise RuntimeError(\"Can't forward this message\")\n url = self.build_url(self._endpoints.get...
def x(self): if self.object_id is None or self.__is_draft: raise RuntimeError('Attempting to mark as read an unsaved Message') data = {self._cc('isRead'): True} url = self.build_url(self._endpoints.get('get_message').format(id=self. object_id)) response = self.con.patch(url, data=data) if not response: return False self.__is_read = True return True
mark_as_read
[ { "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.object_id is None or self.__is_draft:\n raise RuntimeError('Attempting to mark as read an unsaved Message')\n data = {self._cc('i...
def x(self, folder): if self.object_id is None: raise RuntimeError('Attempting to move an unsaved Message') url = self.build_url(self._endpoints.get('move_message').format(id=self .object_id)) if isinstance(folder, str): folder_id = folder else: folder_id = getattr(folder, 'folder_id', None) if not folder_id: raise RuntimeError('Must Provide a valid folder_id') data = {self._cc('destinationId'): folder_id} response = self.con.post(url, data=data) if not response: return False self.folder_id = folder_id return True
move
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, folder):\n if self.object_id is None:\n raise RuntimeError('Attempting to move an unsaved Message')\n url = self.build_url(self._endpoints.g...
def x(self, folder): if self.object_id is None: raise RuntimeError('Attempting to move an unsaved Message') url = self.build_url(self._endpoints.get('copy_message').format(id=self .object_id)) if isinstance(folder, str): folder_id = folder else: folder_id = getattr(folder, 'folder_id', None) if not folder_id: raise RuntimeError('Must Provide a valid folder_id') data = {self._cc('destinationId'): folder_id} response = self.con.post(url, data=data) if not response: return None message = response.json() return self.__class__(parent=self, **{self._cloud_data_key: message})
copy
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, folder):\n if self.object_id is None:\n raise RuntimeError('Attempting to move an unsaved Message')\n url = self.build_url(self._endpoints.g...
def x(self): if self.object_id and not self.__is_draft: allowed_changes = {self._cc('isRead'), self._cc('categories'), self ._cc('flag')} changes = {tc for tc in self._track_changes if tc in allowed_changes} if not changes: return True url = self.build_url(self._endpoints.get('get_message').format(id= self.object_id)) data = self.to_api_data(restrict_keys=changes) response = self.con.patch(url, data=data) if not response: return False self._track_changes.clear() self.__modified = self.protocol.timezone.localize(dt.datetime.now()) return True else: return self.save_draft()
save_message
[ { "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.object_id and not self.__is_draft:\n allowed_changes = {self._cc('isRead'), self._cc('categories'), self\n ._cc('flag')}\...
def x(self, target_folder=OutlookWellKnowFolderNames.DRAFTS): if self.object_id: if not self.__is_draft: raise RuntimeError('Only draft messages can be updated') if not self._track_changes: return True url = self.build_url(self._endpoints.get('get_message').format(id= self.object_id)) method = self.con.patch data = self.to_api_data(restrict_keys=self._track_changes) data.pop(self._cc('attachments'), None) self.attachments._update_attachments_to_cloud() else: if not self.__is_draft: raise RuntimeError('Only draft messages can be saved as drafts') target_folder = target_folder or OutlookWellKnowFolderNames.DRAFTS if isinstance(target_folder, OutlookWellKnowFolderNames): target_folder = target_folder.value elif not isinstance(target_folder, str): target_folder = getattr(target_folder, 'folder_id', OutlookWellKnowFolderNames.DRAFTS.value) url = self.build_url(self._endpoints.get('create_draft_folder'). format(id=target_folder)) method = self.con.post data = self.to_api_data() if not data: return True response = method(url, data=data) if not response: return False self._track_changes.clear() if not self.object_id: message = response.json() self.object_id = message.get(self._cc('id'), None) self.folder_id = message.get(self._cc('parentFolderId'), None) self.__created = message.get(self._cc('createdDateTime'), message. get(self._cc('dateTimeCreated'), None)) self.__modified = message.get(self._cc('lastModifiedDateTime'), message.get(self._cc('dateTimeModified'), None)) self.__created = parse(self.__created).astimezone(self.protocol. timezone) if self.__created else None self.__modified = parse(self.__modified).astimezone(self.protocol. timezone) if self.__modified else None else: self.__modified = self.protocol.timezone.localize(dt.datetime.now()) return True
save_draft
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, target_folder=OutlookWellKnowFolderNames.DRAFTS):\n if self.object_id:\n if not self.__is_draft:\n raise RuntimeError('Only draft me...
def x(self): if not self.is_event_message: return None query = self.q().select('subject').expand('event') url = self.build_url(self._endpoints.get('get_message').format(id=self. object_id)) response = self.con.get(url, params=query.as_params()) if not response: return None data = response.json() event_data = data.get(self._cc('event')) return Event(parent=self, **{self._cloud_data_key: event_data})
get_event
[ { "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.is_event_message:\n return None\n query = self.q().select('subject').expand('event')\n url = self.build_url(self._endpoint...
def x(force): dist_path = Path(DIST_PATH) if dist_path.exists() and list(dist_path.glob('*')): if force or click.confirm('{} is not empty - delete contents?'. format(dist_path)): dist_path.rename(DIST_PATH_DELETE) shutil.rmtree(Path(DIST_PATH_DELETE)) dist_path.mkdir() else: click.echo('Aborting') sys.exit(1) subprocess.check_call(['python', 'setup.py', 'bdist_wheel']) subprocess.check_call(['python', 'setup.py', 'sdist', '--formats=gztar'])
build
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(force):\n dist_path = Path(DIST_PATH)\n if dist_path.exists() and list(dist_path.glob('*')):\n if force or click.confirm('{} is not empty - delete...
def x(ctx, release, rebuild): dist_path = Path(DIST_PATH) if rebuild is False: if not dist_path.exists() or not list(dist_path.glob('*')): print( "No distribution files found. Please run 'build' command first" ) return else: ctx.invoke(build, force=True) if release: args = ['twine', 'upload', 'dist/*'] else: repository = 'https://test.pypi.org/legacy/' args = ['twine', 'upload', '--repository-url', repository, 'dist/*'] env = os.environ.copy() p = subprocess.Popen(args, env=env) p.wait()
upload
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(ctx, release, rebuild):\n dist_path = Path(DIST_PATH)\n if rebuild is False:\n if not dist_path.exists() or not list(dist_path.glob('*')):\n ...
def x(): dist_path = Path(DIST_PATH) if not dist_path.exists() or not list(dist_path.glob('*')): print("No distribution files found. Please run 'build' command first") return subprocess.check_call(['twine', 'check', 'dist/*'])
check
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n dist_path = Path(DIST_PATH)\n if not dist_path.exists() or not list(dist_path.glob('*')):\n print(\"No distribution files found. Please run '...
def x(): response = requests.get(PYPI_URL.format(package=PYPI_PACKAGE_NAME)) if response: data = response.json() releases_dict = data.get('releases', {}) if releases_dict: for version, release in releases_dict.items(): release_formats = [] published_on_date = None for fmt in release: release_formats.append(fmt.get('packagetype')) published_on_date = fmt.get('upload_time') release_formats = ' | '.join(release_formats) print('{:<10}{:>15}{:>25}'.format(version, published_on_date, release_formats)) else: print('No releases found for {}'.format(PYPI_PACKAGE_NAME)) else: print('Package "{}" not found on Pypi.org'.format(PYPI_PACKAGE_NAME))
list_releases
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n response = requests.get(PYPI_URL.format(package=PYPI_PACKAGE_NAME))\n if response:\n data = response.json()\n releases_dict = data.get...
def x(): args = ['git', 'blame'] counts = {} line_format = '{0:30}\t{1:>10}\t{2:>10}%' files = subprocess.check_output(['git', 'ls-files']).decode('utf-8').split( '\n') for f in files[:-1]: if 'docs/latest' in f or '_themes' in f: continue lines = subprocess.check_output(args + [f]).decode('utf-8') blames = [get_line_blame(line) for line in lines.split('\n')] for blame in blames: counts[blame] = counts.get(blame, 0) + 1 total = sum([counts[count] for count in counts]) contribs = [(user, counts[user]) for user in counts] contribs.sort(key=lambda x: x[1], reverse=True) print(line_format.format('User', 'Lines', 'Line ')) for user in contribs: percent = floor(100.0 * user[1] / total) if percent == 0: percent = '>1' print(line_format.format(user[0], user[1], percent)) print(line_format.format('Total', total, 100))
contribution_breakdown
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n args = ['git', 'blame']\n counts = {}\n line_format = '{0:30}\\t{1:>10}\\t{2:>10}%'\n files = subprocess.check_output(['git', 'ls-files']).dec...
def x(client_id, client_secret, scopes=None, protocol=None, **kwargs): credentials = client_id, client_secret protocol = protocol or MSGraphProtocol() con = Connection(credentials, scopes=protocol.get_scopes_for(scopes), **kwargs) consent_url = con.get_authorization_url(**kwargs) print('Visit the following url to give consent:') print(consent_url) token_url = input('Paste the authenticated url here: ') if token_url: result = con.request_token(token_url, **kwargs) if result: print( 'Authentication Flow Completed. Oauth Access Token Stored. You can now use the API.' ) else: print('Something go wrong. Please try again.') return bool(result) else: print('Authentication Flow aborted.') return False
oauth_authentication_flow
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(client_id, client_secret, scopes=None, protocol=None, **kwargs):\n credentials = client_id, client_secret\n protocol = protocol or MSGraphProtocol()\n ...
def x(self, user_provided_scopes): if user_provided_scopes is None: user_provided_scopes = [app_part for app_part in self._oauth_scopes] elif isinstance(user_provided_scopes, str): user_provided_scopes = [user_provided_scopes] if not isinstance(user_provided_scopes, (list, tuple)): raise ValueError( "'user_provided_scopes' must be a list or a tuple of strings") scopes = set() for app_part in user_provided_scopes: for scope in self._oauth_scopes.get(app_part, [(app_part,)]): scopes.add(self._prefix_scope(scope)) return list(scopes)
get_scopes_for
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, user_provided_scopes):\n if user_provided_scopes is None:\n user_provided_scopes = [app_part for app_part in self._oauth_scopes]\n elif isin...
def x(self, scope): if self.protocol_scope_prefix: if isinstance(scope, tuple): return scope[0] elif scope.startswith(self.protocol_scope_prefix): return scope else: return '{}{}'.format(self.protocol_scope_prefix, scope) elif isinstance(scope, tuple): return scope[0] else: return scope
prefix_scope
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, scope):\n if self.protocol_scope_prefix:\n if isinstance(scope, tuple):\n return scope[0]\n elif scope.startswith(self.protoc...
def x(self, proxy_server, proxy_port, proxy_username, proxy_password): if proxy_server and proxy_port: if proxy_username and proxy_password: self.proxy = {'http': 'http://{}:{}@{}:{}'.format( proxy_username, proxy_password, proxy_server, proxy_port), 'https': 'https://{}:{}@{}:{}'.format(proxy_username, proxy_password, proxy_server, proxy_port)} else: self.proxy = {'http': 'http://{}:{}'.format(proxy_server, proxy_port), 'https': 'https://{}:{}'.format(proxy_server, proxy_port)}
set_proxy
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, proxy_server, proxy_port, proxy_username, proxy_password):\n if proxy_server and proxy_port:\n if proxy_username and proxy_password:\n ...
def x(self): warnings.warn('This method will be removed in future versions', DeprecationWarning) return self.token_backend.check_token() if hasattr(self.token_backend, 'check_token') else None
check_token_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n warnings.warn('This method will be removed in future versions',\n DeprecationWarning)\n return self.token_backend.check_token() if hasatt...
def x(self, requested_scopes=None, redirect_uri=OAUTH_REDIRECT_URL, **kwargs): if redirect_uri == OAUTH_REDIRECT_URL: warnings.warn( 'The default redirect uri was changed in version 1.1.4. to "https://login.microsoftonline.com/common/oauth2/nativeclient". You may have to change the registered app "redirect uri" or pass here the old "redirect_uri"' , DeprecationWarning) client_id, client_secret = self.auth if requested_scopes: scopes = requested_scopes elif self.scopes is not None: scopes = self.scopes else: raise ValueError('Must provide at least one scope') self.session = oauth = OAuth2Session(client_id=client_id, redirect_uri= redirect_uri, scope=scopes) self.session.proxies = self.proxy if self.request_retries: retry = Retry(total=self.request_retries, read=self.request_retries, connect=self.request_retries, backoff_factor= RETRIES_BACKOFF_FACTOR, status_forcelist=RETRIES_STATUS_LIST) adapter = HTTPAdapter(max_retries=retry) self.session.mount('http://', adapter) self.session.mount('https://', adapter) auth_url, state = oauth.authorization_url(url=self. _oauth2_authorize_url, access_type='offline') return auth_url
get_authorization_url
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, requested_scopes=None, redirect_uri=OAUTH_REDIRECT_URL, **kwargs):\n if redirect_uri == OAUTH_REDIRECT_URL:\n warnings.warn(\n 'The ...
def x(self, authorization_url, store_token=True, token_path=None, **kwargs): if self.session is None: raise RuntimeError( "Fist call 'get_authorization_url' to generate a valid oauth object" ) if token_path is not None: warnings.warn( '"token_path" param will be removed in future versions. Use a TokenBackend instead' , DeprecationWarning) _, client_secret = self.auth os.environ['OAUTHLIB_RELAX_TOKEN_SCOPE'] = '1' os.environ['OAUTHLIB_IGNORE_SCOPE_CHANGE'] = '1' try: self.token_backend.token = Token(self.session.fetch_token(token_url =self._oauth2_token_url, authorization_response= authorization_url, include_client_id=True, client_secret= client_secret)) except Exception as e: log.error('Unable to fetch auth token. Error: {}'.format(str(e))) return False if store_token: self.token_backend.save_token() return True
request_token
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, authorization_url, store_token=True, token_path=None, **kwargs):\n if self.session is None:\n raise RuntimeError(\n \"Fist call 'get...
def x(self, token_path=None): if token_path is not None: warnings.warn( '"token_path" param will be removed in future versions. Use a TokenBackend instead.' , DeprecationWarning) token = self.token_backend.get_token() if token: client_id, _ = self.auth session = OAuth2Session(client_id=client_id, token=token) else: raise RuntimeError('No auth token found. Authentication Flow needed') session.proxies = self.proxy if self.request_retries: retry = Retry(total=self.request_retries, read=self.request_retries, connect=self.request_retries, backoff_factor= RETRIES_BACKOFF_FACTOR, status_forcelist=RETRIES_STATUS_LIST) adapter = HTTPAdapter(max_retries=retry) session.mount('http://', adapter) session.mount('https://', adapter) return session
get_session
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, token_path=None):\n if token_path is not None:\n warnings.warn(\n '\"token_path\" param will be removed in future versions. Use a To...
def x(self): if self.session is None: self.session = self.get_session() token = self.token_backend.token if token and token.is_long_lived: client_id, client_secret = self.auth token = Token(self.session.refresh_token(self._oauth2_token_url, client_id=client_id, client_secret=client_secret)) else: log.error( 'You can not refresh an access token that has no "refreh_token" available.Include "offline_access" scope when authentication to get a "refresh_token"' ) return False self.token_backend.token = token if self.store_token: self.token_backend.save_token() return True
refresh_token
[ { "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.session is None:\n self.session = self.get_session()\n token = self.token_backend.token\n if token and token.is_long_lived:\n ...
def x(self): if self._previous_request_at: dif = round(time.time() - self._previous_request_at, 2) * 1000 if dif < self.requests_delay: time.sleep((self.requests_delay - dif) / 1000) self._previous_request_at = time.time()
check_delay
[ { "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._previous_request_at:\n dif = round(time.time() - self._previous_request_at, 2) * 1000\n if dif < self.requests_delay:\n ...
def x(self, request_obj, url, method, **kwargs): method = method.lower() if method not in self._allowed_methods: raise ValueError('Method must be one of the allowed ones') if method == 'get': kwargs.setdefault('allow_redirects', True) elif method in ['post', 'put', 'patch']: if 'headers' not in kwargs: kwargs['headers'] = {} if kwargs.get('headers') is not None and kwargs['headers'].get( 'Content-type') is None: kwargs['headers']['Content-type'] = 'application/json' if 'data' in kwargs and kwargs['data'] is not None and kwargs['headers' ].get('Content-type') == 'application/json': kwargs['data'] = json.dumps(kwargs['data']) request_done = False token_refreshed = False while not request_done: self._check_delay() try: log.info('Requesting ({}) URL: {}'.format(method.upper(), url)) log.info('Request parameters: {}'.format(kwargs)) response = request_obj.request(method, url, **kwargs) response.raise_for_status() log.info('Received response ({}) from URL {}'.format(response. status_code, response.url)) request_done = True return response except TokenExpiredError as e: if not self.token_backend.token.is_long_lived: raise e if token_refreshed: raise RuntimeError('Token Refresh Operation not working') log.info('Oauth Token is expired, fetching a new token') self.refresh_token() log.info('New oauth token fetched') token_refreshed = True except (ConnectionError, ProxyError, SSLError, Timeout) as e: log.debug('Connection Error calling: {}.{}'.format(url, 'Using proxy: {}'.format(self.proxy) if self.proxy else '')) raise e except HTTPError as e: try: error = response.json() error_message = error.get('error', {}).get('message', '') except ValueError: error_message = '' status_code = int(e.response.status_code / 100) if status_code == 4: log.error('Client Error: {} | Error Message: {}'.format(str (e), error_message)) else: log.debug('Server Error: {}'.format(str(e))) if self.raise_http_errors: if error_message: raise HTTPError('{} | Error Message: {}'.format(e.args[ 0], error_message), response=response) from None else: raise e else: return e.response except RequestException as e: log.debug('Request Exception: {}'.format(str(e))) raise e
internal_request
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, request_obj, url, method, **kwargs):\n method = method.lower()\n if method not in self._allowed_methods:\n raise ValueError('Method must be ...
def x(self, url, method, **kwargs): return self._internal_request(self.naive_session, url, method, **kwargs)
naive_request
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, url, method, **kwargs):\n return self._internal_request(self.naive_session, url, method, **kwargs)\n", "role": "user" }, { "content": "nai...
def x(self, url, method, **kwargs): if self.session is None: self.session = self.get_session() return self._internal_request(self.session, url, method, **kwargs)
oauth_request
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, url, method, **kwargs):\n if self.session is None:\n self.session = self.get_session()\n return self._internal_request(self.session, url, me...
def x(self, url, params=None, **kwargs): return self.oauth_request(url, 'get', params=params, **kwargs)
get
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, url, params=None, **kwargs):\n return self.oauth_request(url, 'get', params=params, **kwargs)\n", "role": "user" }, { "content": "get", ...
def x(self, url, data=None, **kwargs): return self.oauth_request(url, 'post', data=data, **kwargs)
post
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, url, data=None, **kwargs):\n return self.oauth_request(url, 'post', data=data, **kwargs)\n", "role": "user" }, { "content": "post", "r...
def x(self, url, data=None, **kwargs): return self.oauth_request(url, 'put', data=data, **kwargs)
put
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, url, data=None, **kwargs):\n return self.oauth_request(url, 'put', data=data, **kwargs)\n", "role": "user" }, { "content": "put", "rol...
def x(self, url, data=None, **kwargs): return self.oauth_request(url, 'patch', data=data, **kwargs)
patch
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, url, data=None, **kwargs):\n return self.oauth_request(url, 'patch', data=data, **kwargs)\n", "role": "user" }, { "content": "patch", ...
def x(self): if self.__attachment_name is not None: return self.__attachment_name if self.__attachment_name_property: return getattr(self, self.__attachment_name_property, '') else: try: attachment_name = getattr(self, 'subject') except AttributeError: attachment_name = getattr(self, 'name', '') return attachment_name
attachment_name
[ { "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.__attachment_name is not None:\n return self.__attachment_name\n if self.__attachment_name_property:\n return getattr(self...
def x(self): data = {'@odata.type': self._gk('{}_attachment_type'.format(self. attachment_type)), self._cc('name'): self.name} if self.attachment_type == 'file': data[self._cc('contentBytes')] = self.content else: data[self._cc('item')] = self.content return data
to_api_data
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n data = {'@odata.type': self._gk('{}_attachment_type'.format(self.\n attachment_type)), self._cc('name'): self.name}\n if self.attachment_...
def x(self, location=None, custom_name=None): if not self.content: return False location = Path(location or '') if not location.exists(): log.debug('the location provided does not exist') return False name = custom_name or self.name name = name.replace('/', '-').replace('\\', '') try: path = location / name with path.open('wb') as file: file.write(base64.b64decode(self.content)) self.attachment = path self.on_disk = True log.debug('file saved locally.') except Exception as e: log.error('file failed to be saved: %s', str(e)) return False return True
save
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, location=None, custom_name=None):\n if not self.content:\n return False\n location = Path(location or '')\n if not location.exists():\n ...
def x(self, api_object, on_cloud=False): if self.on_cloud: return True if api_object and getattr(api_object, 'attachments', None): if on_cloud: if not api_object.object_id: raise RuntimeError( 'A valid object id is needed in order to attach a file') url = api_object.build_url(self._endpoints.get('attach').format (id=api_object.object_id)) response = api_object.con.post(url, data=self.to_api_data()) return bool(response) elif self.attachment_type == 'file': api_object.attachments.add([{'attachment_id': self. attachment_id, 'path': str(self.attachment) if self. attachment else None, 'name': self.name, 'content': self. content, 'on_disk': self.on_disk}]) else: raise RuntimeError('Only file attachments can be attached')
attach
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, api_object, on_cloud=False):\n if self.on_cloud:\n return True\n if api_object and getattr(api_object, 'attachments', None):\n if on_...
def x(self): return [attachment.to_api_data() for attachment in self.__attachments if attachment.on_cloud is False]
to_api_data
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n return [attachment.to_api_data() for attachment in self.__attachments if\n attachment.on_cloud is False]\n", "role": "user" }, { ...
def x(self): for attachment in self.__attachments: if attachment.on_cloud: self.__removed_attachments.append(attachment) self.__attachments = [] self._update_parent_attachments() self._track_changes()
clear
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n for attachment in self.__attachments:\n if attachment.on_cloud:\n self.__removed_attachments.append(attachment)\n self.__attac...
def x(self): try: self._parent.has_attachments = bool(len(self.__attachments)) except AttributeError: pass
update_parent_attachments
[ { "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 self._parent.has_attachments = bool(len(self.__attachments))\n except AttributeError:\n pass\n", "role": "user" }, ...
def x(self, attachments): if attachments: if isinstance(attachments, (str, Path)): attachments = [attachments] if isinstance(attachments, (list, tuple, set)): attachments_temp = [self._attachment_constructor(attachment, parent=self) for attachment in attachments] elif isinstance(attachments, dict ) and self._cloud_data_key in attachments: attachments_temp = [self._attachment_constructor({self. _cloud_data_key: attachment}, parent=self, on_cloud=True) for attachment in attachments.get(self._cloud_data_key, [])] else: raise ValueError( 'Attachments must be a str or Path or a list, tuple or set of the former' ) self.__attachments.extend(attachments_temp) self._update_parent_attachments() self._track_changes()
add
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, attachments):\n if attachments:\n if isinstance(attachments, (str, Path)):\n attachments = [attachments]\n if isinstance(atta...
def x(self, attachments): if isinstance(attachments, (list, tuple)): attachments = {(attachment.name if isinstance(attachment, BaseAttachment) else attachment) for attachment in attachments} elif isinstance(attachments, str): attachments = {attachments} elif isinstance(attachments, BaseAttachment): attachments = {attachments.name} else: raise ValueError('Incorrect parameter type for attachments') new_attachments = [] for attachment in self.__attachments: if attachment.name not in attachments: new_attachments.append(attachment) elif attachment.on_cloud: self.__removed_attachments.append(attachment) self.__attachments = new_attachments self._update_parent_attachments() self._track_changes()
remove
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, attachments):\n if isinstance(attachments, (list, tuple)):\n attachments = {(attachment.name if isinstance(attachment,\n BaseAttachm...
def x(self): if not self._parent.has_attachments: log.debug('Parent {} has no attachments, skipping out early.'. format(self._parent.__class__.__name__)) return False if not self._parent.object_id: raise RuntimeError('Attempted to download attachments of an unsaved {}' .format(self._parent.__class__.__name__)) url = self.build_url(self._endpoints.get('attachments').format(id=self. _parent.object_id)) response = self._parent.con.get(url) if not response: return False attachments = response.json().get('value', []) self.untrack = True self.add({self._cloud_data_key: attachments}) self.untrack = False return True
download_attachments
[ { "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._parent.has_attachments:\n log.debug('Parent {} has no attachments, skipping out early.'.\n format(self._parent.__cla...
def x(self): url = self.build_url(self._endpoints.get('attachments').format(id=self. _parent.object_id)) for attachment in self.__attachments: if attachment.on_cloud is False: response = self._parent.con.post(url, data=attachment.to_api_data() ) if not response: return False data = response.json() attachment.attachment_id = data.get('id') attachment.content = data.get(self._cc('contentBytes'), None) attachment.on_cloud = True for attachment in self.__removed_attachments: if attachment.on_cloud and attachment.attachment_id is not None: url = self.build_url(self._endpoints.get('attachment').format( id=self._parent.object_id, ida=attachment.attachment_id)) response = self._parent.con.delete(url) if not response: return False self.__removed_attachments = [] log.debug('Successfully updated attachments on {}'.format(self._parent. object_id)) return True
update_attachments_to_cloud
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n url = self.build_url(self._endpoints.get('attachments').format(id=self.\n _parent.object_id))\n for attachment in self.__attachments:\n ...
def x(self): if self._field and getattr(self._parent, '_track_changes', None ) is not None: self._parent._track_changes.add(self._field)
track_changes
[ { "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._field and getattr(self._parent, '_track_changes', None\n ) is not None:\n self._parent._track_changes.add(self._field)\n", ...
def x(self): if self._field and getattr(self._parent, '_track_changes', None ) is not None and self.untrack is False: self._parent._track_changes.add(self._field)
track_changes
[ { "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._field and getattr(self._parent, '_track_changes', None\n ) is not None and self.untrack is False:\n self._parent._track_chan...
def x(self, recipients): if recipients: if isinstance(recipients, str): self._recipients.append(Recipient(address=recipients, parent= self._parent, field=self._field)) elif isinstance(recipients, Recipient): self._recipients.append(recipients) elif isinstance(recipients, tuple): name, address = recipients if address: self._recipients.append(Recipient(address=address, name= name, parent=self._parent, field=self._field)) elif isinstance(recipients, list): for recipient in recipients: self.add(recipient) else: raise ValueError( 'Recipients must be an address string, a Recipient instance, a (name, address) tuple or a list' ) self._track_changes()
add
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, recipients):\n if recipients:\n if isinstance(recipients, str):\n self._recipients.append(Recipient(address=recipients, parent=\n ...
def x(self, address): recipients = [] if isinstance(address, str): address = {address} elif isinstance(address, (list, tuple)): address = set(address) for recipient in self._recipients: if recipient.address not in address: recipients.append(recipient) if len(recipients) != len(self._recipients): self._track_changes() self._recipients = recipients
remove
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, address):\n recipients = []\n if isinstance(address, str):\n address = {address}\n elif isinstance(address, (list, tuple)):\n addr...
def x(self): recipients_with_address = [recipient for recipient in self._recipients if recipient.address] if recipients_with_address: return recipients_with_address[0] else: return None
get_first_recipient_with_address
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n recipients_with_address = [recipient for recipient in self._recipients if\n recipient.address]\n if recipients_with_address:\n ret...
def x(self, recipients, field=None): recipients_data = [] for recipient in recipients: recipients_data.append(self._recipient_from_cloud(recipient, field= field)) return Recipients(recipients_data, parent=self, field=field)
recipients_from_cloud
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, recipients, field=None):\n recipients_data = []\n for recipient in recipients:\n recipients_data.append(self._recipient_from_cloud(recipient...
def x(self, recipient, field=None): if recipient: recipient = recipient.get(self._cc('emailAddress'), recipient if isinstance(recipient, dict) else {}) address = recipient.get(self._cc('address'), '') name = recipient.get(self._cc('name'), '') return Recipient(address=address, name=name, parent=self, field=field) else: return Recipient()
recipient_from_cloud
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, recipient, field=None):\n if recipient:\n recipient = recipient.get(self._cc('emailAddress'), recipient if\n isinstance(recipient, d...
def x(self, recipient): data = None if recipient: data = {self._cc('emailAddress'): {self._cc('address'): recipient. address}} if recipient.name: data[self._cc('emailAddress')][self._cc('name')] = recipient.name return data
recipient_to_cloud
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, recipient):\n data = None\n if recipient:\n data = {self._cc('emailAddress'): {self._cc('address'): recipient.\n address}}\n ...
def x(resource): resource = resource.strip() if resource else resource if resource in {ME_RESOURCE, USERS_RESOURCE}: return resource elif '@' in resource and not resource.startswith(USERS_RESOURCE): return '{}/{}'.format(USERS_RESOURCE, resource) else: return resource
parse_resource
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(resource):\n resource = resource.strip() if resource else resource\n if resource in {ME_RESOURCE, USERS_RESOURCE}:\n return resource\n elif '@'...
def x(self, date_time_time_zone): if date_time_time_zone is None: return None local_tz = self.protocol.timezone if isinstance(date_time_time_zone, dict): try: timezone = pytz.timezone(get_iana_tz(date_time_time_zone.get( self._cc('timeZone'), 'UTC'))) except pytz.UnknownTimeZoneError: timezone = local_tz date_time = date_time_time_zone.get(self._cc('dateTime'), None) try: date_time = timezone.localize(parse(date_time) ) if date_time else None except OverflowError as e: log.debug('Could not parse dateTimeTimeZone: {}. Error: {}'. format(date_time_time_zone, str(e))) date_time = None if date_time and timezone != local_tz: date_time = date_time.astimezone(local_tz) else: try: date_time = local_tz.localize(parse(date_time_time_zone) ) if date_time_time_zone else None except Exception as e: log.debug('Could not parse dateTimeTimeZone: {}. Error: {}'. format(date_time_time_zone, str(e))) date_time = None return date_time
parse_date_time_time_zone
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, date_time_time_zone):\n if date_time_time_zone is None:\n return None\n local_tz = self.protocol.timezone\n if isinstance(date_time_time_...
def x(self, date_time): timezone = date_time.tzinfo.zone if date_time.tzinfo is not None else None return {self._cc('dateTime'): date_time.strftime('%Y-%m-%dT%H:%M:%S'), self._cc('timeZone'): get_windows_tz(timezone or self.protocol. timezone)}
build_date_time_time_zone
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, date_time):\n timezone = date_time.tzinfo.zone if date_time.tzinfo is not None else None\n return {self._cc('dateTime'): date_time.strftime('%Y-%m-...
def x(self, *attributes): if attributes: for attribute in attributes: attribute = self.protocol.convert_case(attribute ) if attribute and isinstance(attribute, str) else None if attribute: if '/' in attribute: attribute = attribute.split('/')[0] self._selects.add(attribute) elif self._attribute: self._selects.add(self._attribute) return self
select
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *attributes):\n if attributes:\n for attribute in attributes:\n attribute = self.protocol.convert_case(attribute\n ) ...
def x(self, *relationships): for relationship in relationships: if relationship == 'event': relationship = '{}/event'.format(self.protocol. get_service_keyword('event_message_type')) self._expands.add(relationship) return self
expand
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *relationships):\n for relationship in relationships:\n if relationship == 'event':\n relationship = '{}/event'.format(self.protocol...
def x(self, text): if text is None: self._search = None else: self.clear_filters() self.clear_order() self._search = '"{}"'.format(text) return self
search
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, text):\n if text is None:\n self._search = None\n else:\n self.clear_filters()\n self.clear_order()\n self._search = '\...
def x(self): params = {} if self.has_filters: params['$filter'] = self.get_filters() if self.has_order: params['$orderby'] = self.get_order() if self.has_selects: params['$select'] = self.get_selects() if self.has_expands: params['$expand'] = self.get_expands() if self._search: params['$search'] = self._search params.pop('$filter', None) params.pop('$orderby', None) return params
as_params
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n params = {}\n if self.has_filters:\n params['$filter'] = self.get_filters()\n if self.has_order:\n params['$orderby'] = self.ge...
def x(self): if self._filters: filters_list = self._filters if isinstance(filters_list[-1], Enum): filters_list = filters_list[:-1] return ' '.join([(fs.value if isinstance(fs, Enum) else fs[1]) for fs in filters_list]).strip() else: return None
get_filters
[ { "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._filters:\n filters_list = self._filters\n if isinstance(filters_list[-1], Enum):\n filters_list = filters_list[:-...
def x(self): if not self.has_order: return None filter_order_clauses = OrderedDict([(filter_attr[0], None) for filter_attr in self._filters if isinstance(filter_attr, tuple)]) order_by_dict = self._order_by.copy() for filter_oc in filter_order_clauses.keys(): direction = order_by_dict.pop(filter_oc, None) filter_order_clauses[filter_oc] = direction filter_order_clauses.update(order_by_dict) if filter_order_clauses: return ','.join(['{} {}'.format(attribute, direction if direction else '').strip() for attribute, direction in filter_order_clauses. items()]) else: return None
get_order
[ { "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.has_order:\n return None\n filter_order_clauses = OrderedDict([(filter_attr[0], None) for\n filter_attr in self._filte...
def x(self, attribute, operation=ChainOperator.AND): if isinstance(operation, str): operation = ChainOperator(operation) self._chain = operation self._attribute = self._get_mapping(attribute) if attribute else None self._negation = False return self
new
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, attribute, operation=ChainOperator.AND):\n if isinstance(operation, str):\n operation = ChainOperator(operation)\n self._chain = operation\n...
def x(self): self._filters = [] self._order_by = OrderedDict() self._selects = set() self._negation = False self._attribute = None self._chain = None self._search = None return self
clear
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self._filters = []\n self._order_by = OrderedDict()\n self._selects = set()\n self._negation = False\n self._attribute = None\n self...
def x(self, operation=ChainOperator.AND): if isinstance(operation, str): operation = ChainOperator(operation) self._chain = operation return self
chain
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, operation=ChainOperator.AND):\n if isinstance(operation, str):\n operation = ChainOperator(operation)\n self._chain = operation\n return ...
def x(self, filter_attr): filter_attr = self._get_mapping(filter_attr) new_filters = [] remove_chain = False for flt in self._filters: if isinstance(flt, tuple): if flt[0] == filter_attr: remove_chain = True else: new_filters.append(flt) elif remove_chain is False: new_filters.append(flt) else: remove_chain = False self._filters = new_filters
remove_filter
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, filter_attr):\n filter_attr = self._get_mapping(filter_attr)\n new_filters = []\n remove_chain = False\n for flt in self._filters:\n i...
def x(self, word): if isinstance(word, str): word = "'{}'".format(word) elif isinstance(word, dt.date): if isinstance(word, dt.datetime): if word.tzinfo is None: word = self.protocol.timezone.localize(word) if word.tzinfo != pytz.utc: word = word.astimezone(pytz.utc) if '/' in self._attribute: word = "'{}'".format(word.isoformat()) else: word = '{}'.format(word.isoformat()) elif isinstance(word, bool): word = str(word).lower() return word
parse_filter_word
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, word):\n if isinstance(word, str):\n word = \"'{}'\".format(word)\n elif isinstance(word, dt.date):\n if isinstance(word, dt.datetime...
def x(self, operation, word): word = self._parse_filter_word(word) self._add_filter(*self._prepare_sentence(self._attribute, operation, word, self._negation)) return self
logical_operator
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, operation, word):\n word = self._parse_filter_word(word)\n self._add_filter(*self._prepare_sentence(self._attribute, operation,\n word, self...
def x(self, function_name, word): word = self._parse_filter_word(word) self._add_filter(*self._prepare_function(function_name, self._attribute, word, self._negation)) return self
function
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, function_name, word):\n word = self._parse_filter_word(word)\n self._add_filter(*self._prepare_function(function_name, self._attribute,\n wo...
def x(self, iterable_name, *, collection, attribute, word, func=None, operation=None): if func is None and operation is None: raise ValueError('Provide a function or an operation to apply') elif func is not None and operation is not None: raise ValueError( 'Provide either a function or an operation but not both') current_att = self._attribute self._attribute = iterable_name word = self._parse_filter_word(word) collection = self._get_mapping(collection) attribute = self._get_mapping(attribute) if func is not None: sentence = self._prepare_function(func, attribute, word) else: sentence = self._prepare_sentence(attribute, operation, word) filter_str, attrs = sentence filter_data = '{}/{}(a:a/{})'.format(collection, iterable_name, filter_str ), attrs self._add_filter(*filter_data) self._attribute = current_att return self
iterable
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, iterable_name, *, collection, attribute, word, func=None,\n operation=None):\n if func is None and operation is None:\n raise ValueError('Pr...
def x(self, *, collection, attribute, word, func=None, operation=None): return self.iterable('any', collection=collection, attribute=attribute, word=word, func=func, operation=operation)
any
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *, collection, attribute, word, func=None, operation=None):\n return self.iterable('any', collection=collection, attribute=attribute,\n word=wo...
def x(self, *, collection, attribute, word, func=None, operation=None): return self.iterable('all', collection=collection, attribute=attribute, word=word, func=func, operation=operation)
all
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *, collection, attribute, word, func=None, operation=None):\n return self.iterable('all', collection=collection, attribute=attribute,\n word=wo...