partition
stringclasses
3 values
func_name
stringlengths
1
134
docstring
stringlengths
1
46.9k
path
stringlengths
4
223
original_string
stringlengths
75
104k
code
stringlengths
75
104k
docstring_tokens
listlengths
1
1.97k
repo
stringlengths
7
55
language
stringclasses
1 value
url
stringlengths
87
315
code_tokens
listlengths
19
28.4k
sha
stringlengths
40
40
valid
EnterpriseCustomerManageLearnersView.post
Handle POST request - handle form submissions. Arguments: request (django.http.request.HttpRequest): Request instance customer_uuid (str): Enterprise Customer UUID Returns: django.http.response.HttpResponse: HttpResponse
enterprise/admin/views.py
def post(self, request, customer_uuid): """ Handle POST request - handle form submissions. Arguments: request (django.http.request.HttpRequest): Request instance customer_uuid (str): Enterprise Customer UUID Returns: django.http.response.HttpResponse: HttpResponse """ enterprise_customer = EnterpriseCustomer.objects.get(uuid=customer_uuid) # pylint: disable=no-member manage_learners_form = ManageLearnersForm( request.POST, request.FILES, user=request.user, enterprise_customer=enterprise_customer ) # initial form validation - check that form data is well-formed if manage_learners_form.is_valid(): email_field_as_bulk_input = split_usernames_and_emails( manage_learners_form.cleaned_data[ManageLearnersForm.Fields.EMAIL_OR_USERNAME] ) is_bulk_entry = len(email_field_as_bulk_input) > 1 # The form is valid. Call the appropriate helper depending on the mode: mode = manage_learners_form.cleaned_data[ManageLearnersForm.Fields.MODE] if mode == ManageLearnersForm.Modes.MODE_SINGULAR and not is_bulk_entry: linked_learners = self._handle_singular(enterprise_customer, manage_learners_form) elif mode == ManageLearnersForm.Modes.MODE_SINGULAR: linked_learners = self._handle_bulk_upload( enterprise_customer, manage_learners_form, request, email_list=email_field_as_bulk_input ) else: linked_learners = self._handle_bulk_upload(enterprise_customer, manage_learners_form, request) # _handle_form might add form errors, so we check if it is still valid if manage_learners_form.is_valid(): course_details = manage_learners_form.cleaned_data.get(ManageLearnersForm.Fields.COURSE) program_details = manage_learners_form.cleaned_data.get(ManageLearnersForm.Fields.PROGRAM) notification_type = manage_learners_form.cleaned_data.get(ManageLearnersForm.Fields.NOTIFY) notify = notification_type == ManageLearnersForm.NotificationTypes.BY_EMAIL course_id = None if course_details: course_id = course_details['course_id'] if course_id or program_details: course_mode = manage_learners_form.cleaned_data[ManageLearnersForm.Fields.COURSE_MODE] self._enroll_users( request=request, enterprise_customer=enterprise_customer, emails=linked_learners, mode=course_mode, course_id=course_id, program_details=program_details, notify=notify, ) # Redirect to GET if everything went smooth. manage_learners_url = reverse("admin:" + UrlNames.MANAGE_LEARNERS, args=(customer_uuid,)) search_keyword = self.get_search_keyword(request) if search_keyword: manage_learners_url = manage_learners_url + "?q=" + search_keyword return HttpResponseRedirect(manage_learners_url) # if something went wrong - display bound form on the page context = self._build_context(request, customer_uuid) context.update({self.ContextParameters.MANAGE_LEARNERS_FORM: manage_learners_form}) return render(request, self.template, context)
def post(self, request, customer_uuid): """ Handle POST request - handle form submissions. Arguments: request (django.http.request.HttpRequest): Request instance customer_uuid (str): Enterprise Customer UUID Returns: django.http.response.HttpResponse: HttpResponse """ enterprise_customer = EnterpriseCustomer.objects.get(uuid=customer_uuid) # pylint: disable=no-member manage_learners_form = ManageLearnersForm( request.POST, request.FILES, user=request.user, enterprise_customer=enterprise_customer ) # initial form validation - check that form data is well-formed if manage_learners_form.is_valid(): email_field_as_bulk_input = split_usernames_and_emails( manage_learners_form.cleaned_data[ManageLearnersForm.Fields.EMAIL_OR_USERNAME] ) is_bulk_entry = len(email_field_as_bulk_input) > 1 # The form is valid. Call the appropriate helper depending on the mode: mode = manage_learners_form.cleaned_data[ManageLearnersForm.Fields.MODE] if mode == ManageLearnersForm.Modes.MODE_SINGULAR and not is_bulk_entry: linked_learners = self._handle_singular(enterprise_customer, manage_learners_form) elif mode == ManageLearnersForm.Modes.MODE_SINGULAR: linked_learners = self._handle_bulk_upload( enterprise_customer, manage_learners_form, request, email_list=email_field_as_bulk_input ) else: linked_learners = self._handle_bulk_upload(enterprise_customer, manage_learners_form, request) # _handle_form might add form errors, so we check if it is still valid if manage_learners_form.is_valid(): course_details = manage_learners_form.cleaned_data.get(ManageLearnersForm.Fields.COURSE) program_details = manage_learners_form.cleaned_data.get(ManageLearnersForm.Fields.PROGRAM) notification_type = manage_learners_form.cleaned_data.get(ManageLearnersForm.Fields.NOTIFY) notify = notification_type == ManageLearnersForm.NotificationTypes.BY_EMAIL course_id = None if course_details: course_id = course_details['course_id'] if course_id or program_details: course_mode = manage_learners_form.cleaned_data[ManageLearnersForm.Fields.COURSE_MODE] self._enroll_users( request=request, enterprise_customer=enterprise_customer, emails=linked_learners, mode=course_mode, course_id=course_id, program_details=program_details, notify=notify, ) # Redirect to GET if everything went smooth. manage_learners_url = reverse("admin:" + UrlNames.MANAGE_LEARNERS, args=(customer_uuid,)) search_keyword = self.get_search_keyword(request) if search_keyword: manage_learners_url = manage_learners_url + "?q=" + search_keyword return HttpResponseRedirect(manage_learners_url) # if something went wrong - display bound form on the page context = self._build_context(request, customer_uuid) context.update({self.ContextParameters.MANAGE_LEARNERS_FORM: manage_learners_form}) return render(request, self.template, context)
[ "Handle", "POST", "request", "-", "handle", "form", "submissions", "." ]
edx/edx-enterprise
python
https://github.com/edx/edx-enterprise/blob/aea91379ab0a87cd3bc798961fce28b60ee49a80/enterprise/admin/views.py#L816-L889
[ "def", "post", "(", "self", ",", "request", ",", "customer_uuid", ")", ":", "enterprise_customer", "=", "EnterpriseCustomer", ".", "objects", ".", "get", "(", "uuid", "=", "customer_uuid", ")", "# pylint: disable=no-member", "manage_learners_form", "=", "ManageLearnersForm", "(", "request", ".", "POST", ",", "request", ".", "FILES", ",", "user", "=", "request", ".", "user", ",", "enterprise_customer", "=", "enterprise_customer", ")", "# initial form validation - check that form data is well-formed", "if", "manage_learners_form", ".", "is_valid", "(", ")", ":", "email_field_as_bulk_input", "=", "split_usernames_and_emails", "(", "manage_learners_form", ".", "cleaned_data", "[", "ManageLearnersForm", ".", "Fields", ".", "EMAIL_OR_USERNAME", "]", ")", "is_bulk_entry", "=", "len", "(", "email_field_as_bulk_input", ")", ">", "1", "# The form is valid. Call the appropriate helper depending on the mode:", "mode", "=", "manage_learners_form", ".", "cleaned_data", "[", "ManageLearnersForm", ".", "Fields", ".", "MODE", "]", "if", "mode", "==", "ManageLearnersForm", ".", "Modes", ".", "MODE_SINGULAR", "and", "not", "is_bulk_entry", ":", "linked_learners", "=", "self", ".", "_handle_singular", "(", "enterprise_customer", ",", "manage_learners_form", ")", "elif", "mode", "==", "ManageLearnersForm", ".", "Modes", ".", "MODE_SINGULAR", ":", "linked_learners", "=", "self", ".", "_handle_bulk_upload", "(", "enterprise_customer", ",", "manage_learners_form", ",", "request", ",", "email_list", "=", "email_field_as_bulk_input", ")", "else", ":", "linked_learners", "=", "self", ".", "_handle_bulk_upload", "(", "enterprise_customer", ",", "manage_learners_form", ",", "request", ")", "# _handle_form might add form errors, so we check if it is still valid", "if", "manage_learners_form", ".", "is_valid", "(", ")", ":", "course_details", "=", "manage_learners_form", ".", "cleaned_data", ".", "get", "(", "ManageLearnersForm", ".", "Fields", ".", "COURSE", ")", "program_details", "=", "manage_learners_form", ".", "cleaned_data", ".", "get", "(", "ManageLearnersForm", ".", "Fields", ".", "PROGRAM", ")", "notification_type", "=", "manage_learners_form", ".", "cleaned_data", ".", "get", "(", "ManageLearnersForm", ".", "Fields", ".", "NOTIFY", ")", "notify", "=", "notification_type", "==", "ManageLearnersForm", ".", "NotificationTypes", ".", "BY_EMAIL", "course_id", "=", "None", "if", "course_details", ":", "course_id", "=", "course_details", "[", "'course_id'", "]", "if", "course_id", "or", "program_details", ":", "course_mode", "=", "manage_learners_form", ".", "cleaned_data", "[", "ManageLearnersForm", ".", "Fields", ".", "COURSE_MODE", "]", "self", ".", "_enroll_users", "(", "request", "=", "request", ",", "enterprise_customer", "=", "enterprise_customer", ",", "emails", "=", "linked_learners", ",", "mode", "=", "course_mode", ",", "course_id", "=", "course_id", ",", "program_details", "=", "program_details", ",", "notify", "=", "notify", ",", ")", "# Redirect to GET if everything went smooth.", "manage_learners_url", "=", "reverse", "(", "\"admin:\"", "+", "UrlNames", ".", "MANAGE_LEARNERS", ",", "args", "=", "(", "customer_uuid", ",", ")", ")", "search_keyword", "=", "self", ".", "get_search_keyword", "(", "request", ")", "if", "search_keyword", ":", "manage_learners_url", "=", "manage_learners_url", "+", "\"?q=\"", "+", "search_keyword", "return", "HttpResponseRedirect", "(", "manage_learners_url", ")", "# if something went wrong - display bound form on the page", "context", "=", "self", ".", "_build_context", "(", "request", ",", "customer_uuid", ")", "context", ".", "update", "(", "{", "self", ".", "ContextParameters", ".", "MANAGE_LEARNERS_FORM", ":", "manage_learners_form", "}", ")", "return", "render", "(", "request", ",", "self", ".", "template", ",", "context", ")" ]
aea91379ab0a87cd3bc798961fce28b60ee49a80
valid
EnterpriseCustomerManageLearnersView.delete
Handle DELETE request - handle unlinking learner. Arguments: request (django.http.request.HttpRequest): Request instance customer_uuid (str): Enterprise Customer UUID Returns: django.http.response.HttpResponse: HttpResponse
enterprise/admin/views.py
def delete(self, request, customer_uuid): """ Handle DELETE request - handle unlinking learner. Arguments: request (django.http.request.HttpRequest): Request instance customer_uuid (str): Enterprise Customer UUID Returns: django.http.response.HttpResponse: HttpResponse """ # TODO: pylint acts stupid - find a way around it without suppressing enterprise_customer = EnterpriseCustomer.objects.get(uuid=customer_uuid) # pylint: disable=no-member email_to_unlink = request.GET["unlink_email"] try: EnterpriseCustomerUser.objects.unlink_user( enterprise_customer=enterprise_customer, user_email=email_to_unlink ) except (EnterpriseCustomerUser.DoesNotExist, PendingEnterpriseCustomerUser.DoesNotExist): message = _("Email {email} is not associated with Enterprise " "Customer {ec_name}").format( email=email_to_unlink, ec_name=enterprise_customer.name) return HttpResponse(message, content_type="application/json", status=404) return HttpResponse( json.dumps({}), content_type="application/json" )
def delete(self, request, customer_uuid): """ Handle DELETE request - handle unlinking learner. Arguments: request (django.http.request.HttpRequest): Request instance customer_uuid (str): Enterprise Customer UUID Returns: django.http.response.HttpResponse: HttpResponse """ # TODO: pylint acts stupid - find a way around it without suppressing enterprise_customer = EnterpriseCustomer.objects.get(uuid=customer_uuid) # pylint: disable=no-member email_to_unlink = request.GET["unlink_email"] try: EnterpriseCustomerUser.objects.unlink_user( enterprise_customer=enterprise_customer, user_email=email_to_unlink ) except (EnterpriseCustomerUser.DoesNotExist, PendingEnterpriseCustomerUser.DoesNotExist): message = _("Email {email} is not associated with Enterprise " "Customer {ec_name}").format( email=email_to_unlink, ec_name=enterprise_customer.name) return HttpResponse(message, content_type="application/json", status=404) return HttpResponse( json.dumps({}), content_type="application/json" )
[ "Handle", "DELETE", "request", "-", "handle", "unlinking", "learner", "." ]
edx/edx-enterprise
python
https://github.com/edx/edx-enterprise/blob/aea91379ab0a87cd3bc798961fce28b60ee49a80/enterprise/admin/views.py#L891-L918
[ "def", "delete", "(", "self", ",", "request", ",", "customer_uuid", ")", ":", "# TODO: pylint acts stupid - find a way around it without suppressing", "enterprise_customer", "=", "EnterpriseCustomer", ".", "objects", ".", "get", "(", "uuid", "=", "customer_uuid", ")", "# pylint: disable=no-member", "email_to_unlink", "=", "request", ".", "GET", "[", "\"unlink_email\"", "]", "try", ":", "EnterpriseCustomerUser", ".", "objects", ".", "unlink_user", "(", "enterprise_customer", "=", "enterprise_customer", ",", "user_email", "=", "email_to_unlink", ")", "except", "(", "EnterpriseCustomerUser", ".", "DoesNotExist", ",", "PendingEnterpriseCustomerUser", ".", "DoesNotExist", ")", ":", "message", "=", "_", "(", "\"Email {email} is not associated with Enterprise \"", "\"Customer {ec_name}\"", ")", ".", "format", "(", "email", "=", "email_to_unlink", ",", "ec_name", "=", "enterprise_customer", ".", "name", ")", "return", "HttpResponse", "(", "message", ",", "content_type", "=", "\"application/json\"", ",", "status", "=", "404", ")", "return", "HttpResponse", "(", "json", ".", "dumps", "(", "{", "}", ")", ",", "content_type", "=", "\"application/json\"", ")" ]
aea91379ab0a87cd3bc798961fce28b60ee49a80
valid
DataSharingConsentQuerySet.proxied_get
Perform the query and returns a single object matching the given keyword arguments. This customizes the queryset to return an instance of ``ProxyDataSharingConsent`` when the searched-for ``DataSharingConsent`` instance does not exist.
consent/models.py
def proxied_get(self, *args, **kwargs): """ Perform the query and returns a single object matching the given keyword arguments. This customizes the queryset to return an instance of ``ProxyDataSharingConsent`` when the searched-for ``DataSharingConsent`` instance does not exist. """ original_kwargs = kwargs.copy() if 'course_id' in kwargs: try: # Check if we have a course ID or a course run ID course_run_key = str(CourseKey.from_string(kwargs['course_id'])) except InvalidKeyError: # The ID we have is for a course instead of a course run; fall through # to the second check. pass else: try: # Try to get the record for the course run specifically return self.get(*args, **kwargs) except DataSharingConsent.DoesNotExist: # A record for the course run didn't exist, so modify the query # parameters to look for just a course record on the second pass. kwargs['course_id'] = parse_course_key(course_run_key) try: return self.get(*args, **kwargs) except DataSharingConsent.DoesNotExist: return ProxyDataSharingConsent(**original_kwargs)
def proxied_get(self, *args, **kwargs): """ Perform the query and returns a single object matching the given keyword arguments. This customizes the queryset to return an instance of ``ProxyDataSharingConsent`` when the searched-for ``DataSharingConsent`` instance does not exist. """ original_kwargs = kwargs.copy() if 'course_id' in kwargs: try: # Check if we have a course ID or a course run ID course_run_key = str(CourseKey.from_string(kwargs['course_id'])) except InvalidKeyError: # The ID we have is for a course instead of a course run; fall through # to the second check. pass else: try: # Try to get the record for the course run specifically return self.get(*args, **kwargs) except DataSharingConsent.DoesNotExist: # A record for the course run didn't exist, so modify the query # parameters to look for just a course record on the second pass. kwargs['course_id'] = parse_course_key(course_run_key) try: return self.get(*args, **kwargs) except DataSharingConsent.DoesNotExist: return ProxyDataSharingConsent(**original_kwargs)
[ "Perform", "the", "query", "and", "returns", "a", "single", "object", "matching", "the", "given", "keyword", "arguments", "." ]
edx/edx-enterprise
python
https://github.com/edx/edx-enterprise/blob/aea91379ab0a87cd3bc798961fce28b60ee49a80/consent/models.py#L38-L66
[ "def", "proxied_get", "(", "self", ",", "*", "args", ",", "*", "*", "kwargs", ")", ":", "original_kwargs", "=", "kwargs", ".", "copy", "(", ")", "if", "'course_id'", "in", "kwargs", ":", "try", ":", "# Check if we have a course ID or a course run ID", "course_run_key", "=", "str", "(", "CourseKey", ".", "from_string", "(", "kwargs", "[", "'course_id'", "]", ")", ")", "except", "InvalidKeyError", ":", "# The ID we have is for a course instead of a course run; fall through", "# to the second check.", "pass", "else", ":", "try", ":", "# Try to get the record for the course run specifically", "return", "self", ".", "get", "(", "*", "args", ",", "*", "*", "kwargs", ")", "except", "DataSharingConsent", ".", "DoesNotExist", ":", "# A record for the course run didn't exist, so modify the query", "# parameters to look for just a course record on the second pass.", "kwargs", "[", "'course_id'", "]", "=", "parse_course_key", "(", "course_run_key", ")", "try", ":", "return", "self", ".", "get", "(", "*", "args", ",", "*", "*", "kwargs", ")", "except", "DataSharingConsent", ".", "DoesNotExist", ":", "return", "ProxyDataSharingConsent", "(", "*", "*", "original_kwargs", ")" ]
aea91379ab0a87cd3bc798961fce28b60ee49a80
valid
ProxyDataSharingConsent.from_children
Build a ProxyDataSharingConsent using the details of the received consent records.
consent/models.py
def from_children(cls, program_uuid, *children): """ Build a ProxyDataSharingConsent using the details of the received consent records. """ if not children or any(child is None for child in children): return None granted = all((child.granted for child in children)) exists = any((child.exists for child in children)) usernames = set([child.username for child in children]) enterprises = set([child.enterprise_customer for child in children]) if not len(usernames) == len(enterprises) == 1: raise InvalidProxyConsent( 'Children used to create a bulk proxy consent object must ' 'share a single common username and EnterpriseCustomer.' ) username = children[0].username enterprise_customer = children[0].enterprise_customer return cls( enterprise_customer=enterprise_customer, username=username, program_uuid=program_uuid, exists=exists, granted=granted, child_consents=children )
def from_children(cls, program_uuid, *children): """ Build a ProxyDataSharingConsent using the details of the received consent records. """ if not children or any(child is None for child in children): return None granted = all((child.granted for child in children)) exists = any((child.exists for child in children)) usernames = set([child.username for child in children]) enterprises = set([child.enterprise_customer for child in children]) if not len(usernames) == len(enterprises) == 1: raise InvalidProxyConsent( 'Children used to create a bulk proxy consent object must ' 'share a single common username and EnterpriseCustomer.' ) username = children[0].username enterprise_customer = children[0].enterprise_customer return cls( enterprise_customer=enterprise_customer, username=username, program_uuid=program_uuid, exists=exists, granted=granted, child_consents=children )
[ "Build", "a", "ProxyDataSharingConsent", "using", "the", "details", "of", "the", "received", "consent", "records", "." ]
edx/edx-enterprise
python
https://github.com/edx/edx-enterprise/blob/aea91379ab0a87cd3bc798961fce28b60ee49a80/consent/models.py#L127-L151
[ "def", "from_children", "(", "cls", ",", "program_uuid", ",", "*", "children", ")", ":", "if", "not", "children", "or", "any", "(", "child", "is", "None", "for", "child", "in", "children", ")", ":", "return", "None", "granted", "=", "all", "(", "(", "child", ".", "granted", "for", "child", "in", "children", ")", ")", "exists", "=", "any", "(", "(", "child", ".", "exists", "for", "child", "in", "children", ")", ")", "usernames", "=", "set", "(", "[", "child", ".", "username", "for", "child", "in", "children", "]", ")", "enterprises", "=", "set", "(", "[", "child", ".", "enterprise_customer", "for", "child", "in", "children", "]", ")", "if", "not", "len", "(", "usernames", ")", "==", "len", "(", "enterprises", ")", "==", "1", ":", "raise", "InvalidProxyConsent", "(", "'Children used to create a bulk proxy consent object must '", "'share a single common username and EnterpriseCustomer.'", ")", "username", "=", "children", "[", "0", "]", ".", "username", "enterprise_customer", "=", "children", "[", "0", "]", ".", "enterprise_customer", "return", "cls", "(", "enterprise_customer", "=", "enterprise_customer", ",", "username", "=", "username", ",", "program_uuid", "=", "program_uuid", ",", "exists", "=", "exists", ",", "granted", "=", "granted", ",", "child_consents", "=", "children", ")" ]
aea91379ab0a87cd3bc798961fce28b60ee49a80
valid
ProxyDataSharingConsent.commit
Commit a real ``DataSharingConsent`` object to the database, mirroring current field settings. :return: A ``DataSharingConsent`` object if validation is successful, otherwise ``None``.
consent/models.py
def commit(self): """ Commit a real ``DataSharingConsent`` object to the database, mirroring current field settings. :return: A ``DataSharingConsent`` object if validation is successful, otherwise ``None``. """ if self._child_consents: consents = [] for consent in self._child_consents: consent.granted = self.granted consents.append(consent.save() or consent) return ProxyDataSharingConsent.from_children(self.program_uuid, *consents) consent, _ = DataSharingConsent.objects.update_or_create( enterprise_customer=self.enterprise_customer, username=self.username, course_id=self.course_id, defaults={ 'granted': self.granted } ) self._exists = consent.exists return consent
def commit(self): """ Commit a real ``DataSharingConsent`` object to the database, mirroring current field settings. :return: A ``DataSharingConsent`` object if validation is successful, otherwise ``None``. """ if self._child_consents: consents = [] for consent in self._child_consents: consent.granted = self.granted consents.append(consent.save() or consent) return ProxyDataSharingConsent.from_children(self.program_uuid, *consents) consent, _ = DataSharingConsent.objects.update_or_create( enterprise_customer=self.enterprise_customer, username=self.username, course_id=self.course_id, defaults={ 'granted': self.granted } ) self._exists = consent.exists return consent
[ "Commit", "a", "real", "DataSharingConsent", "object", "to", "the", "database", "mirroring", "current", "field", "settings", "." ]
edx/edx-enterprise
python
https://github.com/edx/edx-enterprise/blob/aea91379ab0a87cd3bc798961fce28b60ee49a80/consent/models.py#L153-L177
[ "def", "commit", "(", "self", ")", ":", "if", "self", ".", "_child_consents", ":", "consents", "=", "[", "]", "for", "consent", "in", "self", ".", "_child_consents", ":", "consent", ".", "granted", "=", "self", ".", "granted", "consents", ".", "append", "(", "consent", ".", "save", "(", ")", "or", "consent", ")", "return", "ProxyDataSharingConsent", ".", "from_children", "(", "self", ".", "program_uuid", ",", "*", "consents", ")", "consent", ",", "_", "=", "DataSharingConsent", ".", "objects", ".", "update_or_create", "(", "enterprise_customer", "=", "self", ".", "enterprise_customer", ",", "username", "=", "self", ".", "username", ",", "course_id", "=", "self", ".", "course_id", ",", "defaults", "=", "{", "'granted'", ":", "self", ".", "granted", "}", ")", "self", ".", "_exists", "=", "consent", ".", "exists", "return", "consent" ]
aea91379ab0a87cd3bc798961fce28b60ee49a80
valid
Command.send_xapi_statements
Send xAPI analytics data of the enterprise learners to the given LRS. Arguments: lrs_configuration (XAPILRSConfiguration): Configuration object containing LRS configurations of the LRS where to send xAPI learner analytics. days (int): Include course enrollment of this number of days.
integrated_channels/xapi/management/commands/send_course_completions.py
def send_xapi_statements(self, lrs_configuration, days): """ Send xAPI analytics data of the enterprise learners to the given LRS. Arguments: lrs_configuration (XAPILRSConfiguration): Configuration object containing LRS configurations of the LRS where to send xAPI learner analytics. days (int): Include course enrollment of this number of days. """ persistent_course_grades = self.get_course_completions(lrs_configuration.enterprise_customer, days) users = self.prefetch_users(persistent_course_grades) course_overviews = self.prefetch_courses(persistent_course_grades) for persistent_course_grade in persistent_course_grades: try: user = users.get(persistent_course_grade.user_id) course_overview = course_overviews.get(persistent_course_grade.course_id) course_grade = CourseGradeFactory().read(user, course_key=persistent_course_grade.course_id) send_course_completion_statement(lrs_configuration, user, course_overview, course_grade) except ClientError: LOGGER.exception( 'Client error while sending course completion to xAPI for' ' enterprise customer {enterprise_customer}.'.format( enterprise_customer=lrs_configuration.enterprise_customer.name ) )
def send_xapi_statements(self, lrs_configuration, days): """ Send xAPI analytics data of the enterprise learners to the given LRS. Arguments: lrs_configuration (XAPILRSConfiguration): Configuration object containing LRS configurations of the LRS where to send xAPI learner analytics. days (int): Include course enrollment of this number of days. """ persistent_course_grades = self.get_course_completions(lrs_configuration.enterprise_customer, days) users = self.prefetch_users(persistent_course_grades) course_overviews = self.prefetch_courses(persistent_course_grades) for persistent_course_grade in persistent_course_grades: try: user = users.get(persistent_course_grade.user_id) course_overview = course_overviews.get(persistent_course_grade.course_id) course_grade = CourseGradeFactory().read(user, course_key=persistent_course_grade.course_id) send_course_completion_statement(lrs_configuration, user, course_overview, course_grade) except ClientError: LOGGER.exception( 'Client error while sending course completion to xAPI for' ' enterprise customer {enterprise_customer}.'.format( enterprise_customer=lrs_configuration.enterprise_customer.name ) )
[ "Send", "xAPI", "analytics", "data", "of", "the", "enterprise", "learners", "to", "the", "given", "LRS", "." ]
edx/edx-enterprise
python
https://github.com/edx/edx-enterprise/blob/aea91379ab0a87cd3bc798961fce28b60ee49a80/integrated_channels/xapi/management/commands/send_course_completions.py#L122-L147
[ "def", "send_xapi_statements", "(", "self", ",", "lrs_configuration", ",", "days", ")", ":", "persistent_course_grades", "=", "self", ".", "get_course_completions", "(", "lrs_configuration", ".", "enterprise_customer", ",", "days", ")", "users", "=", "self", ".", "prefetch_users", "(", "persistent_course_grades", ")", "course_overviews", "=", "self", ".", "prefetch_courses", "(", "persistent_course_grades", ")", "for", "persistent_course_grade", "in", "persistent_course_grades", ":", "try", ":", "user", "=", "users", ".", "get", "(", "persistent_course_grade", ".", "user_id", ")", "course_overview", "=", "course_overviews", ".", "get", "(", "persistent_course_grade", ".", "course_id", ")", "course_grade", "=", "CourseGradeFactory", "(", ")", ".", "read", "(", "user", ",", "course_key", "=", "persistent_course_grade", ".", "course_id", ")", "send_course_completion_statement", "(", "lrs_configuration", ",", "user", ",", "course_overview", ",", "course_grade", ")", "except", "ClientError", ":", "LOGGER", ".", "exception", "(", "'Client error while sending course completion to xAPI for'", "' enterprise customer {enterprise_customer}.'", ".", "format", "(", "enterprise_customer", "=", "lrs_configuration", ".", "enterprise_customer", ".", "name", ")", ")" ]
aea91379ab0a87cd3bc798961fce28b60ee49a80
valid
Command.get_course_completions
Get course completions via PersistentCourseGrade for all the learners of given enterprise customer. Arguments: enterprise_customer (EnterpriseCustomer): Include Course enrollments for learners of this enterprise customer. days (int): Include course enrollment of this number of days. Returns: (list): A list of PersistentCourseGrade objects.
integrated_channels/xapi/management/commands/send_course_completions.py
def get_course_completions(self, enterprise_customer, days): """ Get course completions via PersistentCourseGrade for all the learners of given enterprise customer. Arguments: enterprise_customer (EnterpriseCustomer): Include Course enrollments for learners of this enterprise customer. days (int): Include course enrollment of this number of days. Returns: (list): A list of PersistentCourseGrade objects. """ return PersistentCourseGrade.objects.filter( passed_timestamp__gt=datetime.datetime.now() - datetime.timedelta(days=days) ).filter( user_id__in=enterprise_customer.enterprise_customer_users.values_list('user_id', flat=True) )
def get_course_completions(self, enterprise_customer, days): """ Get course completions via PersistentCourseGrade for all the learners of given enterprise customer. Arguments: enterprise_customer (EnterpriseCustomer): Include Course enrollments for learners of this enterprise customer. days (int): Include course enrollment of this number of days. Returns: (list): A list of PersistentCourseGrade objects. """ return PersistentCourseGrade.objects.filter( passed_timestamp__gt=datetime.datetime.now() - datetime.timedelta(days=days) ).filter( user_id__in=enterprise_customer.enterprise_customer_users.values_list('user_id', flat=True) )
[ "Get", "course", "completions", "via", "PersistentCourseGrade", "for", "all", "the", "learners", "of", "given", "enterprise", "customer", "." ]
edx/edx-enterprise
python
https://github.com/edx/edx-enterprise/blob/aea91379ab0a87cd3bc798961fce28b60ee49a80/integrated_channels/xapi/management/commands/send_course_completions.py#L149-L165
[ "def", "get_course_completions", "(", "self", ",", "enterprise_customer", ",", "days", ")", ":", "return", "PersistentCourseGrade", ".", "objects", ".", "filter", "(", "passed_timestamp__gt", "=", "datetime", ".", "datetime", ".", "now", "(", ")", "-", "datetime", ".", "timedelta", "(", "days", "=", "days", ")", ")", ".", "filter", "(", "user_id__in", "=", "enterprise_customer", ".", "enterprise_customer_users", ".", "values_list", "(", "'user_id'", ",", "flat", "=", "True", ")", ")" ]
aea91379ab0a87cd3bc798961fce28b60ee49a80
valid
Command.prefetch_users
Prefetch Users from the list of user_ids present in the persistent_course_grades. Arguments: persistent_course_grades (list): A list of PersistentCourseGrade. Returns: (dict): A dictionary containing user_id to user mapping.
integrated_channels/xapi/management/commands/send_course_completions.py
def prefetch_users(persistent_course_grades): """ Prefetch Users from the list of user_ids present in the persistent_course_grades. Arguments: persistent_course_grades (list): A list of PersistentCourseGrade. Returns: (dict): A dictionary containing user_id to user mapping. """ users = User.objects.filter( id__in=[grade.user_id for grade in persistent_course_grades] ) return { user.id: user for user in users }
def prefetch_users(persistent_course_grades): """ Prefetch Users from the list of user_ids present in the persistent_course_grades. Arguments: persistent_course_grades (list): A list of PersistentCourseGrade. Returns: (dict): A dictionary containing user_id to user mapping. """ users = User.objects.filter( id__in=[grade.user_id for grade in persistent_course_grades] ) return { user.id: user for user in users }
[ "Prefetch", "Users", "from", "the", "list", "of", "user_ids", "present", "in", "the", "persistent_course_grades", "." ]
edx/edx-enterprise
python
https://github.com/edx/edx-enterprise/blob/aea91379ab0a87cd3bc798961fce28b60ee49a80/integrated_channels/xapi/management/commands/send_course_completions.py#L168-L183
[ "def", "prefetch_users", "(", "persistent_course_grades", ")", ":", "users", "=", "User", ".", "objects", ".", "filter", "(", "id__in", "=", "[", "grade", ".", "user_id", "for", "grade", "in", "persistent_course_grades", "]", ")", "return", "{", "user", ".", "id", ":", "user", "for", "user", "in", "users", "}" ]
aea91379ab0a87cd3bc798961fce28b60ee49a80
valid
create_roles
Create the enterprise roles if they do not already exist.
enterprise/migrations/0065_add_enterprise_feature_roles.py
def create_roles(apps, schema_editor): """Create the enterprise roles if they do not already exist.""" EnterpriseFeatureRole = apps.get_model('enterprise', 'EnterpriseFeatureRole') EnterpriseFeatureRole.objects.update_or_create(name=ENTERPRISE_CATALOG_ADMIN_ROLE) EnterpriseFeatureRole.objects.update_or_create(name=ENTERPRISE_DASHBOARD_ADMIN_ROLE) EnterpriseFeatureRole.objects.update_or_create(name=ENTERPRISE_ENROLLMENT_API_ADMIN_ROLE)
def create_roles(apps, schema_editor): """Create the enterprise roles if they do not already exist.""" EnterpriseFeatureRole = apps.get_model('enterprise', 'EnterpriseFeatureRole') EnterpriseFeatureRole.objects.update_or_create(name=ENTERPRISE_CATALOG_ADMIN_ROLE) EnterpriseFeatureRole.objects.update_or_create(name=ENTERPRISE_DASHBOARD_ADMIN_ROLE) EnterpriseFeatureRole.objects.update_or_create(name=ENTERPRISE_ENROLLMENT_API_ADMIN_ROLE)
[ "Create", "the", "enterprise", "roles", "if", "they", "do", "not", "already", "exist", "." ]
edx/edx-enterprise
python
https://github.com/edx/edx-enterprise/blob/aea91379ab0a87cd3bc798961fce28b60ee49a80/enterprise/migrations/0065_add_enterprise_feature_roles.py#L13-L18
[ "def", "create_roles", "(", "apps", ",", "schema_editor", ")", ":", "EnterpriseFeatureRole", "=", "apps", ".", "get_model", "(", "'enterprise'", ",", "'EnterpriseFeatureRole'", ")", "EnterpriseFeatureRole", ".", "objects", ".", "update_or_create", "(", "name", "=", "ENTERPRISE_CATALOG_ADMIN_ROLE", ")", "EnterpriseFeatureRole", ".", "objects", ".", "update_or_create", "(", "name", "=", "ENTERPRISE_DASHBOARD_ADMIN_ROLE", ")", "EnterpriseFeatureRole", ".", "objects", ".", "update_or_create", "(", "name", "=", "ENTERPRISE_ENROLLMENT_API_ADMIN_ROLE", ")" ]
aea91379ab0a87cd3bc798961fce28b60ee49a80
valid
delete_roles
Delete the enterprise roles.
enterprise/migrations/0065_add_enterprise_feature_roles.py
def delete_roles(apps, schema_editor): """Delete the enterprise roles.""" EnterpriseFeatureRole = apps.get_model('enterprise', 'EnterpriseFeatureRole') EnterpriseFeatureRole.objects.filter( name__in=[ENTERPRISE_CATALOG_ADMIN_ROLE, ENTERPRISE_DASHBOARD_ADMIN_ROLE, ENTERPRISE_ENROLLMENT_API_ADMIN_ROLE] ).delete()
def delete_roles(apps, schema_editor): """Delete the enterprise roles.""" EnterpriseFeatureRole = apps.get_model('enterprise', 'EnterpriseFeatureRole') EnterpriseFeatureRole.objects.filter( name__in=[ENTERPRISE_CATALOG_ADMIN_ROLE, ENTERPRISE_DASHBOARD_ADMIN_ROLE, ENTERPRISE_ENROLLMENT_API_ADMIN_ROLE] ).delete()
[ "Delete", "the", "enterprise", "roles", "." ]
edx/edx-enterprise
python
https://github.com/edx/edx-enterprise/blob/aea91379ab0a87cd3bc798961fce28b60ee49a80/enterprise/migrations/0065_add_enterprise_feature_roles.py#L21-L26
[ "def", "delete_roles", "(", "apps", ",", "schema_editor", ")", ":", "EnterpriseFeatureRole", "=", "apps", ".", "get_model", "(", "'enterprise'", ",", "'EnterpriseFeatureRole'", ")", "EnterpriseFeatureRole", ".", "objects", ".", "filter", "(", "name__in", "=", "[", "ENTERPRISE_CATALOG_ADMIN_ROLE", ",", "ENTERPRISE_DASHBOARD_ADMIN_ROLE", ",", "ENTERPRISE_ENROLLMENT_API_ADMIN_ROLE", "]", ")", ".", "delete", "(", ")" ]
aea91379ab0a87cd3bc798961fce28b60ee49a80
valid
get_identity_provider
Get Identity Provider with given id. Return: Instance of ProviderConfig or None.
enterprise/utils.py
def get_identity_provider(provider_id): """ Get Identity Provider with given id. Return: Instance of ProviderConfig or None. """ try: from third_party_auth.provider import Registry # pylint: disable=redefined-outer-name except ImportError as exception: LOGGER.warning("Could not import Registry from third_party_auth.provider") LOGGER.warning(exception) Registry = None # pylint: disable=redefined-outer-name try: return Registry and Registry.get(provider_id) except ValueError: return None
def get_identity_provider(provider_id): """ Get Identity Provider with given id. Return: Instance of ProviderConfig or None. """ try: from third_party_auth.provider import Registry # pylint: disable=redefined-outer-name except ImportError as exception: LOGGER.warning("Could not import Registry from third_party_auth.provider") LOGGER.warning(exception) Registry = None # pylint: disable=redefined-outer-name try: return Registry and Registry.get(provider_id) except ValueError: return None
[ "Get", "Identity", "Provider", "with", "given", "id", "." ]
edx/edx-enterprise
python
https://github.com/edx/edx-enterprise/blob/aea91379ab0a87cd3bc798961fce28b60ee49a80/enterprise/utils.py#L114-L131
[ "def", "get_identity_provider", "(", "provider_id", ")", ":", "try", ":", "from", "third_party_auth", ".", "provider", "import", "Registry", "# pylint: disable=redefined-outer-name", "except", "ImportError", "as", "exception", ":", "LOGGER", ".", "warning", "(", "\"Could not import Registry from third_party_auth.provider\"", ")", "LOGGER", ".", "warning", "(", "exception", ")", "Registry", "=", "None", "# pylint: disable=redefined-outer-name", "try", ":", "return", "Registry", "and", "Registry", ".", "get", "(", "provider_id", ")", "except", "ValueError", ":", "return", "None" ]
aea91379ab0a87cd3bc798961fce28b60ee49a80
valid
get_idp_choices
Get a list of identity providers choices for enterprise customer. Return: A list of choices of all identity providers, None if it can not get any available identity provider.
enterprise/utils.py
def get_idp_choices(): """ Get a list of identity providers choices for enterprise customer. Return: A list of choices of all identity providers, None if it can not get any available identity provider. """ try: from third_party_auth.provider import Registry # pylint: disable=redefined-outer-name except ImportError as exception: LOGGER.warning("Could not import Registry from third_party_auth.provider") LOGGER.warning(exception) Registry = None # pylint: disable=redefined-outer-name first = [("", "-" * 7)] if Registry: return first + [(idp.provider_id, idp.name) for idp in Registry.enabled()] return None
def get_idp_choices(): """ Get a list of identity providers choices for enterprise customer. Return: A list of choices of all identity providers, None if it can not get any available identity provider. """ try: from third_party_auth.provider import Registry # pylint: disable=redefined-outer-name except ImportError as exception: LOGGER.warning("Could not import Registry from third_party_auth.provider") LOGGER.warning(exception) Registry = None # pylint: disable=redefined-outer-name first = [("", "-" * 7)] if Registry: return first + [(idp.provider_id, idp.name) for idp in Registry.enabled()] return None
[ "Get", "a", "list", "of", "identity", "providers", "choices", "for", "enterprise", "customer", "." ]
edx/edx-enterprise
python
https://github.com/edx/edx-enterprise/blob/aea91379ab0a87cd3bc798961fce28b60ee49a80/enterprise/utils.py#L134-L151
[ "def", "get_idp_choices", "(", ")", ":", "try", ":", "from", "third_party_auth", ".", "provider", "import", "Registry", "# pylint: disable=redefined-outer-name", "except", "ImportError", "as", "exception", ":", "LOGGER", ".", "warning", "(", "\"Could not import Registry from third_party_auth.provider\"", ")", "LOGGER", ".", "warning", "(", "exception", ")", "Registry", "=", "None", "# pylint: disable=redefined-outer-name", "first", "=", "[", "(", "\"\"", ",", "\"-\"", "*", "7", ")", "]", "if", "Registry", ":", "return", "first", "+", "[", "(", "idp", ".", "provider_id", ",", "idp", ".", "name", ")", "for", "idp", "in", "Registry", ".", "enabled", "(", ")", "]", "return", "None" ]
aea91379ab0a87cd3bc798961fce28b60ee49a80
valid
get_catalog_admin_url_template
Get template of catalog admin url. URL template will contain a placeholder '{catalog_id}' for catalog id. Arguments: mode e.g. change/add. Returns: A string containing template for catalog url. Example: >>> get_catalog_admin_url_template('change') "http://localhost:18381/admin/catalogs/catalog/{catalog_id}/change/"
enterprise/utils.py
def get_catalog_admin_url_template(mode='change'): """ Get template of catalog admin url. URL template will contain a placeholder '{catalog_id}' for catalog id. Arguments: mode e.g. change/add. Returns: A string containing template for catalog url. Example: >>> get_catalog_admin_url_template('change') "http://localhost:18381/admin/catalogs/catalog/{catalog_id}/change/" """ api_base_url = getattr(settings, "COURSE_CATALOG_API_URL", "") # Extract FQDN (Fully Qualified Domain Name) from API URL. match = re.match(r"^(?P<fqdn>(?:https?://)?[^/]+)", api_base_url) if not match: return "" # Return matched FQDN from catalog api url appended with catalog admin path if mode == 'change': return match.group("fqdn").rstrip("/") + "/admin/catalogs/catalog/{catalog_id}/change/" elif mode == 'add': return match.group("fqdn").rstrip("/") + "/admin/catalogs/catalog/add/"
def get_catalog_admin_url_template(mode='change'): """ Get template of catalog admin url. URL template will contain a placeholder '{catalog_id}' for catalog id. Arguments: mode e.g. change/add. Returns: A string containing template for catalog url. Example: >>> get_catalog_admin_url_template('change') "http://localhost:18381/admin/catalogs/catalog/{catalog_id}/change/" """ api_base_url = getattr(settings, "COURSE_CATALOG_API_URL", "") # Extract FQDN (Fully Qualified Domain Name) from API URL. match = re.match(r"^(?P<fqdn>(?:https?://)?[^/]+)", api_base_url) if not match: return "" # Return matched FQDN from catalog api url appended with catalog admin path if mode == 'change': return match.group("fqdn").rstrip("/") + "/admin/catalogs/catalog/{catalog_id}/change/" elif mode == 'add': return match.group("fqdn").rstrip("/") + "/admin/catalogs/catalog/add/"
[ "Get", "template", "of", "catalog", "admin", "url", "." ]
edx/edx-enterprise
python
https://github.com/edx/edx-enterprise/blob/aea91379ab0a87cd3bc798961fce28b60ee49a80/enterprise/utils.py#L185-L213
[ "def", "get_catalog_admin_url_template", "(", "mode", "=", "'change'", ")", ":", "api_base_url", "=", "getattr", "(", "settings", ",", "\"COURSE_CATALOG_API_URL\"", ",", "\"\"", ")", "# Extract FQDN (Fully Qualified Domain Name) from API URL.", "match", "=", "re", ".", "match", "(", "r\"^(?P<fqdn>(?:https?://)?[^/]+)\"", ",", "api_base_url", ")", "if", "not", "match", ":", "return", "\"\"", "# Return matched FQDN from catalog api url appended with catalog admin path", "if", "mode", "==", "'change'", ":", "return", "match", ".", "group", "(", "\"fqdn\"", ")", ".", "rstrip", "(", "\"/\"", ")", "+", "\"/admin/catalogs/catalog/{catalog_id}/change/\"", "elif", "mode", "==", "'add'", ":", "return", "match", ".", "group", "(", "\"fqdn\"", ")", ".", "rstrip", "(", "\"/\"", ")", "+", "\"/admin/catalogs/catalog/add/\"" ]
aea91379ab0a87cd3bc798961fce28b60ee49a80
valid
build_notification_message
Create HTML and plaintext message bodies for a notification. We receive a context with data we can use to render, as well as an optional site template configration - if we don't get a template configuration, we'll use the standard, built-in template. Arguments: template_context (dict): A set of data to render template_configuration: A database-backed object with templates stored that can be used to render a notification.
enterprise/utils.py
def build_notification_message(template_context, template_configuration=None): """ Create HTML and plaintext message bodies for a notification. We receive a context with data we can use to render, as well as an optional site template configration - if we don't get a template configuration, we'll use the standard, built-in template. Arguments: template_context (dict): A set of data to render template_configuration: A database-backed object with templates stored that can be used to render a notification. """ if ( template_configuration is not None and template_configuration.html_template and template_configuration.plaintext_template ): plain_msg, html_msg = template_configuration.render_all_templates(template_context) else: plain_msg = render_to_string( 'enterprise/emails/user_notification.txt', template_context ) html_msg = render_to_string( 'enterprise/emails/user_notification.html', template_context ) return plain_msg, html_msg
def build_notification_message(template_context, template_configuration=None): """ Create HTML and plaintext message bodies for a notification. We receive a context with data we can use to render, as well as an optional site template configration - if we don't get a template configuration, we'll use the standard, built-in template. Arguments: template_context (dict): A set of data to render template_configuration: A database-backed object with templates stored that can be used to render a notification. """ if ( template_configuration is not None and template_configuration.html_template and template_configuration.plaintext_template ): plain_msg, html_msg = template_configuration.render_all_templates(template_context) else: plain_msg = render_to_string( 'enterprise/emails/user_notification.txt', template_context ) html_msg = render_to_string( 'enterprise/emails/user_notification.html', template_context ) return plain_msg, html_msg
[ "Create", "HTML", "and", "plaintext", "message", "bodies", "for", "a", "notification", "." ]
edx/edx-enterprise
python
https://github.com/edx/edx-enterprise/blob/aea91379ab0a87cd3bc798961fce28b60ee49a80/enterprise/utils.py#L216-L246
[ "def", "build_notification_message", "(", "template_context", ",", "template_configuration", "=", "None", ")", ":", "if", "(", "template_configuration", "is", "not", "None", "and", "template_configuration", ".", "html_template", "and", "template_configuration", ".", "plaintext_template", ")", ":", "plain_msg", ",", "html_msg", "=", "template_configuration", ".", "render_all_templates", "(", "template_context", ")", "else", ":", "plain_msg", "=", "render_to_string", "(", "'enterprise/emails/user_notification.txt'", ",", "template_context", ")", "html_msg", "=", "render_to_string", "(", "'enterprise/emails/user_notification.html'", ",", "template_context", ")", "return", "plain_msg", ",", "html_msg" ]
aea91379ab0a87cd3bc798961fce28b60ee49a80
valid
get_notification_subject_line
Get a subject line for a notification email. The method is designed to fail in a "smart" way; if we can't render a database-backed subject line template, then we'll fall back to a template saved in the Django settings; if we can't render _that_ one, then we'll fall through to a friendly string written into the code. One example of a failure case in which we want to fall back to a stock template would be if a site admin entered a subject line string that contained a template tag that wasn't available, causing a KeyError to be raised. Arguments: course_name (str): Course name to be rendered into the string template_configuration: A database-backed object with a stored subject line template
enterprise/utils.py
def get_notification_subject_line(course_name, template_configuration=None): """ Get a subject line for a notification email. The method is designed to fail in a "smart" way; if we can't render a database-backed subject line template, then we'll fall back to a template saved in the Django settings; if we can't render _that_ one, then we'll fall through to a friendly string written into the code. One example of a failure case in which we want to fall back to a stock template would be if a site admin entered a subject line string that contained a template tag that wasn't available, causing a KeyError to be raised. Arguments: course_name (str): Course name to be rendered into the string template_configuration: A database-backed object with a stored subject line template """ stock_subject_template = _('You\'ve been enrolled in {course_name}!') default_subject_template = getattr( settings, 'ENTERPRISE_ENROLLMENT_EMAIL_DEFAULT_SUBJECT_LINE', stock_subject_template, ) if template_configuration is not None and template_configuration.subject_line: final_subject_template = template_configuration.subject_line else: final_subject_template = default_subject_template try: return final_subject_template.format(course_name=course_name) except KeyError: pass try: return default_subject_template.format(course_name=course_name) except KeyError: return stock_subject_template.format(course_name=course_name)
def get_notification_subject_line(course_name, template_configuration=None): """ Get a subject line for a notification email. The method is designed to fail in a "smart" way; if we can't render a database-backed subject line template, then we'll fall back to a template saved in the Django settings; if we can't render _that_ one, then we'll fall through to a friendly string written into the code. One example of a failure case in which we want to fall back to a stock template would be if a site admin entered a subject line string that contained a template tag that wasn't available, causing a KeyError to be raised. Arguments: course_name (str): Course name to be rendered into the string template_configuration: A database-backed object with a stored subject line template """ stock_subject_template = _('You\'ve been enrolled in {course_name}!') default_subject_template = getattr( settings, 'ENTERPRISE_ENROLLMENT_EMAIL_DEFAULT_SUBJECT_LINE', stock_subject_template, ) if template_configuration is not None and template_configuration.subject_line: final_subject_template = template_configuration.subject_line else: final_subject_template = default_subject_template try: return final_subject_template.format(course_name=course_name) except KeyError: pass try: return default_subject_template.format(course_name=course_name) except KeyError: return stock_subject_template.format(course_name=course_name)
[ "Get", "a", "subject", "line", "for", "a", "notification", "email", "." ]
edx/edx-enterprise
python
https://github.com/edx/edx-enterprise/blob/aea91379ab0a87cd3bc798961fce28b60ee49a80/enterprise/utils.py#L249-L286
[ "def", "get_notification_subject_line", "(", "course_name", ",", "template_configuration", "=", "None", ")", ":", "stock_subject_template", "=", "_", "(", "'You\\'ve been enrolled in {course_name}!'", ")", "default_subject_template", "=", "getattr", "(", "settings", ",", "'ENTERPRISE_ENROLLMENT_EMAIL_DEFAULT_SUBJECT_LINE'", ",", "stock_subject_template", ",", ")", "if", "template_configuration", "is", "not", "None", "and", "template_configuration", ".", "subject_line", ":", "final_subject_template", "=", "template_configuration", ".", "subject_line", "else", ":", "final_subject_template", "=", "default_subject_template", "try", ":", "return", "final_subject_template", ".", "format", "(", "course_name", "=", "course_name", ")", "except", "KeyError", ":", "pass", "try", ":", "return", "default_subject_template", ".", "format", "(", "course_name", "=", "course_name", ")", "except", "KeyError", ":", "return", "stock_subject_template", ".", "format", "(", "course_name", "=", "course_name", ")" ]
aea91379ab0a87cd3bc798961fce28b60ee49a80
valid
send_email_notification_message
Send an email notifying a user about their enrollment in a course. Arguments: user: Either a User object or a PendingEnterpriseCustomerUser that we can use to get details for the email enrolled_in (dict): The dictionary contains details of the enrollable object (either course or program) that the user enrolled in. This MUST contain a `name` key, and MAY contain the other following keys: - url: A human-friendly link to the enrollable's home page - type: Either `course` or `program` at present - branding: A special name for what the enrollable "is"; for example, "MicroMasters" would be the branding for a "MicroMasters Program" - start: A datetime object indicating when the enrollable will be available. enterprise_customer: The EnterpriseCustomer that the enrollment was created using. email_connection: An existing Django email connection that can be used without creating a new connection for each individual message
enterprise/utils.py
def send_email_notification_message(user, enrolled_in, enterprise_customer, email_connection=None): """ Send an email notifying a user about their enrollment in a course. Arguments: user: Either a User object or a PendingEnterpriseCustomerUser that we can use to get details for the email enrolled_in (dict): The dictionary contains details of the enrollable object (either course or program) that the user enrolled in. This MUST contain a `name` key, and MAY contain the other following keys: - url: A human-friendly link to the enrollable's home page - type: Either `course` or `program` at present - branding: A special name for what the enrollable "is"; for example, "MicroMasters" would be the branding for a "MicroMasters Program" - start: A datetime object indicating when the enrollable will be available. enterprise_customer: The EnterpriseCustomer that the enrollment was created using. email_connection: An existing Django email connection that can be used without creating a new connection for each individual message """ if hasattr(user, 'first_name') and hasattr(user, 'username'): # PendingEnterpriseCustomerUsers don't have usernames or real names. We should # template slightly differently to make sure weird stuff doesn't happen. user_name = user.first_name if not user_name: user_name = user.username else: user_name = None # Users have an `email` attribute; PendingEnterpriseCustomerUsers have `user_email`. if hasattr(user, 'email'): user_email = user.email elif hasattr(user, 'user_email'): user_email = user.user_email else: raise TypeError(_('`user` must have one of either `email` or `user_email`.')) msg_context = { 'user_name': user_name, 'enrolled_in': enrolled_in, 'organization_name': enterprise_customer.name, } try: enterprise_template_config = enterprise_customer.enterprise_enrollment_template except (ObjectDoesNotExist, AttributeError): enterprise_template_config = None plain_msg, html_msg = build_notification_message(msg_context, enterprise_template_config) subject_line = get_notification_subject_line(enrolled_in['name'], enterprise_template_config) from_email_address = get_configuration_value_for_site( enterprise_customer.site, 'DEFAULT_FROM_EMAIL', default=settings.DEFAULT_FROM_EMAIL ) return mail.send_mail( subject_line, plain_msg, from_email_address, [user_email], html_message=html_msg, connection=email_connection )
def send_email_notification_message(user, enrolled_in, enterprise_customer, email_connection=None): """ Send an email notifying a user about their enrollment in a course. Arguments: user: Either a User object or a PendingEnterpriseCustomerUser that we can use to get details for the email enrolled_in (dict): The dictionary contains details of the enrollable object (either course or program) that the user enrolled in. This MUST contain a `name` key, and MAY contain the other following keys: - url: A human-friendly link to the enrollable's home page - type: Either `course` or `program` at present - branding: A special name for what the enrollable "is"; for example, "MicroMasters" would be the branding for a "MicroMasters Program" - start: A datetime object indicating when the enrollable will be available. enterprise_customer: The EnterpriseCustomer that the enrollment was created using. email_connection: An existing Django email connection that can be used without creating a new connection for each individual message """ if hasattr(user, 'first_name') and hasattr(user, 'username'): # PendingEnterpriseCustomerUsers don't have usernames or real names. We should # template slightly differently to make sure weird stuff doesn't happen. user_name = user.first_name if not user_name: user_name = user.username else: user_name = None # Users have an `email` attribute; PendingEnterpriseCustomerUsers have `user_email`. if hasattr(user, 'email'): user_email = user.email elif hasattr(user, 'user_email'): user_email = user.user_email else: raise TypeError(_('`user` must have one of either `email` or `user_email`.')) msg_context = { 'user_name': user_name, 'enrolled_in': enrolled_in, 'organization_name': enterprise_customer.name, } try: enterprise_template_config = enterprise_customer.enterprise_enrollment_template except (ObjectDoesNotExist, AttributeError): enterprise_template_config = None plain_msg, html_msg = build_notification_message(msg_context, enterprise_template_config) subject_line = get_notification_subject_line(enrolled_in['name'], enterprise_template_config) from_email_address = get_configuration_value_for_site( enterprise_customer.site, 'DEFAULT_FROM_EMAIL', default=settings.DEFAULT_FROM_EMAIL ) return mail.send_mail( subject_line, plain_msg, from_email_address, [user_email], html_message=html_msg, connection=email_connection )
[ "Send", "an", "email", "notifying", "a", "user", "about", "their", "enrollment", "in", "a", "course", "." ]
edx/edx-enterprise
python
https://github.com/edx/edx-enterprise/blob/aea91379ab0a87cd3bc798961fce28b60ee49a80/enterprise/utils.py#L289-L353
[ "def", "send_email_notification_message", "(", "user", ",", "enrolled_in", ",", "enterprise_customer", ",", "email_connection", "=", "None", ")", ":", "if", "hasattr", "(", "user", ",", "'first_name'", ")", "and", "hasattr", "(", "user", ",", "'username'", ")", ":", "# PendingEnterpriseCustomerUsers don't have usernames or real names. We should", "# template slightly differently to make sure weird stuff doesn't happen.", "user_name", "=", "user", ".", "first_name", "if", "not", "user_name", ":", "user_name", "=", "user", ".", "username", "else", ":", "user_name", "=", "None", "# Users have an `email` attribute; PendingEnterpriseCustomerUsers have `user_email`.", "if", "hasattr", "(", "user", ",", "'email'", ")", ":", "user_email", "=", "user", ".", "email", "elif", "hasattr", "(", "user", ",", "'user_email'", ")", ":", "user_email", "=", "user", ".", "user_email", "else", ":", "raise", "TypeError", "(", "_", "(", "'`user` must have one of either `email` or `user_email`.'", ")", ")", "msg_context", "=", "{", "'user_name'", ":", "user_name", ",", "'enrolled_in'", ":", "enrolled_in", ",", "'organization_name'", ":", "enterprise_customer", ".", "name", ",", "}", "try", ":", "enterprise_template_config", "=", "enterprise_customer", ".", "enterprise_enrollment_template", "except", "(", "ObjectDoesNotExist", ",", "AttributeError", ")", ":", "enterprise_template_config", "=", "None", "plain_msg", ",", "html_msg", "=", "build_notification_message", "(", "msg_context", ",", "enterprise_template_config", ")", "subject_line", "=", "get_notification_subject_line", "(", "enrolled_in", "[", "'name'", "]", ",", "enterprise_template_config", ")", "from_email_address", "=", "get_configuration_value_for_site", "(", "enterprise_customer", ".", "site", ",", "'DEFAULT_FROM_EMAIL'", ",", "default", "=", "settings", ".", "DEFAULT_FROM_EMAIL", ")", "return", "mail", ".", "send_mail", "(", "subject_line", ",", "plain_msg", ",", "from_email_address", ",", "[", "user_email", "]", ",", "html_message", "=", "html_msg", ",", "connection", "=", "email_connection", ")" ]
aea91379ab0a87cd3bc798961fce28b60ee49a80
valid
get_enterprise_customer
Get the ``EnterpriseCustomer`` instance associated with ``uuid``. :param uuid: The universally unique ID of the enterprise customer. :return: The ``EnterpriseCustomer`` instance, or ``None`` if it doesn't exist.
enterprise/utils.py
def get_enterprise_customer(uuid): """ Get the ``EnterpriseCustomer`` instance associated with ``uuid``. :param uuid: The universally unique ID of the enterprise customer. :return: The ``EnterpriseCustomer`` instance, or ``None`` if it doesn't exist. """ EnterpriseCustomer = apps.get_model('enterprise', 'EnterpriseCustomer') # pylint: disable=invalid-name try: return EnterpriseCustomer.objects.get(uuid=uuid) # pylint: disable=no-member except EnterpriseCustomer.DoesNotExist: return None
def get_enterprise_customer(uuid): """ Get the ``EnterpriseCustomer`` instance associated with ``uuid``. :param uuid: The universally unique ID of the enterprise customer. :return: The ``EnterpriseCustomer`` instance, or ``None`` if it doesn't exist. """ EnterpriseCustomer = apps.get_model('enterprise', 'EnterpriseCustomer') # pylint: disable=invalid-name try: return EnterpriseCustomer.objects.get(uuid=uuid) # pylint: disable=no-member except EnterpriseCustomer.DoesNotExist: return None
[ "Get", "the", "EnterpriseCustomer", "instance", "associated", "with", "uuid", "." ]
edx/edx-enterprise
python
https://github.com/edx/edx-enterprise/blob/aea91379ab0a87cd3bc798961fce28b60ee49a80/enterprise/utils.py#L356-L367
[ "def", "get_enterprise_customer", "(", "uuid", ")", ":", "EnterpriseCustomer", "=", "apps", ".", "get_model", "(", "'enterprise'", ",", "'EnterpriseCustomer'", ")", "# pylint: disable=invalid-name", "try", ":", "return", "EnterpriseCustomer", ".", "objects", ".", "get", "(", "uuid", "=", "uuid", ")", "# pylint: disable=no-member", "except", "EnterpriseCustomer", ".", "DoesNotExist", ":", "return", "None" ]
aea91379ab0a87cd3bc798961fce28b60ee49a80
valid
get_enterprise_customer_for_user
Return enterprise customer instance for given user. Some users are associated with an enterprise customer via `EnterpriseCustomerUser` model, 1. if given user is associated with any enterprise customer, return enterprise customer. 2. otherwise return `None`. Arguments: auth_user (contrib.auth.User): Django User Returns: (EnterpriseCustomer): enterprise customer associated with the current user.
enterprise/utils.py
def get_enterprise_customer_for_user(auth_user): """ Return enterprise customer instance for given user. Some users are associated with an enterprise customer via `EnterpriseCustomerUser` model, 1. if given user is associated with any enterprise customer, return enterprise customer. 2. otherwise return `None`. Arguments: auth_user (contrib.auth.User): Django User Returns: (EnterpriseCustomer): enterprise customer associated with the current user. """ EnterpriseCustomerUser = apps.get_model('enterprise', 'EnterpriseCustomerUser') # pylint: disable=invalid-name try: return EnterpriseCustomerUser.objects.get(user_id=auth_user.id).enterprise_customer # pylint: disable=no-member except EnterpriseCustomerUser.DoesNotExist: return None
def get_enterprise_customer_for_user(auth_user): """ Return enterprise customer instance for given user. Some users are associated with an enterprise customer via `EnterpriseCustomerUser` model, 1. if given user is associated with any enterprise customer, return enterprise customer. 2. otherwise return `None`. Arguments: auth_user (contrib.auth.User): Django User Returns: (EnterpriseCustomer): enterprise customer associated with the current user. """ EnterpriseCustomerUser = apps.get_model('enterprise', 'EnterpriseCustomerUser') # pylint: disable=invalid-name try: return EnterpriseCustomerUser.objects.get(user_id=auth_user.id).enterprise_customer # pylint: disable=no-member except EnterpriseCustomerUser.DoesNotExist: return None
[ "Return", "enterprise", "customer", "instance", "for", "given", "user", "." ]
edx/edx-enterprise
python
https://github.com/edx/edx-enterprise/blob/aea91379ab0a87cd3bc798961fce28b60ee49a80/enterprise/utils.py#L370-L389
[ "def", "get_enterprise_customer_for_user", "(", "auth_user", ")", ":", "EnterpriseCustomerUser", "=", "apps", ".", "get_model", "(", "'enterprise'", ",", "'EnterpriseCustomerUser'", ")", "# pylint: disable=invalid-name", "try", ":", "return", "EnterpriseCustomerUser", ".", "objects", ".", "get", "(", "user_id", "=", "auth_user", ".", "id", ")", ".", "enterprise_customer", "# pylint: disable=no-member", "except", "EnterpriseCustomerUser", ".", "DoesNotExist", ":", "return", "None" ]
aea91379ab0a87cd3bc798961fce28b60ee49a80
valid
get_enterprise_customer_user
Return the object for EnterpriseCustomerUser. Arguments: user_id (str): user identifier enterprise_uuid (UUID): Universally unique identifier for the enterprise customer. Returns: (EnterpriseCustomerUser): enterprise customer user record
enterprise/utils.py
def get_enterprise_customer_user(user_id, enterprise_uuid): """ Return the object for EnterpriseCustomerUser. Arguments: user_id (str): user identifier enterprise_uuid (UUID): Universally unique identifier for the enterprise customer. Returns: (EnterpriseCustomerUser): enterprise customer user record """ EnterpriseCustomerUser = apps.get_model('enterprise', 'EnterpriseCustomerUser') # pylint: disable=invalid-name try: return EnterpriseCustomerUser.objects.get( # pylint: disable=no-member enterprise_customer__uuid=enterprise_uuid, user_id=user_id ) except EnterpriseCustomerUser.DoesNotExist: return None
def get_enterprise_customer_user(user_id, enterprise_uuid): """ Return the object for EnterpriseCustomerUser. Arguments: user_id (str): user identifier enterprise_uuid (UUID): Universally unique identifier for the enterprise customer. Returns: (EnterpriseCustomerUser): enterprise customer user record """ EnterpriseCustomerUser = apps.get_model('enterprise', 'EnterpriseCustomerUser') # pylint: disable=invalid-name try: return EnterpriseCustomerUser.objects.get( # pylint: disable=no-member enterprise_customer__uuid=enterprise_uuid, user_id=user_id ) except EnterpriseCustomerUser.DoesNotExist: return None
[ "Return", "the", "object", "for", "EnterpriseCustomerUser", "." ]
edx/edx-enterprise
python
https://github.com/edx/edx-enterprise/blob/aea91379ab0a87cd3bc798961fce28b60ee49a80/enterprise/utils.py#L392-L411
[ "def", "get_enterprise_customer_user", "(", "user_id", ",", "enterprise_uuid", ")", ":", "EnterpriseCustomerUser", "=", "apps", ".", "get_model", "(", "'enterprise'", ",", "'EnterpriseCustomerUser'", ")", "# pylint: disable=invalid-name", "try", ":", "return", "EnterpriseCustomerUser", ".", "objects", ".", "get", "(", "# pylint: disable=no-member", "enterprise_customer__uuid", "=", "enterprise_uuid", ",", "user_id", "=", "user_id", ")", "except", "EnterpriseCustomerUser", ".", "DoesNotExist", ":", "return", "None" ]
aea91379ab0a87cd3bc798961fce28b60ee49a80
valid
get_course_track_selection_url
Return track selection url for the given course. Arguments: course_run (dict): A dictionary containing course run metadata. query_parameters (dict): A dictionary containing query parameters to be added to course selection url. Raises: (KeyError): Raised when course run dict does not have 'key' key. Returns: (str): Course track selection url.
enterprise/utils.py
def get_course_track_selection_url(course_run, query_parameters): """ Return track selection url for the given course. Arguments: course_run (dict): A dictionary containing course run metadata. query_parameters (dict): A dictionary containing query parameters to be added to course selection url. Raises: (KeyError): Raised when course run dict does not have 'key' key. Returns: (str): Course track selection url. """ try: course_root = reverse('course_modes_choose', kwargs={'course_id': course_run['key']}) except KeyError: LOGGER.exception( "KeyError while parsing course run data.\nCourse Run: \n[%s]", course_run, ) raise url = '{}{}'.format( settings.LMS_ROOT_URL, course_root ) course_run_url = update_query_parameters(url, query_parameters) return course_run_url
def get_course_track_selection_url(course_run, query_parameters): """ Return track selection url for the given course. Arguments: course_run (dict): A dictionary containing course run metadata. query_parameters (dict): A dictionary containing query parameters to be added to course selection url. Raises: (KeyError): Raised when course run dict does not have 'key' key. Returns: (str): Course track selection url. """ try: course_root = reverse('course_modes_choose', kwargs={'course_id': course_run['key']}) except KeyError: LOGGER.exception( "KeyError while parsing course run data.\nCourse Run: \n[%s]", course_run, ) raise url = '{}{}'.format( settings.LMS_ROOT_URL, course_root ) course_run_url = update_query_parameters(url, query_parameters) return course_run_url
[ "Return", "track", "selection", "url", "for", "the", "given", "course", "." ]
edx/edx-enterprise
python
https://github.com/edx/edx-enterprise/blob/aea91379ab0a87cd3bc798961fce28b60ee49a80/enterprise/utils.py#L414-L443
[ "def", "get_course_track_selection_url", "(", "course_run", ",", "query_parameters", ")", ":", "try", ":", "course_root", "=", "reverse", "(", "'course_modes_choose'", ",", "kwargs", "=", "{", "'course_id'", ":", "course_run", "[", "'key'", "]", "}", ")", "except", "KeyError", ":", "LOGGER", ".", "exception", "(", "\"KeyError while parsing course run data.\\nCourse Run: \\n[%s]\"", ",", "course_run", ",", ")", "raise", "url", "=", "'{}{}'", ".", "format", "(", "settings", ".", "LMS_ROOT_URL", ",", "course_root", ")", "course_run_url", "=", "update_query_parameters", "(", "url", ",", "query_parameters", ")", "return", "course_run_url" ]
aea91379ab0a87cd3bc798961fce28b60ee49a80
valid
update_query_parameters
Return url with updated query parameters. Arguments: url (str): Original url whose query parameters need to be updated. query_parameters (dict): A dictionary containing query parameters to be added to course selection url. Returns: (slug): slug identifier for the identity provider that can be used for identity verification of users associated the enterprise customer of the given user.
enterprise/utils.py
def update_query_parameters(url, query_parameters): """ Return url with updated query parameters. Arguments: url (str): Original url whose query parameters need to be updated. query_parameters (dict): A dictionary containing query parameters to be added to course selection url. Returns: (slug): slug identifier for the identity provider that can be used for identity verification of users associated the enterprise customer of the given user. """ scheme, netloc, path, query_string, fragment = urlsplit(url) url_params = parse_qs(query_string) # Update url query parameters url_params.update(query_parameters) return urlunsplit( (scheme, netloc, path, urlencode(sorted(url_params.items()), doseq=True), fragment), )
def update_query_parameters(url, query_parameters): """ Return url with updated query parameters. Arguments: url (str): Original url whose query parameters need to be updated. query_parameters (dict): A dictionary containing query parameters to be added to course selection url. Returns: (slug): slug identifier for the identity provider that can be used for identity verification of users associated the enterprise customer of the given user. """ scheme, netloc, path, query_string, fragment = urlsplit(url) url_params = parse_qs(query_string) # Update url query parameters url_params.update(query_parameters) return urlunsplit( (scheme, netloc, path, urlencode(sorted(url_params.items()), doseq=True), fragment), )
[ "Return", "url", "with", "updated", "query", "parameters", "." ]
edx/edx-enterprise
python
https://github.com/edx/edx-enterprise/blob/aea91379ab0a87cd3bc798961fce28b60ee49a80/enterprise/utils.py#L446-L467
[ "def", "update_query_parameters", "(", "url", ",", "query_parameters", ")", ":", "scheme", ",", "netloc", ",", "path", ",", "query_string", ",", "fragment", "=", "urlsplit", "(", "url", ")", "url_params", "=", "parse_qs", "(", "query_string", ")", "# Update url query parameters", "url_params", ".", "update", "(", "query_parameters", ")", "return", "urlunsplit", "(", "(", "scheme", ",", "netloc", ",", "path", ",", "urlencode", "(", "sorted", "(", "url_params", ".", "items", "(", ")", ")", ",", "doseq", "=", "True", ")", ",", "fragment", ")", ",", ")" ]
aea91379ab0a87cd3bc798961fce28b60ee49a80
valid
filter_audit_course_modes
Filter audit course modes out if the enterprise customer has not enabled the 'Enable audit enrollment' flag. Arguments: enterprise_customer: The EnterpriseCustomer that the enrollment was created using. course_modes: iterable with dictionaries containing a required 'mode' key
enterprise/utils.py
def filter_audit_course_modes(enterprise_customer, course_modes): """ Filter audit course modes out if the enterprise customer has not enabled the 'Enable audit enrollment' flag. Arguments: enterprise_customer: The EnterpriseCustomer that the enrollment was created using. course_modes: iterable with dictionaries containing a required 'mode' key """ audit_modes = getattr(settings, 'ENTERPRISE_COURSE_ENROLLMENT_AUDIT_MODES', ['audit']) if not enterprise_customer.enable_audit_enrollment: return [course_mode for course_mode in course_modes if course_mode['mode'] not in audit_modes] return course_modes
def filter_audit_course_modes(enterprise_customer, course_modes): """ Filter audit course modes out if the enterprise customer has not enabled the 'Enable audit enrollment' flag. Arguments: enterprise_customer: The EnterpriseCustomer that the enrollment was created using. course_modes: iterable with dictionaries containing a required 'mode' key """ audit_modes = getattr(settings, 'ENTERPRISE_COURSE_ENROLLMENT_AUDIT_MODES', ['audit']) if not enterprise_customer.enable_audit_enrollment: return [course_mode for course_mode in course_modes if course_mode['mode'] not in audit_modes] return course_modes
[ "Filter", "audit", "course", "modes", "out", "if", "the", "enterprise", "customer", "has", "not", "enabled", "the", "Enable", "audit", "enrollment", "flag", "." ]
edx/edx-enterprise
python
https://github.com/edx/edx-enterprise/blob/aea91379ab0a87cd3bc798961fce28b60ee49a80/enterprise/utils.py#L470-L482
[ "def", "filter_audit_course_modes", "(", "enterprise_customer", ",", "course_modes", ")", ":", "audit_modes", "=", "getattr", "(", "settings", ",", "'ENTERPRISE_COURSE_ENROLLMENT_AUDIT_MODES'", ",", "[", "'audit'", "]", ")", "if", "not", "enterprise_customer", ".", "enable_audit_enrollment", ":", "return", "[", "course_mode", "for", "course_mode", "in", "course_modes", "if", "course_mode", "[", "'mode'", "]", "not", "in", "audit_modes", "]", "return", "course_modes" ]
aea91379ab0a87cd3bc798961fce28b60ee49a80
valid
get_enterprise_customer_or_404
Given an EnterpriseCustomer UUID, return the corresponding EnterpriseCustomer or raise a 404. Arguments: enterprise_uuid (str): The UUID (in string form) of the EnterpriseCustomer to fetch. Returns: (EnterpriseCustomer): The EnterpriseCustomer given the UUID.
enterprise/utils.py
def get_enterprise_customer_or_404(enterprise_uuid): """ Given an EnterpriseCustomer UUID, return the corresponding EnterpriseCustomer or raise a 404. Arguments: enterprise_uuid (str): The UUID (in string form) of the EnterpriseCustomer to fetch. Returns: (EnterpriseCustomer): The EnterpriseCustomer given the UUID. """ EnterpriseCustomer = apps.get_model('enterprise', 'EnterpriseCustomer') # pylint: disable=invalid-name try: enterprise_uuid = UUID(enterprise_uuid) return EnterpriseCustomer.objects.get(uuid=enterprise_uuid) # pylint: disable=no-member except (TypeError, ValueError, EnterpriseCustomer.DoesNotExist): LOGGER.error('Unable to find enterprise customer for UUID: [%s]', enterprise_uuid) raise Http404
def get_enterprise_customer_or_404(enterprise_uuid): """ Given an EnterpriseCustomer UUID, return the corresponding EnterpriseCustomer or raise a 404. Arguments: enterprise_uuid (str): The UUID (in string form) of the EnterpriseCustomer to fetch. Returns: (EnterpriseCustomer): The EnterpriseCustomer given the UUID. """ EnterpriseCustomer = apps.get_model('enterprise', 'EnterpriseCustomer') # pylint: disable=invalid-name try: enterprise_uuid = UUID(enterprise_uuid) return EnterpriseCustomer.objects.get(uuid=enterprise_uuid) # pylint: disable=no-member except (TypeError, ValueError, EnterpriseCustomer.DoesNotExist): LOGGER.error('Unable to find enterprise customer for UUID: [%s]', enterprise_uuid) raise Http404
[ "Given", "an", "EnterpriseCustomer", "UUID", "return", "the", "corresponding", "EnterpriseCustomer", "or", "raise", "a", "404", "." ]
edx/edx-enterprise
python
https://github.com/edx/edx-enterprise/blob/aea91379ab0a87cd3bc798961fce28b60ee49a80/enterprise/utils.py#L485-L502
[ "def", "get_enterprise_customer_or_404", "(", "enterprise_uuid", ")", ":", "EnterpriseCustomer", "=", "apps", ".", "get_model", "(", "'enterprise'", ",", "'EnterpriseCustomer'", ")", "# pylint: disable=invalid-name", "try", ":", "enterprise_uuid", "=", "UUID", "(", "enterprise_uuid", ")", "return", "EnterpriseCustomer", ".", "objects", ".", "get", "(", "uuid", "=", "enterprise_uuid", ")", "# pylint: disable=no-member", "except", "(", "TypeError", ",", "ValueError", ",", "EnterpriseCustomer", ".", "DoesNotExist", ")", ":", "LOGGER", ".", "error", "(", "'Unable to find enterprise customer for UUID: [%s]'", ",", "enterprise_uuid", ")", "raise", "Http404" ]
aea91379ab0a87cd3bc798961fce28b60ee49a80
valid
get_cache_key
Get MD5 encoded cache key for given arguments. Here is the format of key before MD5 encryption. key1:value1__key2:value2 ... Example: >>> get_cache_key(site_domain="example.com", resource="enterprise") # Here is key format for above call # "site_domain:example.com__resource:enterprise" a54349175618ff1659dee0978e3149ca Arguments: **kwargs: Key word arguments that need to be present in cache key. Returns: An MD5 encoded key uniquely identified by the key word arguments.
enterprise/utils.py
def get_cache_key(**kwargs): """ Get MD5 encoded cache key for given arguments. Here is the format of key before MD5 encryption. key1:value1__key2:value2 ... Example: >>> get_cache_key(site_domain="example.com", resource="enterprise") # Here is key format for above call # "site_domain:example.com__resource:enterprise" a54349175618ff1659dee0978e3149ca Arguments: **kwargs: Key word arguments that need to be present in cache key. Returns: An MD5 encoded key uniquely identified by the key word arguments. """ key = '__'.join(['{}:{}'.format(item, value) for item, value in iteritems(kwargs)]) return hashlib.md5(key.encode('utf-8')).hexdigest()
def get_cache_key(**kwargs): """ Get MD5 encoded cache key for given arguments. Here is the format of key before MD5 encryption. key1:value1__key2:value2 ... Example: >>> get_cache_key(site_domain="example.com", resource="enterprise") # Here is key format for above call # "site_domain:example.com__resource:enterprise" a54349175618ff1659dee0978e3149ca Arguments: **kwargs: Key word arguments that need to be present in cache key. Returns: An MD5 encoded key uniquely identified by the key word arguments. """ key = '__'.join(['{}:{}'.format(item, value) for item, value in iteritems(kwargs)]) return hashlib.md5(key.encode('utf-8')).hexdigest()
[ "Get", "MD5", "encoded", "cache", "key", "for", "given", "arguments", "." ]
edx/edx-enterprise
python
https://github.com/edx/edx-enterprise/blob/aea91379ab0a87cd3bc798961fce28b60ee49a80/enterprise/utils.py#L519-L540
[ "def", "get_cache_key", "(", "*", "*", "kwargs", ")", ":", "key", "=", "'__'", ".", "join", "(", "[", "'{}:{}'", ".", "format", "(", "item", ",", "value", ")", "for", "item", ",", "value", "in", "iteritems", "(", "kwargs", ")", "]", ")", "return", "hashlib", ".", "md5", "(", "key", ".", "encode", "(", "'utf-8'", ")", ")", ".", "hexdigest", "(", ")" ]
aea91379ab0a87cd3bc798961fce28b60ee49a80
valid
traverse_pagination
Traverse a paginated API response. Extracts and concatenates "results" (list of dict) returned by DRF-powered APIs. Arguments: response (Dict): Current response dict from service API endpoint (slumber Resource object): slumber Resource object from edx-rest-api-client Returns: list of dict.
enterprise/utils.py
def traverse_pagination(response, endpoint): """ Traverse a paginated API response. Extracts and concatenates "results" (list of dict) returned by DRF-powered APIs. Arguments: response (Dict): Current response dict from service API endpoint (slumber Resource object): slumber Resource object from edx-rest-api-client Returns: list of dict. """ results = response.get('results', []) next_page = response.get('next') while next_page: querystring = parse_qs(urlparse(next_page).query, keep_blank_values=True) response = endpoint.get(**querystring) results += response.get('results', []) next_page = response.get('next') return results
def traverse_pagination(response, endpoint): """ Traverse a paginated API response. Extracts and concatenates "results" (list of dict) returned by DRF-powered APIs. Arguments: response (Dict): Current response dict from service API endpoint (slumber Resource object): slumber Resource object from edx-rest-api-client Returns: list of dict. """ results = response.get('results', []) next_page = response.get('next') while next_page: querystring = parse_qs(urlparse(next_page).query, keep_blank_values=True) response = endpoint.get(**querystring) results += response.get('results', []) next_page = response.get('next') return results
[ "Traverse", "a", "paginated", "API", "response", "." ]
edx/edx-enterprise
python
https://github.com/edx/edx-enterprise/blob/aea91379ab0a87cd3bc798961fce28b60ee49a80/enterprise/utils.py#L543-L567
[ "def", "traverse_pagination", "(", "response", ",", "endpoint", ")", ":", "results", "=", "response", ".", "get", "(", "'results'", ",", "[", "]", ")", "next_page", "=", "response", ".", "get", "(", "'next'", ")", "while", "next_page", ":", "querystring", "=", "parse_qs", "(", "urlparse", "(", "next_page", ")", ".", "query", ",", "keep_blank_values", "=", "True", ")", "response", "=", "endpoint", ".", "get", "(", "*", "*", "querystring", ")", "results", "+=", "response", ".", "get", "(", "'results'", ",", "[", "]", ")", "next_page", "=", "response", ".", "get", "(", "'next'", ")", "return", "results" ]
aea91379ab0a87cd3bc798961fce28b60ee49a80
valid
ungettext_min_max
Return grammatically correct, translated text based off of a minimum and maximum value. Example: min = 1, max = 1, singular = '{} hour required for this course', plural = '{} hours required for this course' output = '1 hour required for this course' min = 2, max = 2, singular = '{} hour required for this course', plural = '{} hours required for this course' output = '2 hours required for this course' min = 2, max = 4, range_text = '{}-{} hours required for this course' output = '2-4 hours required for this course' min = None, max = 2, plural = '{} hours required for this course' output = '2 hours required for this course' Expects ``range_text`` to already have a translation function called on it. Returns: ``None`` if both of the input values are ``None``. ``singular`` formatted if both are equal or one of the inputs, but not both, are ``None``, and the value is 1. ``plural`` formatted if both are equal or one of its inputs, but not both, are ``None``, and the value is > 1. ``range_text`` formatted if min != max and both are valid values.
enterprise/utils.py
def ungettext_min_max(singular, plural, range_text, min_val, max_val): """ Return grammatically correct, translated text based off of a minimum and maximum value. Example: min = 1, max = 1, singular = '{} hour required for this course', plural = '{} hours required for this course' output = '1 hour required for this course' min = 2, max = 2, singular = '{} hour required for this course', plural = '{} hours required for this course' output = '2 hours required for this course' min = 2, max = 4, range_text = '{}-{} hours required for this course' output = '2-4 hours required for this course' min = None, max = 2, plural = '{} hours required for this course' output = '2 hours required for this course' Expects ``range_text`` to already have a translation function called on it. Returns: ``None`` if both of the input values are ``None``. ``singular`` formatted if both are equal or one of the inputs, but not both, are ``None``, and the value is 1. ``plural`` formatted if both are equal or one of its inputs, but not both, are ``None``, and the value is > 1. ``range_text`` formatted if min != max and both are valid values. """ if min_val is None and max_val is None: return None if min_val == max_val or min_val is None or max_val is None: # pylint: disable=translation-of-non-string return ungettext(singular, plural, min_val or max_val).format(min_val or max_val) return range_text.format(min_val, max_val)
def ungettext_min_max(singular, plural, range_text, min_val, max_val): """ Return grammatically correct, translated text based off of a minimum and maximum value. Example: min = 1, max = 1, singular = '{} hour required for this course', plural = '{} hours required for this course' output = '1 hour required for this course' min = 2, max = 2, singular = '{} hour required for this course', plural = '{} hours required for this course' output = '2 hours required for this course' min = 2, max = 4, range_text = '{}-{} hours required for this course' output = '2-4 hours required for this course' min = None, max = 2, plural = '{} hours required for this course' output = '2 hours required for this course' Expects ``range_text`` to already have a translation function called on it. Returns: ``None`` if both of the input values are ``None``. ``singular`` formatted if both are equal or one of the inputs, but not both, are ``None``, and the value is 1. ``plural`` formatted if both are equal or one of its inputs, but not both, are ``None``, and the value is > 1. ``range_text`` formatted if min != max and both are valid values. """ if min_val is None and max_val is None: return None if min_val == max_val or min_val is None or max_val is None: # pylint: disable=translation-of-non-string return ungettext(singular, plural, min_val or max_val).format(min_val or max_val) return range_text.format(min_val, max_val)
[ "Return", "grammatically", "correct", "translated", "text", "based", "off", "of", "a", "minimum", "and", "maximum", "value", "." ]
edx/edx-enterprise
python
https://github.com/edx/edx-enterprise/blob/aea91379ab0a87cd3bc798961fce28b60ee49a80/enterprise/utils.py#L570-L600
[ "def", "ungettext_min_max", "(", "singular", ",", "plural", ",", "range_text", ",", "min_val", ",", "max_val", ")", ":", "if", "min_val", "is", "None", "and", "max_val", "is", "None", ":", "return", "None", "if", "min_val", "==", "max_val", "or", "min_val", "is", "None", "or", "max_val", "is", "None", ":", "# pylint: disable=translation-of-non-string", "return", "ungettext", "(", "singular", ",", "plural", ",", "min_val", "or", "max_val", ")", ".", "format", "(", "min_val", "or", "max_val", ")", "return", "range_text", ".", "format", "(", "min_val", ",", "max_val", ")" ]
aea91379ab0a87cd3bc798961fce28b60ee49a80
valid
format_price
Format the price to have the appropriate currency and digits.. :param price: The price amount. :param currency: The currency for the price. :return: A formatted price string, i.e. '$10', '$10.52'.
enterprise/utils.py
def format_price(price, currency='$'): """ Format the price to have the appropriate currency and digits.. :param price: The price amount. :param currency: The currency for the price. :return: A formatted price string, i.e. '$10', '$10.52'. """ if int(price) == price: return '{}{}'.format(currency, int(price)) return '{}{:0.2f}'.format(currency, price)
def format_price(price, currency='$'): """ Format the price to have the appropriate currency and digits.. :param price: The price amount. :param currency: The currency for the price. :return: A formatted price string, i.e. '$10', '$10.52'. """ if int(price) == price: return '{}{}'.format(currency, int(price)) return '{}{:0.2f}'.format(currency, price)
[ "Format", "the", "price", "to", "have", "the", "appropriate", "currency", "and", "digits", ".." ]
edx/edx-enterprise
python
https://github.com/edx/edx-enterprise/blob/aea91379ab0a87cd3bc798961fce28b60ee49a80/enterprise/utils.py#L603-L613
[ "def", "format_price", "(", "price", ",", "currency", "=", "'$'", ")", ":", "if", "int", "(", "price", ")", "==", "price", ":", "return", "'{}{}'", ".", "format", "(", "currency", ",", "int", "(", "price", ")", ")", "return", "'{}{:0.2f}'", ".", "format", "(", "currency", ",", "price", ")" ]
aea91379ab0a87cd3bc798961fce28b60ee49a80
valid
get_configuration_value_for_site
Get the site configuration value for a key, unless a site configuration does not exist for that site. Useful for testing when no Site Configuration exists in edx-enterprise or if a site in LMS doesn't have a configuration tied to it. :param site: A Site model object :param key: The name of the value to retrieve :param default: The default response if there's no key in site config or settings :return: The value located at that key in the site configuration or settings file.
enterprise/utils.py
def get_configuration_value_for_site(site, key, default=None): """ Get the site configuration value for a key, unless a site configuration does not exist for that site. Useful for testing when no Site Configuration exists in edx-enterprise or if a site in LMS doesn't have a configuration tied to it. :param site: A Site model object :param key: The name of the value to retrieve :param default: The default response if there's no key in site config or settings :return: The value located at that key in the site configuration or settings file. """ if hasattr(site, 'configuration'): return site.configuration.get_value(key, default) return default
def get_configuration_value_for_site(site, key, default=None): """ Get the site configuration value for a key, unless a site configuration does not exist for that site. Useful for testing when no Site Configuration exists in edx-enterprise or if a site in LMS doesn't have a configuration tied to it. :param site: A Site model object :param key: The name of the value to retrieve :param default: The default response if there's no key in site config or settings :return: The value located at that key in the site configuration or settings file. """ if hasattr(site, 'configuration'): return site.configuration.get_value(key, default) return default
[ "Get", "the", "site", "configuration", "value", "for", "a", "key", "unless", "a", "site", "configuration", "does", "not", "exist", "for", "that", "site", "." ]
edx/edx-enterprise
python
https://github.com/edx/edx-enterprise/blob/aea91379ab0a87cd3bc798961fce28b60ee49a80/enterprise/utils.py#L616-L630
[ "def", "get_configuration_value_for_site", "(", "site", ",", "key", ",", "default", "=", "None", ")", ":", "if", "hasattr", "(", "site", ",", "'configuration'", ")", ":", "return", "site", ".", "configuration", ".", "get_value", "(", "key", ",", "default", ")", "return", "default" ]
aea91379ab0a87cd3bc798961fce28b60ee49a80
valid
get_configuration_value
Get a configuration value, or fall back to ``default`` if it doesn't exist. Also takes a `type` argument to guide which particular upstream method to use when trying to retrieve a value. Current types include: - `url` to specifically get a URL.
enterprise/utils.py
def get_configuration_value(val_name, default=None, **kwargs): """ Get a configuration value, or fall back to ``default`` if it doesn't exist. Also takes a `type` argument to guide which particular upstream method to use when trying to retrieve a value. Current types include: - `url` to specifically get a URL. """ if kwargs.get('type') == 'url': return get_url(val_name) or default if callable(get_url) else default return configuration_helpers.get_value(val_name, default, **kwargs) if configuration_helpers else default
def get_configuration_value(val_name, default=None, **kwargs): """ Get a configuration value, or fall back to ``default`` if it doesn't exist. Also takes a `type` argument to guide which particular upstream method to use when trying to retrieve a value. Current types include: - `url` to specifically get a URL. """ if kwargs.get('type') == 'url': return get_url(val_name) or default if callable(get_url) else default return configuration_helpers.get_value(val_name, default, **kwargs) if configuration_helpers else default
[ "Get", "a", "configuration", "value", "or", "fall", "back", "to", "default", "if", "it", "doesn", "t", "exist", "." ]
edx/edx-enterprise
python
https://github.com/edx/edx-enterprise/blob/aea91379ab0a87cd3bc798961fce28b60ee49a80/enterprise/utils.py#L633-L643
[ "def", "get_configuration_value", "(", "val_name", ",", "default", "=", "None", ",", "*", "*", "kwargs", ")", ":", "if", "kwargs", ".", "get", "(", "'type'", ")", "==", "'url'", ":", "return", "get_url", "(", "val_name", ")", "or", "default", "if", "callable", "(", "get_url", ")", "else", "default", "return", "configuration_helpers", ".", "get_value", "(", "val_name", ",", "default", ",", "*", "*", "kwargs", ")", "if", "configuration_helpers", "else", "default" ]
aea91379ab0a87cd3bc798961fce28b60ee49a80
valid
get_request_value
Get the value in the request, either through query parameters or posted data, from a key. :param request: The request from which the value should be gotten. :param key: The key to use to get the desired value. :param default: The backup value to use in case the input key cannot help us get the value. :return: The value we're looking for.
enterprise/utils.py
def get_request_value(request, key, default=None): """ Get the value in the request, either through query parameters or posted data, from a key. :param request: The request from which the value should be gotten. :param key: The key to use to get the desired value. :param default: The backup value to use in case the input key cannot help us get the value. :return: The value we're looking for. """ if request.method in ['GET', 'DELETE']: return request.query_params.get(key, request.data.get(key, default)) return request.data.get(key, request.query_params.get(key, default))
def get_request_value(request, key, default=None): """ Get the value in the request, either through query parameters or posted data, from a key. :param request: The request from which the value should be gotten. :param key: The key to use to get the desired value. :param default: The backup value to use in case the input key cannot help us get the value. :return: The value we're looking for. """ if request.method in ['GET', 'DELETE']: return request.query_params.get(key, request.data.get(key, default)) return request.data.get(key, request.query_params.get(key, default))
[ "Get", "the", "value", "in", "the", "request", "either", "through", "query", "parameters", "or", "posted", "data", "from", "a", "key", "." ]
edx/edx-enterprise
python
https://github.com/edx/edx-enterprise/blob/aea91379ab0a87cd3bc798961fce28b60ee49a80/enterprise/utils.py#L646-L657
[ "def", "get_request_value", "(", "request", ",", "key", ",", "default", "=", "None", ")", ":", "if", "request", ".", "method", "in", "[", "'GET'", ",", "'DELETE'", "]", ":", "return", "request", ".", "query_params", ".", "get", "(", "key", ",", "request", ".", "data", ".", "get", "(", "key", ",", "default", ")", ")", "return", "request", ".", "data", ".", "get", "(", "key", ",", "request", ".", "query_params", ".", "get", "(", "key", ",", "default", ")", ")" ]
aea91379ab0a87cd3bc798961fce28b60ee49a80
valid
track_event
Emit a track event to segment (and forwarded to GA) for some parts of the Enterprise workflows.
enterprise/utils.py
def track_event(user_id, event_name, properties): """ Emit a track event to segment (and forwarded to GA) for some parts of the Enterprise workflows. """ # Only call the endpoint if the import was successful. if segment: segment.track(user_id, event_name, properties)
def track_event(user_id, event_name, properties): """ Emit a track event to segment (and forwarded to GA) for some parts of the Enterprise workflows. """ # Only call the endpoint if the import was successful. if segment: segment.track(user_id, event_name, properties)
[ "Emit", "a", "track", "event", "to", "segment", "(", "and", "forwarded", "to", "GA", ")", "for", "some", "parts", "of", "the", "Enterprise", "workflows", "." ]
edx/edx-enterprise
python
https://github.com/edx/edx-enterprise/blob/aea91379ab0a87cd3bc798961fce28b60ee49a80/enterprise/utils.py#L685-L691
[ "def", "track_event", "(", "user_id", ",", "event_name", ",", "properties", ")", ":", "# Only call the endpoint if the import was successful.", "if", "segment", ":", "segment", ".", "track", "(", "user_id", ",", "event_name", ",", "properties", ")" ]
aea91379ab0a87cd3bc798961fce28b60ee49a80
valid
track_enrollment
Emit a track event for enterprise course enrollment.
enterprise/utils.py
def track_enrollment(pathway, user_id, course_run_id, url_path=None): """ Emit a track event for enterprise course enrollment. """ track_event(user_id, 'edx.bi.user.enterprise.onboarding', { 'pathway': pathway, 'url_path': url_path, 'course_run_id': course_run_id, })
def track_enrollment(pathway, user_id, course_run_id, url_path=None): """ Emit a track event for enterprise course enrollment. """ track_event(user_id, 'edx.bi.user.enterprise.onboarding', { 'pathway': pathway, 'url_path': url_path, 'course_run_id': course_run_id, })
[ "Emit", "a", "track", "event", "for", "enterprise", "course", "enrollment", "." ]
edx/edx-enterprise
python
https://github.com/edx/edx-enterprise/blob/aea91379ab0a87cd3bc798961fce28b60ee49a80/enterprise/utils.py#L694-L702
[ "def", "track_enrollment", "(", "pathway", ",", "user_id", ",", "course_run_id", ",", "url_path", "=", "None", ")", ":", "track_event", "(", "user_id", ",", "'edx.bi.user.enterprise.onboarding'", ",", "{", "'pathway'", ":", "pathway", ",", "'url_path'", ":", "url_path", ",", "'course_run_id'", ":", "course_run_id", ",", "}", ")" ]
aea91379ab0a87cd3bc798961fce28b60ee49a80
valid
is_course_run_enrollable
Return true if the course run is enrollable, false otherwise. We look for the following criteria: - end is greater than now OR null - enrollment_start is less than now OR null - enrollment_end is greater than now OR null
enterprise/utils.py
def is_course_run_enrollable(course_run): """ Return true if the course run is enrollable, false otherwise. We look for the following criteria: - end is greater than now OR null - enrollment_start is less than now OR null - enrollment_end is greater than now OR null """ now = datetime.datetime.now(pytz.UTC) end = parse_datetime_handle_invalid(course_run.get('end')) enrollment_start = parse_datetime_handle_invalid(course_run.get('enrollment_start')) enrollment_end = parse_datetime_handle_invalid(course_run.get('enrollment_end')) return (not end or end > now) and \ (not enrollment_start or enrollment_start < now) and \ (not enrollment_end or enrollment_end > now)
def is_course_run_enrollable(course_run): """ Return true if the course run is enrollable, false otherwise. We look for the following criteria: - end is greater than now OR null - enrollment_start is less than now OR null - enrollment_end is greater than now OR null """ now = datetime.datetime.now(pytz.UTC) end = parse_datetime_handle_invalid(course_run.get('end')) enrollment_start = parse_datetime_handle_invalid(course_run.get('enrollment_start')) enrollment_end = parse_datetime_handle_invalid(course_run.get('enrollment_end')) return (not end or end > now) and \ (not enrollment_start or enrollment_start < now) and \ (not enrollment_end or enrollment_end > now)
[ "Return", "true", "if", "the", "course", "run", "is", "enrollable", "false", "otherwise", "." ]
edx/edx-enterprise
python
https://github.com/edx/edx-enterprise/blob/aea91379ab0a87cd3bc798961fce28b60ee49a80/enterprise/utils.py#L715-L730
[ "def", "is_course_run_enrollable", "(", "course_run", ")", ":", "now", "=", "datetime", ".", "datetime", ".", "now", "(", "pytz", ".", "UTC", ")", "end", "=", "parse_datetime_handle_invalid", "(", "course_run", ".", "get", "(", "'end'", ")", ")", "enrollment_start", "=", "parse_datetime_handle_invalid", "(", "course_run", ".", "get", "(", "'enrollment_start'", ")", ")", "enrollment_end", "=", "parse_datetime_handle_invalid", "(", "course_run", ".", "get", "(", "'enrollment_end'", ")", ")", "return", "(", "not", "end", "or", "end", ">", "now", ")", "and", "(", "not", "enrollment_start", "or", "enrollment_start", "<", "now", ")", "and", "(", "not", "enrollment_end", "or", "enrollment_end", ">", "now", ")" ]
aea91379ab0a87cd3bc798961fce28b60ee49a80
valid
is_course_run_upgradeable
Return true if the course run has a verified seat with an unexpired upgrade deadline, false otherwise.
enterprise/utils.py
def is_course_run_upgradeable(course_run): """ Return true if the course run has a verified seat with an unexpired upgrade deadline, false otherwise. """ now = datetime.datetime.now(pytz.UTC) for seat in course_run.get('seats', []): if seat.get('type') == 'verified': upgrade_deadline = parse_datetime_handle_invalid(seat.get('upgrade_deadline')) return not upgrade_deadline or upgrade_deadline > now return False
def is_course_run_upgradeable(course_run): """ Return true if the course run has a verified seat with an unexpired upgrade deadline, false otherwise. """ now = datetime.datetime.now(pytz.UTC) for seat in course_run.get('seats', []): if seat.get('type') == 'verified': upgrade_deadline = parse_datetime_handle_invalid(seat.get('upgrade_deadline')) return not upgrade_deadline or upgrade_deadline > now return False
[ "Return", "true", "if", "the", "course", "run", "has", "a", "verified", "seat", "with", "an", "unexpired", "upgrade", "deadline", "false", "otherwise", "." ]
edx/edx-enterprise
python
https://github.com/edx/edx-enterprise/blob/aea91379ab0a87cd3bc798961fce28b60ee49a80/enterprise/utils.py#L733-L742
[ "def", "is_course_run_upgradeable", "(", "course_run", ")", ":", "now", "=", "datetime", ".", "datetime", ".", "now", "(", "pytz", ".", "UTC", ")", "for", "seat", "in", "course_run", ".", "get", "(", "'seats'", ",", "[", "]", ")", ":", "if", "seat", ".", "get", "(", "'type'", ")", "==", "'verified'", ":", "upgrade_deadline", "=", "parse_datetime_handle_invalid", "(", "seat", ".", "get", "(", "'upgrade_deadline'", ")", ")", "return", "not", "upgrade_deadline", "or", "upgrade_deadline", ">", "now", "return", "False" ]
aea91379ab0a87cd3bc798961fce28b60ee49a80
valid
get_closest_course_run
Return course run with start date closest to now.
enterprise/utils.py
def get_closest_course_run(course_runs): """ Return course run with start date closest to now. """ if len(course_runs) == 1: return course_runs[0] now = datetime.datetime.now(pytz.UTC) # course runs with no start date should be considered last. never = now - datetime.timedelta(days=3650) return min(course_runs, key=lambda x: abs(get_course_run_start(x, never) - now))
def get_closest_course_run(course_runs): """ Return course run with start date closest to now. """ if len(course_runs) == 1: return course_runs[0] now = datetime.datetime.now(pytz.UTC) # course runs with no start date should be considered last. never = now - datetime.timedelta(days=3650) return min(course_runs, key=lambda x: abs(get_course_run_start(x, never) - now))
[ "Return", "course", "run", "with", "start", "date", "closest", "to", "now", "." ]
edx/edx-enterprise
python
https://github.com/edx/edx-enterprise/blob/aea91379ab0a87cd3bc798961fce28b60ee49a80/enterprise/utils.py#L752-L762
[ "def", "get_closest_course_run", "(", "course_runs", ")", ":", "if", "len", "(", "course_runs", ")", "==", "1", ":", "return", "course_runs", "[", "0", "]", "now", "=", "datetime", ".", "datetime", ".", "now", "(", "pytz", ".", "UTC", ")", "# course runs with no start date should be considered last.", "never", "=", "now", "-", "datetime", ".", "timedelta", "(", "days", "=", "3650", ")", "return", "min", "(", "course_runs", ",", "key", "=", "lambda", "x", ":", "abs", "(", "get_course_run_start", "(", "x", ",", "never", ")", "-", "now", ")", ")" ]
aea91379ab0a87cd3bc798961fce28b60ee49a80
valid
get_active_course_runs
Return active course runs (user is enrolled in) of the given course. This function will return the course_runs of 'course' which have active enrollment by looking into 'users_all_enrolled_courses'
enterprise/utils.py
def get_active_course_runs(course, users_all_enrolled_courses): """ Return active course runs (user is enrolled in) of the given course. This function will return the course_runs of 'course' which have active enrollment by looking into 'users_all_enrolled_courses' """ # User's all course_run ids in which he has enrolled. enrolled_course_run_ids = [ enrolled_course_run['course_details']['course_id'] for enrolled_course_run in users_all_enrolled_courses if enrolled_course_run['is_active'] and enrolled_course_run.get('course_details') ] return [course_run for course_run in course['course_runs'] if course_run['key'] in enrolled_course_run_ids]
def get_active_course_runs(course, users_all_enrolled_courses): """ Return active course runs (user is enrolled in) of the given course. This function will return the course_runs of 'course' which have active enrollment by looking into 'users_all_enrolled_courses' """ # User's all course_run ids in which he has enrolled. enrolled_course_run_ids = [ enrolled_course_run['course_details']['course_id'] for enrolled_course_run in users_all_enrolled_courses if enrolled_course_run['is_active'] and enrolled_course_run.get('course_details') ] return [course_run for course_run in course['course_runs'] if course_run['key'] in enrolled_course_run_ids]
[ "Return", "active", "course", "runs", "(", "user", "is", "enrolled", "in", ")", "of", "the", "given", "course", "." ]
edx/edx-enterprise
python
https://github.com/edx/edx-enterprise/blob/aea91379ab0a87cd3bc798961fce28b60ee49a80/enterprise/utils.py#L765-L777
[ "def", "get_active_course_runs", "(", "course", ",", "users_all_enrolled_courses", ")", ":", "# User's all course_run ids in which he has enrolled.", "enrolled_course_run_ids", "=", "[", "enrolled_course_run", "[", "'course_details'", "]", "[", "'course_id'", "]", "for", "enrolled_course_run", "in", "users_all_enrolled_courses", "if", "enrolled_course_run", "[", "'is_active'", "]", "and", "enrolled_course_run", ".", "get", "(", "'course_details'", ")", "]", "return", "[", "course_run", "for", "course_run", "in", "course", "[", "'course_runs'", "]", "if", "course_run", "[", "'key'", "]", "in", "enrolled_course_run_ids", "]" ]
aea91379ab0a87cd3bc798961fce28b60ee49a80
valid
get_current_course_run
Return the current course run on the following conditions. - If user has active course runs (already enrolled) then return course run with closest start date Otherwise it will check the following logic: - Course run is enrollable (see is_course_run_enrollable) - Course run has a verified seat and the upgrade deadline has not expired. - Course run start date is closer to now than any other enrollable/upgradeable course runs. - If no enrollable/upgradeable course runs, return course run with most recent start date.
enterprise/utils.py
def get_current_course_run(course, users_active_course_runs): """ Return the current course run on the following conditions. - If user has active course runs (already enrolled) then return course run with closest start date Otherwise it will check the following logic: - Course run is enrollable (see is_course_run_enrollable) - Course run has a verified seat and the upgrade deadline has not expired. - Course run start date is closer to now than any other enrollable/upgradeable course runs. - If no enrollable/upgradeable course runs, return course run with most recent start date. """ current_course_run = None filtered_course_runs = [] all_course_runs = course['course_runs'] if users_active_course_runs: current_course_run = get_closest_course_run(users_active_course_runs) else: for course_run in all_course_runs: if is_course_run_enrollable(course_run) and is_course_run_upgradeable(course_run): filtered_course_runs.append(course_run) if not filtered_course_runs: # Consider all runs if there were not any enrollable/upgradeable ones. filtered_course_runs = all_course_runs if filtered_course_runs: current_course_run = get_closest_course_run(filtered_course_runs) return current_course_run
def get_current_course_run(course, users_active_course_runs): """ Return the current course run on the following conditions. - If user has active course runs (already enrolled) then return course run with closest start date Otherwise it will check the following logic: - Course run is enrollable (see is_course_run_enrollable) - Course run has a verified seat and the upgrade deadline has not expired. - Course run start date is closer to now than any other enrollable/upgradeable course runs. - If no enrollable/upgradeable course runs, return course run with most recent start date. """ current_course_run = None filtered_course_runs = [] all_course_runs = course['course_runs'] if users_active_course_runs: current_course_run = get_closest_course_run(users_active_course_runs) else: for course_run in all_course_runs: if is_course_run_enrollable(course_run) and is_course_run_upgradeable(course_run): filtered_course_runs.append(course_run) if not filtered_course_runs: # Consider all runs if there were not any enrollable/upgradeable ones. filtered_course_runs = all_course_runs if filtered_course_runs: current_course_run = get_closest_course_run(filtered_course_runs) return current_course_run
[ "Return", "the", "current", "course", "run", "on", "the", "following", "conditions", "." ]
edx/edx-enterprise
python
https://github.com/edx/edx-enterprise/blob/aea91379ab0a87cd3bc798961fce28b60ee49a80/enterprise/utils.py#L780-L808
[ "def", "get_current_course_run", "(", "course", ",", "users_active_course_runs", ")", ":", "current_course_run", "=", "None", "filtered_course_runs", "=", "[", "]", "all_course_runs", "=", "course", "[", "'course_runs'", "]", "if", "users_active_course_runs", ":", "current_course_run", "=", "get_closest_course_run", "(", "users_active_course_runs", ")", "else", ":", "for", "course_run", "in", "all_course_runs", ":", "if", "is_course_run_enrollable", "(", "course_run", ")", "and", "is_course_run_upgradeable", "(", "course_run", ")", ":", "filtered_course_runs", ".", "append", "(", "course_run", ")", "if", "not", "filtered_course_runs", ":", "# Consider all runs if there were not any enrollable/upgradeable ones.", "filtered_course_runs", "=", "all_course_runs", "if", "filtered_course_runs", ":", "current_course_run", "=", "get_closest_course_run", "(", "filtered_course_runs", ")", "return", "current_course_run" ]
aea91379ab0a87cd3bc798961fce28b60ee49a80
valid
strip_html_tags
Strip all tags from a string except those tags provided in `allowed_tags` parameter. Args: text (str): string to strip html tags from allowed_tags (list): allowed list of html tags Returns: a string without html tags
enterprise/utils.py
def strip_html_tags(text, allowed_tags=None): """ Strip all tags from a string except those tags provided in `allowed_tags` parameter. Args: text (str): string to strip html tags from allowed_tags (list): allowed list of html tags Returns: a string without html tags """ if text is None: return if allowed_tags is None: allowed_tags = ALLOWED_TAGS return bleach.clean(text, tags=allowed_tags, attributes=['id', 'class', 'style', 'href', 'title'], strip=True)
def strip_html_tags(text, allowed_tags=None): """ Strip all tags from a string except those tags provided in `allowed_tags` parameter. Args: text (str): string to strip html tags from allowed_tags (list): allowed list of html tags Returns: a string without html tags """ if text is None: return if allowed_tags is None: allowed_tags = ALLOWED_TAGS return bleach.clean(text, tags=allowed_tags, attributes=['id', 'class', 'style', 'href', 'title'], strip=True)
[ "Strip", "all", "tags", "from", "a", "string", "except", "those", "tags", "provided", "in", "allowed_tags", "parameter", "." ]
edx/edx-enterprise
python
https://github.com/edx/edx-enterprise/blob/aea91379ab0a87cd3bc798961fce28b60ee49a80/enterprise/utils.py#L811-L825
[ "def", "strip_html_tags", "(", "text", ",", "allowed_tags", "=", "None", ")", ":", "if", "text", "is", "None", ":", "return", "if", "allowed_tags", "is", "None", ":", "allowed_tags", "=", "ALLOWED_TAGS", "return", "bleach", ".", "clean", "(", "text", ",", "tags", "=", "allowed_tags", ",", "attributes", "=", "[", "'id'", ",", "'class'", ",", "'style'", ",", "'href'", ",", "'title'", "]", ",", "strip", "=", "True", ")" ]
aea91379ab0a87cd3bc798961fce28b60ee49a80
valid
parse_course_key
Return the serialized course key given either a course run ID or course key.
enterprise/utils.py
def parse_course_key(course_identifier): """ Return the serialized course key given either a course run ID or course key. """ try: course_run_key = CourseKey.from_string(course_identifier) except InvalidKeyError: # Assume we already have a course key. return course_identifier return quote_plus(' '.join([course_run_key.org, course_run_key.course]))
def parse_course_key(course_identifier): """ Return the serialized course key given either a course run ID or course key. """ try: course_run_key = CourseKey.from_string(course_identifier) except InvalidKeyError: # Assume we already have a course key. return course_identifier return quote_plus(' '.join([course_run_key.org, course_run_key.course]))
[ "Return", "the", "serialized", "course", "key", "given", "either", "a", "course", "run", "ID", "or", "course", "key", "." ]
edx/edx-enterprise
python
https://github.com/edx/edx-enterprise/blob/aea91379ab0a87cd3bc798961fce28b60ee49a80/enterprise/utils.py#L828-L838
[ "def", "parse_course_key", "(", "course_identifier", ")", ":", "try", ":", "course_run_key", "=", "CourseKey", ".", "from_string", "(", "course_identifier", ")", "except", "InvalidKeyError", ":", "# Assume we already have a course key.", "return", "course_identifier", "return", "quote_plus", "(", "' '", ".", "join", "(", "[", "course_run_key", ".", "org", ",", "course_run_key", ".", "course", "]", ")", ")" ]
aea91379ab0a87cd3bc798961fce28b60ee49a80
valid
create_roles
Create the enterprise roles if they do not already exist.
enterprise/migrations/0066_add_system_wide_enterprise_operator_role.py
def create_roles(apps, schema_editor): """Create the enterprise roles if they do not already exist.""" SystemWideEnterpriseRole = apps.get_model('enterprise', 'SystemWideEnterpriseRole') SystemWideEnterpriseRole.objects.update_or_create(name=ENTERPRISE_OPERATOR_ROLE)
def create_roles(apps, schema_editor): """Create the enterprise roles if they do not already exist.""" SystemWideEnterpriseRole = apps.get_model('enterprise', 'SystemWideEnterpriseRole') SystemWideEnterpriseRole.objects.update_or_create(name=ENTERPRISE_OPERATOR_ROLE)
[ "Create", "the", "enterprise", "roles", "if", "they", "do", "not", "already", "exist", "." ]
edx/edx-enterprise
python
https://github.com/edx/edx-enterprise/blob/aea91379ab0a87cd3bc798961fce28b60ee49a80/enterprise/migrations/0066_add_system_wide_enterprise_operator_role.py#L10-L13
[ "def", "create_roles", "(", "apps", ",", "schema_editor", ")", ":", "SystemWideEnterpriseRole", "=", "apps", ".", "get_model", "(", "'enterprise'", ",", "'SystemWideEnterpriseRole'", ")", "SystemWideEnterpriseRole", ".", "objects", ".", "update_or_create", "(", "name", "=", "ENTERPRISE_OPERATOR_ROLE", ")" ]
aea91379ab0a87cd3bc798961fce28b60ee49a80
valid
delete_roles
Delete the enterprise roles.
enterprise/migrations/0066_add_system_wide_enterprise_operator_role.py
def delete_roles(apps, schema_editor): """Delete the enterprise roles.""" SystemWideEnterpriseRole = apps.get_model('enterprise', 'SystemWideEnterpriseRole') SystemWideEnterpriseRole.objects.filter( name__in=[ENTERPRISE_OPERATOR_ROLE] ).delete()
def delete_roles(apps, schema_editor): """Delete the enterprise roles.""" SystemWideEnterpriseRole = apps.get_model('enterprise', 'SystemWideEnterpriseRole') SystemWideEnterpriseRole.objects.filter( name__in=[ENTERPRISE_OPERATOR_ROLE] ).delete()
[ "Delete", "the", "enterprise", "roles", "." ]
edx/edx-enterprise
python
https://github.com/edx/edx-enterprise/blob/aea91379ab0a87cd3bc798961fce28b60ee49a80/enterprise/migrations/0066_add_system_wide_enterprise_operator_role.py#L16-L21
[ "def", "delete_roles", "(", "apps", ",", "schema_editor", ")", ":", "SystemWideEnterpriseRole", "=", "apps", ".", "get_model", "(", "'enterprise'", ",", "'SystemWideEnterpriseRole'", ")", "SystemWideEnterpriseRole", ".", "objects", ".", "filter", "(", "name__in", "=", "[", "ENTERPRISE_OPERATOR_ROLE", "]", ")", ".", "delete", "(", ")" ]
aea91379ab0a87cd3bc798961fce28b60ee49a80
valid
EnterpriseXAPIClient.lrs
LRS client instance to be used for sending statements.
integrated_channels/xapi/client.py
def lrs(self): """ LRS client instance to be used for sending statements. """ return RemoteLRS( version=self.lrs_configuration.version, endpoint=self.lrs_configuration.endpoint, auth=self.lrs_configuration.authorization_header, )
def lrs(self): """ LRS client instance to be used for sending statements. """ return RemoteLRS( version=self.lrs_configuration.version, endpoint=self.lrs_configuration.endpoint, auth=self.lrs_configuration.authorization_header, )
[ "LRS", "client", "instance", "to", "be", "used", "for", "sending", "statements", "." ]
edx/edx-enterprise
python
https://github.com/edx/edx-enterprise/blob/aea91379ab0a87cd3bc798961fce28b60ee49a80/integrated_channels/xapi/client.py#L32-L40
[ "def", "lrs", "(", "self", ")", ":", "return", "RemoteLRS", "(", "version", "=", "self", ".", "lrs_configuration", ".", "version", ",", "endpoint", "=", "self", ".", "lrs_configuration", ".", "endpoint", ",", "auth", "=", "self", ".", "lrs_configuration", ".", "authorization_header", ",", ")" ]
aea91379ab0a87cd3bc798961fce28b60ee49a80
valid
EnterpriseXAPIClient.save_statement
Save xAPI statement. Arguments: statement (EnterpriseStatement): xAPI Statement to send to the LRS. Raises: ClientError: If xAPI statement fails to save.
integrated_channels/xapi/client.py
def save_statement(self, statement): """ Save xAPI statement. Arguments: statement (EnterpriseStatement): xAPI Statement to send to the LRS. Raises: ClientError: If xAPI statement fails to save. """ response = self.lrs.save_statement(statement) if not response: raise ClientError('EnterpriseXAPIClient request failed.')
def save_statement(self, statement): """ Save xAPI statement. Arguments: statement (EnterpriseStatement): xAPI Statement to send to the LRS. Raises: ClientError: If xAPI statement fails to save. """ response = self.lrs.save_statement(statement) if not response: raise ClientError('EnterpriseXAPIClient request failed.')
[ "Save", "xAPI", "statement", "." ]
edx/edx-enterprise
python
https://github.com/edx/edx-enterprise/blob/aea91379ab0a87cd3bc798961fce28b60ee49a80/integrated_channels/xapi/client.py#L42-L55
[ "def", "save_statement", "(", "self", ",", "statement", ")", ":", "response", "=", "self", ".", "lrs", ".", "save_statement", "(", "statement", ")", "if", "not", "response", ":", "raise", "ClientError", "(", "'EnterpriseXAPIClient request failed.'", ")" ]
aea91379ab0a87cd3bc798961fce28b60ee49a80
valid
SapSuccessFactorsLearnerExporter.get_learner_data_records
Return a SapSuccessFactorsLearnerDataTransmissionAudit with the given enrollment and course completion data. If completed_date is None and the learner isn't passing, then course completion has not been met. If no remote ID can be found, return None.
integrated_channels/sap_success_factors/exporters/learner_data.py
def get_learner_data_records(self, enterprise_enrollment, completed_date=None, grade=None, is_passing=False): """ Return a SapSuccessFactorsLearnerDataTransmissionAudit with the given enrollment and course completion data. If completed_date is None and the learner isn't passing, then course completion has not been met. If no remote ID can be found, return None. """ completed_timestamp = None course_completed = False if completed_date is not None: completed_timestamp = parse_datetime_to_epoch_millis(completed_date) course_completed = is_passing sapsf_user_id = enterprise_enrollment.enterprise_customer_user.get_remote_id() if sapsf_user_id is not None: SapSuccessFactorsLearnerDataTransmissionAudit = apps.get_model( # pylint: disable=invalid-name 'sap_success_factors', 'SapSuccessFactorsLearnerDataTransmissionAudit' ) # We return two records here, one with the course key and one with the course run id, to account for # uncertainty about the type of content (course vs. course run) that was sent to the integrated channel. return [ SapSuccessFactorsLearnerDataTransmissionAudit( enterprise_course_enrollment_id=enterprise_enrollment.id, sapsf_user_id=sapsf_user_id, course_id=parse_course_key(enterprise_enrollment.course_id), course_completed=course_completed, completed_timestamp=completed_timestamp, grade=grade, ), SapSuccessFactorsLearnerDataTransmissionAudit( enterprise_course_enrollment_id=enterprise_enrollment.id, sapsf_user_id=sapsf_user_id, course_id=enterprise_enrollment.course_id, course_completed=course_completed, completed_timestamp=completed_timestamp, grade=grade, ), ] else: LOGGER.debug( 'No learner data was sent for user [%s] because an SAP SuccessFactors user ID could not be found.', enterprise_enrollment.enterprise_customer_user.username )
def get_learner_data_records(self, enterprise_enrollment, completed_date=None, grade=None, is_passing=False): """ Return a SapSuccessFactorsLearnerDataTransmissionAudit with the given enrollment and course completion data. If completed_date is None and the learner isn't passing, then course completion has not been met. If no remote ID can be found, return None. """ completed_timestamp = None course_completed = False if completed_date is not None: completed_timestamp = parse_datetime_to_epoch_millis(completed_date) course_completed = is_passing sapsf_user_id = enterprise_enrollment.enterprise_customer_user.get_remote_id() if sapsf_user_id is not None: SapSuccessFactorsLearnerDataTransmissionAudit = apps.get_model( # pylint: disable=invalid-name 'sap_success_factors', 'SapSuccessFactorsLearnerDataTransmissionAudit' ) # We return two records here, one with the course key and one with the course run id, to account for # uncertainty about the type of content (course vs. course run) that was sent to the integrated channel. return [ SapSuccessFactorsLearnerDataTransmissionAudit( enterprise_course_enrollment_id=enterprise_enrollment.id, sapsf_user_id=sapsf_user_id, course_id=parse_course_key(enterprise_enrollment.course_id), course_completed=course_completed, completed_timestamp=completed_timestamp, grade=grade, ), SapSuccessFactorsLearnerDataTransmissionAudit( enterprise_course_enrollment_id=enterprise_enrollment.id, sapsf_user_id=sapsf_user_id, course_id=enterprise_enrollment.course_id, course_completed=course_completed, completed_timestamp=completed_timestamp, grade=grade, ), ] else: LOGGER.debug( 'No learner data was sent for user [%s] because an SAP SuccessFactors user ID could not be found.', enterprise_enrollment.enterprise_customer_user.username )
[ "Return", "a", "SapSuccessFactorsLearnerDataTransmissionAudit", "with", "the", "given", "enrollment", "and", "course", "completion", "data", "." ]
edx/edx-enterprise
python
https://github.com/edx/edx-enterprise/blob/aea91379ab0a87cd3bc798961fce28b60ee49a80/integrated_channels/sap_success_factors/exporters/learner_data.py#L28-L73
[ "def", "get_learner_data_records", "(", "self", ",", "enterprise_enrollment", ",", "completed_date", "=", "None", ",", "grade", "=", "None", ",", "is_passing", "=", "False", ")", ":", "completed_timestamp", "=", "None", "course_completed", "=", "False", "if", "completed_date", "is", "not", "None", ":", "completed_timestamp", "=", "parse_datetime_to_epoch_millis", "(", "completed_date", ")", "course_completed", "=", "is_passing", "sapsf_user_id", "=", "enterprise_enrollment", ".", "enterprise_customer_user", ".", "get_remote_id", "(", ")", "if", "sapsf_user_id", "is", "not", "None", ":", "SapSuccessFactorsLearnerDataTransmissionAudit", "=", "apps", ".", "get_model", "(", "# pylint: disable=invalid-name", "'sap_success_factors'", ",", "'SapSuccessFactorsLearnerDataTransmissionAudit'", ")", "# We return two records here, one with the course key and one with the course run id, to account for", "# uncertainty about the type of content (course vs. course run) that was sent to the integrated channel.", "return", "[", "SapSuccessFactorsLearnerDataTransmissionAudit", "(", "enterprise_course_enrollment_id", "=", "enterprise_enrollment", ".", "id", ",", "sapsf_user_id", "=", "sapsf_user_id", ",", "course_id", "=", "parse_course_key", "(", "enterprise_enrollment", ".", "course_id", ")", ",", "course_completed", "=", "course_completed", ",", "completed_timestamp", "=", "completed_timestamp", ",", "grade", "=", "grade", ",", ")", ",", "SapSuccessFactorsLearnerDataTransmissionAudit", "(", "enterprise_course_enrollment_id", "=", "enterprise_enrollment", ".", "id", ",", "sapsf_user_id", "=", "sapsf_user_id", ",", "course_id", "=", "enterprise_enrollment", ".", "course_id", ",", "course_completed", "=", "course_completed", ",", "completed_timestamp", "=", "completed_timestamp", ",", "grade", "=", "grade", ",", ")", ",", "]", "else", ":", "LOGGER", ".", "debug", "(", "'No learner data was sent for user [%s] because an SAP SuccessFactors user ID could not be found.'", ",", "enterprise_enrollment", ".", "enterprise_customer_user", ".", "username", ")" ]
aea91379ab0a87cd3bc798961fce28b60ee49a80
valid
SapSuccessFactorsLearnerManger.unlink_learners
Iterate over each learner and unlink inactive SAP channel learners. This method iterates over each enterprise learner and unlink learner from the enterprise if the learner is marked inactive in the related integrated channel.
integrated_channels/sap_success_factors/exporters/learner_data.py
def unlink_learners(self): """ Iterate over each learner and unlink inactive SAP channel learners. This method iterates over each enterprise learner and unlink learner from the enterprise if the learner is marked inactive in the related integrated channel. """ sap_inactive_learners = self.client.get_inactive_sap_learners() enterprise_customer = self.enterprise_configuration.enterprise_customer if not sap_inactive_learners: LOGGER.info( 'Enterprise customer {%s} has no SAPSF inactive learners', enterprise_customer.name ) return provider_id = enterprise_customer.identity_provider tpa_provider = get_identity_provider(provider_id) if not tpa_provider: LOGGER.info( 'Enterprise customer {%s} has no associated identity provider', enterprise_customer.name ) return None for sap_inactive_learner in sap_inactive_learners: social_auth_user = get_user_from_social_auth(tpa_provider, sap_inactive_learner['studentID']) if not social_auth_user: continue try: # Unlink user email from related Enterprise Customer EnterpriseCustomerUser.objects.unlink_user( enterprise_customer=enterprise_customer, user_email=social_auth_user.email, ) except (EnterpriseCustomerUser.DoesNotExist, PendingEnterpriseCustomerUser.DoesNotExist): LOGGER.info( 'Learner with email {%s} is not associated with Enterprise Customer {%s}', social_auth_user.email, enterprise_customer.name )
def unlink_learners(self): """ Iterate over each learner and unlink inactive SAP channel learners. This method iterates over each enterprise learner and unlink learner from the enterprise if the learner is marked inactive in the related integrated channel. """ sap_inactive_learners = self.client.get_inactive_sap_learners() enterprise_customer = self.enterprise_configuration.enterprise_customer if not sap_inactive_learners: LOGGER.info( 'Enterprise customer {%s} has no SAPSF inactive learners', enterprise_customer.name ) return provider_id = enterprise_customer.identity_provider tpa_provider = get_identity_provider(provider_id) if not tpa_provider: LOGGER.info( 'Enterprise customer {%s} has no associated identity provider', enterprise_customer.name ) return None for sap_inactive_learner in sap_inactive_learners: social_auth_user = get_user_from_social_auth(tpa_provider, sap_inactive_learner['studentID']) if not social_auth_user: continue try: # Unlink user email from related Enterprise Customer EnterpriseCustomerUser.objects.unlink_user( enterprise_customer=enterprise_customer, user_email=social_auth_user.email, ) except (EnterpriseCustomerUser.DoesNotExist, PendingEnterpriseCustomerUser.DoesNotExist): LOGGER.info( 'Learner with email {%s} is not associated with Enterprise Customer {%s}', social_auth_user.email, enterprise_customer.name )
[ "Iterate", "over", "each", "learner", "and", "unlink", "inactive", "SAP", "channel", "learners", "." ]
edx/edx-enterprise
python
https://github.com/edx/edx-enterprise/blob/aea91379ab0a87cd3bc798961fce28b60ee49a80/integrated_channels/sap_success_factors/exporters/learner_data.py#L92-L134
[ "def", "unlink_learners", "(", "self", ")", ":", "sap_inactive_learners", "=", "self", ".", "client", ".", "get_inactive_sap_learners", "(", ")", "enterprise_customer", "=", "self", ".", "enterprise_configuration", ".", "enterprise_customer", "if", "not", "sap_inactive_learners", ":", "LOGGER", ".", "info", "(", "'Enterprise customer {%s} has no SAPSF inactive learners'", ",", "enterprise_customer", ".", "name", ")", "return", "provider_id", "=", "enterprise_customer", ".", "identity_provider", "tpa_provider", "=", "get_identity_provider", "(", "provider_id", ")", "if", "not", "tpa_provider", ":", "LOGGER", ".", "info", "(", "'Enterprise customer {%s} has no associated identity provider'", ",", "enterprise_customer", ".", "name", ")", "return", "None", "for", "sap_inactive_learner", "in", "sap_inactive_learners", ":", "social_auth_user", "=", "get_user_from_social_auth", "(", "tpa_provider", ",", "sap_inactive_learner", "[", "'studentID'", "]", ")", "if", "not", "social_auth_user", ":", "continue", "try", ":", "# Unlink user email from related Enterprise Customer", "EnterpriseCustomerUser", ".", "objects", ".", "unlink_user", "(", "enterprise_customer", "=", "enterprise_customer", ",", "user_email", "=", "social_auth_user", ".", "email", ",", ")", "except", "(", "EnterpriseCustomerUser", ".", "DoesNotExist", ",", "PendingEnterpriseCustomerUser", ".", "DoesNotExist", ")", ":", "LOGGER", ".", "info", "(", "'Learner with email {%s} is not associated with Enterprise Customer {%s}'", ",", "social_auth_user", ".", "email", ",", "enterprise_customer", ".", "name", ")" ]
aea91379ab0a87cd3bc798961fce28b60ee49a80
valid
has_implicit_access_to_dashboard
Check that if request user has implicit access to `ENTERPRISE_DASHBOARD_ADMIN_ROLE` feature role. Returns: boolean: whether the request user has access or not
enterprise/rules.py
def has_implicit_access_to_dashboard(user, obj): # pylint: disable=unused-argument """ Check that if request user has implicit access to `ENTERPRISE_DASHBOARD_ADMIN_ROLE` feature role. Returns: boolean: whether the request user has access or not """ request = get_request_or_stub() decoded_jwt = get_decoded_jwt_from_request(request) return request_user_has_implicit_access_via_jwt(decoded_jwt, ENTERPRISE_DASHBOARD_ADMIN_ROLE)
def has_implicit_access_to_dashboard(user, obj): # pylint: disable=unused-argument """ Check that if request user has implicit access to `ENTERPRISE_DASHBOARD_ADMIN_ROLE` feature role. Returns: boolean: whether the request user has access or not """ request = get_request_or_stub() decoded_jwt = get_decoded_jwt_from_request(request) return request_user_has_implicit_access_via_jwt(decoded_jwt, ENTERPRISE_DASHBOARD_ADMIN_ROLE)
[ "Check", "that", "if", "request", "user", "has", "implicit", "access", "to", "ENTERPRISE_DASHBOARD_ADMIN_ROLE", "feature", "role", "." ]
edx/edx-enterprise
python
https://github.com/edx/edx-enterprise/blob/aea91379ab0a87cd3bc798961fce28b60ee49a80/enterprise/rules.py#L25-L34
[ "def", "has_implicit_access_to_dashboard", "(", "user", ",", "obj", ")", ":", "# pylint: disable=unused-argument", "request", "=", "get_request_or_stub", "(", ")", "decoded_jwt", "=", "get_decoded_jwt_from_request", "(", "request", ")", "return", "request_user_has_implicit_access_via_jwt", "(", "decoded_jwt", ",", "ENTERPRISE_DASHBOARD_ADMIN_ROLE", ")" ]
aea91379ab0a87cd3bc798961fce28b60ee49a80
valid
has_implicit_access_to_catalog
Check that if request user has implicit access to `ENTERPRISE_CATALOG_ADMIN_ROLE` feature role. Returns: boolean: whether the request user has access or not
enterprise/rules.py
def has_implicit_access_to_catalog(user, obj): # pylint: disable=unused-argument """ Check that if request user has implicit access to `ENTERPRISE_CATALOG_ADMIN_ROLE` feature role. Returns: boolean: whether the request user has access or not """ request = get_request_or_stub() decoded_jwt = get_decoded_jwt_from_request(request) return request_user_has_implicit_access_via_jwt(decoded_jwt, ENTERPRISE_CATALOG_ADMIN_ROLE, obj)
def has_implicit_access_to_catalog(user, obj): # pylint: disable=unused-argument """ Check that if request user has implicit access to `ENTERPRISE_CATALOG_ADMIN_ROLE` feature role. Returns: boolean: whether the request user has access or not """ request = get_request_or_stub() decoded_jwt = get_decoded_jwt_from_request(request) return request_user_has_implicit_access_via_jwt(decoded_jwt, ENTERPRISE_CATALOG_ADMIN_ROLE, obj)
[ "Check", "that", "if", "request", "user", "has", "implicit", "access", "to", "ENTERPRISE_CATALOG_ADMIN_ROLE", "feature", "role", "." ]
edx/edx-enterprise
python
https://github.com/edx/edx-enterprise/blob/aea91379ab0a87cd3bc798961fce28b60ee49a80/enterprise/rules.py#L53-L62
[ "def", "has_implicit_access_to_catalog", "(", "user", ",", "obj", ")", ":", "# pylint: disable=unused-argument", "request", "=", "get_request_or_stub", "(", ")", "decoded_jwt", "=", "get_decoded_jwt_from_request", "(", "request", ")", "return", "request_user_has_implicit_access_via_jwt", "(", "decoded_jwt", ",", "ENTERPRISE_CATALOG_ADMIN_ROLE", ",", "obj", ")" ]
aea91379ab0a87cd3bc798961fce28b60ee49a80
valid
has_implicit_access_to_enrollment_api
Check that if request user has implicit access to `ENTERPRISE_ENROLLMENT_API_ADMIN_ROLE` feature role. Returns: boolean: whether the request user has access or not
enterprise/rules.py
def has_implicit_access_to_enrollment_api(user, obj): # pylint: disable=unused-argument """ Check that if request user has implicit access to `ENTERPRISE_ENROLLMENT_API_ADMIN_ROLE` feature role. Returns: boolean: whether the request user has access or not """ request = get_request_or_stub() decoded_jwt = get_decoded_jwt_from_request(request) return request_user_has_implicit_access_via_jwt(decoded_jwt, ENTERPRISE_ENROLLMENT_API_ADMIN_ROLE, obj)
def has_implicit_access_to_enrollment_api(user, obj): # pylint: disable=unused-argument """ Check that if request user has implicit access to `ENTERPRISE_ENROLLMENT_API_ADMIN_ROLE` feature role. Returns: boolean: whether the request user has access or not """ request = get_request_or_stub() decoded_jwt = get_decoded_jwt_from_request(request) return request_user_has_implicit_access_via_jwt(decoded_jwt, ENTERPRISE_ENROLLMENT_API_ADMIN_ROLE, obj)
[ "Check", "that", "if", "request", "user", "has", "implicit", "access", "to", "ENTERPRISE_ENROLLMENT_API_ADMIN_ROLE", "feature", "role", "." ]
edx/edx-enterprise
python
https://github.com/edx/edx-enterprise/blob/aea91379ab0a87cd3bc798961fce28b60ee49a80/enterprise/rules.py#L82-L91
[ "def", "has_implicit_access_to_enrollment_api", "(", "user", ",", "obj", ")", ":", "# pylint: disable=unused-argument", "request", "=", "get_request_or_stub", "(", ")", "decoded_jwt", "=", "get_decoded_jwt_from_request", "(", "request", ")", "return", "request_user_has_implicit_access_via_jwt", "(", "decoded_jwt", ",", "ENTERPRISE_ENROLLMENT_API_ADMIN_ROLE", ",", "obj", ")" ]
aea91379ab0a87cd3bc798961fce28b60ee49a80
valid
transform_language_code
Transform ISO language code (e.g. en-us) to the language name expected by SAPSF.
integrated_channels/sap_success_factors/exporters/utils.py
def transform_language_code(code): """ Transform ISO language code (e.g. en-us) to the language name expected by SAPSF. """ if code is None: return 'English' components = code.split('-', 2) language_code = components[0] try: country_code = components[1] except IndexError: country_code = '_' language_family = SUCCESSFACTORS_OCN_LANGUAGE_CODES.get(language_code) if not language_family: return 'English' return language_family.get(country_code, language_family['_'])
def transform_language_code(code): """ Transform ISO language code (e.g. en-us) to the language name expected by SAPSF. """ if code is None: return 'English' components = code.split('-', 2) language_code = components[0] try: country_code = components[1] except IndexError: country_code = '_' language_family = SUCCESSFACTORS_OCN_LANGUAGE_CODES.get(language_code) if not language_family: return 'English' return language_family.get(country_code, language_family['_'])
[ "Transform", "ISO", "language", "code", "(", "e", ".", "g", ".", "en", "-", "us", ")", "to", "the", "language", "name", "expected", "by", "SAPSF", "." ]
edx/edx-enterprise
python
https://github.com/edx/edx-enterprise/blob/aea91379ab0a87cd3bc798961fce28b60ee49a80/integrated_channels/sap_success_factors/exporters/utils.py#L29-L47
[ "def", "transform_language_code", "(", "code", ")", ":", "if", "code", "is", "None", ":", "return", "'English'", "components", "=", "code", ".", "split", "(", "'-'", ",", "2", ")", "language_code", "=", "components", "[", "0", "]", "try", ":", "country_code", "=", "components", "[", "1", "]", "except", "IndexError", ":", "country_code", "=", "'_'", "language_family", "=", "SUCCESSFACTORS_OCN_LANGUAGE_CODES", ".", "get", "(", "language_code", ")", "if", "not", "language_family", ":", "return", "'English'", "return", "language_family", ".", "get", "(", "country_code", ",", "language_family", "[", "'_'", "]", ")" ]
aea91379ab0a87cd3bc798961fce28b60ee49a80
valid
EnterpriseCustomerEntitlementInline.ecommerce_coupon_url
Instance is EnterpriseCustomer. Return e-commerce coupon urls.
enterprise/admin/__init__.py
def ecommerce_coupon_url(self, instance): """ Instance is EnterpriseCustomer. Return e-commerce coupon urls. """ if not instance.entitlement_id: return "N/A" return format_html( '<a href="{base_url}/coupons/{id}" target="_blank">View coupon "{id}" details</a>', base_url=settings.ECOMMERCE_PUBLIC_URL_ROOT, id=instance.entitlement_id )
def ecommerce_coupon_url(self, instance): """ Instance is EnterpriseCustomer. Return e-commerce coupon urls. """ if not instance.entitlement_id: return "N/A" return format_html( '<a href="{base_url}/coupons/{id}" target="_blank">View coupon "{id}" details</a>', base_url=settings.ECOMMERCE_PUBLIC_URL_ROOT, id=instance.entitlement_id )
[ "Instance", "is", "EnterpriseCustomer", ".", "Return", "e", "-", "commerce", "coupon", "urls", "." ]
edx/edx-enterprise
python
https://github.com/edx/edx-enterprise/blob/aea91379ab0a87cd3bc798961fce28b60ee49a80/enterprise/admin/__init__.py#L100-L110
[ "def", "ecommerce_coupon_url", "(", "self", ",", "instance", ")", ":", "if", "not", "instance", ".", "entitlement_id", ":", "return", "\"N/A\"", "return", "format_html", "(", "'<a href=\"{base_url}/coupons/{id}\" target=\"_blank\">View coupon \"{id}\" details</a>'", ",", "base_url", "=", "settings", ".", "ECOMMERCE_PUBLIC_URL_ROOT", ",", "id", "=", "instance", ".", "entitlement_id", ")" ]
aea91379ab0a87cd3bc798961fce28b60ee49a80
valid
dropHistoricalTable
Drops the historical sap_success_factors table named herein.
integrated_channels/sap_success_factors/migrations/0014_drop_historical_table.py
def dropHistoricalTable(apps, schema_editor): """ Drops the historical sap_success_factors table named herein. """ table_name = 'sap_success_factors_historicalsapsuccessfactorsenterprisecus80ad' if table_name in connection.introspection.table_names(): migrations.DeleteModel( name=table_name, )
def dropHistoricalTable(apps, schema_editor): """ Drops the historical sap_success_factors table named herein. """ table_name = 'sap_success_factors_historicalsapsuccessfactorsenterprisecus80ad' if table_name in connection.introspection.table_names(): migrations.DeleteModel( name=table_name, )
[ "Drops", "the", "historical", "sap_success_factors", "table", "named", "herein", "." ]
edx/edx-enterprise
python
https://github.com/edx/edx-enterprise/blob/aea91379ab0a87cd3bc798961fce28b60ee49a80/integrated_channels/sap_success_factors/migrations/0014_drop_historical_table.py#L7-L15
[ "def", "dropHistoricalTable", "(", "apps", ",", "schema_editor", ")", ":", "table_name", "=", "'sap_success_factors_historicalsapsuccessfactorsenterprisecus80ad'", "if", "table_name", "in", "connection", ".", "introspection", ".", "table_names", "(", ")", ":", "migrations", ".", "DeleteModel", "(", "name", "=", "table_name", ",", ")" ]
aea91379ab0a87cd3bc798961fce28b60ee49a80
valid
Command.handle
Transmit the learner data for the EnterpriseCustomer(s) to the active integration channels.
integrated_channels/integrated_channel/management/commands/transmit_learner_data.py
def handle(self, *args, **options): """ Transmit the learner data for the EnterpriseCustomer(s) to the active integration channels. """ # Ensure that we were given an api_user name, and that User exists. api_username = options['api_user'] try: User.objects.get(username=api_username) except User.DoesNotExist: raise CommandError(_('A user with the username {username} was not found.').format(username=api_username)) # Transmit the learner data to each integrated channel for integrated_channel in self.get_integrated_channels(options): transmit_learner_data.delay(api_username, integrated_channel.channel_code(), integrated_channel.pk)
def handle(self, *args, **options): """ Transmit the learner data for the EnterpriseCustomer(s) to the active integration channels. """ # Ensure that we were given an api_user name, and that User exists. api_username = options['api_user'] try: User.objects.get(username=api_username) except User.DoesNotExist: raise CommandError(_('A user with the username {username} was not found.').format(username=api_username)) # Transmit the learner data to each integrated channel for integrated_channel in self.get_integrated_channels(options): transmit_learner_data.delay(api_username, integrated_channel.channel_code(), integrated_channel.pk)
[ "Transmit", "the", "learner", "data", "for", "the", "EnterpriseCustomer", "(", "s", ")", "to", "the", "active", "integration", "channels", "." ]
edx/edx-enterprise
python
https://github.com/edx/edx-enterprise/blob/aea91379ab0a87cd3bc798961fce28b60ee49a80/integrated_channels/integrated_channel/management/commands/transmit_learner_data.py#L40-L53
[ "def", "handle", "(", "self", ",", "*", "args", ",", "*", "*", "options", ")", ":", "# Ensure that we were given an api_user name, and that User exists.", "api_username", "=", "options", "[", "'api_user'", "]", "try", ":", "User", ".", "objects", ".", "get", "(", "username", "=", "api_username", ")", "except", "User", ".", "DoesNotExist", ":", "raise", "CommandError", "(", "_", "(", "'A user with the username {username} was not found.'", ")", ".", "format", "(", "username", "=", "api_username", ")", ")", "# Transmit the learner data to each integrated channel", "for", "integrated_channel", "in", "self", ".", "get_integrated_channels", "(", "options", ")", ":", "transmit_learner_data", ".", "delay", "(", "api_username", ",", "integrated_channel", ".", "channel_code", "(", ")", ",", "integrated_channel", ".", "pk", ")" ]
aea91379ab0a87cd3bc798961fce28b60ee49a80
valid
export_as_csv_action
Return an export csv action. Arguments: description (string): action description fields ([string]): list of model fields to include header (bool): whether or not to output the column names as the first row
enterprise/admin/actions.py
def export_as_csv_action(description="Export selected objects as CSV file", fields=None, header=True): """ Return an export csv action. Arguments: description (string): action description fields ([string]): list of model fields to include header (bool): whether or not to output the column names as the first row """ # adapted from https://gist.github.com/mgerring/3645889 def export_as_csv(modeladmin, request, queryset): # pylint: disable=unused-argument """ Export model fields to CSV. """ opts = modeladmin.model._meta if not fields: field_names = [field.name for field in opts.fields] else: field_names = fields response = HttpResponse(content_type="text/csv") response["Content-Disposition"] = "attachment; filename={filename}.csv".format( filename=str(opts).replace(".", "_") ) writer = unicodecsv.writer(response, encoding="utf-8") if header: writer.writerow(field_names) for obj in queryset: row = [] for field_name in field_names: field = getattr(obj, field_name) if callable(field): value = field() else: value = field if value is None: row.append("[Not Set]") elif not value and isinstance(value, string_types): row.append("[Empty]") else: row.append(value) writer.writerow(row) return response export_as_csv.short_description = description return export_as_csv
def export_as_csv_action(description="Export selected objects as CSV file", fields=None, header=True): """ Return an export csv action. Arguments: description (string): action description fields ([string]): list of model fields to include header (bool): whether or not to output the column names as the first row """ # adapted from https://gist.github.com/mgerring/3645889 def export_as_csv(modeladmin, request, queryset): # pylint: disable=unused-argument """ Export model fields to CSV. """ opts = modeladmin.model._meta if not fields: field_names = [field.name for field in opts.fields] else: field_names = fields response = HttpResponse(content_type="text/csv") response["Content-Disposition"] = "attachment; filename={filename}.csv".format( filename=str(opts).replace(".", "_") ) writer = unicodecsv.writer(response, encoding="utf-8") if header: writer.writerow(field_names) for obj in queryset: row = [] for field_name in field_names: field = getattr(obj, field_name) if callable(field): value = field() else: value = field if value is None: row.append("[Not Set]") elif not value and isinstance(value, string_types): row.append("[Empty]") else: row.append(value) writer.writerow(row) return response export_as_csv.short_description = description return export_as_csv
[ "Return", "an", "export", "csv", "action", "." ]
edx/edx-enterprise
python
https://github.com/edx/edx-enterprise/blob/aea91379ab0a87cd3bc798961fce28b60ee49a80/enterprise/admin/actions.py#L16-L63
[ "def", "export_as_csv_action", "(", "description", "=", "\"Export selected objects as CSV file\"", ",", "fields", "=", "None", ",", "header", "=", "True", ")", ":", "# adapted from https://gist.github.com/mgerring/3645889", "def", "export_as_csv", "(", "modeladmin", ",", "request", ",", "queryset", ")", ":", "# pylint: disable=unused-argument", "\"\"\"\n Export model fields to CSV.\n \"\"\"", "opts", "=", "modeladmin", ".", "model", ".", "_meta", "if", "not", "fields", ":", "field_names", "=", "[", "field", ".", "name", "for", "field", "in", "opts", ".", "fields", "]", "else", ":", "field_names", "=", "fields", "response", "=", "HttpResponse", "(", "content_type", "=", "\"text/csv\"", ")", "response", "[", "\"Content-Disposition\"", "]", "=", "\"attachment; filename={filename}.csv\"", ".", "format", "(", "filename", "=", "str", "(", "opts", ")", ".", "replace", "(", "\".\"", ",", "\"_\"", ")", ")", "writer", "=", "unicodecsv", ".", "writer", "(", "response", ",", "encoding", "=", "\"utf-8\"", ")", "if", "header", ":", "writer", ".", "writerow", "(", "field_names", ")", "for", "obj", "in", "queryset", ":", "row", "=", "[", "]", "for", "field_name", "in", "field_names", ":", "field", "=", "getattr", "(", "obj", ",", "field_name", ")", "if", "callable", "(", "field", ")", ":", "value", "=", "field", "(", ")", "else", ":", "value", "=", "field", "if", "value", "is", "None", ":", "row", ".", "append", "(", "\"[Not Set]\"", ")", "elif", "not", "value", "and", "isinstance", "(", "value", ",", "string_types", ")", ":", "row", ".", "append", "(", "\"[Empty]\"", ")", "else", ":", "row", ".", "append", "(", "value", ")", "writer", ".", "writerow", "(", "row", ")", "return", "response", "export_as_csv", ".", "short_description", "=", "description", "return", "export_as_csv" ]
aea91379ab0a87cd3bc798961fce28b60ee49a80
valid
get_clear_catalog_id_action
Return the action method to clear the catalog ID for a EnterpriseCustomer.
enterprise/admin/actions.py
def get_clear_catalog_id_action(description=None): """ Return the action method to clear the catalog ID for a EnterpriseCustomer. """ description = description or _("Unlink selected objects from existing course catalogs") def clear_catalog_id(modeladmin, request, queryset): # pylint: disable=unused-argument """ Clear the catalog ID for a selected EnterpriseCustomer. """ queryset.update(catalog=None) clear_catalog_id.short_description = description return clear_catalog_id
def get_clear_catalog_id_action(description=None): """ Return the action method to clear the catalog ID for a EnterpriseCustomer. """ description = description or _("Unlink selected objects from existing course catalogs") def clear_catalog_id(modeladmin, request, queryset): # pylint: disable=unused-argument """ Clear the catalog ID for a selected EnterpriseCustomer. """ queryset.update(catalog=None) clear_catalog_id.short_description = description return clear_catalog_id
[ "Return", "the", "action", "method", "to", "clear", "the", "catalog", "ID", "for", "a", "EnterpriseCustomer", "." ]
edx/edx-enterprise
python
https://github.com/edx/edx-enterprise/blob/aea91379ab0a87cd3bc798961fce28b60ee49a80/enterprise/admin/actions.py#L66-L78
[ "def", "get_clear_catalog_id_action", "(", "description", "=", "None", ")", ":", "description", "=", "description", "or", "_", "(", "\"Unlink selected objects from existing course catalogs\"", ")", "def", "clear_catalog_id", "(", "modeladmin", ",", "request", ",", "queryset", ")", ":", "# pylint: disable=unused-argument", "\"\"\"\n Clear the catalog ID for a selected EnterpriseCustomer.\n \"\"\"", "queryset", ".", "update", "(", "catalog", "=", "None", ")", "clear_catalog_id", ".", "short_description", "=", "description", "return", "clear_catalog_id" ]
aea91379ab0a87cd3bc798961fce28b60ee49a80
valid
Account._login
Login to pybotvac account using provided email and password. :param email: email for pybotvac account :param password: Password for pybotvac account :return:
pybotvac/account.py
def _login(self, email, password): """ Login to pybotvac account using provided email and password. :param email: email for pybotvac account :param password: Password for pybotvac account :return: """ response = requests.post(urljoin(self.ENDPOINT, 'sessions'), json={'email': email, 'password': password, 'platform': 'ios', 'token': binascii.hexlify(os.urandom(64)).decode('utf8')}, headers=self._headers) response.raise_for_status() access_token = response.json()['access_token'] self._headers['Authorization'] = 'Token token=%s' % access_token
def _login(self, email, password): """ Login to pybotvac account using provided email and password. :param email: email for pybotvac account :param password: Password for pybotvac account :return: """ response = requests.post(urljoin(self.ENDPOINT, 'sessions'), json={'email': email, 'password': password, 'platform': 'ios', 'token': binascii.hexlify(os.urandom(64)).decode('utf8')}, headers=self._headers) response.raise_for_status() access_token = response.json()['access_token'] self._headers['Authorization'] = 'Token token=%s' % access_token
[ "Login", "to", "pybotvac", "account", "using", "provided", "email", "and", "password", "." ]
stianaske/pybotvac
python
https://github.com/stianaske/pybotvac/blob/e3f655e81070ff209aaa4efb7880016cf2599e6d/pybotvac/account.py#L36-L54
[ "def", "_login", "(", "self", ",", "email", ",", "password", ")", ":", "response", "=", "requests", ".", "post", "(", "urljoin", "(", "self", ".", "ENDPOINT", ",", "'sessions'", ")", ",", "json", "=", "{", "'email'", ":", "email", ",", "'password'", ":", "password", ",", "'platform'", ":", "'ios'", ",", "'token'", ":", "binascii", ".", "hexlify", "(", "os", ".", "urandom", "(", "64", ")", ")", ".", "decode", "(", "'utf8'", ")", "}", ",", "headers", "=", "self", ".", "_headers", ")", "response", ".", "raise_for_status", "(", ")", "access_token", "=", "response", ".", "json", "(", ")", "[", "'access_token'", "]", "self", ".", "_headers", "[", "'Authorization'", "]", "=", "'Token token=%s'", "%", "access_token" ]
e3f655e81070ff209aaa4efb7880016cf2599e6d
valid
Account.refresh_maps
Get information about maps of the robots. :return:
pybotvac/account.py
def refresh_maps(self): """ Get information about maps of the robots. :return: """ for robot in self.robots: resp2 = ( requests.get(urljoin(self.ENDPOINT, 'users/me/robots/{}/maps'.format(robot.serial)), headers=self._headers)) resp2.raise_for_status() self._maps.update({robot.serial: resp2.json()})
def refresh_maps(self): """ Get information about maps of the robots. :return: """ for robot in self.robots: resp2 = ( requests.get(urljoin(self.ENDPOINT, 'users/me/robots/{}/maps'.format(robot.serial)), headers=self._headers)) resp2.raise_for_status() self._maps.update({robot.serial: resp2.json()})
[ "Get", "information", "about", "maps", "of", "the", "robots", "." ]
stianaske/pybotvac
python
https://github.com/stianaske/pybotvac/blob/e3f655e81070ff209aaa4efb7880016cf2599e6d/pybotvac/account.py#L79-L90
[ "def", "refresh_maps", "(", "self", ")", ":", "for", "robot", "in", "self", ".", "robots", ":", "resp2", "=", "(", "requests", ".", "get", "(", "urljoin", "(", "self", ".", "ENDPOINT", ",", "'users/me/robots/{}/maps'", ".", "format", "(", "robot", ".", "serial", ")", ")", ",", "headers", "=", "self", ".", "_headers", ")", ")", "resp2", ".", "raise_for_status", "(", ")", "self", ".", "_maps", ".", "update", "(", "{", "robot", ".", "serial", ":", "resp2", ".", "json", "(", ")", "}", ")" ]
e3f655e81070ff209aaa4efb7880016cf2599e6d
valid
Account.refresh_robots
Get information about robots connected to account. :return:
pybotvac/account.py
def refresh_robots(self): """ Get information about robots connected to account. :return: """ resp = requests.get(urljoin(self.ENDPOINT, 'dashboard'), headers=self._headers) resp.raise_for_status() for robot in resp.json()['robots']: if robot['mac_address'] is None: continue # Ignore robots without mac-address try: self._robots.add(Robot(name=robot['name'], serial=robot['serial'], secret=robot['secret_key'], traits=robot['traits'], endpoint=robot['nucleo_url'])) except requests.exceptions.HTTPError: print ("Your '{}' robot is offline.".format(robot['name'])) continue self.refresh_persistent_maps() for robot in self._robots: robot.has_persistent_maps = robot.serial in self._persistent_maps
def refresh_robots(self): """ Get information about robots connected to account. :return: """ resp = requests.get(urljoin(self.ENDPOINT, 'dashboard'), headers=self._headers) resp.raise_for_status() for robot in resp.json()['robots']: if robot['mac_address'] is None: continue # Ignore robots without mac-address try: self._robots.add(Robot(name=robot['name'], serial=robot['serial'], secret=robot['secret_key'], traits=robot['traits'], endpoint=robot['nucleo_url'])) except requests.exceptions.HTTPError: print ("Your '{}' robot is offline.".format(robot['name'])) continue self.refresh_persistent_maps() for robot in self._robots: robot.has_persistent_maps = robot.serial in self._persistent_maps
[ "Get", "information", "about", "robots", "connected", "to", "account", "." ]
stianaske/pybotvac
python
https://github.com/stianaske/pybotvac/blob/e3f655e81070ff209aaa4efb7880016cf2599e6d/pybotvac/account.py#L92-L118
[ "def", "refresh_robots", "(", "self", ")", ":", "resp", "=", "requests", ".", "get", "(", "urljoin", "(", "self", ".", "ENDPOINT", ",", "'dashboard'", ")", ",", "headers", "=", "self", ".", "_headers", ")", "resp", ".", "raise_for_status", "(", ")", "for", "robot", "in", "resp", ".", "json", "(", ")", "[", "'robots'", "]", ":", "if", "robot", "[", "'mac_address'", "]", "is", "None", ":", "continue", "# Ignore robots without mac-address", "try", ":", "self", ".", "_robots", ".", "add", "(", "Robot", "(", "name", "=", "robot", "[", "'name'", "]", ",", "serial", "=", "robot", "[", "'serial'", "]", ",", "secret", "=", "robot", "[", "'secret_key'", "]", ",", "traits", "=", "robot", "[", "'traits'", "]", ",", "endpoint", "=", "robot", "[", "'nucleo_url'", "]", ")", ")", "except", "requests", ".", "exceptions", ".", "HTTPError", ":", "print", "(", "\"Your '{}' robot is offline.\"", ".", "format", "(", "robot", "[", "'name'", "]", ")", ")", "continue", "self", ".", "refresh_persistent_maps", "(", ")", "for", "robot", "in", "self", ".", "_robots", ":", "robot", ".", "has_persistent_maps", "=", "robot", ".", "serial", "in", "self", ".", "_persistent_maps" ]
e3f655e81070ff209aaa4efb7880016cf2599e6d
valid
Account.get_map_image
Return a requested map from a robot. :return:
pybotvac/account.py
def get_map_image(url, dest_path=None): """ Return a requested map from a robot. :return: """ image = requests.get(url, stream=True, timeout=10) if dest_path: image_url = url.rsplit('/', 2)[1] + '-' + url.rsplit('/', 1)[1] image_filename = image_url.split('?')[0] dest = os.path.join(dest_path, image_filename) image.raise_for_status() with open(dest, 'wb') as data: image.raw.decode_content = True shutil.copyfileobj(image.raw, data) return image.raw
def get_map_image(url, dest_path=None): """ Return a requested map from a robot. :return: """ image = requests.get(url, stream=True, timeout=10) if dest_path: image_url = url.rsplit('/', 2)[1] + '-' + url.rsplit('/', 1)[1] image_filename = image_url.split('?')[0] dest = os.path.join(dest_path, image_filename) image.raise_for_status() with open(dest, 'wb') as data: image.raw.decode_content = True shutil.copyfileobj(image.raw, data) return image.raw
[ "Return", "a", "requested", "map", "from", "a", "robot", "." ]
stianaske/pybotvac
python
https://github.com/stianaske/pybotvac/blob/e3f655e81070ff209aaa4efb7880016cf2599e6d/pybotvac/account.py#L121-L138
[ "def", "get_map_image", "(", "url", ",", "dest_path", "=", "None", ")", ":", "image", "=", "requests", ".", "get", "(", "url", ",", "stream", "=", "True", ",", "timeout", "=", "10", ")", "if", "dest_path", ":", "image_url", "=", "url", ".", "rsplit", "(", "'/'", ",", "2", ")", "[", "1", "]", "+", "'-'", "+", "url", ".", "rsplit", "(", "'/'", ",", "1", ")", "[", "1", "]", "image_filename", "=", "image_url", ".", "split", "(", "'?'", ")", "[", "0", "]", "dest", "=", "os", ".", "path", ".", "join", "(", "dest_path", ",", "image_filename", ")", "image", ".", "raise_for_status", "(", ")", "with", "open", "(", "dest", ",", "'wb'", ")", "as", "data", ":", "image", ".", "raw", ".", "decode_content", "=", "True", "shutil", ".", "copyfileobj", "(", "image", ".", "raw", ",", "data", ")", "return", "image", ".", "raw" ]
e3f655e81070ff209aaa4efb7880016cf2599e6d
valid
Account.refresh_persistent_maps
Get information about persistent maps of the robots. :return:
pybotvac/account.py
def refresh_persistent_maps(self): """ Get information about persistent maps of the robots. :return: """ for robot in self._robots: resp2 = (requests.get(urljoin( self.ENDPOINT, 'users/me/robots/{}/persistent_maps'.format(robot.serial)), headers=self._headers)) resp2.raise_for_status() self._persistent_maps.update({robot.serial: resp2.json()})
def refresh_persistent_maps(self): """ Get information about persistent maps of the robots. :return: """ for robot in self._robots: resp2 = (requests.get(urljoin( self.ENDPOINT, 'users/me/robots/{}/persistent_maps'.format(robot.serial)), headers=self._headers)) resp2.raise_for_status() self._persistent_maps.update({robot.serial: resp2.json()})
[ "Get", "information", "about", "persistent", "maps", "of", "the", "robots", "." ]
stianaske/pybotvac
python
https://github.com/stianaske/pybotvac/blob/e3f655e81070ff209aaa4efb7880016cf2599e6d/pybotvac/account.py#L151-L163
[ "def", "refresh_persistent_maps", "(", "self", ")", ":", "for", "robot", "in", "self", ".", "_robots", ":", "resp2", "=", "(", "requests", ".", "get", "(", "urljoin", "(", "self", ".", "ENDPOINT", ",", "'users/me/robots/{}/persistent_maps'", ".", "format", "(", "robot", ".", "serial", ")", ")", ",", "headers", "=", "self", ".", "_headers", ")", ")", "resp2", ".", "raise_for_status", "(", ")", "self", ".", "_persistent_maps", ".", "update", "(", "{", "robot", ".", "serial", ":", "resp2", ".", "json", "(", ")", "}", ")" ]
e3f655e81070ff209aaa4efb7880016cf2599e6d
valid
Robot._message
Sends message to robot with data from parameter 'json' :param json: dict containing data to send :return: server response
pybotvac/robot.py
def _message(self, json): """ Sends message to robot with data from parameter 'json' :param json: dict containing data to send :return: server response """ cert_path = os.path.join(os.path.dirname(__file__), 'cert', 'neatocloud.com.crt') response = requests.post(self._url, json=json, verify=cert_path, auth=Auth(self.serial, self.secret), headers=self._headers) response.raise_for_status() return response
def _message(self, json): """ Sends message to robot with data from parameter 'json' :param json: dict containing data to send :return: server response """ cert_path = os.path.join(os.path.dirname(__file__), 'cert', 'neatocloud.com.crt') response = requests.post(self._url, json=json, verify=cert_path, auth=Auth(self.serial, self.secret), headers=self._headers) response.raise_for_status() return response
[ "Sends", "message", "to", "robot", "with", "data", "from", "parameter", "json", ":", "param", "json", ":", "dict", "containing", "data", "to", "send", ":", "return", ":", "server", "response" ]
stianaske/pybotvac
python
https://github.com/stianaske/pybotvac/blob/e3f655e81070ff209aaa4efb7880016cf2599e6d/pybotvac/robot.py#L49-L63
[ "def", "_message", "(", "self", ",", "json", ")", ":", "cert_path", "=", "os", ".", "path", ".", "join", "(", "os", ".", "path", ".", "dirname", "(", "__file__", ")", ",", "'cert'", ",", "'neatocloud.com.crt'", ")", "response", "=", "requests", ".", "post", "(", "self", ".", "_url", ",", "json", "=", "json", ",", "verify", "=", "cert_path", ",", "auth", "=", "Auth", "(", "self", ".", "serial", ",", "self", ".", "secret", ")", ",", "headers", "=", "self", ".", "_headers", ")", "response", ".", "raise_for_status", "(", ")", "return", "response" ]
e3f655e81070ff209aaa4efb7880016cf2599e6d
valid
add_edge_lengths
Add add the edge lengths as a :any:`DiGraph<networkx.DiGraph>` for the graph. Uses the ``pos`` vertex property to get the location of each vertex. These are then used to calculate the length of an edge between two vertices. Parameters ---------- g : :any:`networkx.DiGraph`, :class:`numpy.ndarray`, dict, \ ``None``, etc. Any object that networkx can turn into a :any:`DiGraph<networkx.DiGraph>` Returns ------- :class:`.QueueNetworkDiGraph` Returns the a graph with the ``edge_length`` edge property. Raises ------ TypeError Raised when the parameter ``g`` is not of a type that can be made into a :any:`networkx.DiGraph`.
queueing_tool/graph/graph_preparation.py
def add_edge_lengths(g): """Add add the edge lengths as a :any:`DiGraph<networkx.DiGraph>` for the graph. Uses the ``pos`` vertex property to get the location of each vertex. These are then used to calculate the length of an edge between two vertices. Parameters ---------- g : :any:`networkx.DiGraph`, :class:`numpy.ndarray`, dict, \ ``None``, etc. Any object that networkx can turn into a :any:`DiGraph<networkx.DiGraph>` Returns ------- :class:`.QueueNetworkDiGraph` Returns the a graph with the ``edge_length`` edge property. Raises ------ TypeError Raised when the parameter ``g`` is not of a type that can be made into a :any:`networkx.DiGraph`. """ g = _test_graph(g) g.new_edge_property('edge_length') for e in g.edges(): latlon1 = g.vp(e[1], 'pos') latlon2 = g.vp(e[0], 'pos') g.set_ep(e, 'edge_length', np.round(_calculate_distance(latlon1, latlon2), 3)) return g
def add_edge_lengths(g): """Add add the edge lengths as a :any:`DiGraph<networkx.DiGraph>` for the graph. Uses the ``pos`` vertex property to get the location of each vertex. These are then used to calculate the length of an edge between two vertices. Parameters ---------- g : :any:`networkx.DiGraph`, :class:`numpy.ndarray`, dict, \ ``None``, etc. Any object that networkx can turn into a :any:`DiGraph<networkx.DiGraph>` Returns ------- :class:`.QueueNetworkDiGraph` Returns the a graph with the ``edge_length`` edge property. Raises ------ TypeError Raised when the parameter ``g`` is not of a type that can be made into a :any:`networkx.DiGraph`. """ g = _test_graph(g) g.new_edge_property('edge_length') for e in g.edges(): latlon1 = g.vp(e[1], 'pos') latlon2 = g.vp(e[0], 'pos') g.set_ep(e, 'edge_length', np.round(_calculate_distance(latlon1, latlon2), 3)) return g
[ "Add", "add", "the", "edge", "lengths", "as", "a", ":", "any", ":", "DiGraph<networkx", ".", "DiGraph", ">", "for", "the", "graph", "." ]
djordon/queueing-tool
python
https://github.com/djordon/queueing-tool/blob/ccd418cf647ac03a54f78ba5e3725903f541b808/queueing_tool/graph/graph_preparation.py#L11-L46
[ "def", "add_edge_lengths", "(", "g", ")", ":", "g", "=", "_test_graph", "(", "g", ")", "g", ".", "new_edge_property", "(", "'edge_length'", ")", "for", "e", "in", "g", ".", "edges", "(", ")", ":", "latlon1", "=", "g", ".", "vp", "(", "e", "[", "1", "]", ",", "'pos'", ")", "latlon2", "=", "g", ".", "vp", "(", "e", "[", "0", "]", ",", "'pos'", ")", "g", ".", "set_ep", "(", "e", ",", "'edge_length'", ",", "np", ".", "round", "(", "_calculate_distance", "(", "latlon1", ",", "latlon2", ")", ",", "3", ")", ")", "return", "g" ]
ccd418cf647ac03a54f78ba5e3725903f541b808
valid
_prepare_graph
Prepares a graph for use in :class:`.QueueNetwork`. This function is called by ``__init__`` in the :class:`.QueueNetwork` class. It creates the :class:`.QueueServer` instances that sit on the edges, and sets various edge and node properties that are used when drawing the graph. Parameters ---------- g : :any:`networkx.DiGraph`, :class:`numpy.ndarray`, dict, \ ``None``, etc. Any object that networkx can turn into a :any:`DiGraph<networkx.DiGraph>` g_colors : dict A dictionary of colors. The specific keys used are ``vertex_color`` and ``vertex_fill_color`` for vertices that do not have any loops. Set :class:`.QueueNetwork` for the default values passed. q_cls : dict A dictionary where the keys are integers that represent an edge type, and the values are :class:`.QueueServer` classes. q_args : dict A dictionary where the keys are integers that represent an edge type, and the values are the arguments that are used when creating an instance of that :class:`.QueueServer` class. adjust_graph : bool Specifies whether the graph will be adjusted using :func:`.adjacency2graph`. Returns ------- g : :class:`.QueueNetworkDiGraph` queues : list A list of :class:`QueueServers<.QueueServer>` where ``queues[k]`` is the ``QueueServer`` that sets on the edge with edge index ``k``. Notes ----- The graph ``g`` should have the ``edge_type`` edge property map. If it does not then an ``edge_type`` edge property is created and set to 1. The following properties are set by each queue: ``vertex_color``, ``vertex_fill_color``, ``vertex_fill_color``, ``edge_color``. See :class:`.QueueServer` for more on setting these values. The following properties are assigned as a properties to the graph; their default values for each edge or vertex is shown: * ``vertex_pen_width``: ``1``, * ``vertex_size``: ``8``, * ``edge_control_points``: ``[]`` * ``edge_marker_size``: ``8`` * ``edge_pen_width``: ``1.25`` Raises ------ TypeError Raised when the parameter ``g`` is not of a type that can be made into a :any:`networkx.DiGraph`.
queueing_tool/graph/graph_preparation.py
def _prepare_graph(g, g_colors, q_cls, q_arg, adjust_graph): """Prepares a graph for use in :class:`.QueueNetwork`. This function is called by ``__init__`` in the :class:`.QueueNetwork` class. It creates the :class:`.QueueServer` instances that sit on the edges, and sets various edge and node properties that are used when drawing the graph. Parameters ---------- g : :any:`networkx.DiGraph`, :class:`numpy.ndarray`, dict, \ ``None``, etc. Any object that networkx can turn into a :any:`DiGraph<networkx.DiGraph>` g_colors : dict A dictionary of colors. The specific keys used are ``vertex_color`` and ``vertex_fill_color`` for vertices that do not have any loops. Set :class:`.QueueNetwork` for the default values passed. q_cls : dict A dictionary where the keys are integers that represent an edge type, and the values are :class:`.QueueServer` classes. q_args : dict A dictionary where the keys are integers that represent an edge type, and the values are the arguments that are used when creating an instance of that :class:`.QueueServer` class. adjust_graph : bool Specifies whether the graph will be adjusted using :func:`.adjacency2graph`. Returns ------- g : :class:`.QueueNetworkDiGraph` queues : list A list of :class:`QueueServers<.QueueServer>` where ``queues[k]`` is the ``QueueServer`` that sets on the edge with edge index ``k``. Notes ----- The graph ``g`` should have the ``edge_type`` edge property map. If it does not then an ``edge_type`` edge property is created and set to 1. The following properties are set by each queue: ``vertex_color``, ``vertex_fill_color``, ``vertex_fill_color``, ``edge_color``. See :class:`.QueueServer` for more on setting these values. The following properties are assigned as a properties to the graph; their default values for each edge or vertex is shown: * ``vertex_pen_width``: ``1``, * ``vertex_size``: ``8``, * ``edge_control_points``: ``[]`` * ``edge_marker_size``: ``8`` * ``edge_pen_width``: ``1.25`` Raises ------ TypeError Raised when the parameter ``g`` is not of a type that can be made into a :any:`networkx.DiGraph`. """ g = _test_graph(g) if adjust_graph: pos = nx.get_node_attributes(g, 'pos') ans = nx.to_dict_of_dicts(g) g = adjacency2graph(ans, adjust=2, is_directed=g.is_directed()) g = QueueNetworkDiGraph(g) if len(pos) > 0: g.set_pos(pos) g.new_vertex_property('vertex_color') g.new_vertex_property('vertex_fill_color') g.new_vertex_property('vertex_pen_width') g.new_vertex_property('vertex_size') g.new_edge_property('edge_control_points') g.new_edge_property('edge_color') g.new_edge_property('edge_marker_size') g.new_edge_property('edge_pen_width') queues = _set_queues(g, q_cls, q_arg, 'cap' in g.vertex_properties()) if 'pos' not in g.vertex_properties(): g.set_pos() for k, e in enumerate(g.edges()): g.set_ep(e, 'edge_pen_width', 1.25) g.set_ep(e, 'edge_marker_size', 8) if e[0] == e[1]: g.set_ep(e, 'edge_color', queues[k].colors['edge_loop_color']) else: g.set_ep(e, 'edge_color', queues[k].colors['edge_color']) for v in g.nodes(): g.set_vp(v, 'vertex_pen_width', 1) g.set_vp(v, 'vertex_size', 8) e = (v, v) if g.is_edge(e): g.set_vp(v, 'vertex_color', queues[g.edge_index[e]]._current_color(2)) g.set_vp(v, 'vertex_fill_color', queues[g.edge_index[e]]._current_color()) else: g.set_vp(v, 'vertex_color', g_colors['vertex_color']) g.set_vp(v, 'vertex_fill_color', g_colors['vertex_fill_color']) return g, queues
def _prepare_graph(g, g_colors, q_cls, q_arg, adjust_graph): """Prepares a graph for use in :class:`.QueueNetwork`. This function is called by ``__init__`` in the :class:`.QueueNetwork` class. It creates the :class:`.QueueServer` instances that sit on the edges, and sets various edge and node properties that are used when drawing the graph. Parameters ---------- g : :any:`networkx.DiGraph`, :class:`numpy.ndarray`, dict, \ ``None``, etc. Any object that networkx can turn into a :any:`DiGraph<networkx.DiGraph>` g_colors : dict A dictionary of colors. The specific keys used are ``vertex_color`` and ``vertex_fill_color`` for vertices that do not have any loops. Set :class:`.QueueNetwork` for the default values passed. q_cls : dict A dictionary where the keys are integers that represent an edge type, and the values are :class:`.QueueServer` classes. q_args : dict A dictionary where the keys are integers that represent an edge type, and the values are the arguments that are used when creating an instance of that :class:`.QueueServer` class. adjust_graph : bool Specifies whether the graph will be adjusted using :func:`.adjacency2graph`. Returns ------- g : :class:`.QueueNetworkDiGraph` queues : list A list of :class:`QueueServers<.QueueServer>` where ``queues[k]`` is the ``QueueServer`` that sets on the edge with edge index ``k``. Notes ----- The graph ``g`` should have the ``edge_type`` edge property map. If it does not then an ``edge_type`` edge property is created and set to 1. The following properties are set by each queue: ``vertex_color``, ``vertex_fill_color``, ``vertex_fill_color``, ``edge_color``. See :class:`.QueueServer` for more on setting these values. The following properties are assigned as a properties to the graph; their default values for each edge or vertex is shown: * ``vertex_pen_width``: ``1``, * ``vertex_size``: ``8``, * ``edge_control_points``: ``[]`` * ``edge_marker_size``: ``8`` * ``edge_pen_width``: ``1.25`` Raises ------ TypeError Raised when the parameter ``g`` is not of a type that can be made into a :any:`networkx.DiGraph`. """ g = _test_graph(g) if adjust_graph: pos = nx.get_node_attributes(g, 'pos') ans = nx.to_dict_of_dicts(g) g = adjacency2graph(ans, adjust=2, is_directed=g.is_directed()) g = QueueNetworkDiGraph(g) if len(pos) > 0: g.set_pos(pos) g.new_vertex_property('vertex_color') g.new_vertex_property('vertex_fill_color') g.new_vertex_property('vertex_pen_width') g.new_vertex_property('vertex_size') g.new_edge_property('edge_control_points') g.new_edge_property('edge_color') g.new_edge_property('edge_marker_size') g.new_edge_property('edge_pen_width') queues = _set_queues(g, q_cls, q_arg, 'cap' in g.vertex_properties()) if 'pos' not in g.vertex_properties(): g.set_pos() for k, e in enumerate(g.edges()): g.set_ep(e, 'edge_pen_width', 1.25) g.set_ep(e, 'edge_marker_size', 8) if e[0] == e[1]: g.set_ep(e, 'edge_color', queues[k].colors['edge_loop_color']) else: g.set_ep(e, 'edge_color', queues[k].colors['edge_color']) for v in g.nodes(): g.set_vp(v, 'vertex_pen_width', 1) g.set_vp(v, 'vertex_size', 8) e = (v, v) if g.is_edge(e): g.set_vp(v, 'vertex_color', queues[g.edge_index[e]]._current_color(2)) g.set_vp(v, 'vertex_fill_color', queues[g.edge_index[e]]._current_color()) else: g.set_vp(v, 'vertex_color', g_colors['vertex_color']) g.set_vp(v, 'vertex_fill_color', g_colors['vertex_fill_color']) return g, queues
[ "Prepares", "a", "graph", "for", "use", "in", ":", "class", ":", ".", "QueueNetwork", "." ]
djordon/queueing-tool
python
https://github.com/djordon/queueing-tool/blob/ccd418cf647ac03a54f78ba5e3725903f541b808/queueing_tool/graph/graph_preparation.py#L49-L156
[ "def", "_prepare_graph", "(", "g", ",", "g_colors", ",", "q_cls", ",", "q_arg", ",", "adjust_graph", ")", ":", "g", "=", "_test_graph", "(", "g", ")", "if", "adjust_graph", ":", "pos", "=", "nx", ".", "get_node_attributes", "(", "g", ",", "'pos'", ")", "ans", "=", "nx", ".", "to_dict_of_dicts", "(", "g", ")", "g", "=", "adjacency2graph", "(", "ans", ",", "adjust", "=", "2", ",", "is_directed", "=", "g", ".", "is_directed", "(", ")", ")", "g", "=", "QueueNetworkDiGraph", "(", "g", ")", "if", "len", "(", "pos", ")", ">", "0", ":", "g", ".", "set_pos", "(", "pos", ")", "g", ".", "new_vertex_property", "(", "'vertex_color'", ")", "g", ".", "new_vertex_property", "(", "'vertex_fill_color'", ")", "g", ".", "new_vertex_property", "(", "'vertex_pen_width'", ")", "g", ".", "new_vertex_property", "(", "'vertex_size'", ")", "g", ".", "new_edge_property", "(", "'edge_control_points'", ")", "g", ".", "new_edge_property", "(", "'edge_color'", ")", "g", ".", "new_edge_property", "(", "'edge_marker_size'", ")", "g", ".", "new_edge_property", "(", "'edge_pen_width'", ")", "queues", "=", "_set_queues", "(", "g", ",", "q_cls", ",", "q_arg", ",", "'cap'", "in", "g", ".", "vertex_properties", "(", ")", ")", "if", "'pos'", "not", "in", "g", ".", "vertex_properties", "(", ")", ":", "g", ".", "set_pos", "(", ")", "for", "k", ",", "e", "in", "enumerate", "(", "g", ".", "edges", "(", ")", ")", ":", "g", ".", "set_ep", "(", "e", ",", "'edge_pen_width'", ",", "1.25", ")", "g", ".", "set_ep", "(", "e", ",", "'edge_marker_size'", ",", "8", ")", "if", "e", "[", "0", "]", "==", "e", "[", "1", "]", ":", "g", ".", "set_ep", "(", "e", ",", "'edge_color'", ",", "queues", "[", "k", "]", ".", "colors", "[", "'edge_loop_color'", "]", ")", "else", ":", "g", ".", "set_ep", "(", "e", ",", "'edge_color'", ",", "queues", "[", "k", "]", ".", "colors", "[", "'edge_color'", "]", ")", "for", "v", "in", "g", ".", "nodes", "(", ")", ":", "g", ".", "set_vp", "(", "v", ",", "'vertex_pen_width'", ",", "1", ")", "g", ".", "set_vp", "(", "v", ",", "'vertex_size'", ",", "8", ")", "e", "=", "(", "v", ",", "v", ")", "if", "g", ".", "is_edge", "(", "e", ")", ":", "g", ".", "set_vp", "(", "v", ",", "'vertex_color'", ",", "queues", "[", "g", ".", "edge_index", "[", "e", "]", "]", ".", "_current_color", "(", "2", ")", ")", "g", ".", "set_vp", "(", "v", ",", "'vertex_fill_color'", ",", "queues", "[", "g", ".", "edge_index", "[", "e", "]", "]", ".", "_current_color", "(", ")", ")", "else", ":", "g", ".", "set_vp", "(", "v", ",", "'vertex_color'", ",", "g_colors", "[", "'vertex_color'", "]", ")", "g", ".", "set_vp", "(", "v", ",", "'vertex_fill_color'", ",", "g_colors", "[", "'vertex_fill_color'", "]", ")", "return", "g", ",", "queues" ]
ccd418cf647ac03a54f78ba5e3725903f541b808
valid
Agent.desired_destination
Returns the agents next destination given their current location on the network. An ``Agent`` chooses one of the out edges at random. The probability that the ``Agent`` will travel along a specific edge is specified in the :class:`QueueNetwork's<.QueueNetwork>` transition matrix. Parameters ---------- network : :class:`.QueueNetwork` The :class:`.QueueNetwork` where the Agent resides. edge : tuple A 4-tuple indicating which edge this agent is located at. The first two slots indicate the current edge's source and target vertices, while the third slot indicates this edges ``edge_index``. The last slot indicates the edge type of that edge Returns ------- out : int Returns an the edge index corresponding to the agents next edge to visit in the network. See Also -------- :meth:`.transitions` : :class:`QueueNetwork's<.QueueNetwork>` method that returns the transition probabilities for each edge in the graph.
queueing_tool/queues/agents.py
def desired_destination(self, network, edge): """Returns the agents next destination given their current location on the network. An ``Agent`` chooses one of the out edges at random. The probability that the ``Agent`` will travel along a specific edge is specified in the :class:`QueueNetwork's<.QueueNetwork>` transition matrix. Parameters ---------- network : :class:`.QueueNetwork` The :class:`.QueueNetwork` where the Agent resides. edge : tuple A 4-tuple indicating which edge this agent is located at. The first two slots indicate the current edge's source and target vertices, while the third slot indicates this edges ``edge_index``. The last slot indicates the edge type of that edge Returns ------- out : int Returns an the edge index corresponding to the agents next edge to visit in the network. See Also -------- :meth:`.transitions` : :class:`QueueNetwork's<.QueueNetwork>` method that returns the transition probabilities for each edge in the graph. """ n = len(network.out_edges[edge[1]]) if n <= 1: return network.out_edges[edge[1]][0] u = uniform() pr = network._route_probs[edge[1]] k = _choice(pr, u, n) # _choice returns an integer between 0 and n-1 where the # probability of k being selected is equal to pr[k]. return network.out_edges[edge[1]][k]
def desired_destination(self, network, edge): """Returns the agents next destination given their current location on the network. An ``Agent`` chooses one of the out edges at random. The probability that the ``Agent`` will travel along a specific edge is specified in the :class:`QueueNetwork's<.QueueNetwork>` transition matrix. Parameters ---------- network : :class:`.QueueNetwork` The :class:`.QueueNetwork` where the Agent resides. edge : tuple A 4-tuple indicating which edge this agent is located at. The first two slots indicate the current edge's source and target vertices, while the third slot indicates this edges ``edge_index``. The last slot indicates the edge type of that edge Returns ------- out : int Returns an the edge index corresponding to the agents next edge to visit in the network. See Also -------- :meth:`.transitions` : :class:`QueueNetwork's<.QueueNetwork>` method that returns the transition probabilities for each edge in the graph. """ n = len(network.out_edges[edge[1]]) if n <= 1: return network.out_edges[edge[1]][0] u = uniform() pr = network._route_probs[edge[1]] k = _choice(pr, u, n) # _choice returns an integer between 0 and n-1 where the # probability of k being selected is equal to pr[k]. return network.out_edges[edge[1]][k]
[ "Returns", "the", "agents", "next", "destination", "given", "their", "current", "location", "on", "the", "network", "." ]
djordon/queueing-tool
python
https://github.com/djordon/queueing-tool/blob/ccd418cf647ac03a54f78ba5e3725903f541b808/queueing_tool/queues/agents.py#L67-L109
[ "def", "desired_destination", "(", "self", ",", "network", ",", "edge", ")", ":", "n", "=", "len", "(", "network", ".", "out_edges", "[", "edge", "[", "1", "]", "]", ")", "if", "n", "<=", "1", ":", "return", "network", ".", "out_edges", "[", "edge", "[", "1", "]", "]", "[", "0", "]", "u", "=", "uniform", "(", ")", "pr", "=", "network", ".", "_route_probs", "[", "edge", "[", "1", "]", "]", "k", "=", "_choice", "(", "pr", ",", "u", ",", "n", ")", "# _choice returns an integer between 0 and n-1 where the", "# probability of k being selected is equal to pr[k].", "return", "network", ".", "out_edges", "[", "edge", "[", "1", "]", "]", "[", "k", "]" ]
ccd418cf647ac03a54f78ba5e3725903f541b808
valid
GreedyAgent.desired_destination
Returns the agents next destination given their current location on the network. ``GreedyAgents`` choose their next destination with-in the network by picking the adjacent queue with the fewest number of :class:`Agents<.Agent>` in the queue. Parameters ---------- network : :class:`.QueueNetwork` The :class:`.QueueNetwork` where the Agent resides. edge : tuple A 4-tuple indicating which edge this agent is located at. The first two slots indicate the current edge's source and target vertices, while the third slot indicates this edges ``edge_index``. The last slot indicates the edges edge type. Returns ------- out : int Returns an the edge index corresponding to the agents next edge to visit in the network.
queueing_tool/queues/agents.py
def desired_destination(self, network, edge): """Returns the agents next destination given their current location on the network. ``GreedyAgents`` choose their next destination with-in the network by picking the adjacent queue with the fewest number of :class:`Agents<.Agent>` in the queue. Parameters ---------- network : :class:`.QueueNetwork` The :class:`.QueueNetwork` where the Agent resides. edge : tuple A 4-tuple indicating which edge this agent is located at. The first two slots indicate the current edge's source and target vertices, while the third slot indicates this edges ``edge_index``. The last slot indicates the edges edge type. Returns ------- out : int Returns an the edge index corresponding to the agents next edge to visit in the network. """ adjacent_edges = network.out_edges[edge[1]] d = _argmin([network.edge2queue[d].number_queued() for d in adjacent_edges]) return adjacent_edges[d]
def desired_destination(self, network, edge): """Returns the agents next destination given their current location on the network. ``GreedyAgents`` choose their next destination with-in the network by picking the adjacent queue with the fewest number of :class:`Agents<.Agent>` in the queue. Parameters ---------- network : :class:`.QueueNetwork` The :class:`.QueueNetwork` where the Agent resides. edge : tuple A 4-tuple indicating which edge this agent is located at. The first two slots indicate the current edge's source and target vertices, while the third slot indicates this edges ``edge_index``. The last slot indicates the edges edge type. Returns ------- out : int Returns an the edge index corresponding to the agents next edge to visit in the network. """ adjacent_edges = network.out_edges[edge[1]] d = _argmin([network.edge2queue[d].number_queued() for d in adjacent_edges]) return adjacent_edges[d]
[ "Returns", "the", "agents", "next", "destination", "given", "their", "current", "location", "on", "the", "network", "." ]
djordon/queueing-tool
python
https://github.com/djordon/queueing-tool/blob/ccd418cf647ac03a54f78ba5e3725903f541b808/queueing_tool/queues/agents.py#L140-L167
[ "def", "desired_destination", "(", "self", ",", "network", ",", "edge", ")", ":", "adjacent_edges", "=", "network", ".", "out_edges", "[", "edge", "[", "1", "]", "]", "d", "=", "_argmin", "(", "[", "network", ".", "edge2queue", "[", "d", "]", ".", "number_queued", "(", ")", "for", "d", "in", "adjacent_edges", "]", ")", "return", "adjacent_edges", "[", "d", "]" ]
ccd418cf647ac03a54f78ba5e3725903f541b808
valid
_calculate_distance
Calculates the distance between two points on earth.
queueing_tool/graph/graph_functions.py
def _calculate_distance(latlon1, latlon2): """Calculates the distance between two points on earth. """ lat1, lon1 = latlon1 lat2, lon2 = latlon2 dlon = lon2 - lon1 dlat = lat2 - lat1 R = 6371 # radius of the earth in kilometers a = np.sin(dlat / 2)**2 + np.cos(lat1) * np.cos(lat2) * (np.sin(dlon / 2))**2 c = 2 * np.pi * R * np.arctan2(np.sqrt(a), np.sqrt(1 - a)) / 180 return c
def _calculate_distance(latlon1, latlon2): """Calculates the distance between two points on earth. """ lat1, lon1 = latlon1 lat2, lon2 = latlon2 dlon = lon2 - lon1 dlat = lat2 - lat1 R = 6371 # radius of the earth in kilometers a = np.sin(dlat / 2)**2 + np.cos(lat1) * np.cos(lat2) * (np.sin(dlon / 2))**2 c = 2 * np.pi * R * np.arctan2(np.sqrt(a), np.sqrt(1 - a)) / 180 return c
[ "Calculates", "the", "distance", "between", "two", "points", "on", "earth", "." ]
djordon/queueing-tool
python
https://github.com/djordon/queueing-tool/blob/ccd418cf647ac03a54f78ba5e3725903f541b808/queueing_tool/graph/graph_functions.py#L7-L17
[ "def", "_calculate_distance", "(", "latlon1", ",", "latlon2", ")", ":", "lat1", ",", "lon1", "=", "latlon1", "lat2", ",", "lon2", "=", "latlon2", "dlon", "=", "lon2", "-", "lon1", "dlat", "=", "lat2", "-", "lat1", "R", "=", "6371", "# radius of the earth in kilometers", "a", "=", "np", ".", "sin", "(", "dlat", "/", "2", ")", "**", "2", "+", "np", ".", "cos", "(", "lat1", ")", "*", "np", ".", "cos", "(", "lat2", ")", "*", "(", "np", ".", "sin", "(", "dlon", "/", "2", ")", ")", "**", "2", "c", "=", "2", "*", "np", ".", "pi", "*", "R", "*", "np", ".", "arctan2", "(", "np", ".", "sqrt", "(", "a", ")", ",", "np", ".", "sqrt", "(", "1", "-", "a", ")", ")", "/", "180", "return", "c" ]
ccd418cf647ac03a54f78ba5e3725903f541b808
valid
graph2dict
Takes a graph and returns an adjacency list. Parameters ---------- g : :any:`networkx.DiGraph`, :any:`networkx.Graph`, etc. Any object that networkx can turn into a :any:`DiGraph<networkx.DiGraph>`. return_dict_of_dict : bool (optional, default: ``True``) Specifies whether this function will return a dict of dicts or a dict of lists. Returns ------- adj : dict An adjacency representation of graph as a dictionary of dictionaries, where a key is the vertex index for a vertex ``v`` and the values are :class:`dicts<.dict>` with keys for the vertex index and values as edge properties. Examples -------- >>> import queueing_tool as qt >>> import networkx as nx >>> adj = {0: [1, 2], 1: [0], 2: [0, 3], 3: [2]} >>> g = nx.DiGraph(adj) >>> qt.graph2dict(g, return_dict_of_dict=True) ... # doctest: +NORMALIZE_WHITESPACE {0: {1: {}, 2: {}}, 1: {0: {}}, 2: {0: {}, 3: {}}, 3: {2: {}}} >>> qt.graph2dict(g, return_dict_of_dict=False) {0: [1, 2], 1: [0], 2: [0, 3], 3: [2]}
queueing_tool/graph/graph_functions.py
def graph2dict(g, return_dict_of_dict=True): """Takes a graph and returns an adjacency list. Parameters ---------- g : :any:`networkx.DiGraph`, :any:`networkx.Graph`, etc. Any object that networkx can turn into a :any:`DiGraph<networkx.DiGraph>`. return_dict_of_dict : bool (optional, default: ``True``) Specifies whether this function will return a dict of dicts or a dict of lists. Returns ------- adj : dict An adjacency representation of graph as a dictionary of dictionaries, where a key is the vertex index for a vertex ``v`` and the values are :class:`dicts<.dict>` with keys for the vertex index and values as edge properties. Examples -------- >>> import queueing_tool as qt >>> import networkx as nx >>> adj = {0: [1, 2], 1: [0], 2: [0, 3], 3: [2]} >>> g = nx.DiGraph(adj) >>> qt.graph2dict(g, return_dict_of_dict=True) ... # doctest: +NORMALIZE_WHITESPACE {0: {1: {}, 2: {}}, 1: {0: {}}, 2: {0: {}, 3: {}}, 3: {2: {}}} >>> qt.graph2dict(g, return_dict_of_dict=False) {0: [1, 2], 1: [0], 2: [0, 3], 3: [2]} """ if not isinstance(g, nx.DiGraph): g = QueueNetworkDiGraph(g) dict_of_dicts = nx.to_dict_of_dicts(g) if return_dict_of_dict: return dict_of_dicts else: return {k: list(val.keys()) for k, val in dict_of_dicts.items()}
def graph2dict(g, return_dict_of_dict=True): """Takes a graph and returns an adjacency list. Parameters ---------- g : :any:`networkx.DiGraph`, :any:`networkx.Graph`, etc. Any object that networkx can turn into a :any:`DiGraph<networkx.DiGraph>`. return_dict_of_dict : bool (optional, default: ``True``) Specifies whether this function will return a dict of dicts or a dict of lists. Returns ------- adj : dict An adjacency representation of graph as a dictionary of dictionaries, where a key is the vertex index for a vertex ``v`` and the values are :class:`dicts<.dict>` with keys for the vertex index and values as edge properties. Examples -------- >>> import queueing_tool as qt >>> import networkx as nx >>> adj = {0: [1, 2], 1: [0], 2: [0, 3], 3: [2]} >>> g = nx.DiGraph(adj) >>> qt.graph2dict(g, return_dict_of_dict=True) ... # doctest: +NORMALIZE_WHITESPACE {0: {1: {}, 2: {}}, 1: {0: {}}, 2: {0: {}, 3: {}}, 3: {2: {}}} >>> qt.graph2dict(g, return_dict_of_dict=False) {0: [1, 2], 1: [0], 2: [0, 3], 3: [2]} """ if not isinstance(g, nx.DiGraph): g = QueueNetworkDiGraph(g) dict_of_dicts = nx.to_dict_of_dicts(g) if return_dict_of_dict: return dict_of_dicts else: return {k: list(val.keys()) for k, val in dict_of_dicts.items()}
[ "Takes", "a", "graph", "and", "returns", "an", "adjacency", "list", "." ]
djordon/queueing-tool
python
https://github.com/djordon/queueing-tool/blob/ccd418cf647ac03a54f78ba5e3725903f541b808/queueing_tool/graph/graph_functions.py#L46-L88
[ "def", "graph2dict", "(", "g", ",", "return_dict_of_dict", "=", "True", ")", ":", "if", "not", "isinstance", "(", "g", ",", "nx", ".", "DiGraph", ")", ":", "g", "=", "QueueNetworkDiGraph", "(", "g", ")", "dict_of_dicts", "=", "nx", ".", "to_dict_of_dicts", "(", "g", ")", "if", "return_dict_of_dict", ":", "return", "dict_of_dicts", "else", ":", "return", "{", "k", ":", "list", "(", "val", ".", "keys", "(", ")", ")", "for", "k", ",", "val", "in", "dict_of_dicts", ".", "items", "(", ")", "}" ]
ccd418cf647ac03a54f78ba5e3725903f541b808
valid
_matrix2dict
Takes an adjacency matrix and returns an adjacency list.
queueing_tool/graph/graph_wrapper.py
def _matrix2dict(matrix, etype=False): """Takes an adjacency matrix and returns an adjacency list.""" n = len(matrix) adj = {k: {} for k in range(n)} for k in range(n): for j in range(n): if matrix[k, j] != 0: adj[k][j] = {} if not etype else matrix[k, j] return adj
def _matrix2dict(matrix, etype=False): """Takes an adjacency matrix and returns an adjacency list.""" n = len(matrix) adj = {k: {} for k in range(n)} for k in range(n): for j in range(n): if matrix[k, j] != 0: adj[k][j] = {} if not etype else matrix[k, j] return adj
[ "Takes", "an", "adjacency", "matrix", "and", "returns", "an", "adjacency", "list", "." ]
djordon/queueing-tool
python
https://github.com/djordon/queueing-tool/blob/ccd418cf647ac03a54f78ba5e3725903f541b808/queueing_tool/graph/graph_wrapper.py#L15-L24
[ "def", "_matrix2dict", "(", "matrix", ",", "etype", "=", "False", ")", ":", "n", "=", "len", "(", "matrix", ")", "adj", "=", "{", "k", ":", "{", "}", "for", "k", "in", "range", "(", "n", ")", "}", "for", "k", "in", "range", "(", "n", ")", ":", "for", "j", "in", "range", "(", "n", ")", ":", "if", "matrix", "[", "k", ",", "j", "]", "!=", "0", ":", "adj", "[", "k", "]", "[", "j", "]", "=", "{", "}", "if", "not", "etype", "else", "matrix", "[", "k", ",", "j", "]", "return", "adj" ]
ccd418cf647ac03a54f78ba5e3725903f541b808
valid
_dict2dict
Takes a dictionary based representation of an adjacency list and returns a dict of dicts based representation.
queueing_tool/graph/graph_wrapper.py
def _dict2dict(adj_dict): """Takes a dictionary based representation of an adjacency list and returns a dict of dicts based representation. """ item = adj_dict.popitem() adj_dict[item[0]] = item[1] if not isinstance(item[1], dict): new_dict = {} for key, value in adj_dict.items(): new_dict[key] = {v: {} for v in value} adj_dict = new_dict return adj_dict
def _dict2dict(adj_dict): """Takes a dictionary based representation of an adjacency list and returns a dict of dicts based representation. """ item = adj_dict.popitem() adj_dict[item[0]] = item[1] if not isinstance(item[1], dict): new_dict = {} for key, value in adj_dict.items(): new_dict[key] = {v: {} for v in value} adj_dict = new_dict return adj_dict
[ "Takes", "a", "dictionary", "based", "representation", "of", "an", "adjacency", "list", "and", "returns", "a", "dict", "of", "dicts", "based", "representation", "." ]
djordon/queueing-tool
python
https://github.com/djordon/queueing-tool/blob/ccd418cf647ac03a54f78ba5e3725903f541b808/queueing_tool/graph/graph_wrapper.py#L27-L39
[ "def", "_dict2dict", "(", "adj_dict", ")", ":", "item", "=", "adj_dict", ".", "popitem", "(", ")", "adj_dict", "[", "item", "[", "0", "]", "]", "=", "item", "[", "1", "]", "if", "not", "isinstance", "(", "item", "[", "1", "]", ",", "dict", ")", ":", "new_dict", "=", "{", "}", "for", "key", ",", "value", "in", "adj_dict", ".", "items", "(", ")", ":", "new_dict", "[", "key", "]", "=", "{", "v", ":", "{", "}", "for", "v", "in", "value", "}", "adj_dict", "=", "new_dict", "return", "adj_dict" ]
ccd418cf647ac03a54f78ba5e3725903f541b808
valid
_adjacency_adjust
Takes an adjacency list and returns a (possibly) modified adjacency list.
queueing_tool/graph/graph_wrapper.py
def _adjacency_adjust(adjacency, adjust, is_directed): """Takes an adjacency list and returns a (possibly) modified adjacency list. """ for v, adj in adjacency.items(): for properties in adj.values(): if properties.get('edge_type') is None: properties['edge_type'] = 1 if is_directed: if adjust == 2: null_nodes = set() for k, adj in adjacency.items(): if len(adj) == 0: null_nodes.add(k) for k, adj in adjacency.items(): for v in adj.keys(): if v in null_nodes: adj[v]['edge_type'] = 0 else: for k, adj in adjacency.items(): if len(adj) == 0: adj[k] = {'edge_type': 0} return adjacency
def _adjacency_adjust(adjacency, adjust, is_directed): """Takes an adjacency list and returns a (possibly) modified adjacency list. """ for v, adj in adjacency.items(): for properties in adj.values(): if properties.get('edge_type') is None: properties['edge_type'] = 1 if is_directed: if adjust == 2: null_nodes = set() for k, adj in adjacency.items(): if len(adj) == 0: null_nodes.add(k) for k, adj in adjacency.items(): for v in adj.keys(): if v in null_nodes: adj[v]['edge_type'] = 0 else: for k, adj in adjacency.items(): if len(adj) == 0: adj[k] = {'edge_type': 0} return adjacency
[ "Takes", "an", "adjacency", "list", "and", "returns", "a", "(", "possibly", ")", "modified", "adjacency", "list", "." ]
djordon/queueing-tool
python
https://github.com/djordon/queueing-tool/blob/ccd418cf647ac03a54f78ba5e3725903f541b808/queueing_tool/graph/graph_wrapper.py#L42-L70
[ "def", "_adjacency_adjust", "(", "adjacency", ",", "adjust", ",", "is_directed", ")", ":", "for", "v", ",", "adj", "in", "adjacency", ".", "items", "(", ")", ":", "for", "properties", "in", "adj", ".", "values", "(", ")", ":", "if", "properties", ".", "get", "(", "'edge_type'", ")", "is", "None", ":", "properties", "[", "'edge_type'", "]", "=", "1", "if", "is_directed", ":", "if", "adjust", "==", "2", ":", "null_nodes", "=", "set", "(", ")", "for", "k", ",", "adj", "in", "adjacency", ".", "items", "(", ")", ":", "if", "len", "(", "adj", ")", "==", "0", ":", "null_nodes", ".", "add", "(", "k", ")", "for", "k", ",", "adj", "in", "adjacency", ".", "items", "(", ")", ":", "for", "v", "in", "adj", ".", "keys", "(", ")", ":", "if", "v", "in", "null_nodes", ":", "adj", "[", "v", "]", "[", "'edge_type'", "]", "=", "0", "else", ":", "for", "k", ",", "adj", "in", "adjacency", ".", "items", "(", ")", ":", "if", "len", "(", "adj", ")", "==", "0", ":", "adj", "[", "k", "]", "=", "{", "'edge_type'", ":", "0", "}", "return", "adjacency" ]
ccd418cf647ac03a54f78ba5e3725903f541b808
valid
adjacency2graph
Takes an adjacency list, dict, or matrix and returns a graph. The purpose of this function is take an adjacency list (or matrix) and return a :class:`.QueueNetworkDiGraph` that can be used with a :class:`.QueueNetwork` instance. The Graph returned has the ``edge_type`` edge property set for each edge. Note that the graph may be altered. Parameters ---------- adjacency : dict or :class:`~numpy.ndarray` An adjacency list as either a dict, or an adjacency matrix. adjust : int ``{1, 2}`` (optional, default: 1) Specifies what to do when the graph has terminal vertices (nodes with no out-edges). Note that if ``adjust`` is not 2 then it is assumed to be 1. There are two choices: * ``adjust = 1``: A loop is added to each terminal node in the graph, and their ``edge_type`` of that loop is set to 0. * ``adjust = 2``: All edges leading to terminal nodes have their ``edge_type`` set to 0. **kwargs : Unused. Returns ------- out : :any:`networkx.DiGraph` A directed graph with the ``edge_type`` edge property. Raises ------ TypeError Is raised if ``adjacency`` is not a dict or :class:`~numpy.ndarray`. Examples -------- If terminal nodes are such that all in-edges have edge type ``0`` then nothing is changed. However, if a node is a terminal node then a loop is added with edge type 0. >>> import queueing_tool as qt >>> adj = { ... 0: {1: {}}, ... 1: {2: {}, ... 3: {}}, ... 3: {0: {}}} >>> eTy = {0: {1: 1}, 1: {2: 2, 3: 4}, 3: {0: 1}} >>> # A loop will be added to vertex 2 >>> g = qt.adjacency2graph(adj, edge_type=eTy) >>> ans = qt.graph2dict(g) >>> sorted(ans.items()) # doctest: +NORMALIZE_WHITESPACE [(0, {1: {'edge_type': 1}}), (1, {2: {'edge_type': 2}, 3: {'edge_type': 4}}), (2, {2: {'edge_type': 0}}), (3, {0: {'edge_type': 1}})] You can use a dict of lists to represent the adjacency list. >>> adj = {0 : [1], 1: [2, 3], 3: [0]} >>> g = qt.adjacency2graph(adj, edge_type=eTy) >>> ans = qt.graph2dict(g) >>> sorted(ans.items()) # doctest: +NORMALIZE_WHITESPACE [(0, {1: {'edge_type': 1}}), (1, {2: {'edge_type': 2}, 3: {'edge_type': 4}}), (2, {2: {'edge_type': 0}}), (3, {0: {'edge_type': 1}})] Alternatively, you could have this function adjust the edges that lead to terminal vertices by changing their edge type to 0: >>> # The graph is unaltered >>> g = qt.adjacency2graph(adj, edge_type=eTy, adjust=2) >>> ans = qt.graph2dict(g) >>> sorted(ans.items()) # doctest: +NORMALIZE_WHITESPACE [(0, {1: {'edge_type': 1}}), (1, {2: {'edge_type': 0}, 3: {'edge_type': 4}}), (2, {}), (3, {0: {'edge_type': 1}})]
queueing_tool/graph/graph_wrapper.py
def adjacency2graph(adjacency, edge_type=None, adjust=1, **kwargs): """Takes an adjacency list, dict, or matrix and returns a graph. The purpose of this function is take an adjacency list (or matrix) and return a :class:`.QueueNetworkDiGraph` that can be used with a :class:`.QueueNetwork` instance. The Graph returned has the ``edge_type`` edge property set for each edge. Note that the graph may be altered. Parameters ---------- adjacency : dict or :class:`~numpy.ndarray` An adjacency list as either a dict, or an adjacency matrix. adjust : int ``{1, 2}`` (optional, default: 1) Specifies what to do when the graph has terminal vertices (nodes with no out-edges). Note that if ``adjust`` is not 2 then it is assumed to be 1. There are two choices: * ``adjust = 1``: A loop is added to each terminal node in the graph, and their ``edge_type`` of that loop is set to 0. * ``adjust = 2``: All edges leading to terminal nodes have their ``edge_type`` set to 0. **kwargs : Unused. Returns ------- out : :any:`networkx.DiGraph` A directed graph with the ``edge_type`` edge property. Raises ------ TypeError Is raised if ``adjacency`` is not a dict or :class:`~numpy.ndarray`. Examples -------- If terminal nodes are such that all in-edges have edge type ``0`` then nothing is changed. However, if a node is a terminal node then a loop is added with edge type 0. >>> import queueing_tool as qt >>> adj = { ... 0: {1: {}}, ... 1: {2: {}, ... 3: {}}, ... 3: {0: {}}} >>> eTy = {0: {1: 1}, 1: {2: 2, 3: 4}, 3: {0: 1}} >>> # A loop will be added to vertex 2 >>> g = qt.adjacency2graph(adj, edge_type=eTy) >>> ans = qt.graph2dict(g) >>> sorted(ans.items()) # doctest: +NORMALIZE_WHITESPACE [(0, {1: {'edge_type': 1}}), (1, {2: {'edge_type': 2}, 3: {'edge_type': 4}}), (2, {2: {'edge_type': 0}}), (3, {0: {'edge_type': 1}})] You can use a dict of lists to represent the adjacency list. >>> adj = {0 : [1], 1: [2, 3], 3: [0]} >>> g = qt.adjacency2graph(adj, edge_type=eTy) >>> ans = qt.graph2dict(g) >>> sorted(ans.items()) # doctest: +NORMALIZE_WHITESPACE [(0, {1: {'edge_type': 1}}), (1, {2: {'edge_type': 2}, 3: {'edge_type': 4}}), (2, {2: {'edge_type': 0}}), (3, {0: {'edge_type': 1}})] Alternatively, you could have this function adjust the edges that lead to terminal vertices by changing their edge type to 0: >>> # The graph is unaltered >>> g = qt.adjacency2graph(adj, edge_type=eTy, adjust=2) >>> ans = qt.graph2dict(g) >>> sorted(ans.items()) # doctest: +NORMALIZE_WHITESPACE [(0, {1: {'edge_type': 1}}), (1, {2: {'edge_type': 0}, 3: {'edge_type': 4}}), (2, {}), (3, {0: {'edge_type': 1}})] """ if isinstance(adjacency, np.ndarray): adjacency = _matrix2dict(adjacency) elif isinstance(adjacency, dict): adjacency = _dict2dict(adjacency) else: msg = ("If the adjacency parameter is supplied it must be a " "dict, or a numpy.ndarray.") raise TypeError(msg) if edge_type is None: edge_type = {} else: if isinstance(edge_type, np.ndarray): edge_type = _matrix2dict(edge_type, etype=True) elif isinstance(edge_type, dict): edge_type = _dict2dict(edge_type) for u, ty in edge_type.items(): for v, et in ty.items(): adjacency[u][v]['edge_type'] = et g = nx.from_dict_of_dicts(adjacency, create_using=nx.DiGraph()) adjacency = nx.to_dict_of_dicts(g) adjacency = _adjacency_adjust(adjacency, adjust, True) return nx.from_dict_of_dicts(adjacency, create_using=nx.DiGraph())
def adjacency2graph(adjacency, edge_type=None, adjust=1, **kwargs): """Takes an adjacency list, dict, or matrix and returns a graph. The purpose of this function is take an adjacency list (or matrix) and return a :class:`.QueueNetworkDiGraph` that can be used with a :class:`.QueueNetwork` instance. The Graph returned has the ``edge_type`` edge property set for each edge. Note that the graph may be altered. Parameters ---------- adjacency : dict or :class:`~numpy.ndarray` An adjacency list as either a dict, or an adjacency matrix. adjust : int ``{1, 2}`` (optional, default: 1) Specifies what to do when the graph has terminal vertices (nodes with no out-edges). Note that if ``adjust`` is not 2 then it is assumed to be 1. There are two choices: * ``adjust = 1``: A loop is added to each terminal node in the graph, and their ``edge_type`` of that loop is set to 0. * ``adjust = 2``: All edges leading to terminal nodes have their ``edge_type`` set to 0. **kwargs : Unused. Returns ------- out : :any:`networkx.DiGraph` A directed graph with the ``edge_type`` edge property. Raises ------ TypeError Is raised if ``adjacency`` is not a dict or :class:`~numpy.ndarray`. Examples -------- If terminal nodes are such that all in-edges have edge type ``0`` then nothing is changed. However, if a node is a terminal node then a loop is added with edge type 0. >>> import queueing_tool as qt >>> adj = { ... 0: {1: {}}, ... 1: {2: {}, ... 3: {}}, ... 3: {0: {}}} >>> eTy = {0: {1: 1}, 1: {2: 2, 3: 4}, 3: {0: 1}} >>> # A loop will be added to vertex 2 >>> g = qt.adjacency2graph(adj, edge_type=eTy) >>> ans = qt.graph2dict(g) >>> sorted(ans.items()) # doctest: +NORMALIZE_WHITESPACE [(0, {1: {'edge_type': 1}}), (1, {2: {'edge_type': 2}, 3: {'edge_type': 4}}), (2, {2: {'edge_type': 0}}), (3, {0: {'edge_type': 1}})] You can use a dict of lists to represent the adjacency list. >>> adj = {0 : [1], 1: [2, 3], 3: [0]} >>> g = qt.adjacency2graph(adj, edge_type=eTy) >>> ans = qt.graph2dict(g) >>> sorted(ans.items()) # doctest: +NORMALIZE_WHITESPACE [(0, {1: {'edge_type': 1}}), (1, {2: {'edge_type': 2}, 3: {'edge_type': 4}}), (2, {2: {'edge_type': 0}}), (3, {0: {'edge_type': 1}})] Alternatively, you could have this function adjust the edges that lead to terminal vertices by changing their edge type to 0: >>> # The graph is unaltered >>> g = qt.adjacency2graph(adj, edge_type=eTy, adjust=2) >>> ans = qt.graph2dict(g) >>> sorted(ans.items()) # doctest: +NORMALIZE_WHITESPACE [(0, {1: {'edge_type': 1}}), (1, {2: {'edge_type': 0}, 3: {'edge_type': 4}}), (2, {}), (3, {0: {'edge_type': 1}})] """ if isinstance(adjacency, np.ndarray): adjacency = _matrix2dict(adjacency) elif isinstance(adjacency, dict): adjacency = _dict2dict(adjacency) else: msg = ("If the adjacency parameter is supplied it must be a " "dict, or a numpy.ndarray.") raise TypeError(msg) if edge_type is None: edge_type = {} else: if isinstance(edge_type, np.ndarray): edge_type = _matrix2dict(edge_type, etype=True) elif isinstance(edge_type, dict): edge_type = _dict2dict(edge_type) for u, ty in edge_type.items(): for v, et in ty.items(): adjacency[u][v]['edge_type'] = et g = nx.from_dict_of_dicts(adjacency, create_using=nx.DiGraph()) adjacency = nx.to_dict_of_dicts(g) adjacency = _adjacency_adjust(adjacency, adjust, True) return nx.from_dict_of_dicts(adjacency, create_using=nx.DiGraph())
[ "Takes", "an", "adjacency", "list", "dict", "or", "matrix", "and", "returns", "a", "graph", "." ]
djordon/queueing-tool
python
https://github.com/djordon/queueing-tool/blob/ccd418cf647ac03a54f78ba5e3725903f541b808/queueing_tool/graph/graph_wrapper.py#L73-L181
[ "def", "adjacency2graph", "(", "adjacency", ",", "edge_type", "=", "None", ",", "adjust", "=", "1", ",", "*", "*", "kwargs", ")", ":", "if", "isinstance", "(", "adjacency", ",", "np", ".", "ndarray", ")", ":", "adjacency", "=", "_matrix2dict", "(", "adjacency", ")", "elif", "isinstance", "(", "adjacency", ",", "dict", ")", ":", "adjacency", "=", "_dict2dict", "(", "adjacency", ")", "else", ":", "msg", "=", "(", "\"If the adjacency parameter is supplied it must be a \"", "\"dict, or a numpy.ndarray.\"", ")", "raise", "TypeError", "(", "msg", ")", "if", "edge_type", "is", "None", ":", "edge_type", "=", "{", "}", "else", ":", "if", "isinstance", "(", "edge_type", ",", "np", ".", "ndarray", ")", ":", "edge_type", "=", "_matrix2dict", "(", "edge_type", ",", "etype", "=", "True", ")", "elif", "isinstance", "(", "edge_type", ",", "dict", ")", ":", "edge_type", "=", "_dict2dict", "(", "edge_type", ")", "for", "u", ",", "ty", "in", "edge_type", ".", "items", "(", ")", ":", "for", "v", ",", "et", "in", "ty", ".", "items", "(", ")", ":", "adjacency", "[", "u", "]", "[", "v", "]", "[", "'edge_type'", "]", "=", "et", "g", "=", "nx", ".", "from_dict_of_dicts", "(", "adjacency", ",", "create_using", "=", "nx", ".", "DiGraph", "(", ")", ")", "adjacency", "=", "nx", ".", "to_dict_of_dicts", "(", "g", ")", "adjacency", "=", "_adjacency_adjust", "(", "adjacency", ",", "adjust", ",", "True", ")", "return", "nx", ".", "from_dict_of_dicts", "(", "adjacency", ",", "create_using", "=", "nx", ".", "DiGraph", "(", ")", ")" ]
ccd418cf647ac03a54f78ba5e3725903f541b808
valid
QueueNetworkDiGraph.get_edge_type
Returns all edges with the specified edge type. Parameters ---------- edge_type : int An integer specifying what type of edges to return. Returns ------- out : list of 2-tuples A list of 2-tuples representing the edges in the graph with the specified edge type. Examples -------- Lets get type 2 edges from the following graph >>> import queueing_tool as qt >>> adjacency = { ... 0: {1: {'edge_type': 2}}, ... 1: {2: {'edge_type': 1}, ... 3: {'edge_type': 4}}, ... 2: {0: {'edge_type': 2}}, ... 3: {3: {'edge_type': 0}} ... } >>> G = qt.QueueNetworkDiGraph(adjacency) >>> ans = G.get_edge_type(2) >>> ans.sort() >>> ans [(0, 1), (2, 0)]
queueing_tool/graph/graph_wrapper.py
def get_edge_type(self, edge_type): """Returns all edges with the specified edge type. Parameters ---------- edge_type : int An integer specifying what type of edges to return. Returns ------- out : list of 2-tuples A list of 2-tuples representing the edges in the graph with the specified edge type. Examples -------- Lets get type 2 edges from the following graph >>> import queueing_tool as qt >>> adjacency = { ... 0: {1: {'edge_type': 2}}, ... 1: {2: {'edge_type': 1}, ... 3: {'edge_type': 4}}, ... 2: {0: {'edge_type': 2}}, ... 3: {3: {'edge_type': 0}} ... } >>> G = qt.QueueNetworkDiGraph(adjacency) >>> ans = G.get_edge_type(2) >>> ans.sort() >>> ans [(0, 1), (2, 0)] """ edges = [] for e in self.edges(): if self.adj[e[0]][e[1]].get('edge_type') == edge_type: edges.append(e) return edges
def get_edge_type(self, edge_type): """Returns all edges with the specified edge type. Parameters ---------- edge_type : int An integer specifying what type of edges to return. Returns ------- out : list of 2-tuples A list of 2-tuples representing the edges in the graph with the specified edge type. Examples -------- Lets get type 2 edges from the following graph >>> import queueing_tool as qt >>> adjacency = { ... 0: {1: {'edge_type': 2}}, ... 1: {2: {'edge_type': 1}, ... 3: {'edge_type': 4}}, ... 2: {0: {'edge_type': 2}}, ... 3: {3: {'edge_type': 0}} ... } >>> G = qt.QueueNetworkDiGraph(adjacency) >>> ans = G.get_edge_type(2) >>> ans.sort() >>> ans [(0, 1), (2, 0)] """ edges = [] for e in self.edges(): if self.adj[e[0]][e[1]].get('edge_type') == edge_type: edges.append(e) return edges
[ "Returns", "all", "edges", "with", "the", "specified", "edge", "type", "." ]
djordon/queueing-tool
python
https://github.com/djordon/queueing-tool/blob/ccd418cf647ac03a54f78ba5e3725903f541b808/queueing_tool/graph/graph_wrapper.py#L318-L354
[ "def", "get_edge_type", "(", "self", ",", "edge_type", ")", ":", "edges", "=", "[", "]", "for", "e", "in", "self", ".", "edges", "(", ")", ":", "if", "self", ".", "adj", "[", "e", "[", "0", "]", "]", "[", "e", "[", "1", "]", "]", ".", "get", "(", "'edge_type'", ")", "==", "edge_type", ":", "edges", ".", "append", "(", "e", ")", "return", "edges" ]
ccd418cf647ac03a54f78ba5e3725903f541b808
valid
QueueNetworkDiGraph.draw_graph
Draws the graph. Uses matplotlib, specifically :class:`~matplotlib.collections.LineCollection` and :meth:`~matplotlib.axes.Axes.scatter`. Gets the default keyword arguments for both methods by calling :meth:`~.QueueNetworkDiGraph.lines_scatter_args` first. Parameters ---------- line_kwargs : dict (optional, default: ``None``) Any keyword arguments accepted by :class:`~matplotlib.collections.LineCollection` scatter_kwargs : dict (optional, default: ``None``) Any keyword arguments accepted by :meth:`~matplotlib.axes.Axes.scatter`. bgcolor : list (optional, keyword only) A list with 4 floats representing a RGBA color. Defaults to ``[1, 1, 1, 1]``. figsize : tuple (optional, keyword only, default: ``(7, 7)``) The width and height of the figure in inches. kwargs : Any keyword arguments used by :meth:`~matplotlib.figure.Figure.savefig`. Raises ------ ImportError : If Matplotlib is not installed then an :exc:`ImportError` is raised. Notes ----- If the ``fname`` keyword is passed, then the figure is saved locally.
queueing_tool/graph/graph_wrapper.py
def draw_graph(self, line_kwargs=None, scatter_kwargs=None, **kwargs): """Draws the graph. Uses matplotlib, specifically :class:`~matplotlib.collections.LineCollection` and :meth:`~matplotlib.axes.Axes.scatter`. Gets the default keyword arguments for both methods by calling :meth:`~.QueueNetworkDiGraph.lines_scatter_args` first. Parameters ---------- line_kwargs : dict (optional, default: ``None``) Any keyword arguments accepted by :class:`~matplotlib.collections.LineCollection` scatter_kwargs : dict (optional, default: ``None``) Any keyword arguments accepted by :meth:`~matplotlib.axes.Axes.scatter`. bgcolor : list (optional, keyword only) A list with 4 floats representing a RGBA color. Defaults to ``[1, 1, 1, 1]``. figsize : tuple (optional, keyword only, default: ``(7, 7)``) The width and height of the figure in inches. kwargs : Any keyword arguments used by :meth:`~matplotlib.figure.Figure.savefig`. Raises ------ ImportError : If Matplotlib is not installed then an :exc:`ImportError` is raised. Notes ----- If the ``fname`` keyword is passed, then the figure is saved locally. """ if not HAS_MATPLOTLIB: raise ImportError("Matplotlib is required to draw the graph.") fig = plt.figure(figsize=kwargs.get('figsize', (7, 7))) ax = fig.gca() mpl_kwargs = { 'line_kwargs': line_kwargs, 'scatter_kwargs': scatter_kwargs, 'pos': kwargs.get('pos') } line_kwargs, scatter_kwargs = self.lines_scatter_args(**mpl_kwargs) edge_collection = LineCollection(**line_kwargs) ax.add_collection(edge_collection) ax.scatter(**scatter_kwargs) if hasattr(ax, 'set_facecolor'): ax.set_facecolor(kwargs.get('bgcolor', [1, 1, 1, 1])) else: ax.set_axis_bgcolor(kwargs.get('bgcolor', [1, 1, 1, 1])) ax.get_xaxis().set_visible(False) ax.get_yaxis().set_visible(False) if 'fname' in kwargs: # savefig needs a positional argument for some reason new_kwargs = {k: v for k, v in kwargs.items() if k in SAVEFIG_KWARGS} fig.savefig(kwargs['fname'], **new_kwargs) else: plt.ion() plt.show()
def draw_graph(self, line_kwargs=None, scatter_kwargs=None, **kwargs): """Draws the graph. Uses matplotlib, specifically :class:`~matplotlib.collections.LineCollection` and :meth:`~matplotlib.axes.Axes.scatter`. Gets the default keyword arguments for both methods by calling :meth:`~.QueueNetworkDiGraph.lines_scatter_args` first. Parameters ---------- line_kwargs : dict (optional, default: ``None``) Any keyword arguments accepted by :class:`~matplotlib.collections.LineCollection` scatter_kwargs : dict (optional, default: ``None``) Any keyword arguments accepted by :meth:`~matplotlib.axes.Axes.scatter`. bgcolor : list (optional, keyword only) A list with 4 floats representing a RGBA color. Defaults to ``[1, 1, 1, 1]``. figsize : tuple (optional, keyword only, default: ``(7, 7)``) The width and height of the figure in inches. kwargs : Any keyword arguments used by :meth:`~matplotlib.figure.Figure.savefig`. Raises ------ ImportError : If Matplotlib is not installed then an :exc:`ImportError` is raised. Notes ----- If the ``fname`` keyword is passed, then the figure is saved locally. """ if not HAS_MATPLOTLIB: raise ImportError("Matplotlib is required to draw the graph.") fig = plt.figure(figsize=kwargs.get('figsize', (7, 7))) ax = fig.gca() mpl_kwargs = { 'line_kwargs': line_kwargs, 'scatter_kwargs': scatter_kwargs, 'pos': kwargs.get('pos') } line_kwargs, scatter_kwargs = self.lines_scatter_args(**mpl_kwargs) edge_collection = LineCollection(**line_kwargs) ax.add_collection(edge_collection) ax.scatter(**scatter_kwargs) if hasattr(ax, 'set_facecolor'): ax.set_facecolor(kwargs.get('bgcolor', [1, 1, 1, 1])) else: ax.set_axis_bgcolor(kwargs.get('bgcolor', [1, 1, 1, 1])) ax.get_xaxis().set_visible(False) ax.get_yaxis().set_visible(False) if 'fname' in kwargs: # savefig needs a positional argument for some reason new_kwargs = {k: v for k, v in kwargs.items() if k in SAVEFIG_KWARGS} fig.savefig(kwargs['fname'], **new_kwargs) else: plt.ion() plt.show()
[ "Draws", "the", "graph", "." ]
djordon/queueing-tool
python
https://github.com/djordon/queueing-tool/blob/ccd418cf647ac03a54f78ba5e3725903f541b808/queueing_tool/graph/graph_wrapper.py#L356-L425
[ "def", "draw_graph", "(", "self", ",", "line_kwargs", "=", "None", ",", "scatter_kwargs", "=", "None", ",", "*", "*", "kwargs", ")", ":", "if", "not", "HAS_MATPLOTLIB", ":", "raise", "ImportError", "(", "\"Matplotlib is required to draw the graph.\"", ")", "fig", "=", "plt", ".", "figure", "(", "figsize", "=", "kwargs", ".", "get", "(", "'figsize'", ",", "(", "7", ",", "7", ")", ")", ")", "ax", "=", "fig", ".", "gca", "(", ")", "mpl_kwargs", "=", "{", "'line_kwargs'", ":", "line_kwargs", ",", "'scatter_kwargs'", ":", "scatter_kwargs", ",", "'pos'", ":", "kwargs", ".", "get", "(", "'pos'", ")", "}", "line_kwargs", ",", "scatter_kwargs", "=", "self", ".", "lines_scatter_args", "(", "*", "*", "mpl_kwargs", ")", "edge_collection", "=", "LineCollection", "(", "*", "*", "line_kwargs", ")", "ax", ".", "add_collection", "(", "edge_collection", ")", "ax", ".", "scatter", "(", "*", "*", "scatter_kwargs", ")", "if", "hasattr", "(", "ax", ",", "'set_facecolor'", ")", ":", "ax", ".", "set_facecolor", "(", "kwargs", ".", "get", "(", "'bgcolor'", ",", "[", "1", ",", "1", ",", "1", ",", "1", "]", ")", ")", "else", ":", "ax", ".", "set_axis_bgcolor", "(", "kwargs", ".", "get", "(", "'bgcolor'", ",", "[", "1", ",", "1", ",", "1", ",", "1", "]", ")", ")", "ax", ".", "get_xaxis", "(", ")", ".", "set_visible", "(", "False", ")", "ax", ".", "get_yaxis", "(", ")", ".", "set_visible", "(", "False", ")", "if", "'fname'", "in", "kwargs", ":", "# savefig needs a positional argument for some reason", "new_kwargs", "=", "{", "k", ":", "v", "for", "k", ",", "v", "in", "kwargs", ".", "items", "(", ")", "if", "k", "in", "SAVEFIG_KWARGS", "}", "fig", ".", "savefig", "(", "kwargs", "[", "'fname'", "]", ",", "*", "*", "new_kwargs", ")", "else", ":", "plt", ".", "ion", "(", ")", "plt", ".", "show", "(", ")" ]
ccd418cf647ac03a54f78ba5e3725903f541b808
valid
QueueNetworkDiGraph.lines_scatter_args
Returns the arguments used when plotting. Takes any keyword arguments for :class:`~matplotlib.collections.LineCollection` and :meth:`~matplotlib.axes.Axes.scatter` and returns two dictionaries with all the defaults set. Parameters ---------- line_kwargs : dict (optional, default: ``None``) Any keyword arguments accepted by :class:`~matplotlib.collections.LineCollection`. scatter_kwargs : dict (optional, default: ``None``) Any keyword arguments accepted by :meth:`~matplotlib.axes.Axes.scatter`. Returns ------- tuple A 2-tuple of dicts. The first entry is the keyword arguments for :class:`~matplotlib.collections.LineCollection` and the second is the keyword args for :meth:`~matplotlib.axes.Axes.scatter`. Notes ----- If a specific keyword argument is not passed then the defaults are used.
queueing_tool/graph/graph_wrapper.py
def lines_scatter_args(self, line_kwargs=None, scatter_kwargs=None, pos=None): """Returns the arguments used when plotting. Takes any keyword arguments for :class:`~matplotlib.collections.LineCollection` and :meth:`~matplotlib.axes.Axes.scatter` and returns two dictionaries with all the defaults set. Parameters ---------- line_kwargs : dict (optional, default: ``None``) Any keyword arguments accepted by :class:`~matplotlib.collections.LineCollection`. scatter_kwargs : dict (optional, default: ``None``) Any keyword arguments accepted by :meth:`~matplotlib.axes.Axes.scatter`. Returns ------- tuple A 2-tuple of dicts. The first entry is the keyword arguments for :class:`~matplotlib.collections.LineCollection` and the second is the keyword args for :meth:`~matplotlib.axes.Axes.scatter`. Notes ----- If a specific keyword argument is not passed then the defaults are used. """ if pos is not None: self.set_pos(pos) elif self.pos is None: self.set_pos() edge_pos = [0 for e in self.edges()] for e in self.edges(): ei = self.edge_index[e] edge_pos[ei] = (self.pos[e[0]], self.pos[e[1]]) line_collecton_kwargs = { 'segments': edge_pos, 'colors': self.edge_color, 'linewidths': (1,), 'antialiaseds': (1,), 'linestyle': 'solid', 'transOffset': None, 'cmap': plt.cm.ocean_r, 'pickradius': 5, 'zorder': 0, 'facecolors': None, 'norm': None, 'offsets': None, 'offset_position': 'screen', 'hatch': None, } scatter_kwargs_ = { 'x': self.pos[:, 0], 'y': self.pos[:, 1], 's': 50, 'c': self.vertex_fill_color, 'alpha': None, 'norm': None, 'vmin': None, 'vmax': None, 'marker': 'o', 'zorder': 2, 'cmap': plt.cm.ocean_r, 'linewidths': 1, 'edgecolors': self.vertex_color, 'facecolors': None, 'antialiaseds': None, 'offset_position': 'screen', 'hatch': None, } line_kwargs = {} if line_kwargs is None else line_kwargs scatter_kwargs = {} if scatter_kwargs is None else scatter_kwargs for key, value in line_kwargs.items(): if key in line_collecton_kwargs: line_collecton_kwargs[key] = value for key, value in scatter_kwargs.items(): if key in scatter_kwargs_: scatter_kwargs_[key] = value return line_collecton_kwargs, scatter_kwargs_
def lines_scatter_args(self, line_kwargs=None, scatter_kwargs=None, pos=None): """Returns the arguments used when plotting. Takes any keyword arguments for :class:`~matplotlib.collections.LineCollection` and :meth:`~matplotlib.axes.Axes.scatter` and returns two dictionaries with all the defaults set. Parameters ---------- line_kwargs : dict (optional, default: ``None``) Any keyword arguments accepted by :class:`~matplotlib.collections.LineCollection`. scatter_kwargs : dict (optional, default: ``None``) Any keyword arguments accepted by :meth:`~matplotlib.axes.Axes.scatter`. Returns ------- tuple A 2-tuple of dicts. The first entry is the keyword arguments for :class:`~matplotlib.collections.LineCollection` and the second is the keyword args for :meth:`~matplotlib.axes.Axes.scatter`. Notes ----- If a specific keyword argument is not passed then the defaults are used. """ if pos is not None: self.set_pos(pos) elif self.pos is None: self.set_pos() edge_pos = [0 for e in self.edges()] for e in self.edges(): ei = self.edge_index[e] edge_pos[ei] = (self.pos[e[0]], self.pos[e[1]]) line_collecton_kwargs = { 'segments': edge_pos, 'colors': self.edge_color, 'linewidths': (1,), 'antialiaseds': (1,), 'linestyle': 'solid', 'transOffset': None, 'cmap': plt.cm.ocean_r, 'pickradius': 5, 'zorder': 0, 'facecolors': None, 'norm': None, 'offsets': None, 'offset_position': 'screen', 'hatch': None, } scatter_kwargs_ = { 'x': self.pos[:, 0], 'y': self.pos[:, 1], 's': 50, 'c': self.vertex_fill_color, 'alpha': None, 'norm': None, 'vmin': None, 'vmax': None, 'marker': 'o', 'zorder': 2, 'cmap': plt.cm.ocean_r, 'linewidths': 1, 'edgecolors': self.vertex_color, 'facecolors': None, 'antialiaseds': None, 'offset_position': 'screen', 'hatch': None, } line_kwargs = {} if line_kwargs is None else line_kwargs scatter_kwargs = {} if scatter_kwargs is None else scatter_kwargs for key, value in line_kwargs.items(): if key in line_collecton_kwargs: line_collecton_kwargs[key] = value for key, value in scatter_kwargs.items(): if key in scatter_kwargs_: scatter_kwargs_[key] = value return line_collecton_kwargs, scatter_kwargs_
[ "Returns", "the", "arguments", "used", "when", "plotting", "." ]
djordon/queueing-tool
python
https://github.com/djordon/queueing-tool/blob/ccd418cf647ac03a54f78ba5e3725903f541b808/queueing_tool/graph/graph_wrapper.py#L427-L515
[ "def", "lines_scatter_args", "(", "self", ",", "line_kwargs", "=", "None", ",", "scatter_kwargs", "=", "None", ",", "pos", "=", "None", ")", ":", "if", "pos", "is", "not", "None", ":", "self", ".", "set_pos", "(", "pos", ")", "elif", "self", ".", "pos", "is", "None", ":", "self", ".", "set_pos", "(", ")", "edge_pos", "=", "[", "0", "for", "e", "in", "self", ".", "edges", "(", ")", "]", "for", "e", "in", "self", ".", "edges", "(", ")", ":", "ei", "=", "self", ".", "edge_index", "[", "e", "]", "edge_pos", "[", "ei", "]", "=", "(", "self", ".", "pos", "[", "e", "[", "0", "]", "]", ",", "self", ".", "pos", "[", "e", "[", "1", "]", "]", ")", "line_collecton_kwargs", "=", "{", "'segments'", ":", "edge_pos", ",", "'colors'", ":", "self", ".", "edge_color", ",", "'linewidths'", ":", "(", "1", ",", ")", ",", "'antialiaseds'", ":", "(", "1", ",", ")", ",", "'linestyle'", ":", "'solid'", ",", "'transOffset'", ":", "None", ",", "'cmap'", ":", "plt", ".", "cm", ".", "ocean_r", ",", "'pickradius'", ":", "5", ",", "'zorder'", ":", "0", ",", "'facecolors'", ":", "None", ",", "'norm'", ":", "None", ",", "'offsets'", ":", "None", ",", "'offset_position'", ":", "'screen'", ",", "'hatch'", ":", "None", ",", "}", "scatter_kwargs_", "=", "{", "'x'", ":", "self", ".", "pos", "[", ":", ",", "0", "]", ",", "'y'", ":", "self", ".", "pos", "[", ":", ",", "1", "]", ",", "'s'", ":", "50", ",", "'c'", ":", "self", ".", "vertex_fill_color", ",", "'alpha'", ":", "None", ",", "'norm'", ":", "None", ",", "'vmin'", ":", "None", ",", "'vmax'", ":", "None", ",", "'marker'", ":", "'o'", ",", "'zorder'", ":", "2", ",", "'cmap'", ":", "plt", ".", "cm", ".", "ocean_r", ",", "'linewidths'", ":", "1", ",", "'edgecolors'", ":", "self", ".", "vertex_color", ",", "'facecolors'", ":", "None", ",", "'antialiaseds'", ":", "None", ",", "'offset_position'", ":", "'screen'", ",", "'hatch'", ":", "None", ",", "}", "line_kwargs", "=", "{", "}", "if", "line_kwargs", "is", "None", "else", "line_kwargs", "scatter_kwargs", "=", "{", "}", "if", "scatter_kwargs", "is", "None", "else", "scatter_kwargs", "for", "key", ",", "value", "in", "line_kwargs", ".", "items", "(", ")", ":", "if", "key", "in", "line_collecton_kwargs", ":", "line_collecton_kwargs", "[", "key", "]", "=", "value", "for", "key", ",", "value", "in", "scatter_kwargs", ".", "items", "(", ")", ":", "if", "key", "in", "scatter_kwargs_", ":", "scatter_kwargs_", "[", "key", "]", "=", "value", "return", "line_collecton_kwargs", ",", "scatter_kwargs_" ]
ccd418cf647ac03a54f78ba5e3725903f541b808
valid
poisson_random_measure
A function that returns the arrival time of the next arrival for a Poisson random measure. Parameters ---------- t : float The start time from which to simulate the next arrival time. rate : function The *intensity function* for the measure, where ``rate(t)`` is the expected arrival rate at time ``t``. rate_max : float The maximum value of the ``rate`` function. Returns ------- out : float The time of the next arrival. Notes ----- This function returns the time of the next arrival, where the distribution of the number of arrivals between times :math:`t` and :math:`t+s` is Poisson with mean .. math:: \int_{t}^{t+s} dx \, r(x) where :math:`r(t)` is the supplied ``rate`` function. This function can only simulate processes that have bounded intensity functions. See chapter 6 of [3]_ for more on the mathematics behind Poisson random measures; the book's publisher, Springer, has that chapter available online for free at (`pdf`_\). A Poisson random measure is sometimes called a non-homogeneous Poisson process. A Poisson process is a special type of Poisson random measure. .. _pdf: http://www.springer.com/cda/content/document/\ cda_downloaddocument/9780387878584-c1.pdf Examples -------- Suppose you wanted to model the arrival process as a Poisson random measure with rate function :math:`r(t) = 2 + \sin( 2\pi t)`. Then you could do so as follows: >>> import queueing_tool as qt >>> import numpy as np >>> np.random.seed(10) >>> rate = lambda t: 2 + np.sin(2 * np.pi * t) >>> arr_f = lambda t: qt.poisson_random_measure(t, rate, 3) >>> arr_f(1) # doctest: +ELLIPSIS 1.491... References ---------- .. [3] Cinlar, Erhan. *Probability and stochastics*. Graduate Texts in\ Mathematics. Vol. 261. Springer, New York, 2011.\ :doi:`10.1007/978-0-387-87859-1`
queueing_tool/queues/queue_servers.py
def poisson_random_measure(t, rate, rate_max): """A function that returns the arrival time of the next arrival for a Poisson random measure. Parameters ---------- t : float The start time from which to simulate the next arrival time. rate : function The *intensity function* for the measure, where ``rate(t)`` is the expected arrival rate at time ``t``. rate_max : float The maximum value of the ``rate`` function. Returns ------- out : float The time of the next arrival. Notes ----- This function returns the time of the next arrival, where the distribution of the number of arrivals between times :math:`t` and :math:`t+s` is Poisson with mean .. math:: \int_{t}^{t+s} dx \, r(x) where :math:`r(t)` is the supplied ``rate`` function. This function can only simulate processes that have bounded intensity functions. See chapter 6 of [3]_ for more on the mathematics behind Poisson random measures; the book's publisher, Springer, has that chapter available online for free at (`pdf`_\). A Poisson random measure is sometimes called a non-homogeneous Poisson process. A Poisson process is a special type of Poisson random measure. .. _pdf: http://www.springer.com/cda/content/document/\ cda_downloaddocument/9780387878584-c1.pdf Examples -------- Suppose you wanted to model the arrival process as a Poisson random measure with rate function :math:`r(t) = 2 + \sin( 2\pi t)`. Then you could do so as follows: >>> import queueing_tool as qt >>> import numpy as np >>> np.random.seed(10) >>> rate = lambda t: 2 + np.sin(2 * np.pi * t) >>> arr_f = lambda t: qt.poisson_random_measure(t, rate, 3) >>> arr_f(1) # doctest: +ELLIPSIS 1.491... References ---------- .. [3] Cinlar, Erhan. *Probability and stochastics*. Graduate Texts in\ Mathematics. Vol. 261. Springer, New York, 2011.\ :doi:`10.1007/978-0-387-87859-1` """ scale = 1.0 / rate_max t = t + exponential(scale) while rate_max * uniform() > rate(t): t = t + exponential(scale) return t
def poisson_random_measure(t, rate, rate_max): """A function that returns the arrival time of the next arrival for a Poisson random measure. Parameters ---------- t : float The start time from which to simulate the next arrival time. rate : function The *intensity function* for the measure, where ``rate(t)`` is the expected arrival rate at time ``t``. rate_max : float The maximum value of the ``rate`` function. Returns ------- out : float The time of the next arrival. Notes ----- This function returns the time of the next arrival, where the distribution of the number of arrivals between times :math:`t` and :math:`t+s` is Poisson with mean .. math:: \int_{t}^{t+s} dx \, r(x) where :math:`r(t)` is the supplied ``rate`` function. This function can only simulate processes that have bounded intensity functions. See chapter 6 of [3]_ for more on the mathematics behind Poisson random measures; the book's publisher, Springer, has that chapter available online for free at (`pdf`_\). A Poisson random measure is sometimes called a non-homogeneous Poisson process. A Poisson process is a special type of Poisson random measure. .. _pdf: http://www.springer.com/cda/content/document/\ cda_downloaddocument/9780387878584-c1.pdf Examples -------- Suppose you wanted to model the arrival process as a Poisson random measure with rate function :math:`r(t) = 2 + \sin( 2\pi t)`. Then you could do so as follows: >>> import queueing_tool as qt >>> import numpy as np >>> np.random.seed(10) >>> rate = lambda t: 2 + np.sin(2 * np.pi * t) >>> arr_f = lambda t: qt.poisson_random_measure(t, rate, 3) >>> arr_f(1) # doctest: +ELLIPSIS 1.491... References ---------- .. [3] Cinlar, Erhan. *Probability and stochastics*. Graduate Texts in\ Mathematics. Vol. 261. Springer, New York, 2011.\ :doi:`10.1007/978-0-387-87859-1` """ scale = 1.0 / rate_max t = t + exponential(scale) while rate_max * uniform() > rate(t): t = t + exponential(scale) return t
[ "A", "function", "that", "returns", "the", "arrival", "time", "of", "the", "next", "arrival", "for", "a", "Poisson", "random", "measure", "." ]
djordon/queueing-tool
python
https://github.com/djordon/queueing-tool/blob/ccd418cf647ac03a54f78ba5e3725903f541b808/queueing_tool/queues/queue_servers.py#L13-L79
[ "def", "poisson_random_measure", "(", "t", ",", "rate", ",", "rate_max", ")", ":", "scale", "=", "1.0", "/", "rate_max", "t", "=", "t", "+", "exponential", "(", "scale", ")", "while", "rate_max", "*", "uniform", "(", ")", ">", "rate", "(", "t", ")", ":", "t", "=", "t", "+", "exponential", "(", "scale", ")", "return", "t" ]
ccd418cf647ac03a54f78ba5e3725903f541b808
valid
QueueServer.clear
Clears out the queue. Removes all arrivals, departures, and queued agents from the :class:`.QueueServer`, resets ``num_arrivals``, ``num_departures``, ``num_system``, and the clock to zero. It also clears any stored ``data`` and the server is then set to inactive.
queueing_tool/queues/queue_servers.py
def clear(self): """Clears out the queue. Removes all arrivals, departures, and queued agents from the :class:`.QueueServer`, resets ``num_arrivals``, ``num_departures``, ``num_system``, and the clock to zero. It also clears any stored ``data`` and the server is then set to inactive. """ self.data = {} self._num_arrivals = 0 self._oArrivals = 0 self.num_departures = 0 self.num_system = 0 self._num_total = 0 self._current_t = 0 self._time = infty self._next_ct = 0 self._active = False self.queue = collections.deque() inftyAgent = InftyAgent() self._arrivals = [inftyAgent] self._departures = [inftyAgent]
def clear(self): """Clears out the queue. Removes all arrivals, departures, and queued agents from the :class:`.QueueServer`, resets ``num_arrivals``, ``num_departures``, ``num_system``, and the clock to zero. It also clears any stored ``data`` and the server is then set to inactive. """ self.data = {} self._num_arrivals = 0 self._oArrivals = 0 self.num_departures = 0 self.num_system = 0 self._num_total = 0 self._current_t = 0 self._time = infty self._next_ct = 0 self._active = False self.queue = collections.deque() inftyAgent = InftyAgent() self._arrivals = [inftyAgent] self._departures = [inftyAgent]
[ "Clears", "out", "the", "queue", ".", "Removes", "all", "arrivals", "departures", "and", "queued", "agents", "from", "the", ":", "class", ":", ".", "QueueServer", "resets", "num_arrivals", "num_departures", "num_system", "and", "the", "clock", "to", "zero", ".", "It", "also", "clears", "any", "stored", "data", "and", "the", "server", "is", "then", "set", "to", "inactive", "." ]
djordon/queueing-tool
python
https://github.com/djordon/queueing-tool/blob/ccd418cf647ac03a54f78ba5e3725903f541b808/queueing_tool/queues/queue_servers.py#L392-L412
[ "def", "clear", "(", "self", ")", ":", "self", ".", "data", "=", "{", "}", "self", ".", "_num_arrivals", "=", "0", "self", ".", "_oArrivals", "=", "0", "self", ".", "num_departures", "=", "0", "self", ".", "num_system", "=", "0", "self", ".", "_num_total", "=", "0", "self", ".", "_current_t", "=", "0", "self", ".", "_time", "=", "infty", "self", ".", "_next_ct", "=", "0", "self", ".", "_active", "=", "False", "self", ".", "queue", "=", "collections", ".", "deque", "(", ")", "inftyAgent", "=", "InftyAgent", "(", ")", "self", ".", "_arrivals", "=", "[", "inftyAgent", "]", "self", ".", "_departures", "=", "[", "inftyAgent", "]" ]
ccd418cf647ac03a54f78ba5e3725903f541b808
valid
QueueServer._current_color
Returns a color for the queue. Parameters ---------- which : int (optional, default: ``0``) Specifies the type of color to return. Returns ------- color : list Returns a RGBA color that is represented as a list with 4 entries where each entry can be any floating point number between 0 and 1. * If ``which`` is 1 then it returns the color of the edge as if it were a self loop. This is specified in ``colors['edge_loop_color']``. * If ``which`` is 2 then it returns the color of the vertex pen color (defined as color/vertex_color in :meth:`.QueueNetworkDiGraph.graph_draw`). This is specified in ``colors['vertex_color']``. * If ``which`` is anything else, then it returns the a shade of the edge that is proportional to the number of agents in the system -- which includes those being servered and those waiting to be served. More agents correspond to darker edge colors. Uses ``colors['vertex_fill_color']`` if the queue sits on a loop, and ``colors['edge_color']`` otherwise.
queueing_tool/queues/queue_servers.py
def _current_color(self, which=0): """Returns a color for the queue. Parameters ---------- which : int (optional, default: ``0``) Specifies the type of color to return. Returns ------- color : list Returns a RGBA color that is represented as a list with 4 entries where each entry can be any floating point number between 0 and 1. * If ``which`` is 1 then it returns the color of the edge as if it were a self loop. This is specified in ``colors['edge_loop_color']``. * If ``which`` is 2 then it returns the color of the vertex pen color (defined as color/vertex_color in :meth:`.QueueNetworkDiGraph.graph_draw`). This is specified in ``colors['vertex_color']``. * If ``which`` is anything else, then it returns the a shade of the edge that is proportional to the number of agents in the system -- which includes those being servered and those waiting to be served. More agents correspond to darker edge colors. Uses ``colors['vertex_fill_color']`` if the queue sits on a loop, and ``colors['edge_color']`` otherwise. """ if which == 1: color = self.colors['edge_loop_color'] elif which == 2: color = self.colors['vertex_color'] else: div = self.coloring_sensitivity * self.num_servers + 1. tmp = 1. - min(self.num_system / div, 1) if self.edge[0] == self.edge[1]: color = [i * tmp for i in self.colors['vertex_fill_color']] color[3] = 1.0 else: color = [i * tmp for i in self.colors['edge_color']] color[3] = 1 / 2. return color
def _current_color(self, which=0): """Returns a color for the queue. Parameters ---------- which : int (optional, default: ``0``) Specifies the type of color to return. Returns ------- color : list Returns a RGBA color that is represented as a list with 4 entries where each entry can be any floating point number between 0 and 1. * If ``which`` is 1 then it returns the color of the edge as if it were a self loop. This is specified in ``colors['edge_loop_color']``. * If ``which`` is 2 then it returns the color of the vertex pen color (defined as color/vertex_color in :meth:`.QueueNetworkDiGraph.graph_draw`). This is specified in ``colors['vertex_color']``. * If ``which`` is anything else, then it returns the a shade of the edge that is proportional to the number of agents in the system -- which includes those being servered and those waiting to be served. More agents correspond to darker edge colors. Uses ``colors['vertex_fill_color']`` if the queue sits on a loop, and ``colors['edge_color']`` otherwise. """ if which == 1: color = self.colors['edge_loop_color'] elif which == 2: color = self.colors['vertex_color'] else: div = self.coloring_sensitivity * self.num_servers + 1. tmp = 1. - min(self.num_system / div, 1) if self.edge[0] == self.edge[1]: color = [i * tmp for i in self.colors['vertex_fill_color']] color[3] = 1.0 else: color = [i * tmp for i in self.colors['edge_color']] color[3] = 1 / 2. return color
[ "Returns", "a", "color", "for", "the", "queue", "." ]
djordon/queueing-tool
python
https://github.com/djordon/queueing-tool/blob/ccd418cf647ac03a54f78ba5e3725903f541b808/queueing_tool/queues/queue_servers.py#L418-L465
[ "def", "_current_color", "(", "self", ",", "which", "=", "0", ")", ":", "if", "which", "==", "1", ":", "color", "=", "self", ".", "colors", "[", "'edge_loop_color'", "]", "elif", "which", "==", "2", ":", "color", "=", "self", ".", "colors", "[", "'vertex_color'", "]", "else", ":", "div", "=", "self", ".", "coloring_sensitivity", "*", "self", ".", "num_servers", "+", "1.", "tmp", "=", "1.", "-", "min", "(", "self", ".", "num_system", "/", "div", ",", "1", ")", "if", "self", ".", "edge", "[", "0", "]", "==", "self", ".", "edge", "[", "1", "]", ":", "color", "=", "[", "i", "*", "tmp", "for", "i", "in", "self", ".", "colors", "[", "'vertex_fill_color'", "]", "]", "color", "[", "3", "]", "=", "1.0", "else", ":", "color", "=", "[", "i", "*", "tmp", "for", "i", "in", "self", ".", "colors", "[", "'edge_color'", "]", "]", "color", "[", "3", "]", "=", "1", "/", "2.", "return", "color" ]
ccd418cf647ac03a54f78ba5e3725903f541b808
valid
QueueServer.delay_service
Adds an extra service time to the next departing :class:`Agent's<.Agent>` service time. Parameters ---------- t : float (optional) Specifies the departing time for the agent scheduled to depart next. If ``t`` is not given, then an additional service time is added to the next departing agent.
queueing_tool/queues/queue_servers.py
def delay_service(self, t=None): """Adds an extra service time to the next departing :class:`Agent's<.Agent>` service time. Parameters ---------- t : float (optional) Specifies the departing time for the agent scheduled to depart next. If ``t`` is not given, then an additional service time is added to the next departing agent. """ if len(self._departures) > 1: agent = heappop(self._departures) if t is None: agent._time = self.service_f(agent._time) else: agent._time = t heappush(self._departures, agent) self._update_time()
def delay_service(self, t=None): """Adds an extra service time to the next departing :class:`Agent's<.Agent>` service time. Parameters ---------- t : float (optional) Specifies the departing time for the agent scheduled to depart next. If ``t`` is not given, then an additional service time is added to the next departing agent. """ if len(self._departures) > 1: agent = heappop(self._departures) if t is None: agent._time = self.service_f(agent._time) else: agent._time = t heappush(self._departures, agent) self._update_time()
[ "Adds", "an", "extra", "service", "time", "to", "the", "next", "departing", ":", "class", ":", "Agent", "s<", ".", "Agent", ">", "service", "time", "." ]
djordon/queueing-tool
python
https://github.com/djordon/queueing-tool/blob/ccd418cf647ac03a54f78ba5e3725903f541b808/queueing_tool/queues/queue_servers.py#L467-L487
[ "def", "delay_service", "(", "self", ",", "t", "=", "None", ")", ":", "if", "len", "(", "self", ".", "_departures", ")", ">", "1", ":", "agent", "=", "heappop", "(", "self", ".", "_departures", ")", "if", "t", "is", "None", ":", "agent", ".", "_time", "=", "self", ".", "service_f", "(", "agent", ".", "_time", ")", "else", ":", "agent", ".", "_time", "=", "t", "heappush", "(", "self", ".", "_departures", ",", "agent", ")", "self", ".", "_update_time", "(", ")" ]
ccd418cf647ac03a54f78ba5e3725903f541b808
valid
QueueServer.fetch_data
Fetches data from the queue. Parameters ---------- return_header : bool (optonal, default: ``False``) Determines whether the column headers are returned. Returns ------- data : :class:`~numpy.ndarray` A six column :class:`~numpy.ndarray` of all the data. The columns are: * 1st: The arrival time of an agent. * 2nd: The service start time of an agent. * 3rd: The departure time of an agent. * 4th: The length of the queue upon the agents arrival. * 5th: The total number of :class:`Agents<.Agent>` in the :class:`.QueueServer`. * 6th: The :class:`QueueServer's<.QueueServer>` edge index. headers : str (optional) A comma seperated string of the column headers. Returns ``'arrival,service,departure,num_queued,num_total,q_id'``
queueing_tool/queues/queue_servers.py
def fetch_data(self, return_header=False): """Fetches data from the queue. Parameters ---------- return_header : bool (optonal, default: ``False``) Determines whether the column headers are returned. Returns ------- data : :class:`~numpy.ndarray` A six column :class:`~numpy.ndarray` of all the data. The columns are: * 1st: The arrival time of an agent. * 2nd: The service start time of an agent. * 3rd: The departure time of an agent. * 4th: The length of the queue upon the agents arrival. * 5th: The total number of :class:`Agents<.Agent>` in the :class:`.QueueServer`. * 6th: The :class:`QueueServer's<.QueueServer>` edge index. headers : str (optional) A comma seperated string of the column headers. Returns ``'arrival,service,departure,num_queued,num_total,q_id'`` """ qdata = [] for d in self.data.values(): qdata.extend(d) dat = np.zeros((len(qdata), 6)) if len(qdata) > 0: dat[:, :5] = np.array(qdata) dat[:, 5] = self.edge[2] dType = [ ('a', float), ('s', float), ('d', float), ('q', float), ('n', float), ('id', float) ] dat = np.array([tuple(d) for d in dat], dtype=dType) dat = np.sort(dat, order='a') dat = np.array([tuple(d) for d in dat]) if return_header: return dat, 'arrival,service,departure,num_queued,num_total,q_id' return dat
def fetch_data(self, return_header=False): """Fetches data from the queue. Parameters ---------- return_header : bool (optonal, default: ``False``) Determines whether the column headers are returned. Returns ------- data : :class:`~numpy.ndarray` A six column :class:`~numpy.ndarray` of all the data. The columns are: * 1st: The arrival time of an agent. * 2nd: The service start time of an agent. * 3rd: The departure time of an agent. * 4th: The length of the queue upon the agents arrival. * 5th: The total number of :class:`Agents<.Agent>` in the :class:`.QueueServer`. * 6th: The :class:`QueueServer's<.QueueServer>` edge index. headers : str (optional) A comma seperated string of the column headers. Returns ``'arrival,service,departure,num_queued,num_total,q_id'`` """ qdata = [] for d in self.data.values(): qdata.extend(d) dat = np.zeros((len(qdata), 6)) if len(qdata) > 0: dat[:, :5] = np.array(qdata) dat[:, 5] = self.edge[2] dType = [ ('a', float), ('s', float), ('d', float), ('q', float), ('n', float), ('id', float) ] dat = np.array([tuple(d) for d in dat], dtype=dType) dat = np.sort(dat, order='a') dat = np.array([tuple(d) for d in dat]) if return_header: return dat, 'arrival,service,departure,num_queued,num_total,q_id' return dat
[ "Fetches", "data", "from", "the", "queue", "." ]
djordon/queueing-tool
python
https://github.com/djordon/queueing-tool/blob/ccd418cf647ac03a54f78ba5e3725903f541b808/queueing_tool/queues/queue_servers.py#L489-L540
[ "def", "fetch_data", "(", "self", ",", "return_header", "=", "False", ")", ":", "qdata", "=", "[", "]", "for", "d", "in", "self", ".", "data", ".", "values", "(", ")", ":", "qdata", ".", "extend", "(", "d", ")", "dat", "=", "np", ".", "zeros", "(", "(", "len", "(", "qdata", ")", ",", "6", ")", ")", "if", "len", "(", "qdata", ")", ">", "0", ":", "dat", "[", ":", ",", ":", "5", "]", "=", "np", ".", "array", "(", "qdata", ")", "dat", "[", ":", ",", "5", "]", "=", "self", ".", "edge", "[", "2", "]", "dType", "=", "[", "(", "'a'", ",", "float", ")", ",", "(", "'s'", ",", "float", ")", ",", "(", "'d'", ",", "float", ")", ",", "(", "'q'", ",", "float", ")", ",", "(", "'n'", ",", "float", ")", ",", "(", "'id'", ",", "float", ")", "]", "dat", "=", "np", ".", "array", "(", "[", "tuple", "(", "d", ")", "for", "d", "in", "dat", "]", ",", "dtype", "=", "dType", ")", "dat", "=", "np", ".", "sort", "(", "dat", ",", "order", "=", "'a'", ")", "dat", "=", "np", ".", "array", "(", "[", "tuple", "(", "d", ")", "for", "d", "in", "dat", "]", ")", "if", "return_header", ":", "return", "dat", ",", "'arrival,service,departure,num_queued,num_total,q_id'", "return", "dat" ]
ccd418cf647ac03a54f78ba5e3725903f541b808
valid
QueueServer.next_event
Simulates the queue forward one event. Use :meth:`.simulate` instead. Returns ------- out : :class:`.Agent` (sometimes) If the next event is a departure then the departing agent is returned, otherwise nothing is returned. See Also -------- :meth:`.simulate` : Simulates the queue forward.
queueing_tool/queues/queue_servers.py
def next_event(self): """Simulates the queue forward one event. Use :meth:`.simulate` instead. Returns ------- out : :class:`.Agent` (sometimes) If the next event is a departure then the departing agent is returned, otherwise nothing is returned. See Also -------- :meth:`.simulate` : Simulates the queue forward. """ if self._departures[0]._time < self._arrivals[0]._time: new_depart = heappop(self._departures) self._current_t = new_depart._time self._num_total -= 1 self.num_system -= 1 self.num_departures += 1 if self.collect_data and new_depart.agent_id in self.data: self.data[new_depart.agent_id][-1][2] = self._current_t if len(self.queue) > 0: agent = self.queue.popleft() if self.collect_data and agent.agent_id in self.data: self.data[agent.agent_id][-1][1] = self._current_t agent._time = self.service_f(self._current_t) agent.queue_action(self, 1) heappush(self._departures, agent) new_depart.queue_action(self, 2) self._update_time() return new_depart elif self._arrivals[0]._time < infty: arrival = heappop(self._arrivals) self._current_t = arrival._time if self._active: self._add_arrival() self.num_system += 1 self._num_arrivals += 1 if self.collect_data: b = 0 if self.num_system <= self.num_servers else 1 if arrival.agent_id not in self.data: self.data[arrival.agent_id] = \ [[arrival._time, 0, 0, len(self.queue) + b, self.num_system]] else: self.data[arrival.agent_id]\ .append([arrival._time, 0, 0, len(self.queue) + b, self.num_system]) arrival.queue_action(self, 0) if self.num_system <= self.num_servers: if self.collect_data: self.data[arrival.agent_id][-1][1] = arrival._time arrival._time = self.service_f(arrival._time) arrival.queue_action(self, 1) heappush(self._departures, arrival) else: self.queue.append(arrival) self._update_time()
def next_event(self): """Simulates the queue forward one event. Use :meth:`.simulate` instead. Returns ------- out : :class:`.Agent` (sometimes) If the next event is a departure then the departing agent is returned, otherwise nothing is returned. See Also -------- :meth:`.simulate` : Simulates the queue forward. """ if self._departures[0]._time < self._arrivals[0]._time: new_depart = heappop(self._departures) self._current_t = new_depart._time self._num_total -= 1 self.num_system -= 1 self.num_departures += 1 if self.collect_data and new_depart.agent_id in self.data: self.data[new_depart.agent_id][-1][2] = self._current_t if len(self.queue) > 0: agent = self.queue.popleft() if self.collect_data and agent.agent_id in self.data: self.data[agent.agent_id][-1][1] = self._current_t agent._time = self.service_f(self._current_t) agent.queue_action(self, 1) heappush(self._departures, agent) new_depart.queue_action(self, 2) self._update_time() return new_depart elif self._arrivals[0]._time < infty: arrival = heappop(self._arrivals) self._current_t = arrival._time if self._active: self._add_arrival() self.num_system += 1 self._num_arrivals += 1 if self.collect_data: b = 0 if self.num_system <= self.num_servers else 1 if arrival.agent_id not in self.data: self.data[arrival.agent_id] = \ [[arrival._time, 0, 0, len(self.queue) + b, self.num_system]] else: self.data[arrival.agent_id]\ .append([arrival._time, 0, 0, len(self.queue) + b, self.num_system]) arrival.queue_action(self, 0) if self.num_system <= self.num_servers: if self.collect_data: self.data[arrival.agent_id][-1][1] = arrival._time arrival._time = self.service_f(arrival._time) arrival.queue_action(self, 1) heappush(self._departures, arrival) else: self.queue.append(arrival) self._update_time()
[ "Simulates", "the", "queue", "forward", "one", "event", "." ]
djordon/queueing-tool
python
https://github.com/djordon/queueing-tool/blob/ccd418cf647ac03a54f78ba5e3725903f541b808/queueing_tool/queues/queue_servers.py#L555-L624
[ "def", "next_event", "(", "self", ")", ":", "if", "self", ".", "_departures", "[", "0", "]", ".", "_time", "<", "self", ".", "_arrivals", "[", "0", "]", ".", "_time", ":", "new_depart", "=", "heappop", "(", "self", ".", "_departures", ")", "self", ".", "_current_t", "=", "new_depart", ".", "_time", "self", ".", "_num_total", "-=", "1", "self", ".", "num_system", "-=", "1", "self", ".", "num_departures", "+=", "1", "if", "self", ".", "collect_data", "and", "new_depart", ".", "agent_id", "in", "self", ".", "data", ":", "self", ".", "data", "[", "new_depart", ".", "agent_id", "]", "[", "-", "1", "]", "[", "2", "]", "=", "self", ".", "_current_t", "if", "len", "(", "self", ".", "queue", ")", ">", "0", ":", "agent", "=", "self", ".", "queue", ".", "popleft", "(", ")", "if", "self", ".", "collect_data", "and", "agent", ".", "agent_id", "in", "self", ".", "data", ":", "self", ".", "data", "[", "agent", ".", "agent_id", "]", "[", "-", "1", "]", "[", "1", "]", "=", "self", ".", "_current_t", "agent", ".", "_time", "=", "self", ".", "service_f", "(", "self", ".", "_current_t", ")", "agent", ".", "queue_action", "(", "self", ",", "1", ")", "heappush", "(", "self", ".", "_departures", ",", "agent", ")", "new_depart", ".", "queue_action", "(", "self", ",", "2", ")", "self", ".", "_update_time", "(", ")", "return", "new_depart", "elif", "self", ".", "_arrivals", "[", "0", "]", ".", "_time", "<", "infty", ":", "arrival", "=", "heappop", "(", "self", ".", "_arrivals", ")", "self", ".", "_current_t", "=", "arrival", ".", "_time", "if", "self", ".", "_active", ":", "self", ".", "_add_arrival", "(", ")", "self", ".", "num_system", "+=", "1", "self", ".", "_num_arrivals", "+=", "1", "if", "self", ".", "collect_data", ":", "b", "=", "0", "if", "self", ".", "num_system", "<=", "self", ".", "num_servers", "else", "1", "if", "arrival", ".", "agent_id", "not", "in", "self", ".", "data", ":", "self", ".", "data", "[", "arrival", ".", "agent_id", "]", "=", "[", "[", "arrival", ".", "_time", ",", "0", ",", "0", ",", "len", "(", "self", ".", "queue", ")", "+", "b", ",", "self", ".", "num_system", "]", "]", "else", ":", "self", ".", "data", "[", "arrival", ".", "agent_id", "]", ".", "append", "(", "[", "arrival", ".", "_time", ",", "0", ",", "0", ",", "len", "(", "self", ".", "queue", ")", "+", "b", ",", "self", ".", "num_system", "]", ")", "arrival", ".", "queue_action", "(", "self", ",", "0", ")", "if", "self", ".", "num_system", "<=", "self", ".", "num_servers", ":", "if", "self", ".", "collect_data", ":", "self", ".", "data", "[", "arrival", ".", "agent_id", "]", "[", "-", "1", "]", "[", "1", "]", "=", "arrival", ".", "_time", "arrival", ".", "_time", "=", "self", ".", "service_f", "(", "arrival", ".", "_time", ")", "arrival", ".", "queue_action", "(", "self", ",", "1", ")", "heappush", "(", "self", ".", "_departures", ",", "arrival", ")", "else", ":", "self", ".", "queue", ".", "append", "(", "arrival", ")", "self", ".", "_update_time", "(", ")" ]
ccd418cf647ac03a54f78ba5e3725903f541b808
valid
QueueServer.next_event_description
Returns an integer representing whether the next event is an arrival, a departure, or nothing. Returns ------- out : int An integer representing whether the next event is an arrival or a departure: ``1`` corresponds to an arrival, ``2`` corresponds to a departure, and ``0`` corresponds to nothing scheduled to occur.
queueing_tool/queues/queue_servers.py
def next_event_description(self): """Returns an integer representing whether the next event is an arrival, a departure, or nothing. Returns ------- out : int An integer representing whether the next event is an arrival or a departure: ``1`` corresponds to an arrival, ``2`` corresponds to a departure, and ``0`` corresponds to nothing scheduled to occur. """ if self._departures[0]._time < self._arrivals[0]._time: return 2 elif self._arrivals[0]._time < infty: return 1 else: return 0
def next_event_description(self): """Returns an integer representing whether the next event is an arrival, a departure, or nothing. Returns ------- out : int An integer representing whether the next event is an arrival or a departure: ``1`` corresponds to an arrival, ``2`` corresponds to a departure, and ``0`` corresponds to nothing scheduled to occur. """ if self._departures[0]._time < self._arrivals[0]._time: return 2 elif self._arrivals[0]._time < infty: return 1 else: return 0
[ "Returns", "an", "integer", "representing", "whether", "the", "next", "event", "is", "an", "arrival", "a", "departure", "or", "nothing", "." ]
djordon/queueing-tool
python
https://github.com/djordon/queueing-tool/blob/ccd418cf647ac03a54f78ba5e3725903f541b808/queueing_tool/queues/queue_servers.py#L626-L643
[ "def", "next_event_description", "(", "self", ")", ":", "if", "self", ".", "_departures", "[", "0", "]", ".", "_time", "<", "self", ".", "_arrivals", "[", "0", "]", ".", "_time", ":", "return", "2", "elif", "self", ".", "_arrivals", "[", "0", "]", ".", "_time", "<", "infty", ":", "return", "1", "else", ":", "return", "0" ]
ccd418cf647ac03a54f78ba5e3725903f541b808
valid
QueueServer.set_num_servers
Change the number of servers in the queue to ``n``. Parameters ---------- n : int or :const:`numpy.infty` A positive integer (or ``numpy.infty``) to set the number of queues in the system to. Raises ------ TypeError If ``n`` is not an integer or positive infinity then this error is raised. ValueError If ``n`` is not positive.
queueing_tool/queues/queue_servers.py
def set_num_servers(self, n): """Change the number of servers in the queue to ``n``. Parameters ---------- n : int or :const:`numpy.infty` A positive integer (or ``numpy.infty``) to set the number of queues in the system to. Raises ------ TypeError If ``n`` is not an integer or positive infinity then this error is raised. ValueError If ``n`` is not positive. """ if not isinstance(n, numbers.Integral) and n is not infty: the_str = "n must be an integer or infinity.\n{0}" raise TypeError(the_str.format(str(self))) elif n <= 0: the_str = "n must be a positive integer or infinity.\n{0}" raise ValueError(the_str.format(str(self))) else: self.num_servers = n
def set_num_servers(self, n): """Change the number of servers in the queue to ``n``. Parameters ---------- n : int or :const:`numpy.infty` A positive integer (or ``numpy.infty``) to set the number of queues in the system to. Raises ------ TypeError If ``n`` is not an integer or positive infinity then this error is raised. ValueError If ``n`` is not positive. """ if not isinstance(n, numbers.Integral) and n is not infty: the_str = "n must be an integer or infinity.\n{0}" raise TypeError(the_str.format(str(self))) elif n <= 0: the_str = "n must be a positive integer or infinity.\n{0}" raise ValueError(the_str.format(str(self))) else: self.num_servers = n
[ "Change", "the", "number", "of", "servers", "in", "the", "queue", "to", "n", "." ]
djordon/queueing-tool
python
https://github.com/djordon/queueing-tool/blob/ccd418cf647ac03a54f78ba5e3725903f541b808/queueing_tool/queues/queue_servers.py#L657-L681
[ "def", "set_num_servers", "(", "self", ",", "n", ")", ":", "if", "not", "isinstance", "(", "n", ",", "numbers", ".", "Integral", ")", "and", "n", "is", "not", "infty", ":", "the_str", "=", "\"n must be an integer or infinity.\\n{0}\"", "raise", "TypeError", "(", "the_str", ".", "format", "(", "str", "(", "self", ")", ")", ")", "elif", "n", "<=", "0", ":", "the_str", "=", "\"n must be a positive integer or infinity.\\n{0}\"", "raise", "ValueError", "(", "the_str", ".", "format", "(", "str", "(", "self", ")", ")", ")", "else", ":", "self", ".", "num_servers", "=", "n" ]
ccd418cf647ac03a54f78ba5e3725903f541b808
valid
QueueServer.simulate
This method simulates the queue forward for a specified amount of simulation time, or for a specific number of events. Parameters ---------- n : int (optional, default: ``1``) The number of events to simulate. If ``t``, ``nA``, and ``nD`` are not given then this parameter is used. t : float (optional) The minimum amount of simulation time to simulate forward. nA : int (optional) Simulate until ``nA`` additional arrivals are observed. nD : int (optional) Simulate until ``nD`` additional departures are observed. Examples -------- Before any simulations can take place the ``QueueServer`` must be activated: >>> import queueing_tool as qt >>> import numpy as np >>> rate = lambda t: 2 + 16 * np.sin(np.pi * t / 8)**2 >>> arr = lambda t: qt.poisson_random_measure(t, rate, 18) >>> ser = lambda t: t + np.random.gamma(4, 0.1) >>> q = qt.QueueServer(5, arrival_f=arr, service_f=ser, seed=54) >>> q.set_active() To simulate 50000 events do the following: >>> q.simulate(50000) >>> num_events = q.num_arrivals[0] + q.num_departures >>> num_events 50000 To simulate forward 75 time units, do the following: >>> t0 = q.time >>> q.simulate(t=75) >>> round(float(q.time - t0), 1) 75.1 >>> q.num_arrivals[1] + q.num_departures - num_events 1597 To simulate forward until 1000 new departures are observed run: >>> nA0, nD0 = q.num_arrivals[1], q.num_departures >>> q.simulate(nD=1000) >>> q.num_departures - nD0, q.num_arrivals[1] - nA0 (1000, 983) To simulate until 1000 new arrivals are observed run: >>> nA0, nD0 = q.num_arrivals[1], q.num_departures >>> q.simulate(nA=1000) >>> q.num_departures - nD0, q.num_arrivals[1] - nA0, (987, 1000)
queueing_tool/queues/queue_servers.py
def simulate(self, n=1, t=None, nA=None, nD=None): """This method simulates the queue forward for a specified amount of simulation time, or for a specific number of events. Parameters ---------- n : int (optional, default: ``1``) The number of events to simulate. If ``t``, ``nA``, and ``nD`` are not given then this parameter is used. t : float (optional) The minimum amount of simulation time to simulate forward. nA : int (optional) Simulate until ``nA`` additional arrivals are observed. nD : int (optional) Simulate until ``nD`` additional departures are observed. Examples -------- Before any simulations can take place the ``QueueServer`` must be activated: >>> import queueing_tool as qt >>> import numpy as np >>> rate = lambda t: 2 + 16 * np.sin(np.pi * t / 8)**2 >>> arr = lambda t: qt.poisson_random_measure(t, rate, 18) >>> ser = lambda t: t + np.random.gamma(4, 0.1) >>> q = qt.QueueServer(5, arrival_f=arr, service_f=ser, seed=54) >>> q.set_active() To simulate 50000 events do the following: >>> q.simulate(50000) >>> num_events = q.num_arrivals[0] + q.num_departures >>> num_events 50000 To simulate forward 75 time units, do the following: >>> t0 = q.time >>> q.simulate(t=75) >>> round(float(q.time - t0), 1) 75.1 >>> q.num_arrivals[1] + q.num_departures - num_events 1597 To simulate forward until 1000 new departures are observed run: >>> nA0, nD0 = q.num_arrivals[1], q.num_departures >>> q.simulate(nD=1000) >>> q.num_departures - nD0, q.num_arrivals[1] - nA0 (1000, 983) To simulate until 1000 new arrivals are observed run: >>> nA0, nD0 = q.num_arrivals[1], q.num_departures >>> q.simulate(nA=1000) >>> q.num_departures - nD0, q.num_arrivals[1] - nA0, (987, 1000) """ if t is None and nD is None and nA is None: for dummy in range(n): self.next_event() elif t is not None: then = self._current_t + t while self._current_t < then and self._time < infty: self.next_event() elif nD is not None: num_departures = self.num_departures + nD while self.num_departures < num_departures and self._time < infty: self.next_event() elif nA is not None: num_arrivals = self._oArrivals + nA while self._oArrivals < num_arrivals and self._time < infty: self.next_event()
def simulate(self, n=1, t=None, nA=None, nD=None): """This method simulates the queue forward for a specified amount of simulation time, or for a specific number of events. Parameters ---------- n : int (optional, default: ``1``) The number of events to simulate. If ``t``, ``nA``, and ``nD`` are not given then this parameter is used. t : float (optional) The minimum amount of simulation time to simulate forward. nA : int (optional) Simulate until ``nA`` additional arrivals are observed. nD : int (optional) Simulate until ``nD`` additional departures are observed. Examples -------- Before any simulations can take place the ``QueueServer`` must be activated: >>> import queueing_tool as qt >>> import numpy as np >>> rate = lambda t: 2 + 16 * np.sin(np.pi * t / 8)**2 >>> arr = lambda t: qt.poisson_random_measure(t, rate, 18) >>> ser = lambda t: t + np.random.gamma(4, 0.1) >>> q = qt.QueueServer(5, arrival_f=arr, service_f=ser, seed=54) >>> q.set_active() To simulate 50000 events do the following: >>> q.simulate(50000) >>> num_events = q.num_arrivals[0] + q.num_departures >>> num_events 50000 To simulate forward 75 time units, do the following: >>> t0 = q.time >>> q.simulate(t=75) >>> round(float(q.time - t0), 1) 75.1 >>> q.num_arrivals[1] + q.num_departures - num_events 1597 To simulate forward until 1000 new departures are observed run: >>> nA0, nD0 = q.num_arrivals[1], q.num_departures >>> q.simulate(nD=1000) >>> q.num_departures - nD0, q.num_arrivals[1] - nA0 (1000, 983) To simulate until 1000 new arrivals are observed run: >>> nA0, nD0 = q.num_arrivals[1], q.num_departures >>> q.simulate(nA=1000) >>> q.num_departures - nD0, q.num_arrivals[1] - nA0, (987, 1000) """ if t is None and nD is None and nA is None: for dummy in range(n): self.next_event() elif t is not None: then = self._current_t + t while self._current_t < then and self._time < infty: self.next_event() elif nD is not None: num_departures = self.num_departures + nD while self.num_departures < num_departures and self._time < infty: self.next_event() elif nA is not None: num_arrivals = self._oArrivals + nA while self._oArrivals < num_arrivals and self._time < infty: self.next_event()
[ "This", "method", "simulates", "the", "queue", "forward", "for", "a", "specified", "amount", "of", "simulation", "time", "or", "for", "a", "specific", "number", "of", "events", "." ]
djordon/queueing-tool
python
https://github.com/djordon/queueing-tool/blob/ccd418cf647ac03a54f78ba5e3725903f541b808/queueing_tool/queues/queue_servers.py#L683-L757
[ "def", "simulate", "(", "self", ",", "n", "=", "1", ",", "t", "=", "None", ",", "nA", "=", "None", ",", "nD", "=", "None", ")", ":", "if", "t", "is", "None", "and", "nD", "is", "None", "and", "nA", "is", "None", ":", "for", "dummy", "in", "range", "(", "n", ")", ":", "self", ".", "next_event", "(", ")", "elif", "t", "is", "not", "None", ":", "then", "=", "self", ".", "_current_t", "+", "t", "while", "self", ".", "_current_t", "<", "then", "and", "self", ".", "_time", "<", "infty", ":", "self", ".", "next_event", "(", ")", "elif", "nD", "is", "not", "None", ":", "num_departures", "=", "self", ".", "num_departures", "+", "nD", "while", "self", ".", "num_departures", "<", "num_departures", "and", "self", ".", "_time", "<", "infty", ":", "self", ".", "next_event", "(", ")", "elif", "nA", "is", "not", "None", ":", "num_arrivals", "=", "self", ".", "_oArrivals", "+", "nA", "while", "self", ".", "_oArrivals", "<", "num_arrivals", "and", "self", ".", "_time", "<", "infty", ":", "self", ".", "next_event", "(", ")" ]
ccd418cf647ac03a54f78ba5e3725903f541b808
valid
_get_queues
Used to specify edge indices from different types of arguments.
queueing_tool/network/queue_network.py
def _get_queues(g, queues, edge, edge_type): """Used to specify edge indices from different types of arguments.""" INT = numbers.Integral if isinstance(queues, INT): queues = [queues] elif queues is None: if edge is not None: if isinstance(edge, tuple): if isinstance(edge[0], INT) and isinstance(edge[1], INT): queues = [g.edge_index[edge]] elif isinstance(edge[0], collections.Iterable): if np.array([len(e) == 2 for e in edge]).all(): queues = [g.edge_index[e] for e in edge] else: queues = [g.edge_index[edge]] elif edge_type is not None: if isinstance(edge_type, collections.Iterable): edge_type = set(edge_type) else: edge_type = set([edge_type]) tmp = [] for e in g.edges(): if g.ep(e, 'edge_type') in edge_type: tmp.append(g.edge_index[e]) queues = np.array(tmp, int) if queues is None: queues = range(g.number_of_edges()) return queues
def _get_queues(g, queues, edge, edge_type): """Used to specify edge indices from different types of arguments.""" INT = numbers.Integral if isinstance(queues, INT): queues = [queues] elif queues is None: if edge is not None: if isinstance(edge, tuple): if isinstance(edge[0], INT) and isinstance(edge[1], INT): queues = [g.edge_index[edge]] elif isinstance(edge[0], collections.Iterable): if np.array([len(e) == 2 for e in edge]).all(): queues = [g.edge_index[e] for e in edge] else: queues = [g.edge_index[edge]] elif edge_type is not None: if isinstance(edge_type, collections.Iterable): edge_type = set(edge_type) else: edge_type = set([edge_type]) tmp = [] for e in g.edges(): if g.ep(e, 'edge_type') in edge_type: tmp.append(g.edge_index[e]) queues = np.array(tmp, int) if queues is None: queues = range(g.number_of_edges()) return queues
[ "Used", "to", "specify", "edge", "indices", "from", "different", "types", "of", "arguments", "." ]
djordon/queueing-tool
python
https://github.com/djordon/queueing-tool/blob/ccd418cf647ac03a54f78ba5e3725903f541b808/queueing_tool/network/queue_network.py#L1605-L1636
[ "def", "_get_queues", "(", "g", ",", "queues", ",", "edge", ",", "edge_type", ")", ":", "INT", "=", "numbers", ".", "Integral", "if", "isinstance", "(", "queues", ",", "INT", ")", ":", "queues", "=", "[", "queues", "]", "elif", "queues", "is", "None", ":", "if", "edge", "is", "not", "None", ":", "if", "isinstance", "(", "edge", ",", "tuple", ")", ":", "if", "isinstance", "(", "edge", "[", "0", "]", ",", "INT", ")", "and", "isinstance", "(", "edge", "[", "1", "]", ",", "INT", ")", ":", "queues", "=", "[", "g", ".", "edge_index", "[", "edge", "]", "]", "elif", "isinstance", "(", "edge", "[", "0", "]", ",", "collections", ".", "Iterable", ")", ":", "if", "np", ".", "array", "(", "[", "len", "(", "e", ")", "==", "2", "for", "e", "in", "edge", "]", ")", ".", "all", "(", ")", ":", "queues", "=", "[", "g", ".", "edge_index", "[", "e", "]", "for", "e", "in", "edge", "]", "else", ":", "queues", "=", "[", "g", ".", "edge_index", "[", "edge", "]", "]", "elif", "edge_type", "is", "not", "None", ":", "if", "isinstance", "(", "edge_type", ",", "collections", ".", "Iterable", ")", ":", "edge_type", "=", "set", "(", "edge_type", ")", "else", ":", "edge_type", "=", "set", "(", "[", "edge_type", "]", ")", "tmp", "=", "[", "]", "for", "e", "in", "g", ".", "edges", "(", ")", ":", "if", "g", ".", "ep", "(", "e", ",", "'edge_type'", ")", "in", "edge_type", ":", "tmp", ".", "append", "(", "g", ".", "edge_index", "[", "e", "]", ")", "queues", "=", "np", ".", "array", "(", "tmp", ",", "int", ")", "if", "queues", "is", "None", ":", "queues", "=", "range", "(", "g", ".", "number_of_edges", "(", ")", ")", "return", "queues" ]
ccd418cf647ac03a54f78ba5e3725903f541b808
valid
QueueNetwork.animate
Animates the network as it's simulating. The animations can be saved to disk or viewed in interactive mode. Closing the window ends the animation if viewed in interactive mode. This method calls :meth:`~matplotlib.axes.scatter`, and :class:`~matplotlib.collections.LineCollection`, and any keyword arguments they accept can be passed to them. Parameters ---------- out : str (optional) The location where the frames for the images will be saved. If this parameter is not given, then the animation is shown in interactive mode. t : float (optional) The amount of simulation time to simulate forward. If given, and ``out`` is given, ``t`` is used instead of ``n``. line_kwargs : dict (optional, default: None) Any keyword arguments accepted by :class:`~matplotlib.collections.LineCollection`. scatter_kwargs : dict (optional, default: None) Any keyword arguments accepted by :meth:`~matplotlib.axes.Axes.scatter`. bgcolor : list (optional, keyword only) A list with 4 floats representing a RGBA color. The default is defined in ``self.colors['bgcolor']``. figsize : tuple (optional, keyword only, default: ``(7, 7)``) The width and height of the figure in inches. **kwargs : This method calls :class:`~matplotlib.animation.FuncAnimation` and optionally :meth:`.matplotlib.animation.FuncAnimation.save`. Any keyword that can be passed to these functions are passed via ``kwargs``. Notes ----- There are several parameters automatically set and passed to matplotlib's :meth:`~matplotlib.axes.Axes.scatter`, :class:`~matplotlib.collections.LineCollection`, and :class:`~matplotlib.animation.FuncAnimation` by default. These include: * :class:`~matplotlib.animation.FuncAnimation`: Uses the defaults for that function. Saving the animation is done by passing the 'filename' keyword argument to this method. This method also accepts any keyword arguments accepted by :meth:`~matplotlib.animation.FuncAnimation.save`. * :class:`~matplotlib.collections.LineCollection`: The default arguments are taken from :meth:`.QueueNetworkDiGraph.lines_scatter_args`. * :meth:`~matplotlib.axes.Axes.scatter`: The default arguments are taken from :meth:`.QueueNetworkDiGraph.lines_scatter_args`. Raises ------ QueueingToolError Will raise a :exc:`.QueueingToolError` if the ``QueueNetwork`` has not been initialized. Call :meth:`.initialize` before running. Examples -------- This function works similarly to ``QueueNetwork's`` :meth:`.draw` method. >>> import queueing_tool as qt >>> g = qt.generate_pagerank_graph(100, seed=13) >>> net = qt.QueueNetwork(g, seed=13) >>> net.initialize() >>> net.animate(figsize=(4, 4)) # doctest: +SKIP To stop the animation just close the window. If you want to write the animation to disk run something like the following: >>> kwargs = { ... 'filename': 'test.mp4', ... 'frames': 300, ... 'fps': 30, ... 'writer': 'mencoder', ... 'figsize': (4, 4), ... 'vertex_size': 15 ... } >>> net.animate(**kwargs) # doctest: +SKIP
queueing_tool/network/queue_network.py
def animate(self, out=None, t=None, line_kwargs=None, scatter_kwargs=None, **kwargs): """Animates the network as it's simulating. The animations can be saved to disk or viewed in interactive mode. Closing the window ends the animation if viewed in interactive mode. This method calls :meth:`~matplotlib.axes.scatter`, and :class:`~matplotlib.collections.LineCollection`, and any keyword arguments they accept can be passed to them. Parameters ---------- out : str (optional) The location where the frames for the images will be saved. If this parameter is not given, then the animation is shown in interactive mode. t : float (optional) The amount of simulation time to simulate forward. If given, and ``out`` is given, ``t`` is used instead of ``n``. line_kwargs : dict (optional, default: None) Any keyword arguments accepted by :class:`~matplotlib.collections.LineCollection`. scatter_kwargs : dict (optional, default: None) Any keyword arguments accepted by :meth:`~matplotlib.axes.Axes.scatter`. bgcolor : list (optional, keyword only) A list with 4 floats representing a RGBA color. The default is defined in ``self.colors['bgcolor']``. figsize : tuple (optional, keyword only, default: ``(7, 7)``) The width and height of the figure in inches. **kwargs : This method calls :class:`~matplotlib.animation.FuncAnimation` and optionally :meth:`.matplotlib.animation.FuncAnimation.save`. Any keyword that can be passed to these functions are passed via ``kwargs``. Notes ----- There are several parameters automatically set and passed to matplotlib's :meth:`~matplotlib.axes.Axes.scatter`, :class:`~matplotlib.collections.LineCollection`, and :class:`~matplotlib.animation.FuncAnimation` by default. These include: * :class:`~matplotlib.animation.FuncAnimation`: Uses the defaults for that function. Saving the animation is done by passing the 'filename' keyword argument to this method. This method also accepts any keyword arguments accepted by :meth:`~matplotlib.animation.FuncAnimation.save`. * :class:`~matplotlib.collections.LineCollection`: The default arguments are taken from :meth:`.QueueNetworkDiGraph.lines_scatter_args`. * :meth:`~matplotlib.axes.Axes.scatter`: The default arguments are taken from :meth:`.QueueNetworkDiGraph.lines_scatter_args`. Raises ------ QueueingToolError Will raise a :exc:`.QueueingToolError` if the ``QueueNetwork`` has not been initialized. Call :meth:`.initialize` before running. Examples -------- This function works similarly to ``QueueNetwork's`` :meth:`.draw` method. >>> import queueing_tool as qt >>> g = qt.generate_pagerank_graph(100, seed=13) >>> net = qt.QueueNetwork(g, seed=13) >>> net.initialize() >>> net.animate(figsize=(4, 4)) # doctest: +SKIP To stop the animation just close the window. If you want to write the animation to disk run something like the following: >>> kwargs = { ... 'filename': 'test.mp4', ... 'frames': 300, ... 'fps': 30, ... 'writer': 'mencoder', ... 'figsize': (4, 4), ... 'vertex_size': 15 ... } >>> net.animate(**kwargs) # doctest: +SKIP """ if not self._initialized: msg = ("Network has not been initialized. " "Call '.initialize()' first.") raise QueueingToolError(msg) if not HAS_MATPLOTLIB: msg = "Matplotlib is necessary to animate a simulation." raise ImportError(msg) self._update_all_colors() kwargs.setdefault('bgcolor', self.colors['bgcolor']) fig = plt.figure(figsize=kwargs.get('figsize', (7, 7))) ax = fig.gca() mpl_kwargs = { 'line_kwargs': line_kwargs, 'scatter_kwargs': scatter_kwargs, 'pos': kwargs.get('pos') } line_args, scat_args = self.g.lines_scatter_args(**mpl_kwargs) lines = LineCollection(**line_args) lines = ax.add_collection(lines) scatt = ax.scatter(**scat_args) t = np.infty if t is None else t now = self._t def update(frame_number): if t is not None: if self._t > now + t: return False self._simulate_next_event(slow=True) lines.set_color(line_args['colors']) scatt.set_edgecolors(scat_args['edgecolors']) scatt.set_facecolor(scat_args['c']) if hasattr(ax, 'set_facecolor'): ax.set_facecolor(kwargs['bgcolor']) else: ax.set_axis_bgcolor(kwargs['bgcolor']) ax.get_xaxis().set_visible(False) ax.get_yaxis().set_visible(False) animation_args = { 'fargs': None, 'event_source': None, 'init_func': None, 'frames': None, 'blit': False, 'interval': 10, 'repeat': None, 'func': update, 'repeat_delay': None, 'fig': fig, 'save_count': None, } for key, value in kwargs.items(): if key in animation_args: animation_args[key] = value animation = FuncAnimation(**animation_args) if 'filename' not in kwargs: plt.ioff() plt.show() else: save_args = { 'filename': None, 'writer': None, 'fps': None, 'dpi': None, 'codec': None, 'bitrate': None, 'extra_args': None, 'metadata': None, 'extra_anim': None, 'savefig_kwargs': None } for key, value in kwargs.items(): if key in save_args: save_args[key] = value animation.save(**save_args)
def animate(self, out=None, t=None, line_kwargs=None, scatter_kwargs=None, **kwargs): """Animates the network as it's simulating. The animations can be saved to disk or viewed in interactive mode. Closing the window ends the animation if viewed in interactive mode. This method calls :meth:`~matplotlib.axes.scatter`, and :class:`~matplotlib.collections.LineCollection`, and any keyword arguments they accept can be passed to them. Parameters ---------- out : str (optional) The location where the frames for the images will be saved. If this parameter is not given, then the animation is shown in interactive mode. t : float (optional) The amount of simulation time to simulate forward. If given, and ``out`` is given, ``t`` is used instead of ``n``. line_kwargs : dict (optional, default: None) Any keyword arguments accepted by :class:`~matplotlib.collections.LineCollection`. scatter_kwargs : dict (optional, default: None) Any keyword arguments accepted by :meth:`~matplotlib.axes.Axes.scatter`. bgcolor : list (optional, keyword only) A list with 4 floats representing a RGBA color. The default is defined in ``self.colors['bgcolor']``. figsize : tuple (optional, keyword only, default: ``(7, 7)``) The width and height of the figure in inches. **kwargs : This method calls :class:`~matplotlib.animation.FuncAnimation` and optionally :meth:`.matplotlib.animation.FuncAnimation.save`. Any keyword that can be passed to these functions are passed via ``kwargs``. Notes ----- There are several parameters automatically set and passed to matplotlib's :meth:`~matplotlib.axes.Axes.scatter`, :class:`~matplotlib.collections.LineCollection`, and :class:`~matplotlib.animation.FuncAnimation` by default. These include: * :class:`~matplotlib.animation.FuncAnimation`: Uses the defaults for that function. Saving the animation is done by passing the 'filename' keyword argument to this method. This method also accepts any keyword arguments accepted by :meth:`~matplotlib.animation.FuncAnimation.save`. * :class:`~matplotlib.collections.LineCollection`: The default arguments are taken from :meth:`.QueueNetworkDiGraph.lines_scatter_args`. * :meth:`~matplotlib.axes.Axes.scatter`: The default arguments are taken from :meth:`.QueueNetworkDiGraph.lines_scatter_args`. Raises ------ QueueingToolError Will raise a :exc:`.QueueingToolError` if the ``QueueNetwork`` has not been initialized. Call :meth:`.initialize` before running. Examples -------- This function works similarly to ``QueueNetwork's`` :meth:`.draw` method. >>> import queueing_tool as qt >>> g = qt.generate_pagerank_graph(100, seed=13) >>> net = qt.QueueNetwork(g, seed=13) >>> net.initialize() >>> net.animate(figsize=(4, 4)) # doctest: +SKIP To stop the animation just close the window. If you want to write the animation to disk run something like the following: >>> kwargs = { ... 'filename': 'test.mp4', ... 'frames': 300, ... 'fps': 30, ... 'writer': 'mencoder', ... 'figsize': (4, 4), ... 'vertex_size': 15 ... } >>> net.animate(**kwargs) # doctest: +SKIP """ if not self._initialized: msg = ("Network has not been initialized. " "Call '.initialize()' first.") raise QueueingToolError(msg) if not HAS_MATPLOTLIB: msg = "Matplotlib is necessary to animate a simulation." raise ImportError(msg) self._update_all_colors() kwargs.setdefault('bgcolor', self.colors['bgcolor']) fig = plt.figure(figsize=kwargs.get('figsize', (7, 7))) ax = fig.gca() mpl_kwargs = { 'line_kwargs': line_kwargs, 'scatter_kwargs': scatter_kwargs, 'pos': kwargs.get('pos') } line_args, scat_args = self.g.lines_scatter_args(**mpl_kwargs) lines = LineCollection(**line_args) lines = ax.add_collection(lines) scatt = ax.scatter(**scat_args) t = np.infty if t is None else t now = self._t def update(frame_number): if t is not None: if self._t > now + t: return False self._simulate_next_event(slow=True) lines.set_color(line_args['colors']) scatt.set_edgecolors(scat_args['edgecolors']) scatt.set_facecolor(scat_args['c']) if hasattr(ax, 'set_facecolor'): ax.set_facecolor(kwargs['bgcolor']) else: ax.set_axis_bgcolor(kwargs['bgcolor']) ax.get_xaxis().set_visible(False) ax.get_yaxis().set_visible(False) animation_args = { 'fargs': None, 'event_source': None, 'init_func': None, 'frames': None, 'blit': False, 'interval': 10, 'repeat': None, 'func': update, 'repeat_delay': None, 'fig': fig, 'save_count': None, } for key, value in kwargs.items(): if key in animation_args: animation_args[key] = value animation = FuncAnimation(**animation_args) if 'filename' not in kwargs: plt.ioff() plt.show() else: save_args = { 'filename': None, 'writer': None, 'fps': None, 'dpi': None, 'codec': None, 'bitrate': None, 'extra_args': None, 'metadata': None, 'extra_anim': None, 'savefig_kwargs': None } for key, value in kwargs.items(): if key in save_args: save_args[key] = value animation.save(**save_args)
[ "Animates", "the", "network", "as", "it", "s", "simulating", "." ]
djordon/queueing-tool
python
https://github.com/djordon/queueing-tool/blob/ccd418cf647ac03a54f78ba5e3725903f541b808/queueing_tool/network/queue_network.py#L411-L587
[ "def", "animate", "(", "self", ",", "out", "=", "None", ",", "t", "=", "None", ",", "line_kwargs", "=", "None", ",", "scatter_kwargs", "=", "None", ",", "*", "*", "kwargs", ")", ":", "if", "not", "self", ".", "_initialized", ":", "msg", "=", "(", "\"Network has not been initialized. \"", "\"Call '.initialize()' first.\"", ")", "raise", "QueueingToolError", "(", "msg", ")", "if", "not", "HAS_MATPLOTLIB", ":", "msg", "=", "\"Matplotlib is necessary to animate a simulation.\"", "raise", "ImportError", "(", "msg", ")", "self", ".", "_update_all_colors", "(", ")", "kwargs", ".", "setdefault", "(", "'bgcolor'", ",", "self", ".", "colors", "[", "'bgcolor'", "]", ")", "fig", "=", "plt", ".", "figure", "(", "figsize", "=", "kwargs", ".", "get", "(", "'figsize'", ",", "(", "7", ",", "7", ")", ")", ")", "ax", "=", "fig", ".", "gca", "(", ")", "mpl_kwargs", "=", "{", "'line_kwargs'", ":", "line_kwargs", ",", "'scatter_kwargs'", ":", "scatter_kwargs", ",", "'pos'", ":", "kwargs", ".", "get", "(", "'pos'", ")", "}", "line_args", ",", "scat_args", "=", "self", ".", "g", ".", "lines_scatter_args", "(", "*", "*", "mpl_kwargs", ")", "lines", "=", "LineCollection", "(", "*", "*", "line_args", ")", "lines", "=", "ax", ".", "add_collection", "(", "lines", ")", "scatt", "=", "ax", ".", "scatter", "(", "*", "*", "scat_args", ")", "t", "=", "np", ".", "infty", "if", "t", "is", "None", "else", "t", "now", "=", "self", ".", "_t", "def", "update", "(", "frame_number", ")", ":", "if", "t", "is", "not", "None", ":", "if", "self", ".", "_t", ">", "now", "+", "t", ":", "return", "False", "self", ".", "_simulate_next_event", "(", "slow", "=", "True", ")", "lines", ".", "set_color", "(", "line_args", "[", "'colors'", "]", ")", "scatt", ".", "set_edgecolors", "(", "scat_args", "[", "'edgecolors'", "]", ")", "scatt", ".", "set_facecolor", "(", "scat_args", "[", "'c'", "]", ")", "if", "hasattr", "(", "ax", ",", "'set_facecolor'", ")", ":", "ax", ".", "set_facecolor", "(", "kwargs", "[", "'bgcolor'", "]", ")", "else", ":", "ax", ".", "set_axis_bgcolor", "(", "kwargs", "[", "'bgcolor'", "]", ")", "ax", ".", "get_xaxis", "(", ")", ".", "set_visible", "(", "False", ")", "ax", ".", "get_yaxis", "(", ")", ".", "set_visible", "(", "False", ")", "animation_args", "=", "{", "'fargs'", ":", "None", ",", "'event_source'", ":", "None", ",", "'init_func'", ":", "None", ",", "'frames'", ":", "None", ",", "'blit'", ":", "False", ",", "'interval'", ":", "10", ",", "'repeat'", ":", "None", ",", "'func'", ":", "update", ",", "'repeat_delay'", ":", "None", ",", "'fig'", ":", "fig", ",", "'save_count'", ":", "None", ",", "}", "for", "key", ",", "value", "in", "kwargs", ".", "items", "(", ")", ":", "if", "key", "in", "animation_args", ":", "animation_args", "[", "key", "]", "=", "value", "animation", "=", "FuncAnimation", "(", "*", "*", "animation_args", ")", "if", "'filename'", "not", "in", "kwargs", ":", "plt", ".", "ioff", "(", ")", "plt", ".", "show", "(", ")", "else", ":", "save_args", "=", "{", "'filename'", ":", "None", ",", "'writer'", ":", "None", ",", "'fps'", ":", "None", ",", "'dpi'", ":", "None", ",", "'codec'", ":", "None", ",", "'bitrate'", ":", "None", ",", "'extra_args'", ":", "None", ",", "'metadata'", ":", "None", ",", "'extra_anim'", ":", "None", ",", "'savefig_kwargs'", ":", "None", "}", "for", "key", ",", "value", "in", "kwargs", ".", "items", "(", ")", ":", "if", "key", "in", "save_args", ":", "save_args", "[", "key", "]", "=", "value", "animation", ".", "save", "(", "*", "*", "save_args", ")" ]
ccd418cf647ac03a54f78ba5e3725903f541b808
valid
QueueNetwork.clear
Resets the queue to its initial state. The attributes ``t``, ``num_events``, ``num_agents`` are set to zero, :meth:`.reset_colors` is called, and the :meth:`.QueueServer.clear` method is called for each queue in the network. Notes ----- ``QueueNetwork`` must be re-initialized before any simulations can run.
queueing_tool/network/queue_network.py
def clear(self): """Resets the queue to its initial state. The attributes ``t``, ``num_events``, ``num_agents`` are set to zero, :meth:`.reset_colors` is called, and the :meth:`.QueueServer.clear` method is called for each queue in the network. Notes ----- ``QueueNetwork`` must be re-initialized before any simulations can run. """ self._t = 0 self.num_events = 0 self.num_agents = np.zeros(self.nE, int) self._fancy_heap = PriorityQueue() self._prev_edge = None self._initialized = False self.reset_colors() for q in self.edge2queue: q.clear()
def clear(self): """Resets the queue to its initial state. The attributes ``t``, ``num_events``, ``num_agents`` are set to zero, :meth:`.reset_colors` is called, and the :meth:`.QueueServer.clear` method is called for each queue in the network. Notes ----- ``QueueNetwork`` must be re-initialized before any simulations can run. """ self._t = 0 self.num_events = 0 self.num_agents = np.zeros(self.nE, int) self._fancy_heap = PriorityQueue() self._prev_edge = None self._initialized = False self.reset_colors() for q in self.edge2queue: q.clear()
[ "Resets", "the", "queue", "to", "its", "initial", "state", "." ]
djordon/queueing-tool
python
https://github.com/djordon/queueing-tool/blob/ccd418cf647ac03a54f78ba5e3725903f541b808/queueing_tool/network/queue_network.py#L589-L610
[ "def", "clear", "(", "self", ")", ":", "self", ".", "_t", "=", "0", "self", ".", "num_events", "=", "0", "self", ".", "num_agents", "=", "np", ".", "zeros", "(", "self", ".", "nE", ",", "int", ")", "self", ".", "_fancy_heap", "=", "PriorityQueue", "(", ")", "self", ".", "_prev_edge", "=", "None", "self", ".", "_initialized", "=", "False", "self", ".", "reset_colors", "(", ")", "for", "q", "in", "self", ".", "edge2queue", ":", "q", ".", "clear", "(", ")" ]
ccd418cf647ac03a54f78ba5e3725903f541b808
valid
QueueNetwork.clear_data
Clears data from all queues. If none of the parameters are given then every queue's data is cleared. Parameters ---------- queues : int or an iterable of int (optional) The edge index (or an iterable of edge indices) identifying the :class:`QueueServer(s)<.QueueServer>` whose data will be cleared. edge : 2-tuple of int or *array_like* (optional) Explicitly specify which queues' data to clear. Must be either: * A 2-tuple of the edge's source and target vertex indices, or * An iterable of 2-tuples of the edge's source and target vertex indices. edge_type : int or an iterable of int (optional) A integer, or a collection of integers identifying which edge types will have their data cleared.
queueing_tool/network/queue_network.py
def clear_data(self, queues=None, edge=None, edge_type=None): """Clears data from all queues. If none of the parameters are given then every queue's data is cleared. Parameters ---------- queues : int or an iterable of int (optional) The edge index (or an iterable of edge indices) identifying the :class:`QueueServer(s)<.QueueServer>` whose data will be cleared. edge : 2-tuple of int or *array_like* (optional) Explicitly specify which queues' data to clear. Must be either: * A 2-tuple of the edge's source and target vertex indices, or * An iterable of 2-tuples of the edge's source and target vertex indices. edge_type : int or an iterable of int (optional) A integer, or a collection of integers identifying which edge types will have their data cleared. """ queues = _get_queues(self.g, queues, edge, edge_type) for k in queues: self.edge2queue[k].data = {}
def clear_data(self, queues=None, edge=None, edge_type=None): """Clears data from all queues. If none of the parameters are given then every queue's data is cleared. Parameters ---------- queues : int or an iterable of int (optional) The edge index (or an iterable of edge indices) identifying the :class:`QueueServer(s)<.QueueServer>` whose data will be cleared. edge : 2-tuple of int or *array_like* (optional) Explicitly specify which queues' data to clear. Must be either: * A 2-tuple of the edge's source and target vertex indices, or * An iterable of 2-tuples of the edge's source and target vertex indices. edge_type : int or an iterable of int (optional) A integer, or a collection of integers identifying which edge types will have their data cleared. """ queues = _get_queues(self.g, queues, edge, edge_type) for k in queues: self.edge2queue[k].data = {}
[ "Clears", "data", "from", "all", "queues", "." ]
djordon/queueing-tool
python
https://github.com/djordon/queueing-tool/blob/ccd418cf647ac03a54f78ba5e3725903f541b808/queueing_tool/network/queue_network.py#L612-L640
[ "def", "clear_data", "(", "self", ",", "queues", "=", "None", ",", "edge", "=", "None", ",", "edge_type", "=", "None", ")", ":", "queues", "=", "_get_queues", "(", "self", ".", "g", ",", "queues", ",", "edge", ",", "edge_type", ")", "for", "k", "in", "queues", ":", "self", ".", "edge2queue", "[", "k", "]", ".", "data", "=", "{", "}" ]
ccd418cf647ac03a54f78ba5e3725903f541b808
valid
QueueNetwork.copy
Returns a deep copy of itself.
queueing_tool/network/queue_network.py
def copy(self): """Returns a deep copy of itself.""" net = QueueNetwork(None) net.g = self.g.copy() net.max_agents = copy.deepcopy(self.max_agents) net.nV = copy.deepcopy(self.nV) net.nE = copy.deepcopy(self.nE) net.num_agents = copy.deepcopy(self.num_agents) net.num_events = copy.deepcopy(self.num_events) net._t = copy.deepcopy(self._t) net._initialized = copy.deepcopy(self._initialized) net._prev_edge = copy.deepcopy(self._prev_edge) net._blocking = copy.deepcopy(self._blocking) net.colors = copy.deepcopy(self.colors) net.out_edges = copy.deepcopy(self.out_edges) net.in_edges = copy.deepcopy(self.in_edges) net.edge2queue = copy.deepcopy(self.edge2queue) net._route_probs = copy.deepcopy(self._route_probs) if net._initialized: keys = [q._key() for q in net.edge2queue if q._time < np.infty] net._fancy_heap = PriorityQueue(keys, net.nE) return net
def copy(self): """Returns a deep copy of itself.""" net = QueueNetwork(None) net.g = self.g.copy() net.max_agents = copy.deepcopy(self.max_agents) net.nV = copy.deepcopy(self.nV) net.nE = copy.deepcopy(self.nE) net.num_agents = copy.deepcopy(self.num_agents) net.num_events = copy.deepcopy(self.num_events) net._t = copy.deepcopy(self._t) net._initialized = copy.deepcopy(self._initialized) net._prev_edge = copy.deepcopy(self._prev_edge) net._blocking = copy.deepcopy(self._blocking) net.colors = copy.deepcopy(self.colors) net.out_edges = copy.deepcopy(self.out_edges) net.in_edges = copy.deepcopy(self.in_edges) net.edge2queue = copy.deepcopy(self.edge2queue) net._route_probs = copy.deepcopy(self._route_probs) if net._initialized: keys = [q._key() for q in net.edge2queue if q._time < np.infty] net._fancy_heap = PriorityQueue(keys, net.nE) return net
[ "Returns", "a", "deep", "copy", "of", "itself", "." ]
djordon/queueing-tool
python
https://github.com/djordon/queueing-tool/blob/ccd418cf647ac03a54f78ba5e3725903f541b808/queueing_tool/network/queue_network.py#L642-L665
[ "def", "copy", "(", "self", ")", ":", "net", "=", "QueueNetwork", "(", "None", ")", "net", ".", "g", "=", "self", ".", "g", ".", "copy", "(", ")", "net", ".", "max_agents", "=", "copy", ".", "deepcopy", "(", "self", ".", "max_agents", ")", "net", ".", "nV", "=", "copy", ".", "deepcopy", "(", "self", ".", "nV", ")", "net", ".", "nE", "=", "copy", ".", "deepcopy", "(", "self", ".", "nE", ")", "net", ".", "num_agents", "=", "copy", ".", "deepcopy", "(", "self", ".", "num_agents", ")", "net", ".", "num_events", "=", "copy", ".", "deepcopy", "(", "self", ".", "num_events", ")", "net", ".", "_t", "=", "copy", ".", "deepcopy", "(", "self", ".", "_t", ")", "net", ".", "_initialized", "=", "copy", ".", "deepcopy", "(", "self", ".", "_initialized", ")", "net", ".", "_prev_edge", "=", "copy", ".", "deepcopy", "(", "self", ".", "_prev_edge", ")", "net", ".", "_blocking", "=", "copy", ".", "deepcopy", "(", "self", ".", "_blocking", ")", "net", ".", "colors", "=", "copy", ".", "deepcopy", "(", "self", ".", "colors", ")", "net", ".", "out_edges", "=", "copy", ".", "deepcopy", "(", "self", ".", "out_edges", ")", "net", ".", "in_edges", "=", "copy", ".", "deepcopy", "(", "self", ".", "in_edges", ")", "net", ".", "edge2queue", "=", "copy", ".", "deepcopy", "(", "self", ".", "edge2queue", ")", "net", ".", "_route_probs", "=", "copy", ".", "deepcopy", "(", "self", ".", "_route_probs", ")", "if", "net", ".", "_initialized", ":", "keys", "=", "[", "q", ".", "_key", "(", ")", "for", "q", "in", "net", ".", "edge2queue", "if", "q", ".", "_time", "<", "np", ".", "infty", "]", "net", ".", "_fancy_heap", "=", "PriorityQueue", "(", "keys", ",", "net", ".", "nE", ")", "return", "net" ]
ccd418cf647ac03a54f78ba5e3725903f541b808
valid
QueueNetwork.draw
Draws the network. The coloring of the network corresponds to the number of agents at each queue. Parameters ---------- update_colors : ``bool`` (optional, default: ``True``). Specifies whether all the colors are updated. line_kwargs : dict (optional, default: None) Any keyword arguments accepted by :class:`~matplotlib.collections.LineCollection` scatter_kwargs : dict (optional, default: None) Any keyword arguments accepted by :meth:`~matplotlib.axes.Axes.scatter`. bgcolor : list (optional, keyword only) A list with 4 floats representing a RGBA color. The default is defined in ``self.colors['bgcolor']``. figsize : tuple (optional, keyword only, default: ``(7, 7)``) The width and height of the canvas in inches. **kwargs Any parameters to pass to :meth:`.QueueNetworkDiGraph.draw_graph`. Notes ----- This method relies heavily on :meth:`.QueueNetworkDiGraph.draw_graph`. Also, there is a parameter that sets the background color of the canvas, which is the ``bgcolor`` parameter. Examples -------- To draw the current state of the network, call: >>> import queueing_tool as qt >>> g = qt.generate_pagerank_graph(100, seed=13) >>> net = qt.QueueNetwork(g, seed=13) >>> net.initialize(100) >>> net.simulate(1200) >>> net.draw() # doctest: +SKIP If you specify a file name and location, the drawing will be saved to disk. For example, to save the drawing to the current working directory do the following: >>> net.draw(fname="state.png", scatter_kwargs={'s': 40}) # doctest: +SKIP .. figure:: current_state1.png :align: center The shade of each edge depicts how many agents are located at the corresponding queue. The shade of each vertex is determined by the total number of inbound agents. Although loops are not visible by default, the vertex that corresponds to a loop shows how many agents are in that loop. There are several additional parameters that can be passed -- all :meth:`.QueueNetworkDiGraph.draw_graph` parameters are valid. For example, to show the edges as dashed lines do the following. >>> net.draw(line_kwargs={'linestyle': 'dashed'}) # doctest: +SKIP
queueing_tool/network/queue_network.py
def draw(self, update_colors=True, line_kwargs=None, scatter_kwargs=None, **kwargs): """Draws the network. The coloring of the network corresponds to the number of agents at each queue. Parameters ---------- update_colors : ``bool`` (optional, default: ``True``). Specifies whether all the colors are updated. line_kwargs : dict (optional, default: None) Any keyword arguments accepted by :class:`~matplotlib.collections.LineCollection` scatter_kwargs : dict (optional, default: None) Any keyword arguments accepted by :meth:`~matplotlib.axes.Axes.scatter`. bgcolor : list (optional, keyword only) A list with 4 floats representing a RGBA color. The default is defined in ``self.colors['bgcolor']``. figsize : tuple (optional, keyword only, default: ``(7, 7)``) The width and height of the canvas in inches. **kwargs Any parameters to pass to :meth:`.QueueNetworkDiGraph.draw_graph`. Notes ----- This method relies heavily on :meth:`.QueueNetworkDiGraph.draw_graph`. Also, there is a parameter that sets the background color of the canvas, which is the ``bgcolor`` parameter. Examples -------- To draw the current state of the network, call: >>> import queueing_tool as qt >>> g = qt.generate_pagerank_graph(100, seed=13) >>> net = qt.QueueNetwork(g, seed=13) >>> net.initialize(100) >>> net.simulate(1200) >>> net.draw() # doctest: +SKIP If you specify a file name and location, the drawing will be saved to disk. For example, to save the drawing to the current working directory do the following: >>> net.draw(fname="state.png", scatter_kwargs={'s': 40}) # doctest: +SKIP .. figure:: current_state1.png :align: center The shade of each edge depicts how many agents are located at the corresponding queue. The shade of each vertex is determined by the total number of inbound agents. Although loops are not visible by default, the vertex that corresponds to a loop shows how many agents are in that loop. There are several additional parameters that can be passed -- all :meth:`.QueueNetworkDiGraph.draw_graph` parameters are valid. For example, to show the edges as dashed lines do the following. >>> net.draw(line_kwargs={'linestyle': 'dashed'}) # doctest: +SKIP """ if not HAS_MATPLOTLIB: raise ImportError("matplotlib is necessary to draw the network.") if update_colors: self._update_all_colors() if 'bgcolor' not in kwargs: kwargs['bgcolor'] = self.colors['bgcolor'] self.g.draw_graph(line_kwargs=line_kwargs, scatter_kwargs=scatter_kwargs, **kwargs)
def draw(self, update_colors=True, line_kwargs=None, scatter_kwargs=None, **kwargs): """Draws the network. The coloring of the network corresponds to the number of agents at each queue. Parameters ---------- update_colors : ``bool`` (optional, default: ``True``). Specifies whether all the colors are updated. line_kwargs : dict (optional, default: None) Any keyword arguments accepted by :class:`~matplotlib.collections.LineCollection` scatter_kwargs : dict (optional, default: None) Any keyword arguments accepted by :meth:`~matplotlib.axes.Axes.scatter`. bgcolor : list (optional, keyword only) A list with 4 floats representing a RGBA color. The default is defined in ``self.colors['bgcolor']``. figsize : tuple (optional, keyword only, default: ``(7, 7)``) The width and height of the canvas in inches. **kwargs Any parameters to pass to :meth:`.QueueNetworkDiGraph.draw_graph`. Notes ----- This method relies heavily on :meth:`.QueueNetworkDiGraph.draw_graph`. Also, there is a parameter that sets the background color of the canvas, which is the ``bgcolor`` parameter. Examples -------- To draw the current state of the network, call: >>> import queueing_tool as qt >>> g = qt.generate_pagerank_graph(100, seed=13) >>> net = qt.QueueNetwork(g, seed=13) >>> net.initialize(100) >>> net.simulate(1200) >>> net.draw() # doctest: +SKIP If you specify a file name and location, the drawing will be saved to disk. For example, to save the drawing to the current working directory do the following: >>> net.draw(fname="state.png", scatter_kwargs={'s': 40}) # doctest: +SKIP .. figure:: current_state1.png :align: center The shade of each edge depicts how many agents are located at the corresponding queue. The shade of each vertex is determined by the total number of inbound agents. Although loops are not visible by default, the vertex that corresponds to a loop shows how many agents are in that loop. There are several additional parameters that can be passed -- all :meth:`.QueueNetworkDiGraph.draw_graph` parameters are valid. For example, to show the edges as dashed lines do the following. >>> net.draw(line_kwargs={'linestyle': 'dashed'}) # doctest: +SKIP """ if not HAS_MATPLOTLIB: raise ImportError("matplotlib is necessary to draw the network.") if update_colors: self._update_all_colors() if 'bgcolor' not in kwargs: kwargs['bgcolor'] = self.colors['bgcolor'] self.g.draw_graph(line_kwargs=line_kwargs, scatter_kwargs=scatter_kwargs, **kwargs)
[ "Draws", "the", "network", ".", "The", "coloring", "of", "the", "network", "corresponds", "to", "the", "number", "of", "agents", "at", "each", "queue", "." ]
djordon/queueing-tool
python
https://github.com/djordon/queueing-tool/blob/ccd418cf647ac03a54f78ba5e3725903f541b808/queueing_tool/network/queue_network.py#L667-L741
[ "def", "draw", "(", "self", ",", "update_colors", "=", "True", ",", "line_kwargs", "=", "None", ",", "scatter_kwargs", "=", "None", ",", "*", "*", "kwargs", ")", ":", "if", "not", "HAS_MATPLOTLIB", ":", "raise", "ImportError", "(", "\"matplotlib is necessary to draw the network.\"", ")", "if", "update_colors", ":", "self", ".", "_update_all_colors", "(", ")", "if", "'bgcolor'", "not", "in", "kwargs", ":", "kwargs", "[", "'bgcolor'", "]", "=", "self", ".", "colors", "[", "'bgcolor'", "]", "self", ".", "g", ".", "draw_graph", "(", "line_kwargs", "=", "line_kwargs", ",", "scatter_kwargs", "=", "scatter_kwargs", ",", "*", "*", "kwargs", ")" ]
ccd418cf647ac03a54f78ba5e3725903f541b808
valid
QueueNetwork.get_agent_data
Gets data from queues and organizes it by agent. If none of the parameters are given then data from every :class:`.QueueServer` is retrieved. Parameters ---------- queues : int or *array_like* (optional) The edge index (or an iterable of edge indices) identifying the :class:`QueueServer(s)<.QueueServer>` whose data will be retrieved. edge : 2-tuple of int or *array_like* (optional) Explicitly specify which queues to retrieve agent data from. Must be either: * A 2-tuple of the edge's source and target vertex indices, or * An iterable of 2-tuples of the edge's source and target vertex indices. edge_type : int or an iterable of int (optional) A integer, or a collection of integers identifying which edge types to retrieve agent data from. return_header : bool (optonal, default: False) Determines whether the column headers are returned. Returns ------- dict Returns a ``dict`` where the keys are the :class:`Agent's<.Agent>` ``agent_id`` and the values are :class:`ndarrays<~numpy.ndarray>` for that :class:`Agent's<.Agent>` data. The columns of this array are as follows: * First: The arrival time of an agent. * Second: The service start time of an agent. * Third: The departure time of an agent. * Fourth: The length of the queue upon the agents arrival. * Fifth: The total number of :class:`Agents<.Agent>` in the :class:`.QueueServer`. * Sixth: the :class:`QueueServer's<.QueueServer>` id (its edge index). headers : str (optional) A comma seperated string of the column headers. Returns ``'arrival,service,departure,num_queued,num_total,q_id'``
queueing_tool/network/queue_network.py
def get_agent_data(self, queues=None, edge=None, edge_type=None, return_header=False): """Gets data from queues and organizes it by agent. If none of the parameters are given then data from every :class:`.QueueServer` is retrieved. Parameters ---------- queues : int or *array_like* (optional) The edge index (or an iterable of edge indices) identifying the :class:`QueueServer(s)<.QueueServer>` whose data will be retrieved. edge : 2-tuple of int or *array_like* (optional) Explicitly specify which queues to retrieve agent data from. Must be either: * A 2-tuple of the edge's source and target vertex indices, or * An iterable of 2-tuples of the edge's source and target vertex indices. edge_type : int or an iterable of int (optional) A integer, or a collection of integers identifying which edge types to retrieve agent data from. return_header : bool (optonal, default: False) Determines whether the column headers are returned. Returns ------- dict Returns a ``dict`` where the keys are the :class:`Agent's<.Agent>` ``agent_id`` and the values are :class:`ndarrays<~numpy.ndarray>` for that :class:`Agent's<.Agent>` data. The columns of this array are as follows: * First: The arrival time of an agent. * Second: The service start time of an agent. * Third: The departure time of an agent. * Fourth: The length of the queue upon the agents arrival. * Fifth: The total number of :class:`Agents<.Agent>` in the :class:`.QueueServer`. * Sixth: the :class:`QueueServer's<.QueueServer>` id (its edge index). headers : str (optional) A comma seperated string of the column headers. Returns ``'arrival,service,departure,num_queued,num_total,q_id'`` """ queues = _get_queues(self.g, queues, edge, edge_type) data = {} for qid in queues: for agent_id, dat in self.edge2queue[qid].data.items(): datum = np.zeros((len(dat), 6)) datum[:, :5] = np.array(dat) datum[:, 5] = qid if agent_id in data: data[agent_id] = np.vstack((data[agent_id], datum)) else: data[agent_id] = datum dType = [ ('a', float), ('s', float), ('d', float), ('q', float), ('n', float), ('id', float) ] for agent_id, dat in data.items(): datum = np.array([tuple(d) for d in dat.tolist()], dtype=dType) datum = np.sort(datum, order='a') data[agent_id] = np.array([tuple(d) for d in datum]) if return_header: return data, 'arrival,service,departure,num_queued,num_total,q_id' return data
def get_agent_data(self, queues=None, edge=None, edge_type=None, return_header=False): """Gets data from queues and organizes it by agent. If none of the parameters are given then data from every :class:`.QueueServer` is retrieved. Parameters ---------- queues : int or *array_like* (optional) The edge index (or an iterable of edge indices) identifying the :class:`QueueServer(s)<.QueueServer>` whose data will be retrieved. edge : 2-tuple of int or *array_like* (optional) Explicitly specify which queues to retrieve agent data from. Must be either: * A 2-tuple of the edge's source and target vertex indices, or * An iterable of 2-tuples of the edge's source and target vertex indices. edge_type : int or an iterable of int (optional) A integer, or a collection of integers identifying which edge types to retrieve agent data from. return_header : bool (optonal, default: False) Determines whether the column headers are returned. Returns ------- dict Returns a ``dict`` where the keys are the :class:`Agent's<.Agent>` ``agent_id`` and the values are :class:`ndarrays<~numpy.ndarray>` for that :class:`Agent's<.Agent>` data. The columns of this array are as follows: * First: The arrival time of an agent. * Second: The service start time of an agent. * Third: The departure time of an agent. * Fourth: The length of the queue upon the agents arrival. * Fifth: The total number of :class:`Agents<.Agent>` in the :class:`.QueueServer`. * Sixth: the :class:`QueueServer's<.QueueServer>` id (its edge index). headers : str (optional) A comma seperated string of the column headers. Returns ``'arrival,service,departure,num_queued,num_total,q_id'`` """ queues = _get_queues(self.g, queues, edge, edge_type) data = {} for qid in queues: for agent_id, dat in self.edge2queue[qid].data.items(): datum = np.zeros((len(dat), 6)) datum[:, :5] = np.array(dat) datum[:, 5] = qid if agent_id in data: data[agent_id] = np.vstack((data[agent_id], datum)) else: data[agent_id] = datum dType = [ ('a', float), ('s', float), ('d', float), ('q', float), ('n', float), ('id', float) ] for agent_id, dat in data.items(): datum = np.array([tuple(d) for d in dat.tolist()], dtype=dType) datum = np.sort(datum, order='a') data[agent_id] = np.array([tuple(d) for d in datum]) if return_header: return data, 'arrival,service,departure,num_queued,num_total,q_id' return data
[ "Gets", "data", "from", "queues", "and", "organizes", "it", "by", "agent", "." ]
djordon/queueing-tool
python
https://github.com/djordon/queueing-tool/blob/ccd418cf647ac03a54f78ba5e3725903f541b808/queueing_tool/network/queue_network.py#L743-L821
[ "def", "get_agent_data", "(", "self", ",", "queues", "=", "None", ",", "edge", "=", "None", ",", "edge_type", "=", "None", ",", "return_header", "=", "False", ")", ":", "queues", "=", "_get_queues", "(", "self", ".", "g", ",", "queues", ",", "edge", ",", "edge_type", ")", "data", "=", "{", "}", "for", "qid", "in", "queues", ":", "for", "agent_id", ",", "dat", "in", "self", ".", "edge2queue", "[", "qid", "]", ".", "data", ".", "items", "(", ")", ":", "datum", "=", "np", ".", "zeros", "(", "(", "len", "(", "dat", ")", ",", "6", ")", ")", "datum", "[", ":", ",", ":", "5", "]", "=", "np", ".", "array", "(", "dat", ")", "datum", "[", ":", ",", "5", "]", "=", "qid", "if", "agent_id", "in", "data", ":", "data", "[", "agent_id", "]", "=", "np", ".", "vstack", "(", "(", "data", "[", "agent_id", "]", ",", "datum", ")", ")", "else", ":", "data", "[", "agent_id", "]", "=", "datum", "dType", "=", "[", "(", "'a'", ",", "float", ")", ",", "(", "'s'", ",", "float", ")", ",", "(", "'d'", ",", "float", ")", ",", "(", "'q'", ",", "float", ")", ",", "(", "'n'", ",", "float", ")", ",", "(", "'id'", ",", "float", ")", "]", "for", "agent_id", ",", "dat", "in", "data", ".", "items", "(", ")", ":", "datum", "=", "np", ".", "array", "(", "[", "tuple", "(", "d", ")", "for", "d", "in", "dat", ".", "tolist", "(", ")", "]", ",", "dtype", "=", "dType", ")", "datum", "=", "np", ".", "sort", "(", "datum", ",", "order", "=", "'a'", ")", "data", "[", "agent_id", "]", "=", "np", ".", "array", "(", "[", "tuple", "(", "d", ")", "for", "d", "in", "datum", "]", ")", "if", "return_header", ":", "return", "data", ",", "'arrival,service,departure,num_queued,num_total,q_id'", "return", "data" ]
ccd418cf647ac03a54f78ba5e3725903f541b808
valid
QueueNetwork.get_queue_data
Gets data from all the queues. If none of the parameters are given then data from every :class:`.QueueServer` is retrieved. Parameters ---------- queues : int or an *array_like* of int, (optional) The edge index (or an iterable of edge indices) identifying the :class:`QueueServer(s)<.QueueServer>` whose data will be retrieved. edge : 2-tuple of int or *array_like* (optional) Explicitly specify which queues to retrieve data from. Must be either: * A 2-tuple of the edge's source and target vertex indices, or * An iterable of 2-tuples of the edge's source and target vertex indices. edge_type : int or an iterable of int (optional) A integer, or a collection of integers identifying which edge types to retrieve data from. return_header : bool (optonal, default: False) Determines whether the column headers are returned. Returns ------- out : :class:`~numpy.ndarray` * 1st: The arrival time of an agent. * 2nd: The service start time of an agent. * 3rd: The departure time of an agent. * 4th: The length of the queue upon the agents arrival. * 5th: The total number of :class:`Agents<.Agent>` in the :class:`.QueueServer`. * 6th: The :class:`QueueServer's<.QueueServer>` edge index. out : str (optional) A comma seperated string of the column headers. Returns ``'arrival,service,departure,num_queued,num_total,q_id'``` Examples -------- Data is not collected by default. Before simulating, by sure to turn it on (as well as initialize the network). The following returns data from queues with ``edge_type`` 1 or 3: >>> import queueing_tool as qt >>> g = qt.generate_pagerank_graph(100, seed=13) >>> net = qt.QueueNetwork(g, seed=13) >>> net.start_collecting_data() >>> net.initialize(10) >>> net.simulate(2000) >>> data = net.get_queue_data(edge_type=(1, 3)) To get data from an edge connecting two vertices do the following: >>> data = net.get_queue_data(edge=(1, 50)) To get data from several edges do the following: >>> data = net.get_queue_data(edge=[(1, 50), (10, 91), (99, 99)]) You can specify the edge indices as well: >>> data = net.get_queue_data(queues=(20, 14, 0, 4))
queueing_tool/network/queue_network.py
def get_queue_data(self, queues=None, edge=None, edge_type=None, return_header=False): """Gets data from all the queues. If none of the parameters are given then data from every :class:`.QueueServer` is retrieved. Parameters ---------- queues : int or an *array_like* of int, (optional) The edge index (or an iterable of edge indices) identifying the :class:`QueueServer(s)<.QueueServer>` whose data will be retrieved. edge : 2-tuple of int or *array_like* (optional) Explicitly specify which queues to retrieve data from. Must be either: * A 2-tuple of the edge's source and target vertex indices, or * An iterable of 2-tuples of the edge's source and target vertex indices. edge_type : int or an iterable of int (optional) A integer, or a collection of integers identifying which edge types to retrieve data from. return_header : bool (optonal, default: False) Determines whether the column headers are returned. Returns ------- out : :class:`~numpy.ndarray` * 1st: The arrival time of an agent. * 2nd: The service start time of an agent. * 3rd: The departure time of an agent. * 4th: The length of the queue upon the agents arrival. * 5th: The total number of :class:`Agents<.Agent>` in the :class:`.QueueServer`. * 6th: The :class:`QueueServer's<.QueueServer>` edge index. out : str (optional) A comma seperated string of the column headers. Returns ``'arrival,service,departure,num_queued,num_total,q_id'``` Examples -------- Data is not collected by default. Before simulating, by sure to turn it on (as well as initialize the network). The following returns data from queues with ``edge_type`` 1 or 3: >>> import queueing_tool as qt >>> g = qt.generate_pagerank_graph(100, seed=13) >>> net = qt.QueueNetwork(g, seed=13) >>> net.start_collecting_data() >>> net.initialize(10) >>> net.simulate(2000) >>> data = net.get_queue_data(edge_type=(1, 3)) To get data from an edge connecting two vertices do the following: >>> data = net.get_queue_data(edge=(1, 50)) To get data from several edges do the following: >>> data = net.get_queue_data(edge=[(1, 50), (10, 91), (99, 99)]) You can specify the edge indices as well: >>> data = net.get_queue_data(queues=(20, 14, 0, 4)) """ queues = _get_queues(self.g, queues, edge, edge_type) data = np.zeros((0, 6)) for q in queues: dat = self.edge2queue[q].fetch_data() if len(dat) > 0: data = np.vstack((data, dat)) if return_header: return data, 'arrival,service,departure,num_queued,num_total,q_id' return data
def get_queue_data(self, queues=None, edge=None, edge_type=None, return_header=False): """Gets data from all the queues. If none of the parameters are given then data from every :class:`.QueueServer` is retrieved. Parameters ---------- queues : int or an *array_like* of int, (optional) The edge index (or an iterable of edge indices) identifying the :class:`QueueServer(s)<.QueueServer>` whose data will be retrieved. edge : 2-tuple of int or *array_like* (optional) Explicitly specify which queues to retrieve data from. Must be either: * A 2-tuple of the edge's source and target vertex indices, or * An iterable of 2-tuples of the edge's source and target vertex indices. edge_type : int or an iterable of int (optional) A integer, or a collection of integers identifying which edge types to retrieve data from. return_header : bool (optonal, default: False) Determines whether the column headers are returned. Returns ------- out : :class:`~numpy.ndarray` * 1st: The arrival time of an agent. * 2nd: The service start time of an agent. * 3rd: The departure time of an agent. * 4th: The length of the queue upon the agents arrival. * 5th: The total number of :class:`Agents<.Agent>` in the :class:`.QueueServer`. * 6th: The :class:`QueueServer's<.QueueServer>` edge index. out : str (optional) A comma seperated string of the column headers. Returns ``'arrival,service,departure,num_queued,num_total,q_id'``` Examples -------- Data is not collected by default. Before simulating, by sure to turn it on (as well as initialize the network). The following returns data from queues with ``edge_type`` 1 or 3: >>> import queueing_tool as qt >>> g = qt.generate_pagerank_graph(100, seed=13) >>> net = qt.QueueNetwork(g, seed=13) >>> net.start_collecting_data() >>> net.initialize(10) >>> net.simulate(2000) >>> data = net.get_queue_data(edge_type=(1, 3)) To get data from an edge connecting two vertices do the following: >>> data = net.get_queue_data(edge=(1, 50)) To get data from several edges do the following: >>> data = net.get_queue_data(edge=[(1, 50), (10, 91), (99, 99)]) You can specify the edge indices as well: >>> data = net.get_queue_data(queues=(20, 14, 0, 4)) """ queues = _get_queues(self.g, queues, edge, edge_type) data = np.zeros((0, 6)) for q in queues: dat = self.edge2queue[q].fetch_data() if len(dat) > 0: data = np.vstack((data, dat)) if return_header: return data, 'arrival,service,departure,num_queued,num_total,q_id' return data
[ "Gets", "data", "from", "all", "the", "queues", "." ]
djordon/queueing-tool
python
https://github.com/djordon/queueing-tool/blob/ccd418cf647ac03a54f78ba5e3725903f541b808/queueing_tool/network/queue_network.py#L823-L904
[ "def", "get_queue_data", "(", "self", ",", "queues", "=", "None", ",", "edge", "=", "None", ",", "edge_type", "=", "None", ",", "return_header", "=", "False", ")", ":", "queues", "=", "_get_queues", "(", "self", ".", "g", ",", "queues", ",", "edge", ",", "edge_type", ")", "data", "=", "np", ".", "zeros", "(", "(", "0", ",", "6", ")", ")", "for", "q", "in", "queues", ":", "dat", "=", "self", ".", "edge2queue", "[", "q", "]", ".", "fetch_data", "(", ")", "if", "len", "(", "dat", ")", ">", "0", ":", "data", "=", "np", ".", "vstack", "(", "(", "data", ",", "dat", ")", ")", "if", "return_header", ":", "return", "data", ",", "'arrival,service,departure,num_queued,num_total,q_id'", "return", "data" ]
ccd418cf647ac03a54f78ba5e3725903f541b808
valid
QueueNetwork.initialize
Prepares the ``QueueNetwork`` for simulation. Each :class:`.QueueServer` in the network starts inactive, which means they do not accept arrivals from outside the network, and they have no agents in their system. This method sets queues to active, which then allows agents to arrive from outside the network. Parameters ---------- nActive : int (optional, default: ``1``) The number of queues to set as active. The queues are selected randomly. queues : int *array_like* (optional) The edge index (or an iterable of edge indices) identifying the :class:`QueueServer(s)<.QueueServer>` to make active by. edges : 2-tuple of int or *array_like* (optional) Explicitly specify which queues to make active. Must be either: * A 2-tuple of the edge's source and target vertex indices, or * An iterable of 2-tuples of the edge's source and target vertex indices. edge_type : int or an iterable of int (optional) A integer, or a collection of integers identifying which edge types will be set active. Raises ------ ValueError If ``queues``, ``egdes``, and ``edge_type`` are all ``None`` and ``nActive`` is an integer less than 1 :exc:`~ValueError` is raised. TypeError If ``queues``, ``egdes``, and ``edge_type`` are all ``None`` and ``nActive`` is not an integer then a :exc:`~TypeError` is raised. QueueingToolError Raised if all the queues specified are :class:`NullQueues<.NullQueue>`. Notes ----- :class:`NullQueues<.NullQueue>` cannot be activated, and are sifted out if they are specified. More specifically, every edge with edge type 0 is sifted out.
queueing_tool/network/queue_network.py
def initialize(self, nActive=1, queues=None, edges=None, edge_type=None): """Prepares the ``QueueNetwork`` for simulation. Each :class:`.QueueServer` in the network starts inactive, which means they do not accept arrivals from outside the network, and they have no agents in their system. This method sets queues to active, which then allows agents to arrive from outside the network. Parameters ---------- nActive : int (optional, default: ``1``) The number of queues to set as active. The queues are selected randomly. queues : int *array_like* (optional) The edge index (or an iterable of edge indices) identifying the :class:`QueueServer(s)<.QueueServer>` to make active by. edges : 2-tuple of int or *array_like* (optional) Explicitly specify which queues to make active. Must be either: * A 2-tuple of the edge's source and target vertex indices, or * An iterable of 2-tuples of the edge's source and target vertex indices. edge_type : int or an iterable of int (optional) A integer, or a collection of integers identifying which edge types will be set active. Raises ------ ValueError If ``queues``, ``egdes``, and ``edge_type`` are all ``None`` and ``nActive`` is an integer less than 1 :exc:`~ValueError` is raised. TypeError If ``queues``, ``egdes``, and ``edge_type`` are all ``None`` and ``nActive`` is not an integer then a :exc:`~TypeError` is raised. QueueingToolError Raised if all the queues specified are :class:`NullQueues<.NullQueue>`. Notes ----- :class:`NullQueues<.NullQueue>` cannot be activated, and are sifted out if they are specified. More specifically, every edge with edge type 0 is sifted out. """ if queues is None and edges is None and edge_type is None: if nActive >= 1 and isinstance(nActive, numbers.Integral): qs = [q.edge[2] for q in self.edge2queue if q.edge[3] != 0] n = min(nActive, len(qs)) queues = np.random.choice(qs, size=n, replace=False) elif not isinstance(nActive, numbers.Integral): msg = "If queues is None, then nActive must be an integer." raise TypeError(msg) else: msg = ("If queues is None, then nActive must be a " "positive int.") raise ValueError(msg) else: queues = _get_queues(self.g, queues, edges, edge_type) queues = [e for e in queues if self.edge2queue[e].edge[3] != 0] if len(queues) == 0: raise QueueingToolError("There were no queues to initialize.") if len(queues) > self.max_agents: queues = queues[:self.max_agents] for ei in queues: self.edge2queue[ei].set_active() self.num_agents[ei] = self.edge2queue[ei]._num_total keys = [q._key() for q in self.edge2queue if q._time < np.infty] self._fancy_heap = PriorityQueue(keys, self.nE) self._initialized = True
def initialize(self, nActive=1, queues=None, edges=None, edge_type=None): """Prepares the ``QueueNetwork`` for simulation. Each :class:`.QueueServer` in the network starts inactive, which means they do not accept arrivals from outside the network, and they have no agents in their system. This method sets queues to active, which then allows agents to arrive from outside the network. Parameters ---------- nActive : int (optional, default: ``1``) The number of queues to set as active. The queues are selected randomly. queues : int *array_like* (optional) The edge index (or an iterable of edge indices) identifying the :class:`QueueServer(s)<.QueueServer>` to make active by. edges : 2-tuple of int or *array_like* (optional) Explicitly specify which queues to make active. Must be either: * A 2-tuple of the edge's source and target vertex indices, or * An iterable of 2-tuples of the edge's source and target vertex indices. edge_type : int or an iterable of int (optional) A integer, or a collection of integers identifying which edge types will be set active. Raises ------ ValueError If ``queues``, ``egdes``, and ``edge_type`` are all ``None`` and ``nActive`` is an integer less than 1 :exc:`~ValueError` is raised. TypeError If ``queues``, ``egdes``, and ``edge_type`` are all ``None`` and ``nActive`` is not an integer then a :exc:`~TypeError` is raised. QueueingToolError Raised if all the queues specified are :class:`NullQueues<.NullQueue>`. Notes ----- :class:`NullQueues<.NullQueue>` cannot be activated, and are sifted out if they are specified. More specifically, every edge with edge type 0 is sifted out. """ if queues is None and edges is None and edge_type is None: if nActive >= 1 and isinstance(nActive, numbers.Integral): qs = [q.edge[2] for q in self.edge2queue if q.edge[3] != 0] n = min(nActive, len(qs)) queues = np.random.choice(qs, size=n, replace=False) elif not isinstance(nActive, numbers.Integral): msg = "If queues is None, then nActive must be an integer." raise TypeError(msg) else: msg = ("If queues is None, then nActive must be a " "positive int.") raise ValueError(msg) else: queues = _get_queues(self.g, queues, edges, edge_type) queues = [e for e in queues if self.edge2queue[e].edge[3] != 0] if len(queues) == 0: raise QueueingToolError("There were no queues to initialize.") if len(queues) > self.max_agents: queues = queues[:self.max_agents] for ei in queues: self.edge2queue[ei].set_active() self.num_agents[ei] = self.edge2queue[ei]._num_total keys = [q._key() for q in self.edge2queue if q._time < np.infty] self._fancy_heap = PriorityQueue(keys, self.nE) self._initialized = True
[ "Prepares", "the", "QueueNetwork", "for", "simulation", "." ]
djordon/queueing-tool
python
https://github.com/djordon/queueing-tool/blob/ccd418cf647ac03a54f78ba5e3725903f541b808/queueing_tool/network/queue_network.py#L906-L985
[ "def", "initialize", "(", "self", ",", "nActive", "=", "1", ",", "queues", "=", "None", ",", "edges", "=", "None", ",", "edge_type", "=", "None", ")", ":", "if", "queues", "is", "None", "and", "edges", "is", "None", "and", "edge_type", "is", "None", ":", "if", "nActive", ">=", "1", "and", "isinstance", "(", "nActive", ",", "numbers", ".", "Integral", ")", ":", "qs", "=", "[", "q", ".", "edge", "[", "2", "]", "for", "q", "in", "self", ".", "edge2queue", "if", "q", ".", "edge", "[", "3", "]", "!=", "0", "]", "n", "=", "min", "(", "nActive", ",", "len", "(", "qs", ")", ")", "queues", "=", "np", ".", "random", ".", "choice", "(", "qs", ",", "size", "=", "n", ",", "replace", "=", "False", ")", "elif", "not", "isinstance", "(", "nActive", ",", "numbers", ".", "Integral", ")", ":", "msg", "=", "\"If queues is None, then nActive must be an integer.\"", "raise", "TypeError", "(", "msg", ")", "else", ":", "msg", "=", "(", "\"If queues is None, then nActive must be a \"", "\"positive int.\"", ")", "raise", "ValueError", "(", "msg", ")", "else", ":", "queues", "=", "_get_queues", "(", "self", ".", "g", ",", "queues", ",", "edges", ",", "edge_type", ")", "queues", "=", "[", "e", "for", "e", "in", "queues", "if", "self", ".", "edge2queue", "[", "e", "]", ".", "edge", "[", "3", "]", "!=", "0", "]", "if", "len", "(", "queues", ")", "==", "0", ":", "raise", "QueueingToolError", "(", "\"There were no queues to initialize.\"", ")", "if", "len", "(", "queues", ")", ">", "self", ".", "max_agents", ":", "queues", "=", "queues", "[", ":", "self", ".", "max_agents", "]", "for", "ei", "in", "queues", ":", "self", ".", "edge2queue", "[", "ei", "]", ".", "set_active", "(", ")", "self", ".", "num_agents", "[", "ei", "]", "=", "self", ".", "edge2queue", "[", "ei", "]", ".", "_num_total", "keys", "=", "[", "q", ".", "_key", "(", ")", "for", "q", "in", "self", ".", "edge2queue", "if", "q", ".", "_time", "<", "np", ".", "infty", "]", "self", ".", "_fancy_heap", "=", "PriorityQueue", "(", "keys", ",", "self", ".", "nE", ")", "self", ".", "_initialized", "=", "True" ]
ccd418cf647ac03a54f78ba5e3725903f541b808
valid
QueueNetwork.next_event_description
Returns whether the next event is an arrival or a departure and the queue the event is accuring at. Returns ------- des : str Indicates whether the next event is an arrival, a departure, or nothing; returns ``'Arrival'``, ``'Departure'``, or ``'Nothing'``. edge : int or ``None`` The edge index of the edge that this event will occur at. If there are no events then ``None`` is returned.
queueing_tool/network/queue_network.py
def next_event_description(self): """Returns whether the next event is an arrival or a departure and the queue the event is accuring at. Returns ------- des : str Indicates whether the next event is an arrival, a departure, or nothing; returns ``'Arrival'``, ``'Departure'``, or ``'Nothing'``. edge : int or ``None`` The edge index of the edge that this event will occur at. If there are no events then ``None`` is returned. """ if self._fancy_heap.size == 0: event_type = 'Nothing' edge_index = None else: s = [q._key() for q in self.edge2queue] s.sort() e = s[0][1] q = self.edge2queue[e] event_type = 'Arrival' if q.next_event_description() == 1 else 'Departure' edge_index = q.edge[2] return event_type, edge_index
def next_event_description(self): """Returns whether the next event is an arrival or a departure and the queue the event is accuring at. Returns ------- des : str Indicates whether the next event is an arrival, a departure, or nothing; returns ``'Arrival'``, ``'Departure'``, or ``'Nothing'``. edge : int or ``None`` The edge index of the edge that this event will occur at. If there are no events then ``None`` is returned. """ if self._fancy_heap.size == 0: event_type = 'Nothing' edge_index = None else: s = [q._key() for q in self.edge2queue] s.sort() e = s[0][1] q = self.edge2queue[e] event_type = 'Arrival' if q.next_event_description() == 1 else 'Departure' edge_index = q.edge[2] return event_type, edge_index
[ "Returns", "whether", "the", "next", "event", "is", "an", "arrival", "or", "a", "departure", "and", "the", "queue", "the", "event", "is", "accuring", "at", "." ]
djordon/queueing-tool
python
https://github.com/djordon/queueing-tool/blob/ccd418cf647ac03a54f78ba5e3725903f541b808/queueing_tool/network/queue_network.py#L987-L1012
[ "def", "next_event_description", "(", "self", ")", ":", "if", "self", ".", "_fancy_heap", ".", "size", "==", "0", ":", "event_type", "=", "'Nothing'", "edge_index", "=", "None", "else", ":", "s", "=", "[", "q", ".", "_key", "(", ")", "for", "q", "in", "self", ".", "edge2queue", "]", "s", ".", "sort", "(", ")", "e", "=", "s", "[", "0", "]", "[", "1", "]", "q", "=", "self", ".", "edge2queue", "[", "e", "]", "event_type", "=", "'Arrival'", "if", "q", ".", "next_event_description", "(", ")", "==", "1", "else", "'Departure'", "edge_index", "=", "q", ".", "edge", "[", "2", "]", "return", "event_type", ",", "edge_index" ]
ccd418cf647ac03a54f78ba5e3725903f541b808
valid
QueueNetwork.reset_colors
Resets all edge and vertex colors to their default values.
queueing_tool/network/queue_network.py
def reset_colors(self): """Resets all edge and vertex colors to their default values.""" for k, e in enumerate(self.g.edges()): self.g.set_ep(e, 'edge_color', self.edge2queue[k].colors['edge_color']) for v in self.g.nodes(): self.g.set_vp(v, 'vertex_fill_color', self.colors['vertex_fill_color'])
def reset_colors(self): """Resets all edge and vertex colors to their default values.""" for k, e in enumerate(self.g.edges()): self.g.set_ep(e, 'edge_color', self.edge2queue[k].colors['edge_color']) for v in self.g.nodes(): self.g.set_vp(v, 'vertex_fill_color', self.colors['vertex_fill_color'])
[ "Resets", "all", "edge", "and", "vertex", "colors", "to", "their", "default", "values", "." ]
djordon/queueing-tool
python
https://github.com/djordon/queueing-tool/blob/ccd418cf647ac03a54f78ba5e3725903f541b808/queueing_tool/network/queue_network.py#L1014-L1019
[ "def", "reset_colors", "(", "self", ")", ":", "for", "k", ",", "e", "in", "enumerate", "(", "self", ".", "g", ".", "edges", "(", ")", ")", ":", "self", ".", "g", ".", "set_ep", "(", "e", ",", "'edge_color'", ",", "self", ".", "edge2queue", "[", "k", "]", ".", "colors", "[", "'edge_color'", "]", ")", "for", "v", "in", "self", ".", "g", ".", "nodes", "(", ")", ":", "self", ".", "g", ".", "set_vp", "(", "v", ",", "'vertex_fill_color'", ",", "self", ".", "colors", "[", "'vertex_fill_color'", "]", ")" ]
ccd418cf647ac03a54f78ba5e3725903f541b808
valid
QueueNetwork.set_transitions
Change the routing transitions probabilities for the network. Parameters ---------- mat : dict or :class:`~numpy.ndarray` A transition routing matrix or transition dictionary. If passed a dictionary, the keys are source vertex indices and the values are dictionaries with target vertex indicies as the keys and the probabilities of routing from the source to the target as the values. Raises ------ ValueError A :exc:`.ValueError` is raised if: the keys in the dict don't match with a vertex index in the graph; or if the :class:`~numpy.ndarray` is passed with the wrong shape, must be (``num_vertices``, ``num_vertices``); or the values passed are not probabilities (for each vertex they are positive and sum to 1); TypeError A :exc:`.TypeError` is raised if mat is not a dict or :class:`~numpy.ndarray`. Examples -------- The default transition matrix is every out edge being equally likely: >>> import queueing_tool as qt >>> adjacency = { ... 0: [2], ... 1: [2, 3], ... 2: [0, 1, 2, 4], ... 3: [1], ... 4: [2], ... } >>> g = qt.adjacency2graph(adjacency) >>> net = qt.QueueNetwork(g) >>> net.transitions(False) # doctest: +ELLIPSIS ... # doctest: +NORMALIZE_WHITESPACE {0: {2: 1.0}, 1: {2: 0.5, 3: 0.5}, 2: {0: 0.25, 1: 0.25, 2: 0.25, 4: 0.25}, 3: {1: 1.0}, 4: {2: 1.0}} If you want to change only one vertex's transition probabilities, you can do so with the following: >>> net.set_transitions({1 : {2: 0.75, 3: 0.25}}) >>> net.transitions(False) # doctest: +ELLIPSIS ... # doctest: +NORMALIZE_WHITESPACE {0: {2: 1.0}, 1: {2: 0.75, 3: 0.25}, 2: {0: 0.25, 1: 0.25, 2: 0.25, 4: 0.25}, 3: {1: 1.0}, 4: {2: 1.0}} One can generate a transition matrix using :func:`.generate_transition_matrix`. You can change all transition probabilities with an :class:`~numpy.ndarray`: >>> mat = qt.generate_transition_matrix(g, seed=10) >>> net.set_transitions(mat) >>> net.transitions(False) # doctest: +ELLIPSIS ... # doctest: +NORMALIZE_WHITESPACE {0: {2: 1.0}, 1: {2: 0.962..., 3: 0.037...}, 2: {0: 0.301..., 1: 0.353..., 2: 0.235..., 4: 0.108...}, 3: {1: 1.0}, 4: {2: 1.0}} See Also -------- :meth:`.transitions` : Return the current routing probabilities. :func:`.generate_transition_matrix` : Generate a random routing matrix.
queueing_tool/network/queue_network.py
def set_transitions(self, mat): """Change the routing transitions probabilities for the network. Parameters ---------- mat : dict or :class:`~numpy.ndarray` A transition routing matrix or transition dictionary. If passed a dictionary, the keys are source vertex indices and the values are dictionaries with target vertex indicies as the keys and the probabilities of routing from the source to the target as the values. Raises ------ ValueError A :exc:`.ValueError` is raised if: the keys in the dict don't match with a vertex index in the graph; or if the :class:`~numpy.ndarray` is passed with the wrong shape, must be (``num_vertices``, ``num_vertices``); or the values passed are not probabilities (for each vertex they are positive and sum to 1); TypeError A :exc:`.TypeError` is raised if mat is not a dict or :class:`~numpy.ndarray`. Examples -------- The default transition matrix is every out edge being equally likely: >>> import queueing_tool as qt >>> adjacency = { ... 0: [2], ... 1: [2, 3], ... 2: [0, 1, 2, 4], ... 3: [1], ... 4: [2], ... } >>> g = qt.adjacency2graph(adjacency) >>> net = qt.QueueNetwork(g) >>> net.transitions(False) # doctest: +ELLIPSIS ... # doctest: +NORMALIZE_WHITESPACE {0: {2: 1.0}, 1: {2: 0.5, 3: 0.5}, 2: {0: 0.25, 1: 0.25, 2: 0.25, 4: 0.25}, 3: {1: 1.0}, 4: {2: 1.0}} If you want to change only one vertex's transition probabilities, you can do so with the following: >>> net.set_transitions({1 : {2: 0.75, 3: 0.25}}) >>> net.transitions(False) # doctest: +ELLIPSIS ... # doctest: +NORMALIZE_WHITESPACE {0: {2: 1.0}, 1: {2: 0.75, 3: 0.25}, 2: {0: 0.25, 1: 0.25, 2: 0.25, 4: 0.25}, 3: {1: 1.0}, 4: {2: 1.0}} One can generate a transition matrix using :func:`.generate_transition_matrix`. You can change all transition probabilities with an :class:`~numpy.ndarray`: >>> mat = qt.generate_transition_matrix(g, seed=10) >>> net.set_transitions(mat) >>> net.transitions(False) # doctest: +ELLIPSIS ... # doctest: +NORMALIZE_WHITESPACE {0: {2: 1.0}, 1: {2: 0.962..., 3: 0.037...}, 2: {0: 0.301..., 1: 0.353..., 2: 0.235..., 4: 0.108...}, 3: {1: 1.0}, 4: {2: 1.0}} See Also -------- :meth:`.transitions` : Return the current routing probabilities. :func:`.generate_transition_matrix` : Generate a random routing matrix. """ if isinstance(mat, dict): for key, value in mat.items(): probs = list(value.values()) if key not in self.g.node: msg = "One of the keys don't correspond to a vertex." raise ValueError(msg) elif len(self.out_edges[key]) > 0 and not np.isclose(sum(probs), 1): msg = "Sum of transition probabilities at a vertex was not 1." raise ValueError(msg) elif (np.array(probs) < 0).any(): msg = "Some transition probabilities were negative." raise ValueError(msg) for k, e in enumerate(sorted(self.g.out_edges(key))): self._route_probs[key][k] = value.get(e[1], 0) elif isinstance(mat, np.ndarray): non_terminal = np.array([self.g.out_degree(v) > 0 for v in self.g.nodes()]) if mat.shape != (self.nV, self.nV): msg = ("Matrix is the wrong shape, should " "be {0} x {1}.").format(self.nV, self.nV) raise ValueError(msg) elif not np.allclose(np.sum(mat[non_terminal, :], axis=1), 1): msg = "Sum of transition probabilities at a vertex was not 1." raise ValueError(msg) elif (mat < 0).any(): raise ValueError("Some transition probabilities were negative.") for k in range(self.nV): for j, e in enumerate(sorted(self.g.out_edges(k))): self._route_probs[k][j] = mat[k, e[1]] else: raise TypeError("mat must be a numpy array or a dict.")
def set_transitions(self, mat): """Change the routing transitions probabilities for the network. Parameters ---------- mat : dict or :class:`~numpy.ndarray` A transition routing matrix or transition dictionary. If passed a dictionary, the keys are source vertex indices and the values are dictionaries with target vertex indicies as the keys and the probabilities of routing from the source to the target as the values. Raises ------ ValueError A :exc:`.ValueError` is raised if: the keys in the dict don't match with a vertex index in the graph; or if the :class:`~numpy.ndarray` is passed with the wrong shape, must be (``num_vertices``, ``num_vertices``); or the values passed are not probabilities (for each vertex they are positive and sum to 1); TypeError A :exc:`.TypeError` is raised if mat is not a dict or :class:`~numpy.ndarray`. Examples -------- The default transition matrix is every out edge being equally likely: >>> import queueing_tool as qt >>> adjacency = { ... 0: [2], ... 1: [2, 3], ... 2: [0, 1, 2, 4], ... 3: [1], ... 4: [2], ... } >>> g = qt.adjacency2graph(adjacency) >>> net = qt.QueueNetwork(g) >>> net.transitions(False) # doctest: +ELLIPSIS ... # doctest: +NORMALIZE_WHITESPACE {0: {2: 1.0}, 1: {2: 0.5, 3: 0.5}, 2: {0: 0.25, 1: 0.25, 2: 0.25, 4: 0.25}, 3: {1: 1.0}, 4: {2: 1.0}} If you want to change only one vertex's transition probabilities, you can do so with the following: >>> net.set_transitions({1 : {2: 0.75, 3: 0.25}}) >>> net.transitions(False) # doctest: +ELLIPSIS ... # doctest: +NORMALIZE_WHITESPACE {0: {2: 1.0}, 1: {2: 0.75, 3: 0.25}, 2: {0: 0.25, 1: 0.25, 2: 0.25, 4: 0.25}, 3: {1: 1.0}, 4: {2: 1.0}} One can generate a transition matrix using :func:`.generate_transition_matrix`. You can change all transition probabilities with an :class:`~numpy.ndarray`: >>> mat = qt.generate_transition_matrix(g, seed=10) >>> net.set_transitions(mat) >>> net.transitions(False) # doctest: +ELLIPSIS ... # doctest: +NORMALIZE_WHITESPACE {0: {2: 1.0}, 1: {2: 0.962..., 3: 0.037...}, 2: {0: 0.301..., 1: 0.353..., 2: 0.235..., 4: 0.108...}, 3: {1: 1.0}, 4: {2: 1.0}} See Also -------- :meth:`.transitions` : Return the current routing probabilities. :func:`.generate_transition_matrix` : Generate a random routing matrix. """ if isinstance(mat, dict): for key, value in mat.items(): probs = list(value.values()) if key not in self.g.node: msg = "One of the keys don't correspond to a vertex." raise ValueError(msg) elif len(self.out_edges[key]) > 0 and not np.isclose(sum(probs), 1): msg = "Sum of transition probabilities at a vertex was not 1." raise ValueError(msg) elif (np.array(probs) < 0).any(): msg = "Some transition probabilities were negative." raise ValueError(msg) for k, e in enumerate(sorted(self.g.out_edges(key))): self._route_probs[key][k] = value.get(e[1], 0) elif isinstance(mat, np.ndarray): non_terminal = np.array([self.g.out_degree(v) > 0 for v in self.g.nodes()]) if mat.shape != (self.nV, self.nV): msg = ("Matrix is the wrong shape, should " "be {0} x {1}.").format(self.nV, self.nV) raise ValueError(msg) elif not np.allclose(np.sum(mat[non_terminal, :], axis=1), 1): msg = "Sum of transition probabilities at a vertex was not 1." raise ValueError(msg) elif (mat < 0).any(): raise ValueError("Some transition probabilities were negative.") for k in range(self.nV): for j, e in enumerate(sorted(self.g.out_edges(k))): self._route_probs[k][j] = mat[k, e[1]] else: raise TypeError("mat must be a numpy array or a dict.")
[ "Change", "the", "routing", "transitions", "probabilities", "for", "the", "network", "." ]
djordon/queueing-tool
python
https://github.com/djordon/queueing-tool/blob/ccd418cf647ac03a54f78ba5e3725903f541b808/queueing_tool/network/queue_network.py#L1021-L1136
[ "def", "set_transitions", "(", "self", ",", "mat", ")", ":", "if", "isinstance", "(", "mat", ",", "dict", ")", ":", "for", "key", ",", "value", "in", "mat", ".", "items", "(", ")", ":", "probs", "=", "list", "(", "value", ".", "values", "(", ")", ")", "if", "key", "not", "in", "self", ".", "g", ".", "node", ":", "msg", "=", "\"One of the keys don't correspond to a vertex.\"", "raise", "ValueError", "(", "msg", ")", "elif", "len", "(", "self", ".", "out_edges", "[", "key", "]", ")", ">", "0", "and", "not", "np", ".", "isclose", "(", "sum", "(", "probs", ")", ",", "1", ")", ":", "msg", "=", "\"Sum of transition probabilities at a vertex was not 1.\"", "raise", "ValueError", "(", "msg", ")", "elif", "(", "np", ".", "array", "(", "probs", ")", "<", "0", ")", ".", "any", "(", ")", ":", "msg", "=", "\"Some transition probabilities were negative.\"", "raise", "ValueError", "(", "msg", ")", "for", "k", ",", "e", "in", "enumerate", "(", "sorted", "(", "self", ".", "g", ".", "out_edges", "(", "key", ")", ")", ")", ":", "self", ".", "_route_probs", "[", "key", "]", "[", "k", "]", "=", "value", ".", "get", "(", "e", "[", "1", "]", ",", "0", ")", "elif", "isinstance", "(", "mat", ",", "np", ".", "ndarray", ")", ":", "non_terminal", "=", "np", ".", "array", "(", "[", "self", ".", "g", ".", "out_degree", "(", "v", ")", ">", "0", "for", "v", "in", "self", ".", "g", ".", "nodes", "(", ")", "]", ")", "if", "mat", ".", "shape", "!=", "(", "self", ".", "nV", ",", "self", ".", "nV", ")", ":", "msg", "=", "(", "\"Matrix is the wrong shape, should \"", "\"be {0} x {1}.\"", ")", ".", "format", "(", "self", ".", "nV", ",", "self", ".", "nV", ")", "raise", "ValueError", "(", "msg", ")", "elif", "not", "np", ".", "allclose", "(", "np", ".", "sum", "(", "mat", "[", "non_terminal", ",", ":", "]", ",", "axis", "=", "1", ")", ",", "1", ")", ":", "msg", "=", "\"Sum of transition probabilities at a vertex was not 1.\"", "raise", "ValueError", "(", "msg", ")", "elif", "(", "mat", "<", "0", ")", ".", "any", "(", ")", ":", "raise", "ValueError", "(", "\"Some transition probabilities were negative.\"", ")", "for", "k", "in", "range", "(", "self", ".", "nV", ")", ":", "for", "j", ",", "e", "in", "enumerate", "(", "sorted", "(", "self", ".", "g", ".", "out_edges", "(", "k", ")", ")", ")", ":", "self", ".", "_route_probs", "[", "k", "]", "[", "j", "]", "=", "mat", "[", "k", ",", "e", "[", "1", "]", "]", "else", ":", "raise", "TypeError", "(", "\"mat must be a numpy array or a dict.\"", ")" ]
ccd418cf647ac03a54f78ba5e3725903f541b808
valid
QueueNetwork.show_active
Draws the network, highlighting active queues. The colored vertices represent vertices that have at least one queue on an in-edge that is active. Dark edges represent queues that are active, light edges represent queues that are inactive. Parameters ---------- **kwargs Any additional parameters to pass to :meth:`.draw`, and :meth:`.QueueNetworkDiGraph.draw_graph`. Notes ----- Active queues are :class:`QueueServers<.QueueServer>` that accept arrivals from outside the network. The colors are defined by the class attribute ``colors``. The relevant keys are ``vertex_active``, ``vertex_inactive``, ``edge_active``, and ``edge_inactive``.
queueing_tool/network/queue_network.py
def show_active(self, **kwargs): """Draws the network, highlighting active queues. The colored vertices represent vertices that have at least one queue on an in-edge that is active. Dark edges represent queues that are active, light edges represent queues that are inactive. Parameters ---------- **kwargs Any additional parameters to pass to :meth:`.draw`, and :meth:`.QueueNetworkDiGraph.draw_graph`. Notes ----- Active queues are :class:`QueueServers<.QueueServer>` that accept arrivals from outside the network. The colors are defined by the class attribute ``colors``. The relevant keys are ``vertex_active``, ``vertex_inactive``, ``edge_active``, and ``edge_inactive``. """ g = self.g for v in g.nodes(): self.g.set_vp(v, 'vertex_color', [0, 0, 0, 0.9]) is_active = False my_iter = g.in_edges(v) if g.is_directed() else g.out_edges(v) for e in my_iter: ei = g.edge_index[e] if self.edge2queue[ei]._active: is_active = True break if is_active: self.g.set_vp(v, 'vertex_fill_color', self.colors['vertex_active']) else: self.g.set_vp(v, 'vertex_fill_color', self.colors['vertex_inactive']) for e in g.edges(): ei = g.edge_index[e] if self.edge2queue[ei]._active: self.g.set_ep(e, 'edge_color', self.colors['edge_active']) else: self.g.set_ep(e, 'edge_color', self.colors['edge_inactive']) self.draw(update_colors=False, **kwargs) self._update_all_colors()
def show_active(self, **kwargs): """Draws the network, highlighting active queues. The colored vertices represent vertices that have at least one queue on an in-edge that is active. Dark edges represent queues that are active, light edges represent queues that are inactive. Parameters ---------- **kwargs Any additional parameters to pass to :meth:`.draw`, and :meth:`.QueueNetworkDiGraph.draw_graph`. Notes ----- Active queues are :class:`QueueServers<.QueueServer>` that accept arrivals from outside the network. The colors are defined by the class attribute ``colors``. The relevant keys are ``vertex_active``, ``vertex_inactive``, ``edge_active``, and ``edge_inactive``. """ g = self.g for v in g.nodes(): self.g.set_vp(v, 'vertex_color', [0, 0, 0, 0.9]) is_active = False my_iter = g.in_edges(v) if g.is_directed() else g.out_edges(v) for e in my_iter: ei = g.edge_index[e] if self.edge2queue[ei]._active: is_active = True break if is_active: self.g.set_vp(v, 'vertex_fill_color', self.colors['vertex_active']) else: self.g.set_vp(v, 'vertex_fill_color', self.colors['vertex_inactive']) for e in g.edges(): ei = g.edge_index[e] if self.edge2queue[ei]._active: self.g.set_ep(e, 'edge_color', self.colors['edge_active']) else: self.g.set_ep(e, 'edge_color', self.colors['edge_inactive']) self.draw(update_colors=False, **kwargs) self._update_all_colors()
[ "Draws", "the", "network", "highlighting", "active", "queues", "." ]
djordon/queueing-tool
python
https://github.com/djordon/queueing-tool/blob/ccd418cf647ac03a54f78ba5e3725903f541b808/queueing_tool/network/queue_network.py#L1138-L1183
[ "def", "show_active", "(", "self", ",", "*", "*", "kwargs", ")", ":", "g", "=", "self", ".", "g", "for", "v", "in", "g", ".", "nodes", "(", ")", ":", "self", ".", "g", ".", "set_vp", "(", "v", ",", "'vertex_color'", ",", "[", "0", ",", "0", ",", "0", ",", "0.9", "]", ")", "is_active", "=", "False", "my_iter", "=", "g", ".", "in_edges", "(", "v", ")", "if", "g", ".", "is_directed", "(", ")", "else", "g", ".", "out_edges", "(", "v", ")", "for", "e", "in", "my_iter", ":", "ei", "=", "g", ".", "edge_index", "[", "e", "]", "if", "self", ".", "edge2queue", "[", "ei", "]", ".", "_active", ":", "is_active", "=", "True", "break", "if", "is_active", ":", "self", ".", "g", ".", "set_vp", "(", "v", ",", "'vertex_fill_color'", ",", "self", ".", "colors", "[", "'vertex_active'", "]", ")", "else", ":", "self", ".", "g", ".", "set_vp", "(", "v", ",", "'vertex_fill_color'", ",", "self", ".", "colors", "[", "'vertex_inactive'", "]", ")", "for", "e", "in", "g", ".", "edges", "(", ")", ":", "ei", "=", "g", ".", "edge_index", "[", "e", "]", "if", "self", ".", "edge2queue", "[", "ei", "]", ".", "_active", ":", "self", ".", "g", ".", "set_ep", "(", "e", ",", "'edge_color'", ",", "self", ".", "colors", "[", "'edge_active'", "]", ")", "else", ":", "self", ".", "g", ".", "set_ep", "(", "e", ",", "'edge_color'", ",", "self", ".", "colors", "[", "'edge_inactive'", "]", ")", "self", ".", "draw", "(", "update_colors", "=", "False", ",", "*", "*", "kwargs", ")", "self", ".", "_update_all_colors", "(", ")" ]
ccd418cf647ac03a54f78ba5e3725903f541b808
valid
QueueNetwork.show_type
Draws the network, highlighting queues of a certain type. The colored vertices represent self loops of type ``edge_type``. Dark edges represent queues of type ``edge_type``. Parameters ---------- edge_type : int The type of vertices and edges to be shown. **kwargs Any additional parameters to pass to :meth:`.draw`, and :meth:`.QueueNetworkDiGraph.draw_graph` Notes ----- The colors are defined by the class attribute ``colors``. The relevant colors are ``vertex_active``, ``vertex_inactive``, ``vertex_highlight``, ``edge_active``, and ``edge_inactive``. Examples -------- The following code highlights all edges with edge type ``2``. If the edge is a loop then the vertex is highlighted as well. In this case all edges with edge type ``2`` happen to be loops. >>> import queueing_tool as qt >>> g = qt.generate_pagerank_graph(100, seed=13) >>> net = qt.QueueNetwork(g, seed=13) >>> fname = 'edge_type_2.png' >>> net.show_type(2, fname=fname) # doctest: +SKIP .. figure:: edge_type_2-1.png :align: center
queueing_tool/network/queue_network.py
def show_type(self, edge_type, **kwargs): """Draws the network, highlighting queues of a certain type. The colored vertices represent self loops of type ``edge_type``. Dark edges represent queues of type ``edge_type``. Parameters ---------- edge_type : int The type of vertices and edges to be shown. **kwargs Any additional parameters to pass to :meth:`.draw`, and :meth:`.QueueNetworkDiGraph.draw_graph` Notes ----- The colors are defined by the class attribute ``colors``. The relevant colors are ``vertex_active``, ``vertex_inactive``, ``vertex_highlight``, ``edge_active``, and ``edge_inactive``. Examples -------- The following code highlights all edges with edge type ``2``. If the edge is a loop then the vertex is highlighted as well. In this case all edges with edge type ``2`` happen to be loops. >>> import queueing_tool as qt >>> g = qt.generate_pagerank_graph(100, seed=13) >>> net = qt.QueueNetwork(g, seed=13) >>> fname = 'edge_type_2.png' >>> net.show_type(2, fname=fname) # doctest: +SKIP .. figure:: edge_type_2-1.png :align: center """ for v in self.g.nodes(): e = (v, v) if self.g.is_edge(e) and self.g.ep(e, 'edge_type') == edge_type: ei = self.g.edge_index[e] self.g.set_vp(v, 'vertex_fill_color', self.colors['vertex_highlight']) self.g.set_vp(v, 'vertex_color', self.edge2queue[ei].colors['vertex_color']) else: self.g.set_vp(v, 'vertex_fill_color', self.colors['vertex_inactive']) self.g.set_vp(v, 'vertex_color', [0, 0, 0, 0.9]) for e in self.g.edges(): if self.g.ep(e, 'edge_type') == edge_type: self.g.set_ep(e, 'edge_color', self.colors['edge_active']) else: self.g.set_ep(e, 'edge_color', self.colors['edge_inactive']) self.draw(update_colors=False, **kwargs) self._update_all_colors()
def show_type(self, edge_type, **kwargs): """Draws the network, highlighting queues of a certain type. The colored vertices represent self loops of type ``edge_type``. Dark edges represent queues of type ``edge_type``. Parameters ---------- edge_type : int The type of vertices and edges to be shown. **kwargs Any additional parameters to pass to :meth:`.draw`, and :meth:`.QueueNetworkDiGraph.draw_graph` Notes ----- The colors are defined by the class attribute ``colors``. The relevant colors are ``vertex_active``, ``vertex_inactive``, ``vertex_highlight``, ``edge_active``, and ``edge_inactive``. Examples -------- The following code highlights all edges with edge type ``2``. If the edge is a loop then the vertex is highlighted as well. In this case all edges with edge type ``2`` happen to be loops. >>> import queueing_tool as qt >>> g = qt.generate_pagerank_graph(100, seed=13) >>> net = qt.QueueNetwork(g, seed=13) >>> fname = 'edge_type_2.png' >>> net.show_type(2, fname=fname) # doctest: +SKIP .. figure:: edge_type_2-1.png :align: center """ for v in self.g.nodes(): e = (v, v) if self.g.is_edge(e) and self.g.ep(e, 'edge_type') == edge_type: ei = self.g.edge_index[e] self.g.set_vp(v, 'vertex_fill_color', self.colors['vertex_highlight']) self.g.set_vp(v, 'vertex_color', self.edge2queue[ei].colors['vertex_color']) else: self.g.set_vp(v, 'vertex_fill_color', self.colors['vertex_inactive']) self.g.set_vp(v, 'vertex_color', [0, 0, 0, 0.9]) for e in self.g.edges(): if self.g.ep(e, 'edge_type') == edge_type: self.g.set_ep(e, 'edge_color', self.colors['edge_active']) else: self.g.set_ep(e, 'edge_color', self.colors['edge_inactive']) self.draw(update_colors=False, **kwargs) self._update_all_colors()
[ "Draws", "the", "network", "highlighting", "queues", "of", "a", "certain", "type", "." ]
djordon/queueing-tool
python
https://github.com/djordon/queueing-tool/blob/ccd418cf647ac03a54f78ba5e3725903f541b808/queueing_tool/network/queue_network.py#L1185-L1237
[ "def", "show_type", "(", "self", ",", "edge_type", ",", "*", "*", "kwargs", ")", ":", "for", "v", "in", "self", ".", "g", ".", "nodes", "(", ")", ":", "e", "=", "(", "v", ",", "v", ")", "if", "self", ".", "g", ".", "is_edge", "(", "e", ")", "and", "self", ".", "g", ".", "ep", "(", "e", ",", "'edge_type'", ")", "==", "edge_type", ":", "ei", "=", "self", ".", "g", ".", "edge_index", "[", "e", "]", "self", ".", "g", ".", "set_vp", "(", "v", ",", "'vertex_fill_color'", ",", "self", ".", "colors", "[", "'vertex_highlight'", "]", ")", "self", ".", "g", ".", "set_vp", "(", "v", ",", "'vertex_color'", ",", "self", ".", "edge2queue", "[", "ei", "]", ".", "colors", "[", "'vertex_color'", "]", ")", "else", ":", "self", ".", "g", ".", "set_vp", "(", "v", ",", "'vertex_fill_color'", ",", "self", ".", "colors", "[", "'vertex_inactive'", "]", ")", "self", ".", "g", ".", "set_vp", "(", "v", ",", "'vertex_color'", ",", "[", "0", ",", "0", ",", "0", ",", "0.9", "]", ")", "for", "e", "in", "self", ".", "g", ".", "edges", "(", ")", ":", "if", "self", ".", "g", ".", "ep", "(", "e", ",", "'edge_type'", ")", "==", "edge_type", ":", "self", ".", "g", ".", "set_ep", "(", "e", ",", "'edge_color'", ",", "self", ".", "colors", "[", "'edge_active'", "]", ")", "else", ":", "self", ".", "g", ".", "set_ep", "(", "e", ",", "'edge_color'", ",", "self", ".", "colors", "[", "'edge_inactive'", "]", ")", "self", ".", "draw", "(", "update_colors", "=", "False", ",", "*", "*", "kwargs", ")", "self", ".", "_update_all_colors", "(", ")" ]
ccd418cf647ac03a54f78ba5e3725903f541b808
valid
QueueNetwork.simulate
Simulates the network forward. Simulates either a specific number of events or for a specified amount of simulation time. Parameters ---------- n : int (optional, default: 1) The number of events to simulate. If ``t`` is not given then this parameter is used. t : float (optional) The amount of simulation time to simulate forward. If given, ``t`` is used instead of ``n``. Raises ------ QueueingToolError Will raise a :exc:`.QueueingToolError` if the ``QueueNetwork`` has not been initialized. Call :meth:`.initialize` before calling this method. Examples -------- Let ``net`` denote your instance of a ``QueueNetwork``. Before you simulate, you need to initialize the network, which allows arrivals from outside the network. To initialize with 2 (random chosen) edges accepting arrivals run: >>> import queueing_tool as qt >>> g = qt.generate_pagerank_graph(100, seed=50) >>> net = qt.QueueNetwork(g, seed=50) >>> net.initialize(2) To simulate the network 50000 events run: >>> net.num_events 0 >>> net.simulate(50000) >>> net.num_events 50000 To simulate the network for at least 75 simulation time units run: >>> t0 = net.current_time >>> net.simulate(t=75) >>> t1 = net.current_time >>> t1 - t0 # doctest: +ELLIPSIS 75...
queueing_tool/network/queue_network.py
def simulate(self, n=1, t=None): """Simulates the network forward. Simulates either a specific number of events or for a specified amount of simulation time. Parameters ---------- n : int (optional, default: 1) The number of events to simulate. If ``t`` is not given then this parameter is used. t : float (optional) The amount of simulation time to simulate forward. If given, ``t`` is used instead of ``n``. Raises ------ QueueingToolError Will raise a :exc:`.QueueingToolError` if the ``QueueNetwork`` has not been initialized. Call :meth:`.initialize` before calling this method. Examples -------- Let ``net`` denote your instance of a ``QueueNetwork``. Before you simulate, you need to initialize the network, which allows arrivals from outside the network. To initialize with 2 (random chosen) edges accepting arrivals run: >>> import queueing_tool as qt >>> g = qt.generate_pagerank_graph(100, seed=50) >>> net = qt.QueueNetwork(g, seed=50) >>> net.initialize(2) To simulate the network 50000 events run: >>> net.num_events 0 >>> net.simulate(50000) >>> net.num_events 50000 To simulate the network for at least 75 simulation time units run: >>> t0 = net.current_time >>> net.simulate(t=75) >>> t1 = net.current_time >>> t1 - t0 # doctest: +ELLIPSIS 75... """ if not self._initialized: msg = ("Network has not been initialized. " "Call '.initialize()' first.") raise QueueingToolError(msg) if t is None: for dummy in range(n): self._simulate_next_event(slow=False) else: now = self._t while self._t < now + t: self._simulate_next_event(slow=False)
def simulate(self, n=1, t=None): """Simulates the network forward. Simulates either a specific number of events or for a specified amount of simulation time. Parameters ---------- n : int (optional, default: 1) The number of events to simulate. If ``t`` is not given then this parameter is used. t : float (optional) The amount of simulation time to simulate forward. If given, ``t`` is used instead of ``n``. Raises ------ QueueingToolError Will raise a :exc:`.QueueingToolError` if the ``QueueNetwork`` has not been initialized. Call :meth:`.initialize` before calling this method. Examples -------- Let ``net`` denote your instance of a ``QueueNetwork``. Before you simulate, you need to initialize the network, which allows arrivals from outside the network. To initialize with 2 (random chosen) edges accepting arrivals run: >>> import queueing_tool as qt >>> g = qt.generate_pagerank_graph(100, seed=50) >>> net = qt.QueueNetwork(g, seed=50) >>> net.initialize(2) To simulate the network 50000 events run: >>> net.num_events 0 >>> net.simulate(50000) >>> net.num_events 50000 To simulate the network for at least 75 simulation time units run: >>> t0 = net.current_time >>> net.simulate(t=75) >>> t1 = net.current_time >>> t1 - t0 # doctest: +ELLIPSIS 75... """ if not self._initialized: msg = ("Network has not been initialized. " "Call '.initialize()' first.") raise QueueingToolError(msg) if t is None: for dummy in range(n): self._simulate_next_event(slow=False) else: now = self._t while self._t < now + t: self._simulate_next_event(slow=False)
[ "Simulates", "the", "network", "forward", "." ]
djordon/queueing-tool
python
https://github.com/djordon/queueing-tool/blob/ccd418cf647ac03a54f78ba5e3725903f541b808/queueing_tool/network/queue_network.py#L1239-L1300
[ "def", "simulate", "(", "self", ",", "n", "=", "1", ",", "t", "=", "None", ")", ":", "if", "not", "self", ".", "_initialized", ":", "msg", "=", "(", "\"Network has not been initialized. \"", "\"Call '.initialize()' first.\"", ")", "raise", "QueueingToolError", "(", "msg", ")", "if", "t", "is", "None", ":", "for", "dummy", "in", "range", "(", "n", ")", ":", "self", ".", "_simulate_next_event", "(", "slow", "=", "False", ")", "else", ":", "now", "=", "self", ".", "_t", "while", "self", ".", "_t", "<", "now", "+", "t", ":", "self", ".", "_simulate_next_event", "(", "slow", "=", "False", ")" ]
ccd418cf647ac03a54f78ba5e3725903f541b808
valid
QueueNetwork.start_collecting_data
Tells the queues to collect data on agents' arrival, service start, and departure times. If none of the parameters are given then every :class:`.QueueServer` will start collecting data. Parameters ---------- queues : :any:`int`, *array_like* (optional) The edge index (or an iterable of edge indices) identifying the :class:`QueueServer(s)<.QueueServer>` that will start collecting data. edge : 2-tuple of int or *array_like* (optional) Explicitly specify which queues will collect data. Must be either: * A 2-tuple of the edge's source and target vertex indices, or * An iterable of 2-tuples of the edge's source and target vertex indices. edge_type : int or an iterable of int (optional) A integer, or a collection of integers identifying which edge types will be set active.
queueing_tool/network/queue_network.py
def start_collecting_data(self, queues=None, edge=None, edge_type=None): """Tells the queues to collect data on agents' arrival, service start, and departure times. If none of the parameters are given then every :class:`.QueueServer` will start collecting data. Parameters ---------- queues : :any:`int`, *array_like* (optional) The edge index (or an iterable of edge indices) identifying the :class:`QueueServer(s)<.QueueServer>` that will start collecting data. edge : 2-tuple of int or *array_like* (optional) Explicitly specify which queues will collect data. Must be either: * A 2-tuple of the edge's source and target vertex indices, or * An iterable of 2-tuples of the edge's source and target vertex indices. edge_type : int or an iterable of int (optional) A integer, or a collection of integers identifying which edge types will be set active. """ queues = _get_queues(self.g, queues, edge, edge_type) for k in queues: self.edge2queue[k].collect_data = True
def start_collecting_data(self, queues=None, edge=None, edge_type=None): """Tells the queues to collect data on agents' arrival, service start, and departure times. If none of the parameters are given then every :class:`.QueueServer` will start collecting data. Parameters ---------- queues : :any:`int`, *array_like* (optional) The edge index (or an iterable of edge indices) identifying the :class:`QueueServer(s)<.QueueServer>` that will start collecting data. edge : 2-tuple of int or *array_like* (optional) Explicitly specify which queues will collect data. Must be either: * A 2-tuple of the edge's source and target vertex indices, or * An iterable of 2-tuples of the edge's source and target vertex indices. edge_type : int or an iterable of int (optional) A integer, or a collection of integers identifying which edge types will be set active. """ queues = _get_queues(self.g, queues, edge, edge_type) for k in queues: self.edge2queue[k].collect_data = True
[ "Tells", "the", "queues", "to", "collect", "data", "on", "agents", "arrival", "service", "start", "and", "departure", "times", "." ]
djordon/queueing-tool
python
https://github.com/djordon/queueing-tool/blob/ccd418cf647ac03a54f78ba5e3725903f541b808/queueing_tool/network/queue_network.py#L1381-L1410
[ "def", "start_collecting_data", "(", "self", ",", "queues", "=", "None", ",", "edge", "=", "None", ",", "edge_type", "=", "None", ")", ":", "queues", "=", "_get_queues", "(", "self", ".", "g", ",", "queues", ",", "edge", ",", "edge_type", ")", "for", "k", "in", "queues", ":", "self", ".", "edge2queue", "[", "k", "]", ".", "collect_data", "=", "True" ]
ccd418cf647ac03a54f78ba5e3725903f541b808
valid
QueueNetwork.stop_collecting_data
Tells the queues to stop collecting data on agents. If none of the parameters are given then every :class:`.QueueServer` will stop collecting data. Parameters ---------- queues : int, *array_like* (optional) The edge index (or an iterable of edge indices) identifying the :class:`QueueServer(s)<.QueueServer>` that will stop collecting data. edge : 2-tuple of int or *array_like* (optional) Explicitly specify which queues will stop collecting data. Must be either: * A 2-tuple of the edge's source and target vertex indices, or * An iterable of 2-tuples of the edge's source and target vertex indices. edge_type : int or an iterable of int (optional) A integer, or a collection of integers identifying which edge types will stop collecting data.
queueing_tool/network/queue_network.py
def stop_collecting_data(self, queues=None, edge=None, edge_type=None): """Tells the queues to stop collecting data on agents. If none of the parameters are given then every :class:`.QueueServer` will stop collecting data. Parameters ---------- queues : int, *array_like* (optional) The edge index (or an iterable of edge indices) identifying the :class:`QueueServer(s)<.QueueServer>` that will stop collecting data. edge : 2-tuple of int or *array_like* (optional) Explicitly specify which queues will stop collecting data. Must be either: * A 2-tuple of the edge's source and target vertex indices, or * An iterable of 2-tuples of the edge's source and target vertex indices. edge_type : int or an iterable of int (optional) A integer, or a collection of integers identifying which edge types will stop collecting data. """ queues = _get_queues(self.g, queues, edge, edge_type) for k in queues: self.edge2queue[k].collect_data = False
def stop_collecting_data(self, queues=None, edge=None, edge_type=None): """Tells the queues to stop collecting data on agents. If none of the parameters are given then every :class:`.QueueServer` will stop collecting data. Parameters ---------- queues : int, *array_like* (optional) The edge index (or an iterable of edge indices) identifying the :class:`QueueServer(s)<.QueueServer>` that will stop collecting data. edge : 2-tuple of int or *array_like* (optional) Explicitly specify which queues will stop collecting data. Must be either: * A 2-tuple of the edge's source and target vertex indices, or * An iterable of 2-tuples of the edge's source and target vertex indices. edge_type : int or an iterable of int (optional) A integer, or a collection of integers identifying which edge types will stop collecting data. """ queues = _get_queues(self.g, queues, edge, edge_type) for k in queues: self.edge2queue[k].collect_data = False
[ "Tells", "the", "queues", "to", "stop", "collecting", "data", "on", "agents", "." ]
djordon/queueing-tool
python
https://github.com/djordon/queueing-tool/blob/ccd418cf647ac03a54f78ba5e3725903f541b808/queueing_tool/network/queue_network.py#L1412-L1440
[ "def", "stop_collecting_data", "(", "self", ",", "queues", "=", "None", ",", "edge", "=", "None", ",", "edge_type", "=", "None", ")", ":", "queues", "=", "_get_queues", "(", "self", ".", "g", ",", "queues", ",", "edge", ",", "edge_type", ")", "for", "k", "in", "queues", ":", "self", ".", "edge2queue", "[", "k", "]", ".", "collect_data", "=", "False" ]
ccd418cf647ac03a54f78ba5e3725903f541b808
valid
QueueNetwork.transitions
Returns the routing probabilities for each vertex in the graph. Parameters ---------- return_matrix : bool (optional, the default is ``True``) Specifies whether an :class:`~numpy.ndarray` is returned. If ``False``, a dict is returned instead. Returns ------- out : a dict or :class:`~numpy.ndarray` The transition probabilities for each vertex in the graph. If ``out`` is an :class:`~numpy.ndarray`, then ``out[v, u]`` returns the probability of a transition from vertex ``v`` to vertex ``u``. If ``out`` is a dict then ``out_edge[v][u]`` is the probability of moving from vertex ``v`` to the vertex ``u``. Examples -------- Lets change the routing probabilities: >>> import queueing_tool as qt >>> import networkx as nx >>> g = nx.sedgewick_maze_graph() >>> net = qt.QueueNetwork(g) Below is an adjacency list for the graph ``g``. >>> ans = qt.graph2dict(g, False) >>> {k: sorted(v) for k, v in ans.items()} ... # doctest: +NORMALIZE_WHITESPACE {0: [2, 5, 7], 1: [7], 2: [0, 6], 3: [4, 5], 4: [3, 5, 6, 7], 5: [0, 3, 4], 6: [2, 4], 7: [0, 1, 4]} The default transition matrix is every out edge being equally likely: >>> net.transitions(False) # doctest: +ELLIPSIS ... # doctest: +NORMALIZE_WHITESPACE {0: {2: 0.333..., 5: 0.333..., 7: 0.333...}, 1: {7: 1.0}, 2: {0: 0.5, 6: 0.5}, 3: {4: 0.5, 5: 0.5}, 4: {3: 0.25, 5: 0.25, 6: 0.25, 7: 0.25}, 5: {0: 0.333..., 3: 0.333..., 4: 0.333...}, 6: {2: 0.5, 4: 0.5}, 7: {0: 0.333..., 1: 0.333..., 4: 0.333...}} Now we will generate a random routing matrix: >>> mat = qt.generate_transition_matrix(g, seed=96) >>> net.set_transitions(mat) >>> net.transitions(False) # doctest: +ELLIPSIS ... # doctest: +NORMALIZE_WHITESPACE {0: {2: 0.112..., 5: 0.466..., 7: 0.420...}, 1: {7: 1.0}, 2: {0: 0.561..., 6: 0.438...}, 3: {4: 0.545..., 5: 0.454...}, 4: {3: 0.374..., 5: 0.381..., 6: 0.026..., 7: 0.217...}, 5: {0: 0.265..., 3: 0.460..., 4: 0.274...}, 6: {2: 0.673..., 4: 0.326...}, 7: {0: 0.033..., 1: 0.336..., 4: 0.630...}} What this shows is the following: when an :class:`.Agent` is at vertex ``2`` they will transition to vertex ``0`` with probability ``0.561`` and route to vertex ``6`` probability ``0.438``, when at vertex ``6`` they will transition back to vertex ``2`` with probability ``0.673`` and route vertex ``4`` probability ``0.326``, etc.
queueing_tool/network/queue_network.py
def transitions(self, return_matrix=True): """Returns the routing probabilities for each vertex in the graph. Parameters ---------- return_matrix : bool (optional, the default is ``True``) Specifies whether an :class:`~numpy.ndarray` is returned. If ``False``, a dict is returned instead. Returns ------- out : a dict or :class:`~numpy.ndarray` The transition probabilities for each vertex in the graph. If ``out`` is an :class:`~numpy.ndarray`, then ``out[v, u]`` returns the probability of a transition from vertex ``v`` to vertex ``u``. If ``out`` is a dict then ``out_edge[v][u]`` is the probability of moving from vertex ``v`` to the vertex ``u``. Examples -------- Lets change the routing probabilities: >>> import queueing_tool as qt >>> import networkx as nx >>> g = nx.sedgewick_maze_graph() >>> net = qt.QueueNetwork(g) Below is an adjacency list for the graph ``g``. >>> ans = qt.graph2dict(g, False) >>> {k: sorted(v) for k, v in ans.items()} ... # doctest: +NORMALIZE_WHITESPACE {0: [2, 5, 7], 1: [7], 2: [0, 6], 3: [4, 5], 4: [3, 5, 6, 7], 5: [0, 3, 4], 6: [2, 4], 7: [0, 1, 4]} The default transition matrix is every out edge being equally likely: >>> net.transitions(False) # doctest: +ELLIPSIS ... # doctest: +NORMALIZE_WHITESPACE {0: {2: 0.333..., 5: 0.333..., 7: 0.333...}, 1: {7: 1.0}, 2: {0: 0.5, 6: 0.5}, 3: {4: 0.5, 5: 0.5}, 4: {3: 0.25, 5: 0.25, 6: 0.25, 7: 0.25}, 5: {0: 0.333..., 3: 0.333..., 4: 0.333...}, 6: {2: 0.5, 4: 0.5}, 7: {0: 0.333..., 1: 0.333..., 4: 0.333...}} Now we will generate a random routing matrix: >>> mat = qt.generate_transition_matrix(g, seed=96) >>> net.set_transitions(mat) >>> net.transitions(False) # doctest: +ELLIPSIS ... # doctest: +NORMALIZE_WHITESPACE {0: {2: 0.112..., 5: 0.466..., 7: 0.420...}, 1: {7: 1.0}, 2: {0: 0.561..., 6: 0.438...}, 3: {4: 0.545..., 5: 0.454...}, 4: {3: 0.374..., 5: 0.381..., 6: 0.026..., 7: 0.217...}, 5: {0: 0.265..., 3: 0.460..., 4: 0.274...}, 6: {2: 0.673..., 4: 0.326...}, 7: {0: 0.033..., 1: 0.336..., 4: 0.630...}} What this shows is the following: when an :class:`.Agent` is at vertex ``2`` they will transition to vertex ``0`` with probability ``0.561`` and route to vertex ``6`` probability ``0.438``, when at vertex ``6`` they will transition back to vertex ``2`` with probability ``0.673`` and route vertex ``4`` probability ``0.326``, etc. """ if return_matrix: mat = np.zeros((self.nV, self.nV)) for v in self.g.nodes(): ind = [e[1] for e in sorted(self.g.out_edges(v))] mat[v, ind] = self._route_probs[v] else: mat = { k: {e[1]: p for e, p in zip(sorted(self.g.out_edges(k)), value)} for k, value in enumerate(self._route_probs) } return mat
def transitions(self, return_matrix=True): """Returns the routing probabilities for each vertex in the graph. Parameters ---------- return_matrix : bool (optional, the default is ``True``) Specifies whether an :class:`~numpy.ndarray` is returned. If ``False``, a dict is returned instead. Returns ------- out : a dict or :class:`~numpy.ndarray` The transition probabilities for each vertex in the graph. If ``out`` is an :class:`~numpy.ndarray`, then ``out[v, u]`` returns the probability of a transition from vertex ``v`` to vertex ``u``. If ``out`` is a dict then ``out_edge[v][u]`` is the probability of moving from vertex ``v`` to the vertex ``u``. Examples -------- Lets change the routing probabilities: >>> import queueing_tool as qt >>> import networkx as nx >>> g = nx.sedgewick_maze_graph() >>> net = qt.QueueNetwork(g) Below is an adjacency list for the graph ``g``. >>> ans = qt.graph2dict(g, False) >>> {k: sorted(v) for k, v in ans.items()} ... # doctest: +NORMALIZE_WHITESPACE {0: [2, 5, 7], 1: [7], 2: [0, 6], 3: [4, 5], 4: [3, 5, 6, 7], 5: [0, 3, 4], 6: [2, 4], 7: [0, 1, 4]} The default transition matrix is every out edge being equally likely: >>> net.transitions(False) # doctest: +ELLIPSIS ... # doctest: +NORMALIZE_WHITESPACE {0: {2: 0.333..., 5: 0.333..., 7: 0.333...}, 1: {7: 1.0}, 2: {0: 0.5, 6: 0.5}, 3: {4: 0.5, 5: 0.5}, 4: {3: 0.25, 5: 0.25, 6: 0.25, 7: 0.25}, 5: {0: 0.333..., 3: 0.333..., 4: 0.333...}, 6: {2: 0.5, 4: 0.5}, 7: {0: 0.333..., 1: 0.333..., 4: 0.333...}} Now we will generate a random routing matrix: >>> mat = qt.generate_transition_matrix(g, seed=96) >>> net.set_transitions(mat) >>> net.transitions(False) # doctest: +ELLIPSIS ... # doctest: +NORMALIZE_WHITESPACE {0: {2: 0.112..., 5: 0.466..., 7: 0.420...}, 1: {7: 1.0}, 2: {0: 0.561..., 6: 0.438...}, 3: {4: 0.545..., 5: 0.454...}, 4: {3: 0.374..., 5: 0.381..., 6: 0.026..., 7: 0.217...}, 5: {0: 0.265..., 3: 0.460..., 4: 0.274...}, 6: {2: 0.673..., 4: 0.326...}, 7: {0: 0.033..., 1: 0.336..., 4: 0.630...}} What this shows is the following: when an :class:`.Agent` is at vertex ``2`` they will transition to vertex ``0`` with probability ``0.561`` and route to vertex ``6`` probability ``0.438``, when at vertex ``6`` they will transition back to vertex ``2`` with probability ``0.673`` and route vertex ``4`` probability ``0.326``, etc. """ if return_matrix: mat = np.zeros((self.nV, self.nV)) for v in self.g.nodes(): ind = [e[1] for e in sorted(self.g.out_edges(v))] mat[v, ind] = self._route_probs[v] else: mat = { k: {e[1]: p for e, p in zip(sorted(self.g.out_edges(k)), value)} for k, value in enumerate(self._route_probs) } return mat
[ "Returns", "the", "routing", "probabilities", "for", "each", "vertex", "in", "the", "graph", "." ]
djordon/queueing-tool
python
https://github.com/djordon/queueing-tool/blob/ccd418cf647ac03a54f78ba5e3725903f541b808/queueing_tool/network/queue_network.py#L1442-L1532
[ "def", "transitions", "(", "self", ",", "return_matrix", "=", "True", ")", ":", "if", "return_matrix", ":", "mat", "=", "np", ".", "zeros", "(", "(", "self", ".", "nV", ",", "self", ".", "nV", ")", ")", "for", "v", "in", "self", ".", "g", ".", "nodes", "(", ")", ":", "ind", "=", "[", "e", "[", "1", "]", "for", "e", "in", "sorted", "(", "self", ".", "g", ".", "out_edges", "(", "v", ")", ")", "]", "mat", "[", "v", ",", "ind", "]", "=", "self", ".", "_route_probs", "[", "v", "]", "else", ":", "mat", "=", "{", "k", ":", "{", "e", "[", "1", "]", ":", "p", "for", "e", ",", "p", "in", "zip", "(", "sorted", "(", "self", ".", "g", ".", "out_edges", "(", "k", ")", ")", ",", "value", ")", "}", "for", "k", ",", "value", "in", "enumerate", "(", "self", ".", "_route_probs", ")", "}", "return", "mat" ]
ccd418cf647ac03a54f78ba5e3725903f541b808