_id
stringlengths
2
7
title
stringlengths
1
88
partition
stringclasses
3 values
text
stringlengths
75
19.8k
language
stringclasses
1 value
meta_information
dict
q4100
LZMAFile.peek
train
def peek(self, size=-1): """Return buffered data without advancing the file position. Always returns at least one byte of data, unless at EOF. The exact number of bytes returned is unspecified. """ self._check_can_read() if self._mode == _MODE_READ_EOF or not self._fill_...
python
{ "resource": "" }
q4101
LZMAFile.read
train
def read(self, size=-1): """Read up to size uncompressed bytes from the file. If size is negative or omitted, read until EOF is reached. Returns b"" if the file is already at EOF. """ self._check_can_read() if size is None: #This is not needed on Python 3 whe...
python
{ "resource": "" }
q4102
LZMAFile.read1
train
def read1(self, size=-1): """Read up to size uncompressed bytes, while trying to avoid making multiple reads from the underlying stream. Returns b"" if the file is at EOF. """ # Usually, read1() calls _fp.read() at most once. However, sometimes # this does not give enoug...
python
{ "resource": "" }
q4103
LZMAFile.write
train
def write(self, data): """Write a bytes object to the file. Returns the number of uncompressed bytes written, which is always len(data). Note that due to buffering, the file on disk may not reflect the data written until close() is called. """ self._check_can_write() ...
python
{ "resource": "" }
q4104
LZMAFile.seek
train
def seek(self, offset, whence=0): """Change the file position. The new position is specified by offset, relative to the position indicated by whence. Possible values for whence are: 0: start of stream (default): offset must not be negative 1: current stream position ...
python
{ "resource": "" }
q4105
Repository.create
train
def create(cls, user_id, github_id=None, name=None, **kwargs): """Create the repository.""" with db.session.begin_nested(): obj = cls(user_id=user_id, github_id=github_id, name=name, **kwargs) db.session.add(obj) return obj
python
{ "resource": "" }
q4106
Repository.get
train
def get(cls, user_id, github_id=None, name=None, check_owner=True): """Return a repository. :param integer user_id: User identifier. :param integer github_id: GitHub repository identifier. :param str name: GitHub repository full name. :returns: The repository object. :ra...
python
{ "resource": "" }
q4107
Repository.enable
train
def enable(cls, user_id, github_id, name, hook): """Enable webhooks for a repository. If the repository does not exist it will create one. :param user_id: User identifier. :param repo_id: GitHub repository identifier. :param name: Fully qualified name of the repository. ...
python
{ "resource": "" }
q4108
Repository.disable
train
def disable(cls, user_id, github_id, name): """Disable webhooks for a repository. Disables the webhook from a repository if it exists in the DB. :param user_id: User identifier. :param repo_id: GitHub id of the repository. :param name: Fully qualified name of the repository. ...
python
{ "resource": "" }
q4109
Release.create
train
def create(cls, event): """Create a new Release model.""" # Check if the release has already been received release_id = event.payload['release']['id'] existing_release = Release.query.filter_by( release_id=release_id, ).first() if existing_release: ...
python
{ "resource": "" }
q4110
Release.record
train
def record(self): """Get Record object.""" if self.recordmetadata: return Record(self.recordmetadata.json, model=self.recordmetadata) else: return None
python
{ "resource": "" }
q4111
get_badge_image_url
train
def get_badge_image_url(pid, ext='svg'): """Return the badge for a DOI.""" return url_for('invenio_formatter_badges.badge', title=pid.pid_type, value=pid.pid_value, ext=ext)
python
{ "resource": "" }
q4112
index_old
train
def index_old(user_id, repo_name): """Generate a badge for a specific GitHub repository.""" pid = get_pid_of_latest_release_or_404(name=repo_name) return redirect(get_badge_image_url(pid))
python
{ "resource": "" }
q4113
disconnect_github
train
def disconnect_github(access_token, repo_hooks): """Uninstall webhooks.""" # Note at this point the remote account and all associated data have # already been deleted. The celery task is passed the access_token to make # some last cleanup and afterwards delete itself remotely. import github3 fro...
python
{ "resource": "" }
q4114
sync_hooks
train
def sync_hooks(user_id, repositories): """Sync repository hooks for a user.""" from .api import GitHubAPI try: # Sync hooks gh = GitHubAPI(user_id=user_id) for repo_id in repositories: try: with db.session.begin_nested(): gh.sync_repo_...
python
{ "resource": "" }
q4115
process_release
train
def process_release(release_id, verify_sender=False): """Process a received Release.""" from invenio_db import db from invenio_rest.errors import RESTException from .errors import InvalidSenderError from .models import Release, ReleaseStatus from .proxies import current_github release_mode...
python
{ "resource": "" }
q4116
naturaltime
train
def naturaltime(val): """Get humanized version of time.""" val = val.replace(tzinfo=pytz.utc) \ if isinstance(val, datetime) else parse(val) now = datetime.utcnow().replace(tzinfo=pytz.utc) return humanize.naturaltime(now - val)
python
{ "resource": "" }
q4117
index
train
def index(): """Display list of the user's repositories.""" github = GitHubAPI(user_id=current_user.id) token = github.session_token ctx = dict(connected=False) if token: # The user is authenticated and the token we have is still valid. if github.account.extra_data.get('login') is N...
python
{ "resource": "" }
q4118
hook
train
def hook(): """Install or remove GitHub webhook.""" repo_id = request.json['id'] github = GitHubAPI(user_id=current_user.id) repos = github.account.extra_data['repos'] if repo_id not in repos: abort(404) if request.method == 'DELETE': try: if github.remove_hook(rep...
python
{ "resource": "" }
q4119
GitHubAPI.access_token
train
def access_token(self): """Return OAuth access token.""" if self.user_id: return RemoteToken.get( self.user_id, self.remote.consumer_key ).access_token return self.remote.get_request_token()[0]
python
{ "resource": "" }
q4120
GitHubAPI.session_token
train
def session_token(self): """Return OAuth session token.""" session_token = None if self.user_id is not None: session_token = token_getter(self.remote) if session_token: token = RemoteToken.get( self.user_id, self.remote.consumer_key, ...
python
{ "resource": "" }
q4121
GitHubAPI.webhook_url
train
def webhook_url(self): """Return the url to be used by a GitHub webhook.""" webhook_token = ProviderToken.query.filter_by( id=self.account.extra_data['tokens']['webhook'] ).first() if webhook_token: wh_url = current_app.config.get('GITHUB_WEBHOOK_RECEIVER_URL') ...
python
{ "resource": "" }
q4122
GitHubAPI.init_account
train
def init_account(self): """Setup a new GitHub account.""" ghuser = self.api.me() # Setup local access tokens to be used by the webhooks hook_token = ProviderToken.create_personal( 'github-webhook', self.user_id, scopes=['webhooks:event'], i...
python
{ "resource": "" }
q4123
GitHubAPI.sync
train
def sync(self, hooks=True, async_hooks=True): """Synchronize user repositories. :param bool hooks: True for syncing hooks. :param bool async_hooks: True for sending of an asynchronous task to sync hooks. .. note:: Syncing happens from GitHu...
python
{ "resource": "" }
q4124
GitHubAPI._sync_hooks
train
def _sync_hooks(self, repos, asynchronous=True): """Check if a hooks sync task needs to be started.""" if not asynchronous: for repo_id in repos: try: with db.session.begin_nested(): self.sync_repo_hook(repo_id) ...
python
{ "resource": "" }
q4125
GitHubAPI.sync_repo_hook
train
def sync_repo_hook(self, repo_id): """Sync a GitHub repo's hook with the locally stored repo.""" # Get the hook that we may have set in the past gh_repo = self.api.repository_with_id(repo_id) hooks = (hook.id for hook in gh_repo.hooks() if hook.config.get('url', '') == s...
python
{ "resource": "" }
q4126
GitHubAPI.check_sync
train
def check_sync(self): """Check if sync is required based on last sync date.""" # If refresh interval is not specified, we should refresh every time. expiration = utcnow() refresh_td = current_app.config.get('GITHUB_REFRESH_TIMEDELTA') if refresh_td: expiration -= refr...
python
{ "resource": "" }
q4127
GitHubAPI.create_hook
train
def create_hook(self, repo_id, repo_name): """Create repository hook.""" config = dict( url=self.webhook_url, content_type='json', secret=current_app.config['GITHUB_SHARED_SECRET'], insecure_ssl='1' if current_app.config['GITHUB_INSECURE_SSL'] ...
python
{ "resource": "" }
q4128
GitHubAPI.remove_hook
train
def remove_hook(self, repo_id, name): """Remove repository hook.""" ghrepo = self.api.repository_with_id(repo_id) if ghrepo: hooks = (h for h in ghrepo.hooks() if h.config.get('url', '') == self.webhook_url) hook = next(hooks, None) if not...
python
{ "resource": "" }
q4129
GitHubAPI._dev_api
train
def _dev_api(cls): """Get a developer instance for GitHub API access.""" gh = github3.GitHub() gh.set_client_id(cls.remote.consumer_key, cls.remote.consumer_secret) return gh
python
{ "resource": "" }
q4130
GitHubRelease.deposit_class
train
def deposit_class(self): """Return a class implementing `publish` method.""" cls = current_app.config['GITHUB_DEPOSIT_CLASS'] if isinstance(cls, string_types): cls = import_string(cls) assert isinstance(cls, type) return cls
python
{ "resource": "" }
q4131
GitHubRelease.repo_model
train
def repo_model(self): """Return repository model from database.""" return Repository.query.filter_by( user_id=self.event.user_id, github_id=self.repository['id'], ).one()
python
{ "resource": "" }
q4132
GitHubRelease.title
train
def title(self): """Extract title from a release.""" if self.event: if self.release['name']: return u'{0}: {1}'.format( self.repository['full_name'], self.release['name'] ) return u'{0} {1}'.format(self.repo_model.name, self.model.t...
python
{ "resource": "" }
q4133
GitHubRelease.description
train
def description(self): """Extract description from a release.""" if self.release.get('body'): return markdown(self.release['body']) elif self.repository.get('description'): return self.repository['description'] return 'No description provided.'
python
{ "resource": "" }
q4134
GitHubRelease.related_identifiers
train
def related_identifiers(self): """Yield related identifiers.""" yield dict( identifier=u'https://github.com/{0}/tree/{1}'.format( self.repository['full_name'], self.release['tag_name'] ), relation='isSupplementTo', )
python
{ "resource": "" }
q4135
GitHubRelease.defaults
train
def defaults(self): """Return default metadata.""" return dict( access_right='open', description=self.description, license='other-open', publication_date=self.release['published_at'][:10], related_identifiers=list(self.related_identifiers), ...
python
{ "resource": "" }
q4136
GitHubRelease.extra_metadata
train
def extra_metadata(self): """Get extra metadata for file in repository.""" return get_extra_metadata( self.gh.api, self.repository['owner']['login'], self.repository['name'], self.release['tag_name'], )
python
{ "resource": "" }
q4137
GitHubRelease.files
train
def files(self): """Extract files to download from GitHub payload.""" tag_name = self.release['tag_name'] repo_name = self.repository['full_name'] zipball_url = self.release['zipball_url'] filename = u'{name}-{tag}.zip'.format(name=repo_name, tag=tag_name) response = se...
python
{ "resource": "" }
q4138
GitHubRelease.metadata
train
def metadata(self): """Return extracted metadata.""" output = dict(self.defaults) output.update(self.extra_metadata) return output
python
{ "resource": "" }
q4139
GitHubRelease.pid
train
def pid(self): """Get PID object for the Release record.""" if self.model.status == ReleaseStatus.PUBLISHED and self.record: fetcher = current_pidstore.fetchers[ current_app.config.get('GITHUB_PID_FETCHER')] return fetcher(self.record.id, self.record)
python
{ "resource": "" }
q4140
GitHubRelease.publish
train
def publish(self): """Publish GitHub release as record.""" with db.session.begin_nested(): deposit = self.deposit_class.create(self.metadata) deposit['_deposit']['created_by'] = self.event.user_id deposit['_deposit']['owners'] = [self.event.user_id] # Fet...
python
{ "resource": "" }
q4141
GitHubReceiver.run
train
def run(self, event): """Process an event. .. note:: We should only do basic server side operation here, since we send the rest of the processing to a Celery task which will be mainly accessing the GitHub API. """ repo_id = event.payload['repository'...
python
{ "resource": "" }
q4142
parse_timestamp
train
def parse_timestamp(x): """Parse ISO8601 formatted timestamp.""" dt = dateutil.parser.parse(x) if dt.tzinfo is None: dt = dt.replace(tzinfo=pytz.utc) return dt
python
{ "resource": "" }
q4143
get_extra_metadata
train
def get_extra_metadata(gh, owner, repo_name, ref): """Get the metadata file.""" try: content = gh.repository(owner, repo_name).file_contents( path=current_app.config['GITHUB_METADATA_FILE'], ref=ref ) if not content: # File does not exists in the given ref ...
python
{ "resource": "" }
q4144
get_owner
train
def get_owner(gh, owner): """Get owner of repository as a creator.""" try: u = gh.user(owner) name = u.name or u.login company = u.company or '' return [dict(name=name, affiliation=company)] except Exception: return None
python
{ "resource": "" }
q4145
get_contributors
train
def get_contributors(gh, repo_id): """Get list of contributors to a repository.""" try: # FIXME: Use `github3.Repository.contributors` to get this information contrib_url = gh.repository_with_id(repo_id).contributors_url r = requests.get(contrib_url) if r.status_code == 200: ...
python
{ "resource": "" }
q4146
account_setup
train
def account_setup(remote, token=None, response=None, account_setup=None): """Setup user account.""" gh = GitHubAPI(user_id=token.remote_account.user_id) with db.session.begin_nested(): gh.init_account() # Create user <-> external id link. oauth_link_external_id( ...
python
{ "resource": "" }
q4147
account_post_init
train
def account_post_init(remote, token=None): """Perform post initialization.""" gh = GitHubAPI(user_id=token.remote_account.user_id) repos = [r.id for r in gh.api.repositories() if r.permissions['admin']] sync_hooks.delay(token.remote_account.user_id, repos)
python
{ "resource": "" }
q4148
disconnect
train
def disconnect(remote): """Disconnect callback handler for GitHub.""" # User must be authenticated if not current_user.is_authenticated: return current_app.login_manager.unauthorized() external_method = 'github' external_ids = [i.id for i in current_user.external_identifiers ...
python
{ "resource": "" }
q4149
comments_are_open
train
def comments_are_open(content_object): """ Return whether comments are still open for a given target object. """ moderator = get_model_moderator(content_object.__class__) if moderator is None: return True # Check the 'enable_field', 'auto_close_field' and 'close_after', # by reusing...
python
{ "resource": "" }
q4150
comments_are_moderated
train
def comments_are_moderated(content_object): """ Return whether comments are moderated for a given target object. """ moderator = get_model_moderator(content_object.__class__) if moderator is None: return False # Check the 'auto_moderate_field', 'moderate_after', # by reusing the bas...
python
{ "resource": "" }
q4151
FluentCommentsModerator.email
train
def email(self, comment, content_object, request): """ Overwritten for a better email notification. """ if not self.email_notification: return send_comment_posted(comment, request)
python
{ "resource": "" }
q4152
send_comment_posted
train
def send_comment_posted(comment, request): """ Send the email to staff that an comment was posted. While the django_comments module has email support, it doesn't pass the 'request' to the context. This also changes the subject to show the page title. """ recipient_list = [manager_tuple[1] f...
python
{ "resource": "" }
q4153
AjaxCommentTags.get_context_data
train
def get_context_data(self, parent_context, *tag_args, **tag_kwargs): """ The main logic for the inclusion node, analogous to ``@register.inclusion_node``. """ target_object = tag_args[0] # moved one spot due to .pop(0) new_context = { 'STATIC_URL': parent_context.get...
python
{ "resource": "" }
q4154
get_comment_template_name
train
def get_comment_template_name(comment): """ Internal function for the rendering of comments. """ ctype = ContentType.objects.get_for_id(comment.content_type_id) return [ "comments/%s/%s/comment.html" % (ctype.app_label, ctype.model), "comments/%s/comment.html" % ctype.app_label, ...
python
{ "resource": "" }
q4155
get_comments_for_model
train
def get_comments_for_model(content_object, include_moderated=False): """ Return the QuerySet with all comments for a given model. """ qs = get_comments_model().objects.for_model(content_object) if not include_moderated: qs = qs.filter(is_public=True, is_removed=False) return qs
python
{ "resource": "" }
q4156
CaptchaFormMixin._reorder_fields
train
def _reorder_fields(self, ordering): """ Test that the 'captcha' field is really present. This could be broken by a bad FLUENT_COMMENTS_FIELD_ORDER configuration. """ if 'captcha' not in ordering: raise ImproperlyConfigured( "When using 'FLUENT_COMMENT...
python
{ "resource": "" }
q4157
_render_errors
train
def _render_errors(field): """ Render form errors in crispy-forms style. """ template = '{0}/layout/field_errors.html'.format(appsettings.CRISPY_TEMPLATE_PACK) return render_to_string(template, { 'field': field, 'form_show_errors': True, })
python
{ "resource": "" }
q4158
get_form
train
def get_form(): """ Return the form to use for commenting. """ global form_class from fluent_comments import appsettings if form_class is None: if appsettings.FLUENT_COMMENTS_FORM_CLASS: from django.utils.module_loading import import_string form_class = import_str...
python
{ "resource": "" }
q4159
load_default_moderator
train
def load_default_moderator(): """ Find a moderator object """ if appsettings.FLUENT_COMMENTS_DEFAULT_MODERATOR == 'default': # Perform spam checks return moderation.FluentCommentsModerator(None) elif appsettings.FLUENT_COMMENTS_DEFAULT_MODERATOR == 'deny': # Deny all comments...
python
{ "resource": "" }
q4160
on_comment_will_be_posted
train
def on_comment_will_be_posted(sender, comment, request, **kwargs): """ Make sure both the Ajax and regular comments are checked for moderation. This signal is also used to link moderators to the comment posting. """ content_object = comment.content_object moderator = moderation.get_model_moderat...
python
{ "resource": "" }
q4161
_run_default_moderator
train
def _run_default_moderator(comment, content_object, request): """ Run the default moderator """ # The default moderator will likely not check things like "auto close". # It can still provide akismet and bad word checking. if not default_moderator.allow(comment, content_object, request): ...
python
{ "resource": "" }
q4162
akismet_check
train
def akismet_check(comment, content_object, request): """ Connects to Akismet and evaluates to True if Akismet marks this comment as spam. :rtype: akismet.SpamStatus """ # Return previously cached response akismet_result = getattr(comment, '_akismet_result_', None) if akismet_result is not N...
python
{ "resource": "" }
q4163
Overpass._handle_remark_msg
train
def _handle_remark_msg(self, msg): """ Try to parse the message provided with the remark tag or element. :param str msg: The message :raises overpy.exception.OverpassRuntimeError: If message starts with 'runtime error:' :raises overpy.exception.OverpassRuntimeRemark: If message ...
python
{ "resource": "" }
q4164
Overpass.query
train
def query(self, query): """ Query the Overpass API :param String|Bytes query: The query string in Overpass QL :return: The parsed result :rtype: overpy.Result """ if not isinstance(query, bytes): query = query.encode("utf-8") retry_num = 0 ...
python
{ "resource": "" }
q4165
Overpass.parse_json
train
def parse_json(self, data, encoding="utf-8"): """ Parse raw response from Overpass service. :param data: Raw JSON Data :type data: String or Bytes :param encoding: Encoding to decode byte string :type encoding: String :return: Result object :rtype: overpy...
python
{ "resource": "" }
q4166
Result.expand
train
def expand(self, other): """ Add all elements from an other result to the list of elements of this result object. It is used by the auto resolve feature. :param other: Expand the result with the elements from this result. :type other: overpy.Result :raises ValueError: I...
python
{ "resource": "" }
q4167
Result.append
train
def append(self, element): """ Append a new element to the result. :param element: The element to append :type element: overpy.Element """ if is_valid_type(element, Element): self._class_collection_map[element.__class__].setdefault(element.id, element)
python
{ "resource": "" }
q4168
Result.get_elements
train
def get_elements(self, filter_cls, elem_id=None): """ Get a list of elements from the result and filter the element type by a class. :param filter_cls: :param elem_id: ID of the object :type elem_id: Integer :return: List of available elements :rtype: List ...
python
{ "resource": "" }
q4169
Result.from_json
train
def from_json(cls, data, api=None): """ Create a new instance and load data from json object. :param data: JSON data returned by the Overpass API :type data: Dict :param api: :type api: overpy.Overpass :return: New instance of Result object :rtype: overpy...
python
{ "resource": "" }
q4170
Result.get_area
train
def get_area(self, area_id, resolve_missing=False): """ Get an area by its ID. :param area_id: The area ID :type area_id: Integer :param resolve_missing: Query the Overpass API if the area is missing in the result set. :return: The area :rtype: overpy.Area ...
python
{ "resource": "" }
q4171
Result.get_node
train
def get_node(self, node_id, resolve_missing=False): """ Get a node by its ID. :param node_id: The node ID :type node_id: Integer :param resolve_missing: Query the Overpass API if the node is missing in the result set. :return: The node :rtype: overpy.Node ...
python
{ "resource": "" }
q4172
Result.get_relation
train
def get_relation(self, rel_id, resolve_missing=False): """ Get a relation by its ID. :param rel_id: The relation ID :type rel_id: Integer :param resolve_missing: Query the Overpass API if the relation is missing in the result set. :return: The relation :rtype: ov...
python
{ "resource": "" }
q4173
Result.get_way
train
def get_way(self, way_id, resolve_missing=False): """ Get a way by its ID. :param way_id: The way ID :type way_id: Integer :param resolve_missing: Query the Overpass API if the way is missing in the result set. :return: The way :rtype: overpy.Way :raises ...
python
{ "resource": "" }
q4174
Element.get_center_from_json
train
def get_center_from_json(cls, data): """ Get center information from json data :param data: json data :return: tuple with two elements: lat and lon :rtype: tuple """ center_lat = None center_lon = None center = data.get("center") if isinst...
python
{ "resource": "" }
q4175
Node.from_json
train
def from_json(cls, data, result=None): """ Create new Node element from JSON data :param data: Element data from JSON :type data: Dict :param result: The result this element belongs to :type result: overpy.Result :return: New instance of Node :rtype: over...
python
{ "resource": "" }
q4176
Way.get_nodes
train
def get_nodes(self, resolve_missing=False): """ Get the nodes defining the geometry of the way :param resolve_missing: Try to resolve missing nodes. :type resolve_missing: Boolean :return: List of nodes :rtype: List of overpy.Node :raises overpy.exception.DataInc...
python
{ "resource": "" }
q4177
Way.from_json
train
def from_json(cls, data, result=None): """ Create new Way element from JSON data :param data: Element data from JSON :type data: Dict :param result: The result this element belongs to :type result: overpy.Result :return: New instance of Way :rtype: overpy...
python
{ "resource": "" }
q4178
Relation.from_json
train
def from_json(cls, data, result=None): """ Create new Relation element from JSON data :param data: Element data from JSON :type data: Dict :param result: The result this element belongs to :type result: overpy.Result :return: New instance of Relation :rty...
python
{ "resource": "" }
q4179
RelationMember.from_json
train
def from_json(cls, data, result=None): """ Create new RelationMember element from JSON data :param child: Element data from JSON :type child: Dict :param result: The result this element belongs to :type result: overpy.Result :return: New instance of RelationMembe...
python
{ "resource": "" }
q4180
RelationMember.from_xml
train
def from_xml(cls, child, result=None): """ Create new RelationMember from XML data :param child: XML node to be parsed :type child: xml.etree.ElementTree.Element :param result: The result this element belongs to :type result: overpy.Result :return: New relation m...
python
{ "resource": "" }
q4181
OSMSAXHandler.startElement
train
def startElement(self, name, attrs): """ Handle opening elements. :param name: Name of the element :type name: String :param attrs: Attributes of the element :type attrs: Dict """ if name in self.ignore_start: return try: h...
python
{ "resource": "" }
q4182
OSMSAXHandler.endElement
train
def endElement(self, name): """ Handle closing elements :param name: Name of the element :type name: String """ if name in self.ignore_end: return try: handler = getattr(self, '_handle_end_%s' % name) except AttributeError: ...
python
{ "resource": "" }
q4183
OSMSAXHandler._handle_start_center
train
def _handle_start_center(self, attrs): """ Handle opening center element :param attrs: Attributes of the element :type attrs: Dict """ center_lat = attrs.get("lat") center_lon = attrs.get("lon") if center_lat is None or center_lon is None: rai...
python
{ "resource": "" }
q4184
OSMSAXHandler._handle_start_tag
train
def _handle_start_tag(self, attrs): """ Handle opening tag element :param attrs: Attributes of the element :type attrs: Dict """ try: tag_key = attrs['k'] except KeyError: raise ValueError("Tag without name/key.") self._curr['tags'...
python
{ "resource": "" }
q4185
OSMSAXHandler._handle_start_node
train
def _handle_start_node(self, attrs): """ Handle opening node element :param attrs: Attributes of the element :type attrs: Dict """ self._curr = { 'attributes': dict(attrs), 'lat': None, 'lon': None, 'node_id': None, ...
python
{ "resource": "" }
q4186
OSMSAXHandler._handle_end_node
train
def _handle_end_node(self): """ Handle closing node element """ self._result.append(Node(result=self._result, **self._curr)) self._curr = {}
python
{ "resource": "" }
q4187
OSMSAXHandler._handle_start_way
train
def _handle_start_way(self, attrs): """ Handle opening way element :param attrs: Attributes of the element :type attrs: Dict """ self._curr = { 'center_lat': None, 'center_lon': None, 'attributes': dict(attrs), 'node_ids': ...
python
{ "resource": "" }
q4188
OSMSAXHandler._handle_end_way
train
def _handle_end_way(self): """ Handle closing way element """ self._result.append(Way(result=self._result, **self._curr)) self._curr = {}
python
{ "resource": "" }
q4189
OSMSAXHandler._handle_start_area
train
def _handle_start_area(self, attrs): """ Handle opening area element :param attrs: Attributes of the element :type attrs: Dict """ self._curr = { 'attributes': dict(attrs), 'tags': {}, 'area_id': None } if attrs.get('id...
python
{ "resource": "" }
q4190
OSMSAXHandler._handle_end_area
train
def _handle_end_area(self): """ Handle closing area element """ self._result.append(Area(result=self._result, **self._curr)) self._curr = {}
python
{ "resource": "" }
q4191
OSMSAXHandler._handle_start_nd
train
def _handle_start_nd(self, attrs): """ Handle opening nd element :param attrs: Attributes of the element :type attrs: Dict """ if isinstance(self.cur_relation_member, RelationWay): if self.cur_relation_member.geometry is None: self.cur_relatio...
python
{ "resource": "" }
q4192
OSMSAXHandler._handle_start_relation
train
def _handle_start_relation(self, attrs): """ Handle opening relation element :param attrs: Attributes of the element :type attrs: Dict """ self._curr = { 'attributes': dict(attrs), 'members': [], 'rel_id': None, 'tags': {} ...
python
{ "resource": "" }
q4193
OSMSAXHandler._handle_end_relation
train
def _handle_end_relation(self): """ Handle closing relation element """ self._result.append(Relation(result=self._result, **self._curr)) self._curr = {}
python
{ "resource": "" }
q4194
OSMSAXHandler._handle_start_member
train
def _handle_start_member(self, attrs): """ Handle opening member element :param attrs: Attributes of the element :type attrs: Dict """ params = { # ToDo: Parse attributes 'attributes': {}, 'ref': None, 'result': self._resu...
python
{ "resource": "" }
q4195
get_street
train
def get_street(street, areacode, api=None): """ Retrieve streets in a given bounding area :param overpy.Overpass api: First street of intersection :param String street: Name of street :param String areacode: The OSM id of the bounding area :return: Parsed result :raises overpy.exception.Ove...
python
{ "resource": "" }
q4196
get_intersection
train
def get_intersection(street1, street2, areacode, api=None): """ Retrieve intersection of two streets in a given bounding area :param overpy.Overpass api: First street of intersection :param String street1: Name of first street of intersection :param String street2: Name of second street of intersec...
python
{ "resource": "" }
q4197
check_platforms
train
def check_platforms(platforms): """Checks if the platforms have a valid platform code""" if len(platforms) > 0: return all(platform in PLATFORM_IDS for platform in platforms) return True
python
{ "resource": "" }
q4198
main
train
def main(active, upcoming, hiring, short, goto, platforms, time): """A CLI for active and upcoming programming challenges from various platforms""" if not check_platforms(platforms): raise IncorrectParametersException('Invlaid code for platform. Please check the platform ids') try: if active: acti...
python
{ "resource": "" }
q4199
colors
train
def colors(): """Creates an enum for colors""" enums = dict( TIME_LEFT="red", CONTEST_NAME="yellow", HOST="green", MISC="blue", TIME_TO_START="green", ) return type('Enum', (), enums)
python
{ "resource": "" }