source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(values): x_min = values.min().astype(int) x_max = values.max().astype(int) bins_sturges = (x_max - x_min) / (np.log2(values.size) + 1) iqr = np.subtract(*np.percentile(values, [75, 25])) bins_fd = 2 * iqr * values.size ** (-1 / 3) width = round(np.max([1, bins_sturges, bins_fd])).astype(int) return np.arange(x_min, x_max + width + 1, width)
get_bins
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(values):\n x_min = values.min().astype(int)\n x_max = values.max().astype(int)\n bins_sturges = (x_max - x_min) / (np.log2(values.size) + 1)\n iqr ...
def x(n_items, max_cols=4, min_cols=3): def x(val): return np.clip(val, min_cols, max_cols) if n_items <= max_cols: return 1, n_items ideal = in_bounds(round(n_items ** 0.5)) for offset in (0, 1, -1, 2, -2): cols = in_bounds(ideal + offset) rows, extra = divmod(n_items, cols) if extra == 0: return rows, cols return n_items // ideal + 1, ideal
default_grid
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(n_items, max_cols=4, min_cols=3):\n\n def x(val):\n return np.clip(val, min_cols, max_cols)\n if n_items <= max_cols:\n return 1, n_items\n...
def x(length_plotters, rows, cols, **kwargs): kwargs.setdefault('constrained_layout', True) fig, ax = plt.subplots(rows, cols, **kwargs) ax = np.ravel(ax) extra = rows * cols - length_plotters if extra: for i in range(1, extra + 1): ax[-i].set_axis_off() ax = ax[:-extra] return fig, ax
create_axes_grid
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(length_plotters, rows, cols, **kwargs):\n kwargs.setdefault('constrained_layout', True)\n fig, ax = plt.subplots(rows, cols, **kwargs)\n ax = np.ravel...
def x(var_name, selection, position='below'): if selection: sel = selection_to_string(selection) if position == 'below': sep = '\n' elif position == 'beside': sep = ' ' else: sep = sel = '' return '{}{}{}'.format(var_name, sep, sel)
make_label
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(var_name, selection, position='below'):\n if selection:\n sel = selection_to_string(selection)\n if position == 'below':\n sep = '\...
def x(list_in): _list = [] for item in list_in: if item not in _list: _list.append(item) return _list
purge_duplicates
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(list_in):\n _list = []\n for item in list_in:\n if item not in _list:\n _list.append(item)\n return _list\n", "role": "user" }...
def x(data, var_names=None, combined=False, skip_dims=None, reverse_selections=False): if skip_dims is None: skip_dims = set() if combined: skip_dims = skip_dims.union({'chain', 'draw'}) else: skip_dims.add('draw') if var_names is None: if isinstance(data, xr.Dataset): var_names = list(data.data_vars) elif isinstance(data, xr.DataArray): var_names = [data.name] data = {data.name: data} for var_name in var_names: if var_name in data: new_dims = [dim for dim in data[var_name].dims if dim not in skip_dims] vals = [purge_duplicates(data[var_name][dim].values) for dim in new_dims] dims = [{k: v for k, v in zip(new_dims, prod)} for prod in product(*vals)] if reverse_selections: dims = reversed(dims) for selection in dims: yield var_name, selection, data[var_name].sel(**selection ).values
xarray_var_iter
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(data, var_names=None, combined=False, skip_dims=None,\n reverse_selections=False):\n if skip_dims is None:\n skip_dims = set()\n if combined:\n...
def x(data, *, var_names=None, combined=True): unpacked_data, unpacked_var_names = [], [] for var_name, selection, data_array in xarray_var_iter(data, var_names= var_names, combined=combined): unpacked_data.append(data_array.flatten()) unpacked_var_names.append(make_label(var_name, selection)) return unpacked_var_names, np.array(unpacked_data)
xarray_to_ndarray
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(data, *, var_names=None, combined=True):\n unpacked_data, unpacked_var_names = [], []\n for var_name, selection, data_array in xarray_var_iter(data, var_...
def x(data, coords): try: return data.sel(**coords) except ValueError: invalid_coords = set(coords.keys()) - set(data.coords.keys()) raise ValueError('Coords {} are invalid coordinate keys'.format( invalid_coords)) except KeyError as err: raise KeyError( 'Coords should follow mapping format {{coord_name:[dim1, dim2]}}. Check that coords structure is correct and dimensions are valid. {}' .format(err))
get_coords
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(data, coords):\n try:\n return data.sel(**coords)\n except ValueError:\n invalid_coords = set(coords.keys()) - set(data.coords.keys())\n ...
def x(obj, *, group='posterior', coords=None, dims=None, **kwargs): if isinstance(obj, InferenceData): return obj elif isinstance(obj, str): return InferenceData.from_netcdf(obj) elif obj.__class__.__name__ == 'StanFit4Model': return from_pystan(posterior=obj, coords=coords, dims=dims, **kwargs) elif obj.__class__.__module__ == 'stan.fit': return from_pystan(posterior=obj, coords=coords, dims=dims, **kwargs) elif obj.__class__.__name__ == 'MultiTrace': return from_pymc3(trace=obj, coords=coords, dims=dims, **kwargs) elif obj.__class__.__name__ == 'EnsembleSampler': return from_emcee(obj, coords=coords, dims=dims, **kwargs) elif obj.__class__.__name__ == 'MCMC' and obj.__class__.__module__.startswith( 'pyro'): return from_pyro(obj, coords=coords, dims=dims, **kwargs) if isinstance(obj, xr.Dataset): dataset = obj elif isinstance(obj, dict): dataset = dict_to_dataset(obj, coords=coords, dims=dims) elif isinstance(obj, np.ndarray): dataset = dict_to_dataset({'x': obj}, coords=coords, dims=dims) else: allowable_types = ('xarray dataset', 'dict', 'netcdf file', 'numpy array', 'pystan fit', 'pymc3 trace') raise ValueError('Can only convert {} to InferenceData, not {}'. format(', '.join(allowable_types), obj.__class__.__name__)) return InferenceData(**{group: dataset})
convert_to_inference_data
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(obj, *, group='posterior', coords=None, dims=None, **kwargs):\n if isinstance(obj, InferenceData):\n return obj\n elif isinstance(obj, str):\n ...
def x(obj, *, group='posterior', coords=None, dims=None): inference_data = convert_to_inference_data(obj, group=group, coords= coords, dims=dims) dataset = getattr(inference_data, group, None) if dataset is None: raise ValueError( 'Can not extract {group} from {obj}! See {filename} for other conversion utilities.' .format(group=group, obj=obj, filename=__file__)) return dataset
convert_to_dataset
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(obj, *, group='posterior', coords=None, dims=None):\n inference_data = convert_to_inference_data(obj, group=group, coords=\n coords, dims=dims)\n ...
def x(dataset, mult=1): return int(np.ceil(mult * np.log2(dataset.draw.size)) + 1)
sturges_formula
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(dataset, mult=1):\n return int(np.ceil(mult * np.log2(dataset.draw.size)) + 1)\n", "role": "user" }, { "content": "sturges_formula", "role":...
def x(data, var_names=None, coords=None, bins=None, ref_line=True, figsize= None, axes=None): posterior_data = convert_to_dataset(data, group='posterior') if coords is not None: posterior_data = posterior_data.sel(**coords) var_names = _var_names(var_names, posterior_data) plotters = list(xarray_var_iter(posterior_data, var_names=var_names, combined=True)) if bins is None: bins = _sturges_formula(posterior_data, mult=2) if axes is None: rows, cols = default_grid(len(plotters)) figsize, ax_labelsize, titlesize, _, _, _ = _scale_fig_size(figsize, None, rows=rows, cols=cols) _, axes = _create_axes_grid(len(plotters), rows, cols, figsize= figsize, squeeze=False) for ax, (var_name, selection, var_data) in zip(axes.ravel(), plotters): ranks = scipy.stats.rankdata(var_data).reshape(var_data.shape) all_counts = [] for row in ranks: counts, bin_ary = np.histogram(row, bins=bins, range=(0, ranks. size)) all_counts.append(counts) all_counts = np.array(all_counts) gap = all_counts.max() * 1.05 width = bin_ary[1] - bin_ary[0] bin_ary = (bin_ary[1:] + bin_ary[:-1]) / 2 y_ticks = [] for idx, counts in enumerate(all_counts): y_ticks.append(idx * gap) if ref_line: ax.axhline(y=y_ticks[-1] + counts.mean(), linestyle='--', color='C1') ax.axhline(y=y_ticks[-1], color='k', lw=1) ax.bar(bin_ary, counts, bottom=y_ticks[-1], width=width, align= 'center', color='C0', edgecolor=ax.get_facecolor()) ax.set_xlabel('Rank (all chains)', fontsize=ax_labelsize) ax.set_ylabel('Chain', fontsize=ax_labelsize) ax.set_yticks(y_ticks) ax.set_yticklabels(np.arange(len(y_ticks))) ax.set_title(make_label(var_name, selection), fontsize=titlesize) return axes
plot_rank
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(data, var_names=None, coords=None, bins=None, ref_line=True, figsize=\n None, axes=None):\n posterior_data = convert_to_dataset(data, group='posterior')\...
def x(client, adgroup_ids, feed_name): adgroup_ad_service = client.GetService('AdGroupAdService', 'v201809') expanded_text_ad = {'xsi_type': 'ExpandedTextAd', 'headlinePart1': 'Luxury Cruise to {=%s.Name}' % feed_name, 'headlinePart2': 'Only {=%s.Price}' % feed_name, 'description': 'Offer ends in {=countdown(%s.Date)}!' % feed_name, 'finalUrls': [ 'http://www.example.com']} operations = [{'operator': 'ADD', 'operand': {'adGroupId': adgroup, 'ad': expanded_text_ad}} for adgroup in adgroup_ids] response = adgroup_ad_service.mutate(operations) if response and 'value' in response: for ad in response['value']: print('Created an ad with ID "%s", type "%s", and status "%s".' % (ad['ad']['id'], ad['ad']['Ad.Type'], ad['status'])) else: raise errors.GoogleAdsError('No ads were added.')
CreateAdsWithCustomizations
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(client, adgroup_ids, feed_name):\n adgroup_ad_service = client.GetService('AdGroupAdService', 'v201809')\n expanded_text_ad = {'xsi_type': 'ExpandedTextA...
def x(client, feed_name): ad_customizer_feed_service = client.GetService('AdCustomizerFeedService', 'v201809') customizer_feed = {'feedName': feed_name, 'feedAttributes': [{'type': 'STRING', 'name': 'Name'}, {'type': 'STRING', 'name': 'Price'}, { 'type': 'DATE_TIME', 'name': 'Date'}]} feed_service_operation = {'operator': 'ADD', 'operand': customizer_feed} response = ad_customizer_feed_service.mutate([feed_service_operation]) if response and 'value' in response: feed = response['value'][0] feed_data = {'feedId': feed['feedId'], 'nameId': feed[ 'feedAttributes'][0]['id'], 'priceId': feed['feedAttributes'][1 ]['id'], 'dateId': feed['feedAttributes'][2]['id']} print( """Feed with name "%s" and ID %s was added with: Name attribute ID %s and price attribute ID %s and date attributeID %s""" ) % (feed['feedName'], feed['feedId'], feed_data['nameId'], feed_data['priceId'], feed_data['dateId']) return feed else: raise errors.GoogleAdsError('No feeds were added')
CreateCustomizerFeed
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(client, feed_name):\n ad_customizer_feed_service = client.GetService('AdCustomizerFeedService',\n 'v201809')\n customizer_feed = {'feedName': feed...
def x(client, feed_item, adgroup_id): feed_item_target_service = client.GetService('FeedItemTargetService', 'v201809') ad_group_target = {'xsi_type': 'FeedItemAdGroupTarget', 'feedId': feed_item['feedId'], 'feedItemId': feed_item['feedItemId'], 'adGroupId': adgroup_id} operation = {'operator': 'ADD', 'operand': ad_group_target} response = feed_item_target_service.mutate([operation]) new_ad_group_target = response['value'][0] print( 'Feed item target for feed ID %s and feed item ID %s was created to restrict serving to ad group ID %s' % (new_ad_group_target['feedId'], new_ad_group_target['feedItemId' ], new_ad_group_target['adGroupId']))
RestrictFeedItemToAdGroup
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(client, feed_item, adgroup_id):\n feed_item_target_service = client.GetService('FeedItemTargetService',\n 'v201809')\n ad_group_target = {'xsi_typ...
def x(name, price, date, ad_customizer_feed): feed_item = {'feedId': ad_customizer_feed['feedId'], 'attributeValues': [{'feedAttributeId': ad_customizer_feed['feedAttributes'][0]['id'], 'stringValue': name}, {'feedAttributeId': ad_customizer_feed[ 'feedAttributes'][1]['id'], 'stringValue': price}, { 'feedAttributeId': ad_customizer_feed['feedAttributes'][2]['id'], 'stringValue': date}]} operation = {'operator': 'ADD', 'operand': feed_item} return operation
CreateFeedItemAddOperation
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(name, price, date, ad_customizer_feed):\n feed_item = {'feedId': ad_customizer_feed['feedId'], 'attributeValues':\n [{'feedAttributeId': ad_customize...
def x(cls, yaml_doc): return cls(**googleads.common.LoadFromString(yaml_doc, cls._YAML_KEY, cls._REQUIRED_INIT_VALUES, cls._OPTIONAL_INIT_VALUES))
LoadFromString
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, yaml_doc):\n return cls(**googleads.common.LoadFromString(yaml_doc, cls._YAML_KEY,\n cls._REQUIRED_INIT_VALUES, cls._OPTIONAL_INIT_VALUES))\n", ...
def x(cls, path=None): if path is None: path = os.path.join(os.path.expanduser('~'), 'googleads.yaml') return cls(**googleads.common.LoadFromStorage(path, cls._YAML_KEY, cls. _REQUIRED_INIT_VALUES, cls._OPTIONAL_INIT_VALUES))
LoadFromStorage
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, path=None):\n if path is None:\n path = os.path.join(os.path.expanduser('~'), 'googleads.yaml')\n return cls(**googleads.common.LoadFromStora...
def x(self, service_name, version=None, server=None): if not server: server = _DEFAULT_ENDPOINT server = server.rstrip('/') if not version: version = sorted(_SERVICE_MAP.keys())[-1] try: version_service_mapping = _SERVICE_MAP[version][service_name] except KeyError: msg_fmt = ( 'Unrecognized %s for the AdWords API. Given: %s Supported: %s') if version in _SERVICE_MAP: raise googleads.errors.GoogleAdsValueError(msg_fmt % ('service', service_name, _SERVICE_MAP[version].keys())) else: raise googleads.errors.GoogleAdsValueError(msg_fmt % ('version', version, _SERVICE_MAP.keys())) service = googleads.common.GetServiceClassForLibrary(self.soap_impl)( self._SOAP_SERVICE_FORMAT % (server, version_service_mapping, version, service_name), _AdWordsHeaderHandler(self, version, self. enable_compression, self.custom_http_headers), _AdWordsPacker, self .proxy_config, self.timeout, version, cache=self.cache) return service
GetService
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, service_name, version=None, server=None):\n if not server:\n server = _DEFAULT_ENDPOINT\n server = server.rstrip('/')\n if not version:\n...
def x(self, version=sorted(_SERVICE_MAP.keys())[-1], server=None): if not server: server = _DEFAULT_ENDPOINT request_builder = BatchJobHelper.GetRequestBuilder(self, version= version, server=server) response_parser = BatchJobHelper.GetResponseParser() return BatchJobHelper(request_builder, response_parser)
GetBatchJobHelper
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, version=sorted(_SERVICE_MAP.keys())[-1], server=None):\n if not server:\n server = _DEFAULT_ENDPOINT\n request_builder = BatchJobHelper.GetR...
def x(self, version=sorted(_SERVICE_MAP.keys())[-1], server=None): if not server: server = _DEFAULT_ENDPOINT return ReportDownloader(self, version, server)
GetReportDownloader
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, version=sorted(_SERVICE_MAP.keys())[-1], server=None):\n if not server:\n server = _DEFAULT_ENDPOINT\n return ReportDownloader(self, version...
def x(self, create_method): header = create_method(self._SOAP_HEADER_CLASS % self._version) header.clientCustomerId = self._adwords_client.client_customer_id header.developerToken = self._adwords_client.developer_token header.userAgent = ''.join([self._adwords_client.user_agent, googleads. common.GenerateLibSig(self._PRODUCT_SIG)]) header.validateOnly = self._adwords_client.validate_only header.partialFailure = self._adwords_client.partial_failure return header
GetSOAPHeaders
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, create_method):\n header = create_method(self._SOAP_HEADER_CLASS % self._version)\n header.clientCustomerId = self._adwords_client.client_customer_...
def x(self): http_headers = self._adwords_client.oauth2_client.CreateHttpHeader() if self.enable_compression: http_headers['accept-encoding'] = 'gzip' http_headers.update(self.custom_http_headers) return http_headers
GetHTTPHeaders
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n http_headers = self._adwords_client.oauth2_client.CreateHttpHeader()\n if self.enable_compression:\n http_headers['accept-encoding'] = 'g...
def x(self, **kwargs): headers = self._adwords_client.oauth2_client.CreateHttpHeader() headers.update({'Content-type': self._CONTENT_TYPE, 'developerToken': str(self._adwords_client.developer_token), 'clientCustomerId': str( kwargs.get('client_customer_id', self._adwords_client. client_customer_id)), 'User-Agent': ''.join([self._adwords_client. user_agent, googleads.common.GenerateLibSig(self._PRODUCT_SIG), ',gzip'])}) headers.update(self.custom_http_headers) updated_kwargs = dict(self._adwords_client.report_download_headers) updated_kwargs.update(kwargs) for kw in updated_kwargs: try: headers[_REPORT_HEADER_KWARGS[kw]] = str(updated_kwargs[kw]) except KeyError: raise googleads.errors.GoogleAdsValueError( 'The provided keyword "%s" is invalid. Accepted keywords are: %s' % (kw, _REPORT_HEADER_KWARGS.keys())) return headers
GetReportDownloadHeaders
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, **kwargs):\n headers = self._adwords_client.oauth2_client.CreateHttpHeader()\n headers.update({'Content-type': self._CONTENT_TYPE, 'developerToken'...
def x(cls, obj, version): if isinstance(obj, ServiceQuery): return str(obj) return obj
Pack
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, obj, version):\n if isinstance(obj, ServiceQuery):\n return str(obj)\n return obj\n", "role": "user" }, { "content": "Pack", ...
def x(cls, file_input, client=None): if client is None: client = AdWordsClient.LoadFromStorage() try: data = yaml.safe_load(file_input) except yaml.YAMLError as e: raise googleads.errors.GoogleAdsError( 'Error loading IncrementalUploadHelper from file: %s' % str(e)) try: request_builder = BatchJobHelper.GetRequestBuilder(client, version= data['version'], server=data['server']) return cls(request_builder, data['upload_url'], current_content_length=data['current_content_length'], is_last= data['is_last']) except KeyError as e: raise googleads.errors.GoogleAdsValueError( 'Can\'t parse IncrementalUploadHelper from file. Required field "%s" is missing.' % e.message)
Load
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, file_input, client=None):\n if client is None:\n client = AdWordsClient.LoadFromStorage()\n try:\n data = yaml.safe_load(file_input)\n...
def x(self, upload_url, current_content_length): if current_content_length != 0: return upload_url headers = {'Content-Type': 'application/xml', 'Content-Length': 0, 'x-goog-resumable': 'start'} req = urllib2.Request(upload_url, data={}, headers=headers) resp = self._url_opener.open(req) return resp.headers['location']
InitializeURL
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, upload_url, current_content_length):\n if current_content_length != 0:\n return upload_url\n headers = {'Content-Type': 'application/xml', '...
def x(self, output): data = {'current_content_length': self._current_content_length, 'is_last': self._is_last, 'server': self._request_builder.GetServer (), 'upload_url': self._upload_url, 'version': self. _request_builder.GetVersion()} try: yaml.dump(data, output) except yaml.YAMLError as e: raise googleads.errors.GoogleAdsError( 'Error dumping IncrementalUploadHelper to file: %s' % str(e))
Dump
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, output):\n data = {'current_content_length': self._current_content_length,\n 'is_last': self._is_last, 'server': self._request_builder.GetServe...
def x(self, operations, is_last=False): if self._is_last: raise googleads.errors.AdWordsBatchJobServiceInvalidOperationError( "Can't add new operations to a completed incremental upload.") req = self._request_builder.BuildUploadRequest(self._upload_url, operations, current_content_length=self._current_content_length, is_last=is_last) try: _batch_job_logger.debug('Outgoing request: %s %s %s', req. get_full_url(), req.headers, req.data) self._url_opener.open(req) if _batch_job_logger.isEnabledFor(logging.INFO): _batch_job_logger.info('Request summary: %s', self. _ExtractRequestSummaryFields(req)) except urllib2.HTTPError as e: if e.code != 308: if _batch_job_logger.isEnabledFor(logging.WARNING): _batch_job_logger.warning('Request summary: %s', self. _ExtractRequestSummaryFields(req, error=e)) raise self._current_content_length += len(req.data) self._is_last = is_last
UploadOperations
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, operations, is_last=False):\n if self._is_last:\n raise googleads.errors.AdWordsBatchJobServiceInvalidOperationError(\n \"Can't add ...
def x(self, request, error=None): headers = request.headers summary_fields = {'server': request.get_full_url(), 'contentRange': headers['Content-range'], 'contentLength': headers['Content-length']} if error: summary_fields['isError'] = True summary_fields['errorMessage'] = error.reason else: summary_fields['isError'] = False return summary_fields
ExtractRequestSummaryFields
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, request, error=None):\n headers = request.headers\n summary_fields = {'server': request.get_full_url(), 'contentRange':\n headers['Content-r...
def x(self, field): where_builder = _WhereBuilder(self, field) self.where_builders.append(where_builder) return where_builder
Where
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, field):\n where_builder = _WhereBuilder(self, field)\n self.where_builders.append(where_builder)\n return where_builder\n", "role": "user" ...
def x(self, value): self._awql = self._CreateSingleValueCondition(value, '=') return self._query_builder
EqualTo
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, value):\n self._awql = self._CreateSingleValueCondition(value, '=')\n return self._query_builder\n", "role": "user" }, { "content": "Eq...
def x(self, value): self._awql = self._CreateSingleValueCondition(value, '!=') return self._query_builder
NotEqualTo
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, value):\n self._awql = self._CreateSingleValueCondition(value, '!=')\n return self._query_builder\n", "role": "user" }, { "content": "N...
def x(self, value): self._awql = self._CreateSingleValueCondition(value, '>') return self._query_builder
GreaterThan
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, value):\n self._awql = self._CreateSingleValueCondition(value, '>')\n return self._query_builder\n", "role": "user" }, { "content": "Gr...
def x(self, value): self._awql = self._CreateSingleValueCondition(value, '>=') return self._query_builder
GreaterThanOrEqualTo
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, value):\n self._awql = self._CreateSingleValueCondition(value, '>=')\n return self._query_builder\n", "role": "user" }, { "content": "G...
def x(self, value): self._awql = self._CreateSingleValueCondition(value, '<') return self._query_builder
LessThan
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, value):\n self._awql = self._CreateSingleValueCondition(value, '<')\n return self._query_builder\n", "role": "user" }, { "content": "Le...
def x(self, value): self._awql = self._CreateSingleValueCondition(value, '<=') return self._query_builder
LessThanOrEqualTo
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, value):\n self._awql = self._CreateSingleValueCondition(value, '<=')\n return self._query_builder\n", "role": "user" }, { "content": "L...
def x(self, value): self._awql = self._CreateSingleValueCondition(value, 'STARTS_WITH') return self._query_builder
StartsWith
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, value):\n self._awql = self._CreateSingleValueCondition(value, 'STARTS_WITH')\n return self._query_builder\n", "role": "user" }, { "con...
def x(self, value): self._awql = self._CreateSingleValueCondition(value, 'STARTS_WITH_IGNORE_CASE') return self._query_builder
StartsWithIgnoreCase
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, value):\n self._awql = self._CreateSingleValueCondition(value,\n 'STARTS_WITH_IGNORE_CASE')\n return self._query_builder\n", "role": "us...
def x(self, value): self._awql = self._CreateSingleValueCondition(value, 'CONTAINS') return self._query_builder
Contains
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, value):\n self._awql = self._CreateSingleValueCondition(value, 'CONTAINS')\n return self._query_builder\n", "role": "user" }, { "conten...
def x(self, value): self._awql = self._CreateSingleValueCondition(value, 'CONTAINS_IGNORE_CASE' ) return self._query_builder
ContainsIgnoreCase
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, value):\n self._awql = self._CreateSingleValueCondition(value, 'CONTAINS_IGNORE_CASE'\n )\n return self._query_builder\n", "role": "user...
def x(self, value): self._awql = self._CreateSingleValueCondition(value, 'DOES_NOT_CONTAIN') return self._query_builder
DoesNotContain
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, value):\n self._awql = self._CreateSingleValueCondition(value, 'DOES_NOT_CONTAIN')\n return self._query_builder\n", "role": "user" }, { ...
def x(self, value): self._awql = self._CreateSingleValueCondition(value, 'DOES_NOT_CONTAIN_IGNORE_CASE') return self._query_builder
DoesNotContainIgnoreCase
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, value):\n self._awql = self._CreateSingleValueCondition(value,\n 'DOES_NOT_CONTAIN_IGNORE_CASE')\n return self._query_builder\n", "role"...
def x(self, *values): self._awql = self._CreateMultipleValuesCondition(values, 'IN') return self._query_builder
In
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *values):\n self._awql = self._CreateMultipleValuesCondition(values, 'IN')\n return self._query_builder\n", "role": "user" }, { "conten...
def x(self, *values): self._awql = self._CreateMultipleValuesCondition(values, 'NOT_IN') return self._query_builder
NotIn
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *values):\n self._awql = self._CreateMultipleValuesCondition(values, 'NOT_IN')\n return self._query_builder\n", "role": "user" }, { "co...
def x(self, *values): self._awql = self._CreateMultipleValuesCondition(values, 'CONTAINS_ANY') return self._query_builder
ContainsAny
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *values):\n self._awql = self._CreateMultipleValuesCondition(values, 'CONTAINS_ANY')\n return self._query_builder\n", "role": "user" }, { ...
def x(self, *values): self._awql = self._CreateMultipleValuesCondition(values, 'CONTAINS_NONE') return self._query_builder
ContainsNone
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *values):\n self._awql = self._CreateMultipleValuesCondition(values, 'CONTAINS_NONE')\n return self._query_builder\n", "role": "user" }, { ...
def x(self, *values): self._awql = self._CreateMultipleValuesCondition(values, 'CONTAINS_ALL') return self._query_builder
ContainsAll
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *values):\n self._awql = self._CreateMultipleValuesCondition(values, 'CONTAINS_ALL')\n return self._query_builder\n", "role": "user" }, { ...
def x(self, value, operator): if isinstance(value, str) or isinstance(value, unicode): value = '"%s"' % value return '%s %s %s' % (self._field, operator, value)
CreateSingleValueCondition
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, value, operator):\n if isinstance(value, str) or isinstance(value, unicode):\n value = '\"%s\"' % value\n return '%s %s %s' % (self._field, ...
def x(self, values, operator): values = [('"%s"' % value if isinstance(value, str) or isinstance(value, unicode) else str(value)) for value in values] return '%s %s [%s]' % (self._field, operator, ', '.join(values))
CreateMultipleValuesCondition
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, values, operator):\n values = [('\"%s\"' % value if isinstance(value, str) or isinstance(value,\n unicode) else str(value)) for value in values...
def x(self, page=None): if self._start_index is None: raise ValueError('Cannot page through query with no LIMIT clause.') page_size = None if page and self._PAGE_TYPE in page and page[self._PAGE_TYPE ] in self._BID_LANDSCAPE_PAGES: page_size = sum([len(bid_landscape[self._LANDSCAPE_POINTS]) for bid_landscape in page[self._ENTRIES]]) increment = page_size or self._page_size self._start_index += increment return self
NextPage
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, page=None):\n if self._start_index is None:\n raise ValueError('Cannot page through query with no LIMIT clause.')\n page_size = None\n if...
def x(self, page): if self._start_index is None: raise ValueError('Cannot page through query with no LIMIT clause.') if page is None: raise ValueError('The passed page cannot be None.') if self._PAGE_TYPE in page and page[self._PAGE_TYPE ] in self._BID_LANDSCAPE_PAGES: if self._ENTRIES in page: total_landscape_points = sum([len(bid_landscape[self. _LANDSCAPE_POINTS]) for bid_landscape in page[self._ENTRIES]]) else: total_landscape_points = 0 return total_landscape_points >= self._page_size if not self._total_num_entries: self._total_num_entries = page[self._TOTAL_NUM_ENTRIES] return self._start_index + self._page_size < self._total_num_entries
HasNext
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, page):\n if self._start_index is None:\n raise ValueError('Cannot page through query with no LIMIT clause.')\n if page is None:\n rai...
def x(self, service): has_page = True while has_page: page = service.query(self) yield page has_page = self.HasNext(page) if has_page: self.NextPage()
Pager
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, service):\n has_page = True\n while has_page:\n page = service.query(self)\n yield page\n has_page = self.HasNext(page)\n ...
def x(): result = AppUser.query(AppUser.user == users.get_current_user()).fetch() if result: app_user = result[0] else: app_user = AppUser(user=users.get_current_user(), email=users. get_current_user().email()) app_user.put() return app_user
InitUser
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n result = AppUser.query(AppUser.user == users.get_current_user()).fetch()\n if result:\n app_user = result[0]\n else:\n app_user = A...
def x(client_id, client_secret, refresh_token, adwords_manager_cid, developer_token): app_user = AppUser.query(AppUser.user == users.get_current_user()).fetch()[ 0] app_user.client_id = client_id app_user.client_secret = client_secret app_user.refresh_token = refresh_token app_user.adwords_manager_cid = adwords_manager_cid app_user.developer_token = developer_token app_user.put()
UpdateUserCredentials
[ { "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, refresh_token, adwords_manager_cid,\n developer_token):\n app_user = AppUser.query(AppUser.user == users.get_current_user()).fe...
def x(client, ad_group_id): ad_group_criterion_service = client.GetService('AdGroupCriterionService', version='v201809') operations = [{'operator': 'ADD', 'operand': {'xsi_type': 'BiddableAdGroupCriterion', 'adGroupId': ad_group_id, 'criterion': {'xsi_type': 'ProductPartition', 'partitionType': 'UNIT'}, 'biddingStrategyConfiguration': {'bids': [{'xsi_type': 'CpcBid', 'bid': {'microAmount': 500000}}]}}}] ad_group_criterion = ad_group_criterion_service.mutate(operations)['value' ][0] print( 'Ad group criterion with ID "%d" in ad group with ID "%d" was added.' % (ad_group_criterion['criterion']['id'], ad_group_criterion[ 'adGroupId']))
CreateDefaultPartition
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(client, ad_group_id):\n ad_group_criterion_service = client.GetService('AdGroupCriterionService',\n version='v201809')\n operations = [{'operator'...
def x(pql_value): if 'value' in pql_value: field = pql_value['value'] elif 'values' in pql_value: field = pql_value['values'] else: field = None if field: if isinstance(field, list): return ','.join([('"%s"' % str(ConvertValueForCsv(single_field) )) for single_field in field]) else: class_type = ad_manager.AdManagerClassType(pql_value) if class_type == 'TextValue': return field.replace('"', '""').encode('UTF8') elif class_type == 'NumberValue': return float(field) if '.' in field else int(field) elif class_type == 'DateTimeValue': return ConvertDateTimeToOffset(field) elif class_type == 'DateValue': return date(int(field['date']['year']), int(field['date'][ 'month']), int(field['date']['day'])).isoformat() else: return field else: return '-'
ConvertValueForCsv
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(pql_value):\n if 'value' in pql_value:\n field = pql_value['value']\n elif 'values' in pql_value:\n field = pql_value['values']\n else:\...
def x(date_time_value): date_time_obj = datetime(int(date_time_value['date']['year']), int( date_time_value['date']['month']), int(date_time_value['date'][ 'day']), int(date_time_value['hour']), int(date_time_value['minute' ]), int(date_time_value['second'])) date_time_str = pytz.timezone(date_time_value['timeZoneId']).localize( date_time_obj).isoformat() if date_time_str[-5:] == '00:00': return date_time_str[:-6] + 'Z' else: return date_time_str
ConvertDateTimeToOffset
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(date_time_value):\n date_time_obj = datetime(int(date_time_value['date']['year']), int(\n date_time_value['date']['month']), int(date_time_value['dat...
def x(identifier_type=None, value=None): if identifier_type in _HASHED_IDENTIFIER_TYPES: value = hashlib.sha256(value.strip().lower()).hexdigest() user_identifier = {'userIdentifierType': identifier_type, 'value': value} return user_identifier
CreateUserIdentifier
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(identifier_type=None, value=None):\n if identifier_type in _HASHED_IDENTIFIER_TYPES:\n value = hashlib.sha256(value.strip().lower()).hexdigest()\n ...
def x(api_error, field): field_path_elements = api_error['fieldPathElements'] if field_path_elements: found_index = [field_path_element['index'] for field_path_element in field_path_elements if field_path_element['field'] == field] if found_index: return found_index return None
GetFieldPathElementIndex
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(api_error, field):\n field_path_elements = api_error['fieldPathElements']\n if field_path_elements:\n found_index = [field_path_element['index'] f...
def x(self): client_customer_id = self.request.get('clientCustomerId') budget_id = self.request.get('budgetId') if not client_customer_id or not budget_id: self.redirect('/') else: self.redirect('/showBudget?clientCustomerId=%s&budgetId=%s' % ( client_customer_id, budget_id))
post
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n client_customer_id = self.request.get('clientCustomerId')\n budget_id = self.request.get('budgetId')\n if not client_customer_id or not budge...
def x(self): def x(self, parent, content): obj = content.value child = self.node(content) parent.append(child) for item in obj: cont = suds.mx.Content(tag=item[0], value=item[1]) suds.mx.appender.Appender.append(self, child, cont) suds.mx.appender.ObjectAppender.append = PatchedAppend
ApplySudsJurkoAppenderPatch
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n\n def x(self, parent, content):\n obj = content.value\n child = self.node(content)\n parent.append(child)\n for item in...
def x(self, envelope, http_headers, operation): if self._logger.isEnabledFor(logging.DEBUG): self._logger.debug(_RESPONSE_XML_LOG_LINE, etree.tostring(envelope, pretty_print=True)) if self._logger.isEnabledFor(logging.WARN): warn_data = {} header = envelope.find(_HEADER_XPATH) fault = envelope.find(_FAULT_XPATH) if fault is not None: warn_data['faultMessage'] = fault.find('faultstring').text if header is not None: header_data = {re.sub(_REMOVE_NS_REGEXP, '', child.tag): child.text for child in header[0]} warn_data.update(header_data) if 'serviceName' not in warn_data: warn_data['serviceName' ] = operation.binding.wsdl.services.keys()[0] if 'methodName' not in warn_data: warn_data['methodName'] = operation.name self._logger.warn('Error summary: %s', warn_data) return envelope, http_headers
ingress
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, envelope, http_headers, operation):\n if self._logger.isEnabledFor(logging.DEBUG):\n self._logger.debug(_RESPONSE_XML_LOG_LINE, etree.tostring(...
def x(self, envelope, http_headers, operation, binding_options): if self._logger.isEnabledFor(logging.INFO): service_name = operation.binding.wsdl.services.keys()[0] self._logger.info(_REQUEST_LOG_LINE, service_name, operation.name, binding_options['address']) if self._logger.isEnabledFor(logging.DEBUG): http_headers_safe = http_headers.copy() if self._AUTHORIZATION_HEADER in http_headers_safe: http_headers_safe[self._AUTHORIZATION_HEADER] = self._REDACTED request_string = etree.tostring(envelope, pretty_print=True) safe_request = self._DEVELOPER_TOKEN_SUB.sub(self._REDACTED, request_string.decode('utf-8')) self._logger.debug(_REQUEST_XML_LOG_LINE, http_headers_safe, safe_request) return envelope, http_headers
egress
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, envelope, http_headers, operation, binding_options):\n if self._logger.isEnabledFor(logging.INFO):\n service_name = operation.binding.wsdl.serv...
def x(client, feed_item, location_id): feed_item_target_service = client.GetService('FeedItemTargetService', version='v201809') criterion_target = {'xsi_type': 'FeedItemCriterionTarget', 'feedId': feed_item['feedId'], 'feedItemId': feed_item['feedItemId'], 'criterion': {'xsi_type': 'Location', 'id': location_id}} operation = {'operator': 'ADD', 'operand': criterion_target} response = feed_item_target_service.mutate([operation]) new_location_target = response['value'][0] print( 'Feed item target for feed ID %d and feed item ID %d was created to restrict serving to location ID %d.' % (new_location_target['feedId'], new_location_target['feedItemId' ], new_location_target['criterion']['id']))
RestrictFeedItemToGeoTarget
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(client, feed_item, location_id):\n feed_item_target_service = client.GetService('FeedItemTargetService',\n version='v201809')\n criterion_target =...
def x(client, budget_id, merchant_id): campaign_service = client.GetService('CampaignService', version='v201809') campaign = {'name': 'Shopping campaign #%s' % uuid.uuid4(), 'advertisingChannelType': 'SHOPPING', 'advertisingChannelSubType': 'SHOPPING_GOAL_OPTIMIZED_ADS', 'status': 'PAUSED', 'budget': { 'budgetId': budget_id}, 'biddingStrategyConfiguration': { 'biddingStrategyType': 'MAXIMIZE_CONVERSION_VALUE'}, 'settings': [{ 'xsi_type': 'ShoppingSetting', 'salesCountry': 'US', 'merchantId': merchant_id}]} campaign_operations = [{'operator': 'ADD', 'operand': campaign}] result = campaign_service.mutate(campaign_operations)['value'][0] print('Smart Shopping campaign with name "%s" and ID "%s" was added.' % (result['name'], result['id'])) return result['id']
CreateSmartCampaign
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(client, budget_id, merchant_id):\n campaign_service = client.GetService('CampaignService', version='v201809')\n campaign = {'name': 'Shopping campaign #%...
def x(client, campaign_id): ad_group_service = client.GetService('AdGroupService', version='v201809') ad_group = {'campaignId': campaign_id, 'name': 'Smart Shopping ad group #%s' % uuid.uuid4(), 'adGroupType': 'SHOPPING_GOAL_OPTIMIZED_ADS'} adgroup_operations = {'operator': 'ADD', 'operand': ad_group} ad_group = ad_group_service.mutate(adgroup_operations)['value'][0] ad_group_id = ad_group['id'] print('AdGroup with name "%s" and ID "%s" was added.' % (ad_group[ 'name'], ad_group_id)) return ad_group_id
CreateSmartShoppingAdGroup
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(client, campaign_id):\n ad_group_service = client.GetService('AdGroupService', version='v201809')\n ad_group = {'campaignId': campaign_id, 'name': \n ...
def x(start_date, months): current_date = start_date i = 0 while i < months: month_days = calendar.monthrange(current_date.year, current_date.month )[1] current_date += timedelta(days=month_days) i += 1 return current_date
AddMonths
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(start_date, months):\n current_date = start_date\n i = 0\n while i < months:\n month_days = calendar.monthrange(current_date.year, current_date...
def x(self): if all((self.client_type, self.client_id, self.client_secret, self. auth_uri, self.token_uri)): client_config = {self.client_type: {'client_id': self.client_id, 'client_secret': self.client_secret, 'auth_uri': self.auth_uri, 'token_uri': self.token_uri}} else: raise ValueError('Required field is missing.') return client_config
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 all((self.client_type, self.client_id, self.client_secret, self.\n auth_uri, self.token_uri)):\n client_config = {self.client_type...
def x(value): value_date = value['date'] return '%s-%s-%s %s:%s:%s (%s)' % (value_date['year'], value_date[ 'month'], value_date['day'], value['hour'], value['minute'], value[ 'second'], value['timeZoneId'])
FormatSOAPDateTime
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(value):\n value_date = value['date']\n return '%s-%s-%s %s:%s:%s (%s)' % (value_date['year'], value_date[\n 'month'], value_date['day'], value['ho...
def x(matched, available, possible=None): if matched > 0: available_percent = float(available) / matched * 100.0 else: available_percent = 0 if possible is not None: if matched > 0: possible_percent = possible / float(matched) * 100.0 else: possible_percent = 0 else: possible_percent = None return available_percent, possible_percent
CalculateForecastStats
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(matched, available, possible=None):\n if matched > 0:\n available_percent = float(available) / matched * 100.0\n else:\n available_percent ...
def x(client, budget_id, merchant_id): campaign_service = client.GetService('CampaignService', 'v201809') campaign = {'name': 'Shopping campaign #%s' % uuid.uuid4(), 'advertisingChannelType': 'SHOPPING', 'status': 'PAUSED', 'budget': {'budgetId': budget_id}, 'biddingStrategyConfiguration': { 'biddingStrategyType': 'MANUAL_CPC'}, 'settings': [{'xsi_type': 'ShoppingSetting', 'salesCountry': 'US', 'campaignPriority': '0', 'merchantId': merchant_id, 'enableLocal': True}]} campaign_operations = [{'operator': 'ADD', 'operand': campaign}] campaign = campaign_service.mutate(campaign_operations)['value'][0] print('Campaign with name "%s" and ID "%s" was added.' % (campaign[ 'name'], campaign['id'])) return campaign
CreateShoppingCampaign
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(client, budget_id, merchant_id):\n campaign_service = client.GetService('CampaignService', 'v201809')\n campaign = {'name': 'Shopping campaign #%s' % uui...
def x(client, campaign_id): ad_group_service = client.GetService('AdGroupService', 'v201809') adgroup = {'adGroupType': 'SHOPPING_SHOWCASE_ADS', 'campaignId': campaign_id, 'name': 'AdGroup #%s' % uuid.uuid4(), 'biddingStrategyConfiguration': {'biddingStrategyType': 'MANUAL_CPC', 'bids': [{'xsi_type': 'CpcBid', 'bid': {'microAmount': 100000}}]}} adgroup_operations = {'operator': 'ADD', 'operand': adgroup} adgroup = ad_group_service.mutate(adgroup_operations)['value'][0] print('AdGroup with name "%s" and ID "%s" was added.' % (adgroup['name' ], adgroup['id'])) return adgroup
CreateAdGroup
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(client, campaign_id):\n ad_group_service = client.GetService('AdGroupService', 'v201809')\n adgroup = {'adGroupType': 'SHOPPING_SHOWCASE_ADS', 'campaignI...
def x(client, filepath): media_service = client.GetService('MediaService', 'v201809') with open(filepath, 'rb') as image_handle: image_data = image_handle.read().decode('utf-8') image = [{'xsi_type': 'Image', 'data': image_data, 'type': 'IMAGE'}] image = media_service.upload(image)[0] return image
UploadImage
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(client, filepath):\n media_service = client.GetService('MediaService', 'v201809')\n with open(filepath, 'rb') as image_handle:\n image_data = imag...
def x(client, adgroup_id): ad_group_criterion_service = client.GetService('AdGroupCriterionService', 'v201809') helper = ProductPartitionHelper(adgroup_id) root = helper.CreateSubdivision() new_product_canonical_condition = {'xsi_type': 'ProductCanonicalCondition', 'condition': 'NEW'} used_product_canonical_condition = {'xsi_type': 'ProductCanonicalCondition', 'condition': 'USED'} other_product_canonical_condition = {'xsi_type': 'ProductCanonicalCondition'} helper.CreateUnit(root, new_product_canonical_condition) helper.CreateUnit(root, used_product_canonical_condition) helper.CreateUnit(root, other_product_canonical_condition) result = ad_group_criterion_service.mutate(helper.operations) return result['value']
CreateProductPartition
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(client, adgroup_id):\n ad_group_criterion_service = client.GetService('AdGroupCriterionService',\n 'v201809')\n helper = ProductPartitionHelper(ad...
def x(self, parent=None, value=None): division = {'xsi_type': 'ProductPartition', 'partitionType': 'SUBDIVISION', 'id': str(self.next_id)} if parent is not None: division['parentCriterionId'] = parent['id'] division['caseValue'] = value adgroup_criterion = {'xsi_type': 'BiddableAdGroupCriterion', 'adGroupId': self.adgroup_id, 'criterion': division} self.CreateAddOperation(adgroup_criterion) self.next_id -= 1 return division
CreateSubdivision
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, parent=None, value=None):\n division = {'xsi_type': 'ProductPartition', 'partitionType':\n 'SUBDIVISION', 'id': str(self.next_id)}\n if pare...
def x(self, parent=None, value=None, bid_amount=None): unit = {'xsi_type': 'ProductPartition', 'partitionType': 'UNIT'} if parent is not None: unit['parentCriterionId'] = parent['id'] unit['caseValue'] = value if bid_amount is not None and bid_amount > 0: bidding_strategy_configuration = {'bids': [{'xsi_type': 'CpcBid', 'bid': {'xsi_type': 'Money', 'microAmount': str(bid_amount)}}]} adgroup_criterion = {'xsi_type': 'BiddableAdGroupCriterion', 'biddingStrategyConfiguration': bidding_strategy_configuration} else: adgroup_criterion = {'xsi_type': 'NegativeAdGroupCriterion'} adgroup_criterion['adGroupId'] = self.adgroup_id adgroup_criterion['criterion'] = unit self.CreateAddOperation(adgroup_criterion) return unit
CreateUnit
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, parent=None, value=None, bid_amount=None):\n unit = {'xsi_type': 'ProductPartition', 'partitionType': 'UNIT'}\n if parent is not None:\n uni...
def x(self): client_customer_id = self.request.get('clientCustomerId') campaign_id = self.request.get('campaignId') if not client_customer_id or not campaign_id: self.redirect('/') else: self.redirect('/showAdGroups?clientCustomerId=%s&campaignId=%s' % ( client_customer_id, campaign_id))
post
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n client_customer_id = self.request.get('clientCustomerId')\n campaign_id = self.request.get('campaignId')\n if not client_customer_id or not c...
def x(client, ad_group_id): ad_group_ad_service = client.GetService('AdGroupAdService') operations = [{'operator': 'ADD', 'operand': {'xsi_type': 'AdGroupAd', 'adGroupId': ad_group_id, 'ad': {'xsi_type': 'ExpandedDynamicSearchAd', 'description': 'Buy your tickets now!', 'description2': 'Discount ends soon'}, 'status': 'PAUSED'}}] ad = ad_group_ad_service.mutate(operations)['value'][0]['ad'] print( 'Expanded dynamic search ad with ID "%d", description "%s", and description 2 "%s" was added' % (ad['id'], ad['description'], ad['description2']))
CreateExpandedDSA
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(client, ad_group_id):\n ad_group_ad_service = client.GetService('AdGroupAdService')\n operations = [{'operator': 'ADD', 'operand': {'xsi_type': 'AdGroupA...
def x(client, url): asset_service = client.GetService('AssetService', version='v201809') image_request = requests.get(url) image_asset = {'xsi_type': 'ImageAsset', 'imageData': image_request.content } operation = {'operator': 'ADD', 'operand': image_asset} result = asset_service.mutate([operation]) return result['value'][0]['assetId']
UploadImageAsset
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(client, url):\n asset_service = client.GetService('AssetService', version='v201809')\n image_request = requests.get(url)\n image_asset = {'xsi_type': ...
def x(short_name): with _UTILITY_LOCK: utilities_used = ', '.join([utility for utility in sorted( _utility_registry)]) _utility_registry.Clear() if utilities_used: return ' (%s, %s, %s, %s)' % (short_name, _COMMON_LIB_SIG, _PYTHON_VERSION, utilities_used) else: return ' (%s, %s, %s)' % (short_name, _COMMON_LIB_SIG, _PYTHON_VERSION)
GenerateLibSig
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(short_name):\n with _UTILITY_LOCK:\n utilities_used = ', '.join([utility for utility in sorted(\n _utility_registry)])\n _utility_r...
def x(yaml_doc, product_yaml_key, required_client_values, optional_product_values): data = yaml.safe_load(yaml_doc) or {} if 'dfp' in data: raise googleads.errors.GoogleAdsValueError( 'Please replace the "dfp" key in the configuration YAML string with"ad_manager" to fix this issue.' ) logging_config = data.get(_LOGGING_KEY) if logging_config: logging.config.dictConfig(logging_config) try: product_data = data[product_yaml_key] except KeyError: raise googleads.errors.GoogleAdsValueError( 'The "%s" configuration is missing' % (product_yaml_key,)) if not isinstance(product_data, dict): raise googleads.errors.GoogleAdsValueError( 'The "%s" configuration is empty or invalid' % (product_yaml_key,)) IncludeUtilitiesInUserAgent(data.get(_UTILITY_REGISTER_YAML_KEY, True)) original_keys = list(product_data.keys()) client_kwargs = {} try: for key in required_client_values: client_kwargs[key] = product_data[key] del product_data[key] except KeyError: raise googleads.errors.GoogleAdsValueError( 'Some of the required values are missing. Required values are: %s, actual values are %s' % (required_client_values, original_keys)) proxy_config_data = data.get(_PROXY_CONFIG_KEY, {}) proxy_config = _ExtractProxyConfig(product_yaml_key, proxy_config_data) client_kwargs['proxy_config'] = proxy_config client_kwargs['oauth2_client'] = _ExtractOAuth2Client(product_yaml_key, product_data, proxy_config) client_kwargs[ENABLE_COMPRESSION_KEY] = data.get(ENABLE_COMPRESSION_KEY, False) client_kwargs[CUSTOM_HEADERS_KEY] = data.get(CUSTOM_HEADERS_KEY, None) if SOAP_IMPLEMENTATION_KEY in data: client_kwargs[SOAP_IMPLEMENTATION_KEY] = data[SOAP_IMPLEMENTATION_KEY] for value in optional_product_values: if value in product_data: client_kwargs[value] = product_data[value] del product_data[value] if product_data: warnings.warn( 'Could not recognize the following keys: %s. They were ignored.' % (product_data,), stacklevel=3) return client_kwargs
LoadFromString
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(yaml_doc, product_yaml_key, required_client_values,\n optional_product_values):\n data = yaml.safe_load(yaml_doc) or {}\n if 'dfp' in data:\n r...
def x(path, product_yaml_key, required_client_values, optional_product_values): if not os.path.isabs(path): path = os.path.expanduser(path) try: with open(path, 'rb') as handle: yaml_doc = handle.read() except IOError: raise googleads.errors.GoogleAdsValueError( 'Given yaml file, %s, could not be opened.' % path) try: client_kwargs = LoadFromString(yaml_doc, product_yaml_key, required_client_values, optional_product_values) except googleads.errors.GoogleAdsValueError as e: raise googleads.errors.GoogleAdsValueError( 'Given yaml file, %s, could not find some keys. %s' % (path, e)) return client_kwargs
LoadFromStorage
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(path, product_yaml_key, required_client_values, optional_product_values):\n if not os.path.isabs(path):\n path = os.path.expanduser(path)\n try:\n...
def x(product_yaml_key, product_data, proxy_config): oauth2_kwargs = {'proxy_config': proxy_config} if all(config in product_data for config in _OAUTH2_INSTALLED_APP_KEYS): oauth2_args = [product_data['client_id'], product_data[ 'client_secret'], product_data['refresh_token']] oauth2_client = googleads.oauth2.GoogleRefreshTokenClient for key in _OAUTH2_INSTALLED_APP_KEYS: del product_data[key] elif all(config in product_data for config in _OAUTH2_SERVICE_ACCT_KEYS): oauth2_args = [product_data['path_to_private_key_file'], googleads. oauth2.GetAPIScope(product_yaml_key)] oauth2_kwargs.update({'sub': product_data.get('delegated_account')}) oauth2_client = googleads.oauth2.GoogleServiceAccountClient for key in _OAUTH2_SERVICE_ACCT_KEYS: del product_data[key] for optional_key in _OAUTH2_SERVICE_ACCT_KEYS_OPTIONAL: if optional_key in product_data: del product_data[optional_key] else: raise googleads.errors.GoogleAdsValueError( 'Your yaml file is incorrectly configured for OAuth2. You need to specify credentials for either the installed application flow (%s) or service account flow (%s).' % (_OAUTH2_INSTALLED_APP_KEYS, _OAUTH2_SERVICE_ACCT_KEYS)) return oauth2_client(*oauth2_args, **oauth2_kwargs)
ExtractOAuth2Client
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(product_yaml_key, product_data, proxy_config):\n oauth2_kwargs = {'proxy_config': proxy_config}\n if all(config in product_data for config in _OAUTH2_INS...
def x(product_yaml_key, proxy_config_data): cafile = proxy_config_data.get('cafile', None) disable_certificate_validation = proxy_config_data.get( 'disable_certificate_validation', False) http_proxy = proxy_config_data.get(_HTTP_PROXY_YAML_KEY) https_proxy = proxy_config_data.get(_HTTPS_PROXY_YAML_KEY) proxy_config = ProxyConfig(http_proxy=http_proxy, https_proxy= https_proxy, cafile=cafile, disable_certificate_validation= disable_certificate_validation) return proxy_config
ExtractProxyConfig
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(product_yaml_key, proxy_config_data):\n cafile = proxy_config_data.get('cafile', None)\n disable_certificate_validation = proxy_config_data.get(\n ...
def x(obj, factory, packer=None, version=None): if packer: obj = packer.Pack(obj, version) if obj in ({}, None): return suds.null() elif isinstance(obj, dict): if 'xsi_type' in obj: try: new_obj = factory.create(obj['xsi_type']) except suds.TypeNotFound: new_obj = factory.create(':'.join(['ns0', obj['xsi_type']])) for param, _ in new_obj: if param.endswith('.Type'): setattr(new_obj, param, obj['xsi_type']) else: setattr(new_obj, param, None) for key in obj: if key == 'xsi_type': continue setattr(new_obj, key, _PackForSuds(obj[key], factory, packer=packer)) else: new_obj = {} for key in obj: new_obj[key] = _PackForSuds(obj[key], factory, packer=packer) return new_obj elif isinstance(obj, (list, tuple)): return [_PackForSuds(item, factory, packer=packer) for item in obj] else: _RecurseOverObject(obj, factory) return obj
PackForSuds
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(obj, factory, packer=None, version=None):\n if packer:\n obj = packer.Pack(obj, version)\n if obj in ({}, None):\n return suds.null()\n ...
def x(obj, factory, parent=None): if _IsSudsIterable(obj): copy_of_obj = tuple(obj) for item in copy_of_obj: if _IsSudsIterable(item): if 'xsi_type' in item: if isinstance(obj, tuple): parent[obj[0]] = _PackForSuds(obj[1], factory) else: obj.remove(item) obj.append(_PackForSuds(item, factory)) _RecurseOverObject(item, factory, obj)
RecurseOverObject
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(obj, factory, parent=None):\n if _IsSudsIterable(obj):\n copy_of_obj = tuple(obj)\n for item in copy_of_obj:\n if _IsSudsIterable(i...
def x(utility_name, version_mapping=None): def x(member): return inspect.isfunction(member) or inspect.ismethod(member) def x(utility_method, version): registry_name = '%s/%s' % (utility_name, version ) if version else utility_name @wraps(utility_method) def x(*args, **kwargs): AddToUtilityRegistry(registry_name) return utility_method(*args, **kwargs) return Wrapper def x(cls): for name, method in inspect.getmembers(cls, predicate= IsFunctionOrMethod): if not name.startswith('_'): if not getattr(method, '__self__', None): setattr(cls, name, MethodDecorator(method, version_mapping.get(name) if version_mapping else None) ) return cls return ClassDecorator
RegisterUtility
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(utility_name, version_mapping=None):\n\n def x(member):\n return inspect.isfunction(member) or inspect.ismethod(member)\n\n def x(utility_method, ...
def x(document): headers = document.childAtPath('Header/RequestHeader') body = document.childAtPath('Body') summary_fields = {'methodName': body.getChildren()[0].name} client_customer_id = headers.getChild('clientCustomerId') if client_customer_id is not None: summary_fields['clientCustomerId'] = client_customer_id.text network_code = headers.getChild('networkCode') if network_code is not None: summary_fields['networkCode'] = network_code.text return summary_fields
ExtractRequestSummaryFields
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(document):\n headers = document.childAtPath('Header/RequestHeader')\n body = document.childAtPath('Body')\n summary_fields = {'methodName': body.getCh...
def x(document): headers = document.childAtPath('Envelope/Header/ResponseHeader') body = document.childAtPath('Envelope/Body') summary_fields = {} if headers is not None: summary_fields['requestId'] = headers.getChild('requestId').text summary_fields['responseTime'] = headers.getChild('responseTime').text service_name = headers.getChild('serviceName') if service_name is not None: summary_fields['serviceName'] = service_name.text method_name = headers.getChild('methodName') if method_name is not None: summary_fields['methodName'] = method_name.text operations = headers.getChild('operations') if operations is not None: summary_fields['operations'] = operations.text if body is not None: fault = body.getChild('Fault') if fault is not None: summary_fields['isFault'] = True summary_fields['faultMessage'] = fault.getChild('faultstring' ).text[:16000] else: summary_fields['isFault'] = False return summary_fields
ExtractResponseSummaryFields
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(document):\n headers = document.childAtPath('Envelope/Header/ResponseHeader')\n body = document.childAtPath('Envelope/Body')\n summary_fields = {}\n ...
def x(self, cafile=None, disable_ssl_certificate_validation=False): try: if disable_ssl_certificate_validation: ssl._create_default_https_context = ssl._create_unverified_context ssl_context = ssl.create_default_context() else: ssl_context = ssl.create_default_context(cafile=cafile) except AttributeError: return None return ssl_context
InitSSLContext
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, cafile=None, disable_ssl_certificate_validation=False):\n try:\n if disable_ssl_certificate_validation:\n ssl._create_default_https_...
def x(self): handlers = [] if self.ssl_context: handlers.append(urllib2.HTTPSHandler(context=self.ssl_context)) if self.proxies: handlers.append(urllib2.ProxyHandler(self.proxies)) return handlers
GetHandlers
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n handlers = []\n if self.ssl_context:\n handlers.append(urllib2.HTTPSHandler(context=self.ssl_context))\n if self.proxies:\n han...
def x(self): return_handlers = suds.transport.http.HttpTransport.u2handlers(self) return_handlers.extend(self.handlers) return return_handlers
u2handlers
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n return_handlers = suds.transport.http.HttpTransport.u2handlers(self)\n return_handlers.extend(self.handlers)\n return return_handlers\n", ...
def x(self, type_name, value): schema = self.suds_client.wsdl.schema definition_type = schema.elements[type_name, self._namespace_override] marshaller = suds.mx.literal.Literal(schema) content = suds.mx.Content(tag=type_name, value=value, name=type_name, type=definition_type) data = marshaller.process(content) return data
GetSoapXMLForComplexType
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, type_name, value):\n schema = self.suds_client.wsdl.schema\n definition_type = schema.elements[type_name, self._namespace_override]\n marshaller...
def x(self, type_name, value): element = self.schema.get_element('{%s}%s' % (self._namespace_override, type_name)) result_element = self._element_maker(element.qname.localname) element_value = element(**value) element.type.render(result_element, element_value) data = lxml.etree.tostring(result_element).strip() return data
GetSoapXMLForComplexType
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, type_name, value):\n element = self.schema.get_element('{%s}%s' % (self._namespace_override,\n type_name))\n result_element = self._element_...
def x(self, method, *args): self.suds_client.set_options(nosend=True) service_request = getattr(self, method)(*args).envelope self.suds_client.set_options(nosend=False) return lxml.etree.fromstring(service_request)
GetRequestXML
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, method, *args):\n self.suds_client.set_options(nosend=True)\n service_request = getattr(self, method)(*args).envelope\n self.suds_client.set_opt...
def x(self, soap_headers, http_headers): self.suds_client.set_options(soapheaders=soap_headers, headers=http_headers )
SetHeaders
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, soap_headers, http_headers):\n self.suds_client.set_options(soapheaders=soap_headers, headers=http_headers\n )\n", "role": "user" }, { ...
def x(self, method_name): return method_name in self.suds_client.wsdl.services[0].ports[0].methods
WsdlHasMethod
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, method_name):\n return method_name in self.suds_client.wsdl.services[0].ports[0].methods\n", "role": "user" }, { "content": "WsdlHasMethod...
def x(self, method_name): soap_service_method = getattr(self.suds_client.service, method_name) def x(*args): AddToUtilityRegistry('suds') self.SetHeaders(self._header_handler.GetSOAPHeaders(self. CreateSoapElementForType), self._header_handler.GetHTTPHeaders()) try: return soap_service_method(*[_PackForSuds(arg, self.suds_client .factory, self._packer) for arg in args]) except suds.WebFault as e: if _logger.isEnabledFor(logging.WARNING): _logger.warning('Response summary - %s', _ExtractResponseSummaryFields(e.document)) _logger.debug('SOAP response:\n%s', e.document.str()) if not hasattr(e.fault, 'detail'): exc = googleads.errors.GoogleAdsServerFault(e.document, message=e.fault.faultstring) raise exc fault = e.fault.detail.ApiExceptionFault if not hasattr(fault, 'errors') or fault.errors is None: exc = googleads.errors.GoogleAdsServerFault(e.document, message=e.fault.faultstring) raise exc obj = fault.errors if not isinstance(obj, list): fault.errors = [obj] exc = googleads.errors.GoogleAdsServerFault(e.document, fault. errors, message=e.fault.faultstring) raise exc return MakeSoapRequest
CreateMethod
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, method_name):\n soap_service_method = getattr(self.suds_client.service, method_name)\n\n def x(*args):\n AddToUtilityRegistry('suds')\n ...
def x(self, envelope, http_headers, operation, binding_options): custom_headers = self._header_handler.GetHTTPHeaders() http_headers.update(custom_headers) return envelope, http_headers
egress
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, envelope, http_headers, operation, binding_options):\n custom_headers = self._header_handler.GetHTTPHeaders()\n http_headers.update(custom_headers)...