content
stringlengths
7
1.05M
fixed_cases
stringlengths
1
1.28M
# -*- coding: utf-8 -*- """ Event Module - Controllers """ module = request.controller resourcename = request.function # Options Menu (available in all Functions' Views) shn_menu(module) # ----------------------------------------------------------------------------- def index(): """ Module's Home Page """ module_name = deployment_settings.modules[module].name_nice response.title = module_name return dict(module_name=module_name) # ----------------------------------------------------------------------------- def create(): """ Redirect to event/create """ redirect(URL(f="event", args="create")) # ============================================================================= # Incidents # ============================================================================= def incident(): """ RESTful CRUD controller """ tablename = "event_incident" s3mgr.load(tablename) return s3_rest_controller(module, resourcename) # ============================================================================= # Events # ============================================================================= def event(): """ RESTful CRUD controller An Event is an instantiation of a template """ tablename = "event_event" s3mgr.load(tablename) table = db[tablename] if "req" in request.args: s3mgr.load("req_req") # Pre-process def prep(r): if r.interactive: if r.component: if r.component.name == "req": if r.method != "update" and r.method != "read": # Hide fields which don't make sense in a Create form # inc list_create (list_fields over-rides) response.s3.req_create_form_mods() else: s3.crud.submit_button = T("Add") elif r.method != "update" and r.method != "read": # Create or ListCreate r.table.closed.writable = r.table.closed.readable = False elif r.method == "update": # Can't change details after event activation r.table.exercise.writable = False r.table.exercise.comment = None r.table.zero_hour.writable = False return True response.s3.prep = prep # Post-process def postp(r, output): if r.interactive: if r.component: if r.component.name == "asset": update_url = "openPopup('%s');return false" % \ URL(f="asset", args = "[id].plain", # Open the linked record, not just the link table vars = {"link" : "event"}) delete_url = URL(f="asset", args=["[id]", "delete"]) response.s3.actions = [ dict(label=str(T("Details")), _class="action-btn", _onclick=update_url), dict(label=str(T("Remove")), _class="delete-btn", url=delete_url), ] elif r.component.name == "human_resource": update_url = "openPopup('%s');return false" % \ URL(f="human_resource", args = "[id].plain", # Open the linked record, not just the link table vars = {"link" : "event"}) delete_url = URL(f="human_resource", args=["[id]", "delete"]) response.s3.actions = [ dict(label=str(T("Details")), _class="action-btn", _onclick=update_url), dict(label=str(T("Remove")), _class="delete-btn", url=delete_url), ] if "msg" in deployment_settings.modules: response.s3.actions.append({ "url": URL(f="compose", vars = {"hrm_id": "[id]"}), "_class": "action-btn", "label": str(T("Send Notification"))}) elif r.component.name == "site": update_url = "openPopup('%s');return false" % \ URL(f="site", args = "[id].plain", # Open the linked record, not just the link table vars = {"link" : "event"}) delete_url = URL(f="site", args=["[id]", "delete"]) response.s3.actions = [ dict(label=str(T("Details")), _class="action-btn", _onclick=update_url), dict(label=str(T("Remove")), _class="delete-btn", url=delete_url), ] elif r.component.name == "task": update_url = "openPopup('%s');return false" % \ URL(f="task", args = "[id].plain", # Open the linked record, not just the link table vars = {"link" : "event"}) delete_url = URL(f="task", args=["[id]", "delete"]) response.s3.actions = [ dict(label=str(T("Details")), _class="action-btn", _onclick=update_url), dict(label=str(T("Remove")), _class="delete-btn", url=delete_url), ] elif r.component.name == "activity": update_url = "openPopup('%s');return false" % \ URL(f="activity", args = "[id].plain", # Open the linked record, not just the link table vars = {"link" : "event"}) delete_url = URL(f="activity", args=["[id]", "delete"]) response.s3.actions = [ dict(label=str(T("Details")), _class="action-btn", _onclick=update_url), dict(label=str(T("Remove")), _class="delete-btn", url=delete_url), ] elif r.method == "create": # Redirect to update view to open tabs r.next = r.url(method="update", id=s3mgr.get_session("event", "event")) return output response.s3.postp = postp tabs = [(T("Event Details"), None), (T("Human Resources"), "human_resource"), (T("Facilities"), "site"), (T("Requests"), "req"), ] if deployment_settings.has_module("project"): tabs.append((T("Tasks"), "task")) tabs.append((T("Activities"), "activity")) tabs.append((T("Map Configuration"), "config")) rheader = lambda r, tabs=tabs: event_rheader(r, tabs) output = s3_rest_controller(module, resourcename, rheader=rheader) return output # ----------------------------------------------------------------------------- # Components # ----------------------------------------------------------------------------- def human_resource(): """ RESTful CRUD controller """ # Load the Models s3mgr.load("event_event") # Parse the Request r = s3mgr.parse_request() link = request.vars.get("link", None) # Pre-Process if r.id and link: # Go back to the human_resource list of the event after removing the human_resource s3mgr.configure(r.tablename, delete_next=URL(link, args=[r.record["%s_id" % link], "human_resource"])) edit_btn = None if link: if r.method in ("update", None) and r.id: # Store the edit & delete buttons edit_btn = A(T("Edit"), _href=r.url(method="update", representation="html"), _target="_blank") delete_btn=A(T("Remove this human resource from this event"), _href=r.url(method="delete", representation="html"), _class="delete-btn") # Switch to the other request hrm_id = r.record.human_resource_id r = s3base.S3Request(s3mgr, c="hrm", f="human_resource", args=[str(hrm_id)], extension=auth.permission.format) # Execute the request output = r() # Post-Process s3_action_buttons(r) # Restore the edit & delete buttons with the correct ID if r.representation == "plain" and edit_btn: output.update(edit_btn=edit_btn) elif r.interactive and "delete_btn" in output: output.update(delete_btn=delete_btn) return output # ----------------------------------------------------------------------------- def person(): """ Person controller for AddPersonWidget """ def prep(r): if r.representation != "s3json": # Do not serve other representations here return False else: s3mgr.show_ids = True return True response.s3.prep = prep return s3_rest_controller("pr", "person") # ----------------------------------------------------------------------------- def site(): """ RESTful CRUD controller """ # Load the Models s3mgr.load("event_event") # Parse the Request r = s3mgr.parse_request() link = request.vars.get("link", None) # Pre-Process if r.id and link: # Go back to the facility list of the event after removing the facility s3mgr.configure(r.tablename, delete_next=URL(link, args=[r.record["%s_id" % link], "site"])) edit_btn = None if link: if r.method in ("update", None) and r.id: # Store the edit & delete buttons edit_btn = A(T("Edit"), _href=r.url(method="update", representation="html"), _target="_blank") delete_btn=A(T("Remove this facility from this event"), _href=r.url(method="delete", representation="html"), _class="delete-btn") # Switch to the other request site_id = r.record.site_id r = s3base.S3Request(s3mgr, c="org", f="site", args=[str(site_id)], extension=auth.permission.format) # Execute the request output = r() # Post-Process s3_action_buttons(r) # Restore the edit & delete buttons with the correct ID if r.representation == "plain" and edit_btn: output.update(edit_btn=edit_btn) elif r.interactive and "delete_btn" in output: output.update(delete_btn=delete_btn) return output # ----------------------------------------------------------------------------- def task(): """ RESTful CRUD controller """ # Load the Models s3mgr.load("event_event") # Parse the Request r = s3mgr.parse_request() link = request.vars.get("link", None) # Pre-Process if r.id and link: # Go back to the task list of the event after removing the task s3mgr.configure(r.tablename, delete_next=URL(link, args=[r.record["%s_id" % link], "task"])) edit_btn = None if link: if r.method in ("update", None) and r.id: # Store the edit & delete buttons edit_btn = A(T("Edit"), _href=r.url(method="update", representation="html"), _target="_blank") delete_btn=A(T("Remove this task from this event"), _href=r.url(method="delete", representation="html"), _class="delete-btn") # Switch to the other request task_id = r.record.task_id r = s3base.S3Request(s3mgr, c="project", f="task", args=[str(task_id)], extension=auth.permission.format) # Execute the request output = r() # Post-Process s3_action_buttons(r) # Restore the edit & delete buttons with the correct ID if r.representation == "plain" and edit_btn: output.update(edit_btn=edit_btn) elif r.interactive and "delete_btn" in output: output.update(delete_btn=delete_btn) return output # ----------------------------------------------------------------------------- def event_rheader(r, tabs=[]): """ Resource headers for component views """ rheader = None rheader_tabs = s3_rheader_tabs(r, tabs) if r.representation == "html": if r.name == "event": # Event Controller event = r.record if event: if event.exercise: exercise = TH(T("EXERCISE")) else: exercise = TH() if event.closed: closed = TH(T("CLOSED")) else: closed = TH() rheader = DIV(TABLE(TR(exercise), TR(TH("%s: " % T("Name")), event.name), TH("%s: " % T("Comments")), event.comments, TR(TH("%s: " % T("Zero Hour")), event.zero_hour), TR(closed), ), rheader_tabs) return rheader # ============================================================================= # Messaging # ============================================================================= def compose(): """ Send message to people/teams """ s3mgr.load("msg_outbox") if "hrm_id" in request.vars: id = request.vars.hrm_id fieldname = "hrm_id" table = db.pr_person htable = db.hrm_human_resource pe_id_query = (htable.id == id) & \ (htable.person_id == table.id) title = T("Send a message to this person") pe = db(pe_id_query).select(table.pe_id, limitby=(0, 1)).first() if not pe: session.error = T("Record not found") redirect(URL(f="index")) pe_id = pe.pe_id request.vars.pe_id = pe_id # Get the individual's communications options & preference table = db.pr_contact contact = db(table.pe_id == pe_id).select(table.contact_method, orderby="priority", limitby=(0, 1)).first() if contact: db.msg_outbox.pr_message_method.default = contact.contact_method else: session.error = T("No contact method found") redirect(URL(f="index")) return response.s3.msg_compose(redirect_module = module, redirect_function = "compose", redirect_vars = {fieldname: id}, title_name = title) # END =========================================================================
""" Event Module - Controllers """ module = request.controller resourcename = request.function shn_menu(module) def index(): """ Module's Home Page """ module_name = deployment_settings.modules[module].name_nice response.title = module_name return dict(module_name=module_name) def create(): """ Redirect to event/create """ redirect(url(f='event', args='create')) def incident(): """ RESTful CRUD controller """ tablename = 'event_incident' s3mgr.load(tablename) return s3_rest_controller(module, resourcename) def event(): """ RESTful CRUD controller An Event is an instantiation of a template """ tablename = 'event_event' s3mgr.load(tablename) table = db[tablename] if 'req' in request.args: s3mgr.load('req_req') def prep(r): if r.interactive: if r.component: if r.component.name == 'req': if r.method != 'update' and r.method != 'read': response.s3.req_create_form_mods() else: s3.crud.submit_button = t('Add') elif r.method != 'update' and r.method != 'read': r.table.closed.writable = r.table.closed.readable = False elif r.method == 'update': r.table.exercise.writable = False r.table.exercise.comment = None r.table.zero_hour.writable = False return True response.s3.prep = prep def postp(r, output): if r.interactive: if r.component: if r.component.name == 'asset': update_url = "openPopup('%s');return false" % url(f='asset', args='[id].plain', vars={'link': 'event'}) delete_url = url(f='asset', args=['[id]', 'delete']) response.s3.actions = [dict(label=str(t('Details')), _class='action-btn', _onclick=update_url), dict(label=str(t('Remove')), _class='delete-btn', url=delete_url)] elif r.component.name == 'human_resource': update_url = "openPopup('%s');return false" % url(f='human_resource', args='[id].plain', vars={'link': 'event'}) delete_url = url(f='human_resource', args=['[id]', 'delete']) response.s3.actions = [dict(label=str(t('Details')), _class='action-btn', _onclick=update_url), dict(label=str(t('Remove')), _class='delete-btn', url=delete_url)] if 'msg' in deployment_settings.modules: response.s3.actions.append({'url': url(f='compose', vars={'hrm_id': '[id]'}), '_class': 'action-btn', 'label': str(t('Send Notification'))}) elif r.component.name == 'site': update_url = "openPopup('%s');return false" % url(f='site', args='[id].plain', vars={'link': 'event'}) delete_url = url(f='site', args=['[id]', 'delete']) response.s3.actions = [dict(label=str(t('Details')), _class='action-btn', _onclick=update_url), dict(label=str(t('Remove')), _class='delete-btn', url=delete_url)] elif r.component.name == 'task': update_url = "openPopup('%s');return false" % url(f='task', args='[id].plain', vars={'link': 'event'}) delete_url = url(f='task', args=['[id]', 'delete']) response.s3.actions = [dict(label=str(t('Details')), _class='action-btn', _onclick=update_url), dict(label=str(t('Remove')), _class='delete-btn', url=delete_url)] elif r.component.name == 'activity': update_url = "openPopup('%s');return false" % url(f='activity', args='[id].plain', vars={'link': 'event'}) delete_url = url(f='activity', args=['[id]', 'delete']) response.s3.actions = [dict(label=str(t('Details')), _class='action-btn', _onclick=update_url), dict(label=str(t('Remove')), _class='delete-btn', url=delete_url)] elif r.method == 'create': r.next = r.url(method='update', id=s3mgr.get_session('event', 'event')) return output response.s3.postp = postp tabs = [(t('Event Details'), None), (t('Human Resources'), 'human_resource'), (t('Facilities'), 'site'), (t('Requests'), 'req')] if deployment_settings.has_module('project'): tabs.append((t('Tasks'), 'task')) tabs.append((t('Activities'), 'activity')) tabs.append((t('Map Configuration'), 'config')) rheader = lambda r, tabs=tabs: event_rheader(r, tabs) output = s3_rest_controller(module, resourcename, rheader=rheader) return output def human_resource(): """ RESTful CRUD controller """ s3mgr.load('event_event') r = s3mgr.parse_request() link = request.vars.get('link', None) if r.id and link: s3mgr.configure(r.tablename, delete_next=url(link, args=[r.record['%s_id' % link], 'human_resource'])) edit_btn = None if link: if r.method in ('update', None) and r.id: edit_btn = a(t('Edit'), _href=r.url(method='update', representation='html'), _target='_blank') delete_btn = a(t('Remove this human resource from this event'), _href=r.url(method='delete', representation='html'), _class='delete-btn') hrm_id = r.record.human_resource_id r = s3base.S3Request(s3mgr, c='hrm', f='human_resource', args=[str(hrm_id)], extension=auth.permission.format) output = r() s3_action_buttons(r) if r.representation == 'plain' and edit_btn: output.update(edit_btn=edit_btn) elif r.interactive and 'delete_btn' in output: output.update(delete_btn=delete_btn) return output def person(): """ Person controller for AddPersonWidget """ def prep(r): if r.representation != 's3json': return False else: s3mgr.show_ids = True return True response.s3.prep = prep return s3_rest_controller('pr', 'person') def site(): """ RESTful CRUD controller """ s3mgr.load('event_event') r = s3mgr.parse_request() link = request.vars.get('link', None) if r.id and link: s3mgr.configure(r.tablename, delete_next=url(link, args=[r.record['%s_id' % link], 'site'])) edit_btn = None if link: if r.method in ('update', None) and r.id: edit_btn = a(t('Edit'), _href=r.url(method='update', representation='html'), _target='_blank') delete_btn = a(t('Remove this facility from this event'), _href=r.url(method='delete', representation='html'), _class='delete-btn') site_id = r.record.site_id r = s3base.S3Request(s3mgr, c='org', f='site', args=[str(site_id)], extension=auth.permission.format) output = r() s3_action_buttons(r) if r.representation == 'plain' and edit_btn: output.update(edit_btn=edit_btn) elif r.interactive and 'delete_btn' in output: output.update(delete_btn=delete_btn) return output def task(): """ RESTful CRUD controller """ s3mgr.load('event_event') r = s3mgr.parse_request() link = request.vars.get('link', None) if r.id and link: s3mgr.configure(r.tablename, delete_next=url(link, args=[r.record['%s_id' % link], 'task'])) edit_btn = None if link: if r.method in ('update', None) and r.id: edit_btn = a(t('Edit'), _href=r.url(method='update', representation='html'), _target='_blank') delete_btn = a(t('Remove this task from this event'), _href=r.url(method='delete', representation='html'), _class='delete-btn') task_id = r.record.task_id r = s3base.S3Request(s3mgr, c='project', f='task', args=[str(task_id)], extension=auth.permission.format) output = r() s3_action_buttons(r) if r.representation == 'plain' and edit_btn: output.update(edit_btn=edit_btn) elif r.interactive and 'delete_btn' in output: output.update(delete_btn=delete_btn) return output def event_rheader(r, tabs=[]): """ Resource headers for component views """ rheader = None rheader_tabs = s3_rheader_tabs(r, tabs) if r.representation == 'html': if r.name == 'event': event = r.record if event: if event.exercise: exercise = th(t('EXERCISE')) else: exercise = th() if event.closed: closed = th(t('CLOSED')) else: closed = th() rheader = div(table(tr(exercise), tr(th('%s: ' % t('Name')), event.name), th('%s: ' % t('Comments')), event.comments, tr(th('%s: ' % t('Zero Hour')), event.zero_hour), tr(closed)), rheader_tabs) return rheader def compose(): """ Send message to people/teams """ s3mgr.load('msg_outbox') if 'hrm_id' in request.vars: id = request.vars.hrm_id fieldname = 'hrm_id' table = db.pr_person htable = db.hrm_human_resource pe_id_query = (htable.id == id) & (htable.person_id == table.id) title = t('Send a message to this person') pe = db(pe_id_query).select(table.pe_id, limitby=(0, 1)).first() if not pe: session.error = t('Record not found') redirect(url(f='index')) pe_id = pe.pe_id request.vars.pe_id = pe_id table = db.pr_contact contact = db(table.pe_id == pe_id).select(table.contact_method, orderby='priority', limitby=(0, 1)).first() if contact: db.msg_outbox.pr_message_method.default = contact.contact_method else: session.error = t('No contact method found') redirect(url(f='index')) return response.s3.msg_compose(redirect_module=module, redirect_function='compose', redirect_vars={fieldname: id}, title_name=title)
class NonTerminal: def __init__(self, name, productions): # Creates an instance of a NonTerminal that represents a set of # grammar productions for a non-terminal. # # Keyword arguments: # name -- the name of the non-terminal # productions -- a list whose elements can be: # 1. Lists of objects of type NTerm or str. # The str elements represent terminal grammar symbols. # 2. a str with space-separated words. These words represent grammar symbols (T and NT) # self.name = name self.productions = [(x.split() if isinstance(x, str) else x) for x in productions] def __repr__(self): return 'NonTerminal(' + repr(self.name) + ')' def __str__(self): return self.name def stringify(self, pretty=True): title = '%s: ' % self.name if pretty: separator = '\n%s| ' % (' ' * len(self.name)) else: separator = ' | ' def strprod(prod): return ' '.join(str(sym) for sym in prod) rules = separator.join(strprod(prod) for prod in self.productions) return title + rules class Grammar: def __init__(self, nonterms, start_nonterminal=None): # Grammar start symbol if start_nonterminal is None or start_nonterminal not in nonterms: start_nonterminal = nonterms[0] # Tuple of non-terminals self.nonterms = tuple([NonTerminal(START_SYMBOL, [[start_nonterminal.name]])] + sorted(nonterms, key=lambda elem: elem.name)) # Tuple of terminals self.terminals = () # Tuple of symbols (non-terminals + terminals) self.symbols = () # Tuple of enumerated NT's productions self.productions = () # Enumeration offset for a given NT self.nonterm_offset = {} # First sets for every grammar symbol self.__first_sets = {} # Update the references of each production and, while at it, recognize terminal symbols self.nonterminal_by_name = {nt.name: nt for nt in self.nonterms} for nt in self.nonterms: for prod in nt.productions: for idx in range(len(prod)): symbol = prod[idx] if isinstance(symbol, str): if symbol in self.nonterminal_by_name: prod[idx] = self.nonterminal_by_name[symbol] else: self.terminals += tuple([symbol]) elif isinstance(symbol, NonTerminal): if symbol not in self.nonterms: msg = 'Non-terminal %s is not in the grammar' % repr(symbol) raise KeyError(msg) else: msg = "Unsupported type '%s' inside of production" % type(symbol).__name__ raise TypeError(msg) self.terminals = tuple(sorted(set(self.terminals))) self.symbols = self.nonterms + self.terminals # Enumerate grammar productions for nt in self.nonterms: self.nonterm_offset[nt] = len(self.productions) self.productions += tuple((nt.name, prod) for prod in nt.productions) self.__build_first_sets() def first_set(self, x): result = set() if isinstance(x, str): result.add(x) elif isinstance(x, NonTerminal): result = self.__first_sets[x] else: skippable_symbols = 0 for sym in x: fs = self.first_set(sym) result.update(fs - {None}) if None in fs: skippable_symbols += 1 else: break if skippable_symbols == len(x): result.add(None) return frozenset(result) def __build_first_sets(self): # Starting First sets values for s in self.symbols: if isinstance(s, str): self.__first_sets[s] = {s} else: self.__first_sets[s] = set() if [] in s.productions: self.__first_sets[s].add(None) # Update the sets iteratively (see Dragon Book, page 221) repeat = True while repeat: repeat = False for nt in self.nonterms: curfs = self.__first_sets[nt] curfs_len = len(curfs) for prod in nt.productions: skippable_symbols = 0 for sym in prod: fs = self.__first_sets[sym] curfs.update(fs - {None}) if None in fs: skippable_symbols += 1 else: break if skippable_symbols == len(prod): curfs.add(None) if len(curfs) > curfs_len: repeat = True # Freeze the sets self.__first_sets = {x: frozenset(y) for x, y in self.__first_sets.items()} def stringify(self, indexes=True): lines = '\n'.join(nt.stringify() for nt in self.nonterms) if indexes: lines = '\n'.join(RULE_INDEXING_PATTERN % (x, y) for x, y in enumerate(lines.split('\n'))) return lines def __str__(self): return self.stringify() RULE_INDEXING_PATTERN = '%-5d%s' START_SYMBOL = '$accept' EOF_SYMBOL = '$end' FREE_SYMBOL = '$#'
class Nonterminal: def __init__(self, name, productions): self.name = name self.productions = [x.split() if isinstance(x, str) else x for x in productions] def __repr__(self): return 'NonTerminal(' + repr(self.name) + ')' def __str__(self): return self.name def stringify(self, pretty=True): title = '%s: ' % self.name if pretty: separator = '\n%s| ' % (' ' * len(self.name)) else: separator = ' | ' def strprod(prod): return ' '.join((str(sym) for sym in prod)) rules = separator.join((strprod(prod) for prod in self.productions)) return title + rules class Grammar: def __init__(self, nonterms, start_nonterminal=None): if start_nonterminal is None or start_nonterminal not in nonterms: start_nonterminal = nonterms[0] self.nonterms = tuple([non_terminal(START_SYMBOL, [[start_nonterminal.name]])] + sorted(nonterms, key=lambda elem: elem.name)) self.terminals = () self.symbols = () self.productions = () self.nonterm_offset = {} self.__first_sets = {} self.nonterminal_by_name = {nt.name: nt for nt in self.nonterms} for nt in self.nonterms: for prod in nt.productions: for idx in range(len(prod)): symbol = prod[idx] if isinstance(symbol, str): if symbol in self.nonterminal_by_name: prod[idx] = self.nonterminal_by_name[symbol] else: self.terminals += tuple([symbol]) elif isinstance(symbol, NonTerminal): if symbol not in self.nonterms: msg = 'Non-terminal %s is not in the grammar' % repr(symbol) raise key_error(msg) else: msg = "Unsupported type '%s' inside of production" % type(symbol).__name__ raise type_error(msg) self.terminals = tuple(sorted(set(self.terminals))) self.symbols = self.nonterms + self.terminals for nt in self.nonterms: self.nonterm_offset[nt] = len(self.productions) self.productions += tuple(((nt.name, prod) for prod in nt.productions)) self.__build_first_sets() def first_set(self, x): result = set() if isinstance(x, str): result.add(x) elif isinstance(x, NonTerminal): result = self.__first_sets[x] else: skippable_symbols = 0 for sym in x: fs = self.first_set(sym) result.update(fs - {None}) if None in fs: skippable_symbols += 1 else: break if skippable_symbols == len(x): result.add(None) return frozenset(result) def __build_first_sets(self): for s in self.symbols: if isinstance(s, str): self.__first_sets[s] = {s} else: self.__first_sets[s] = set() if [] in s.productions: self.__first_sets[s].add(None) repeat = True while repeat: repeat = False for nt in self.nonterms: curfs = self.__first_sets[nt] curfs_len = len(curfs) for prod in nt.productions: skippable_symbols = 0 for sym in prod: fs = self.__first_sets[sym] curfs.update(fs - {None}) if None in fs: skippable_symbols += 1 else: break if skippable_symbols == len(prod): curfs.add(None) if len(curfs) > curfs_len: repeat = True self.__first_sets = {x: frozenset(y) for (x, y) in self.__first_sets.items()} def stringify(self, indexes=True): lines = '\n'.join((nt.stringify() for nt in self.nonterms)) if indexes: lines = '\n'.join((RULE_INDEXING_PATTERN % (x, y) for (x, y) in enumerate(lines.split('\n')))) return lines def __str__(self): return self.stringify() rule_indexing_pattern = '%-5d%s' start_symbol = '$accept' eof_symbol = '$end' free_symbol = '$#'
params_scenario = { "n_agents_arrival": 1, "p_split_threshold": int(1e10), "r_t": 100, "r_f": 100, "gamma": 0, # 0 }
params_scenario = {'n_agents_arrival': 1, 'p_split_threshold': int(10000000000.0), 'r_t': 100, 'r_f': 100, 'gamma': 0}
# # PySNMP MIB module ENTERASYS-POLICY-PROFILE-MIB (http://snmplabs.com/pysmi) # ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/ENTERASYS-POLICY-PROFILE-MIB # Produced by pysmi-0.3.4 at Wed May 1 13:04:18 2019 # On host DAVWANG4-M-1475 platform Darwin version 18.5.0 by user davwang4 # Using Python version 3.7.3 (default, Mar 27 2019, 09:23:15) # Integer, ObjectIdentifier, OctetString = mibBuilder.importSymbols("ASN1", "Integer", "ObjectIdentifier", "OctetString") NamedValues, = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues") ValueRangeConstraint, ConstraintsUnion, ValueSizeConstraint, ConstraintsIntersection, SingleValueConstraint = mibBuilder.importSymbols("ASN1-REFINEMENT", "ValueRangeConstraint", "ConstraintsUnion", "ValueSizeConstraint", "ConstraintsIntersection", "SingleValueConstraint") dot1dBasePort, = mibBuilder.importSymbols("BRIDGE-MIB", "dot1dBasePort") etsysModules, = mibBuilder.importSymbols("ENTERASYS-MIB-NAMES", "etsysModules") StationAddressType, StationAddress = mibBuilder.importSymbols("ENTERASYS-UPN-TC-MIB", "StationAddressType", "StationAddress") ifAlias, ifName = mibBuilder.importSymbols("IF-MIB", "ifAlias", "ifName") EnabledStatus, = mibBuilder.importSymbols("P-BRIDGE-MIB", "EnabledStatus") PortList, VlanIndex = mibBuilder.importSymbols("Q-BRIDGE-MIB", "PortList", "VlanIndex") SnmpAdminString, = mibBuilder.importSymbols("SNMP-FRAMEWORK-MIB", "SnmpAdminString") ModuleCompliance, ObjectGroup, NotificationGroup = mibBuilder.importSymbols("SNMPv2-CONF", "ModuleCompliance", "ObjectGroup", "NotificationGroup") MibIdentifier, IpAddress, ObjectIdentity, Gauge32, Unsigned32, TimeTicks, ModuleIdentity, Counter32, MibScalar, MibTable, MibTableRow, MibTableColumn, NotificationType, Bits, Counter64, Integer32, iso = mibBuilder.importSymbols("SNMPv2-SMI", "MibIdentifier", "IpAddress", "ObjectIdentity", "Gauge32", "Unsigned32", "TimeTicks", "ModuleIdentity", "Counter32", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "NotificationType", "Bits", "Counter64", "Integer32", "iso") DisplayString, RowStatus, TruthValue, StorageType, RowPointer, TextualConvention = mibBuilder.importSymbols("SNMPv2-TC", "DisplayString", "RowStatus", "TruthValue", "StorageType", "RowPointer", "TextualConvention") etsysPolicyProfileMIB = ModuleIdentity((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6)) etsysPolicyProfileMIB.setRevisions(('2010-08-09 15:11', '2009-04-10 12:00', '2009-04-01 13:36', '2008-02-19 14:29', '2007-03-21 21:02', '2006-06-15 20:40', '2005-05-18 20:08', '2005-03-28 15:35', '2005-03-14 21:34', '2004-08-11 15:17', '2004-05-18 17:02', '2004-04-02 20:35', '2004-03-25 18:03', '2004-02-03 22:00', '2004-02-03 15:33', '2004-01-19 21:43', '2003-11-04 17:16', '2003-02-06 22:59', '2002-09-17 14:53', '2002-07-19 13:37', '2001-06-11 20:00', '2001-01-09 00:00',)) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): if mibBuilder.loadTexts: etsysPolicyProfileMIB.setRevisionsDescriptions(('Add controls for syslogEveryTime, profile visibility of syslog/trap statistics, egress-policy controls. ICMPv6 and ACL rule types added, tcp/udp rule types augmented to support IPv6 addresses.', 'Added tri-state textual convention and modified the etsysPolicyRules group to use this convention for actions which previously used EnabledStatus. Added syslog, trap, and disable-port actions to the etsysPolicyProfileTable.', 'Modified the capabilities group to support both OverwriteTci and Mirroring. A few other small corrections.', 'Capability has been added to define a packet mirroring index for frames matching a policy profile or policy rule. Further clarification is included in DESCRIPTION field of the etsysPolicyProfileMirrorIndex and etsysPolicyRuleMirrorIndex objects.', 'An additional scalar etsysPolicyRuleSylogExtendedFormat is added to configure enabling/disabling the addition of extended data to the rule-hit syslog messages. Further clarifications are included in DESCRIPTION field of the etsysPolicyRuleSylogExtendedFormat object.', 'Grammar and typographical corrections.', 'TEXTUAL-CONVENTION PolicyRFC3580MapRadiusResponseTC includes an additional option vlanTunnelAttributeWithPolicyProfile. An additional scalar etsysPolicyRFC3580MapInvalidMapping is added to detect EtsysPolicyRFC3580MapEntry discrepancies. Further clarifications are included in DESCRIPTION fields of the etsysPolicyRFC3580Map objects.', 'Additional branch etsysPolicyNotifications properly contains trap information.', 'etsysPolicyRuleStatsDroppedNotifications and etsysPolicyRuleSylogMachineReadableFormat now allow the managing entity to track missed syslog messages and to format the messages in hexadecimal. Additional capability table to detail policy rule type lengths in bits and bytes and the maximum number of rules of each rule type the agent supports. See the description of the PolicyClassificationRuleType textual convention for additional details relating to how rule-type-lengths are to be specified.', 'Updated the range for etsysPolicyProfilePriority to (0..4095). Added objects and groups related to mapping RFC3580 vlan-tunnel-attributes to PolicyProfiles. Added the etsysPolicyRuleAutoClearOnProfile, etsysPolicyRuleStatsAutoClearInterval, and etsysPolicyRuleStatsAutoClearPorts, objects. Added etsysPolicyEnabledTable to the capabilities section, in addition to reporting capabilities, it allows one to disable policy on a given port.', 'Added the etsysPolicyRuleStatsAutoClearOnLink leaf.', 'Added the etsysPolicyRuleOperPid leaf to etsysPolicyRuleTable.', 'Added capabilities objects, status for profile assignment override, dynamic profile summary list, and notification configuration for dynamic rules.', 'Replaced StationIdentifierType with StationAddressType and StationIdentifier with StationAddress to match new revision of ENTERASYS-UPN-TC-MIB.', 'Replaced StationIdentifierTypeTC with StationIdentifierType and moved it to the ENTERASYS-UPN-TC-MIB, and replaced InetAddress with StationIdentifier from the same MIB module.', 'Added PolicyClassificationRuleType TEXTUAL-CONVENTION. Added the etsysPolicyProfileOverwriteTCI and etsysPolicyProfileRulePrecedence leaves to the EtsysPolicyProfileEntry. Added the etsysPolicyRules group for accounting of policy usage. Additionally, the range syntax of several objects has been clarified. The etsysPolicyClassificationGroup and the etsysPortPolicyProfileTable have been deprecated, as they have been replaced by the etsysPolicyRulesGroup.', 'Added etsysPolicyMap object group in support of RFC 3580 and Enterasys Technical Standard TS-07.', 'Added etsysDevicePolicyProfileDefault to provide managed entities, that cannot support complete policies on a per port basis, a global policy to augment what policies they can provide on a per port basis. Added etsysPolicyCapabilities to provide management agents a straight forward method to ascertain the capabilities of the managed entity.', 'Added Port ID information in the Station table, for ease of cross reference.', 'This version incorporates enhancements to support Station based policy provisioning, as well as other UPN related enhancements.', 'This version modified the MODULE-IDENTITY statement to resolve an issue importing this MIB into some older MIB Tools. In the SEQUENCE for the etsysPortPolicyProfileTable the first object was incorrectly defined as etsysPortPolicyProfileIndex, this was corrected to read etsysPortPolicyProfileIndexType. Several misspelled words were corrected. Finally, the INDEX for the etsysPortPolicyProfileSummaryTable was corrected to index the table by policy index as well as the type of port for each entry in the table.', 'The initial version of this MIB module.',)) if mibBuilder.loadTexts: etsysPolicyProfileMIB.setLastUpdated('201008091511Z') if mibBuilder.loadTexts: etsysPolicyProfileMIB.setOrganization('Enterasys Networks, Inc') if mibBuilder.loadTexts: etsysPolicyProfileMIB.setContactInfo('Postal: Enterasys Networks 50 Minuteman Rd. Andover, MA 01810-1008 USA Phone: +1 978 684 1000 E-mail: support@enterasys.com WWW: http://www.enterasys.com') if mibBuilder.loadTexts: etsysPolicyProfileMIB.setDescription('This MIB module defines a portion of the SNMP enterprise MIBs under the Enterasys enterprise OID pertaining to the mapping of per user policy profiles for Enterasys network edge devices or access products.') class PolicyProfileIDTC(TextualConvention, Integer32): description = 'This textual convention maps out to the possible policyProfileIndex values. It also allows for a value of zero. A value of zero (0) indicates that the given port should not follow any policy profile.' status = 'current' subtypeSpec = Integer32.subtypeSpec + ConstraintsUnion(ValueRangeConstraint(0, 0), ValueRangeConstraint(1, 65535), ) class PortPolicyProfileIndexTypeTC(TextualConvention, Integer32): description = 'This textual convention maps out to the possible port types which can be used to populate the etsysPortPolicyProfileTable, and of port IDs used in the etsysStationPolicyProfileTable.' status = 'current' subtypeSpec = Integer32.subtypeSpec + ConstraintsUnion(SingleValueConstraint(1, 2)) namedValues = NamedValues(("ifIndex", 1), ("dot1dBasePort", 2)) class PolicyRFC3580MapRadiusResponseTC(TextualConvention, Integer32): description = 'This textual convention maps out to the possible, pertinent, successful, responses which may be received from the RADIUS server after a dynamic authentication attempt. PolicyProfile(1) is returned as a proprietary filter-id and has historically been used to assign a policy profile to the authenticated entity. VlanTunnelAttribute(2) is the response defined in RFC3580 and upon which further controls are applied by the etsysPolicyRFC3580Map group. A value of - vlanTunnelAttributeWithPolicyProfile(3) is an indication that both attributes are to be used.' status = 'current' subtypeSpec = Integer32.subtypeSpec + ConstraintsUnion(SingleValueConstraint(1, 2, 3)) namedValues = NamedValues(("policyProfile", 1), ("vlanTunnelAttribute", 2), ("vlanTunnelAttributeWithPolicyProfile", 3)) class VlanList(TextualConvention, OctetString): description = "Each octet within this value specifies a set of eight VIDs, with the first octet specifying VID 1 through 8, the second octet specifying VID 9 through 16, etc. Within each octet, the most significant bit represents the lowest numbered VID, and the least significant bit represents the highest numbered VID. Thus, each VID is represented by a single bit within the value of this object. If that bit has a value of '1' then that VID is included in the set of VIDs; the VID is not included if its bit has a value of '0'. This OCTET STRING will always be 512 Octets in length to accommodate all possible VIDs between (1..4094). The default value of this object is a string of all zeros." status = 'current' subtypeSpec = OctetString.subtypeSpec + ValueSizeConstraint(512, 512) fixedLength = 512 class PolicyClassificationRuleType(TextualConvention, Integer32): description = 'Enumerates the possible types of classification rules which may be referenced in the etsysPolicyRuleTable. Each type has an implied length (in bytes) associated with it. Octet-strings defined as representing one of these types will be represented in Network-Byte-Order (Big Endian) if the native representation is other than octets. The managed entity MUST support sets in which the specified rule length is less than that specified by the value the entity reports in etsysPolicyRuleAttributeByteLength, so long as the associated etsysPolicyRulePrefixBits does not imply the existence of more etsysPolicyRuleData than is present (i.e. the specified length MUST be >= ((etsysPolicyRulePrefixBits+7)/8).) Additionally, the managed entity MUST return a PolicyClassificationRuleType which carries the number of octets specified by the associated etsysPolicyRuleAttributeByteLength, regardless of the number etsysPolicyRulePrefixBits. This yields a behavior in which, on some devices, a ip4Source rule may be supported with only 4 bytes of rule data (excluding the TCP/UDP source port information), while other devices may support the full syntax using all 6 bytes. macSource(1) The source MAC address in an Ethernet frame. Length is 6 bytes. macDestination(2) The destination MAC address in an Ethernet frame. Length is 6 bytes. ipxSource(3) The source address in an IPX header. Length is 4 bytes (Network prefix). ipxDestination(4) The destination address in an IPX header. Length is 4 bytes (Network prefix). ipxSourcePort(5) The source IPX port(socket) in an IPX header. Length is 2 bytes. ipxDestinationPort(6) The destination IPX port(socket) in an IPX header. Length is 2 bytes. ipxCos(7) The CoS(HopCount) field in an IPX header. Length is 1 byte. ipxType(8) The protocol type in an IPX header. Length is 1 byte. ip6Source(9) The source address in an IPv6 header, postfixed with the source port (for TCP/UDP frames). Length is 18 bytes for IPv6+TCP/UDP, or 16 bytes for IPv6. ip6Destination(10) The destination address in an IPv6 header, postfixed with the destination port (for TCP/UDP frames). Length is 18 bytes for IPv6+TCP/UDP, or 16 bytes for IPv6. ip6FlowLabel(11) The flow label field (traffic class and flow identifier) in an IPv6 header. Length is 3 bytes, as only the first 20 bits are valid and mask-able, only the data in the first 20 bits (the first five nibbles) is considered. ip4Source(12) The source address in an IPv4 header, postfixed with the source port (for TCP/UDP frames). Length is 6 bytes for IPv4+TCP/UDP, or 4 bytes for IPv4. ip4Destination(13) The destination address in an IPv4 header, postfixed with the destination port (for TCP/UDP frames). Length is 6 bytes for IPv4+TCP/UDP, or 4 bytes for IPv4. ipFragment(14) Truth value derived from the FLAGS and FRAGMENTATION_OFFSET fields of an IP header. If the MORE bit of the flags field is set, or the FRAGMENTATION_OFFSET is non-zero, the frame is fragmented. Length is 0 bytes (there is no data, only presence). udpSourcePort(15) The source UDP port(socket) in a UDP header, optionally postfixed with a source IP address. Length is 2 bytes for UDP, 6 bytes for UDP+IPv4, or 18 bytes for UDP+IPv6. udpDestinationPort(16) The destination UDP port(socket) in a UDP header, optionally postfixed with a destination IP address. Length is 2 bytes for UDP, 6 bytes for UDP+IPv4, or 18 bytes for UDP+IPv6. tcpSourcePort(17) The source TCP port(socket) in an TCP header, optionally postfixed with a source IPv4 address. Length is 2 bytes for TCP, 6 bytes for TCP+IPv4, or 18 bytes for TCP+IPv6. tcpDestinationPort(18) The destination TCP port(socket) in an TCP header, optionally postfixed with a destination IPv4 address. Length is 2 bytes for TCP, 6 bytes for TCP+IPv4, or 18 bytes for TCP+IPv6. icmpTypeCode(19) The Type and Code fields from an ICMP frame. These are encoded in 2 bytes, network-byte-order, Type in the first (left-most) byte, Code in the second byte. ipTtl(20) The TTL(HopCount) field in an IP header. Length is 1 byte. ipTos(21) The ToS(DSCP) field in an IP header. Length is 1 byte. ipType(22) The protocol type in an IP header. Length is 1 byte. icmpTypeCodeV6(23) The Type and Code fields from an ICMP frame. These are encoded in 2 bytes, network-byte-order, Type in the first (left-most) byte, Code in the second byte. For ICMPv6, which redefines the types and codes. etherType(25) The type field in an Ethernet II frame. Length is 2 bytes. llcDsapSsap(26) The DSAP/SSAP/CTRL field in an LLC encapsulated frame, includes SNAP encapsulated frames and the associated Ethernet II type field. Length is 5 bytes. vlanId(27) The 12 bit Virtual LAN ID field present in an 802.1D Tagged frame. Length is 2 bytes, the field is represented in the FIRST (left-most, big-endian) 12 bits of the 16 bit field. A vlanId of 1 would be encoded as 00-10, a vlanId of 4094 would be encoded as FF-E0, and a vlanId of 100 would be encoded as 06-40. ieee8021dTci(28) The entire 16 bit TCI field present in an 802.1D Tagged frame (include both VLAN ID and Priority bits. Length is 2 bytes. acl(30) A numbered ACL, represented by a 4 byte integer value. This is not maskable. bridgePort(31) The dot1dBasePort on which the frame was received. Length is 2 bytes.' status = 'current' subtypeSpec = Integer32.subtypeSpec + ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 25, 26, 27, 28, 30, 31)) namedValues = NamedValues(("macSource", 1), ("macDestination", 2), ("ipxSource", 3), ("ipxDestination", 4), ("ipxSourcePort", 5), ("ipxDestinationPort", 6), ("ipxCos", 7), ("ipxType", 8), ("ip6Source", 9), ("ip6Destination", 10), ("ip6FlowLabel", 11), ("ip4Source", 12), ("ip4Destination", 13), ("ipFragment", 14), ("udpSourcePort", 15), ("udpDestinationPort", 16), ("tcpSourcePort", 17), ("tcpDestinationPort", 18), ("icmpTypeCode", 19), ("ipTtl", 20), ("ipTos", 21), ("ipType", 22), ("icmpTypeCodeV6", 23), ("etherType", 25), ("llcDsapSsap", 26), ("vlanId", 27), ("ieee8021dTci", 28), ("acl", 30), ("bridgePort", 31)) class PolicyRulesSupported(TextualConvention, Bits): description = 'Enumerates the possible types of classification rules which may be supported. macSource(1) The source MAC address in an Ethernet frame. macDestination(2) The destination MAC address in an Ethernet frame. ipxSource(3) The source address in an IPX header. ipxDestination(4) The destination address in an IPX header. ipxSourcePort(5) The source IPX port(socket) in an IPX header. ipxDestinationPort(6) The destination IPX port(socket) in an IPX header. ipxCos(7) The CoS(HopCount) field in an IPX header. ipxType(8) The protocol type in an IPX header. ip6Source(9) The source address in an IPv6 header, postfixed with the source port (for TCP/UDP frames). ip6Destination(10) The destination address in an IPv6 header, postfixed with the destination port (for TCP/UDP frames). ip6FlowLabel(11) The flow label field (traffic class and flow identifier) in an IPv6 header. ip4Source(12) The source address in an IPv4 header, postfixed with the source port (for TCP/UDP frames). ip4Destination(13) The destination address in an IPv4 header, postfixed with the destination port (for TCP/UDP frames). ipFragment(14) Truth value derived from the FLAGS and FRAGMENTATION_OFFSET fields of an IP header. If the MORE bit of the flags field is set, or the FRAGMENTATION_OFFSET is non-zero, the frame is fragmented. udpSourcePort(15) The source UDP port(socket) in a UDP header. udpDestinationPort(16) The destination UDP port(socket) in a UDP header. tcpSourcePort(17) The source TCP port(socket) in an TCP header. tcpDestinationPort(18) The destination TCP port(socket) in an TCP header. icmpTypeCode(19) The Type and Code fields from an ICMP frame. ipTtl(20) The TTL(HopCount) field in an IP header. ipTos(21) The ToS(DSCP) field in an IP header. ipType(22) The protocol type in an IP header. icmpTypeCodeV6(23) The Type and Code fields from an ICMPv6 frame. etherType(25) The type field in an Ethernet II frame. llcDsapSsap(26) The DSAP/SSAP/CTRL field in an LLC encapsulated frame, includes SNAP encapsulated frames and the associated Ethernet II type field. vlanId(27) The 12 bit Virtual LAN ID field present in an 802.1D Tagged frame. ieee8021dTci(28) The entire 16 bit TCI field present in an 802.1D Tagged frame (include both VLAN ID and Priority bits. acl(30) A number ACL list to which the frame is applied. bridgePort(31) The dot1dBasePort on which the frame was received.' status = 'current' namedValues = NamedValues(("macSource", 1), ("macDestination", 2), ("ipxSource", 3), ("ipxDestination", 4), ("ipxSourcePort", 5), ("ipxDestinationPort", 6), ("ipxCos", 7), ("ipxType", 8), ("ip6Source", 9), ("ip6Destination", 10), ("ip6FlowLabel", 11), ("ip4Source", 12), ("ip4Destination", 13), ("ipFragment", 14), ("udpSourcePort", 15), ("udpDestinationPort", 16), ("tcpSourcePort", 17), ("tcpDestinationPort", 18), ("icmpTypeCode", 19), ("ipTtl", 20), ("ipTos", 21), ("ipType", 22), ("icmpTypeCodeV6", 23), ("etherType", 25), ("llcDsapSsap", 26), ("vlanId", 27), ("ieee8021dTci", 28), ("acl", 30), ("bridgePort", 31)) class TriStateStatus(TextualConvention, Integer32): description = 'A simple status value for the object. enabled(1) indicates the action will occur disabled(2) indicates no action will be asserted prohibited(3) indicates the action will be prevented from occurring This is useful (over and above the standard EnabledStatus TC) in the context of hierachical decision trees, whereby a decision to prevent an action may revoke another, lower precedent decision to take the action.' status = 'current' subtypeSpec = Integer32.subtypeSpec + ConstraintsUnion(SingleValueConstraint(1, 2, 3)) namedValues = NamedValues(("enabled", 1), ("disabled", 2), ("prohibited", 3)) etsysPolicyNotifications = MibIdentifier((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 0)) etsysPolicyProfile = MibIdentifier((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 1)) etsysPolicyClassification = MibIdentifier((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 2)) etsysPortPolicyProfile = MibIdentifier((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 3)) etsysPolicyVlanEgress = MibIdentifier((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 4)) etsysStationPolicyProfile = MibIdentifier((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 5)) etsysInvalidPolicyPolicy = MibIdentifier((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 6)) etsysDevicePolicyProfile = MibIdentifier((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 8)) etsysPolicyCapability = MibIdentifier((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 9)) etsysPolicyMap = MibIdentifier((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 10)) etsysPolicyRules = MibIdentifier((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 11)) etsysPolicyRFC3580Map = MibIdentifier((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 12)) etsysPolicyRulePortHitNotification = NotificationType((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 0, 1)).setObjects(("IF-MIB", "ifName"), ("IF-MIB", "ifAlias"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRulePortHit"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyProfileName")) if mibBuilder.loadTexts: etsysPolicyRulePortHitNotification.setStatus('current') if mibBuilder.loadTexts: etsysPolicyRulePortHitNotification.setDescription('This notification indicates that a policy rule has matched network traffic on a particular port.') etsysPolicyProfileMaxEntries = MibScalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readonly") if mibBuilder.loadTexts: etsysPolicyProfileMaxEntries.setStatus('current') if mibBuilder.loadTexts: etsysPolicyProfileMaxEntries.setDescription('The maximum number of entries allowed in the etsysPolicyProfileTable.') etsysPolicyProfileNumEntries = MibScalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 1, 2), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: etsysPolicyProfileNumEntries.setStatus('current') if mibBuilder.loadTexts: etsysPolicyProfileNumEntries.setDescription('The current number of entries in the etsysPolicyProfileTable.') etsysPolicyProfileLastChange = MibScalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 1, 3), TimeTicks()).setMaxAccess("readonly") if mibBuilder.loadTexts: etsysPolicyProfileLastChange.setStatus('current') if mibBuilder.loadTexts: etsysPolicyProfileLastChange.setDescription('The sysUpTime at which the etsysPolicyProfileTable was last modified.') etsysPolicyProfileTableNextAvailableIndex = MibScalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 1, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readonly") if mibBuilder.loadTexts: etsysPolicyProfileTableNextAvailableIndex.setStatus('current') if mibBuilder.loadTexts: etsysPolicyProfileTableNextAvailableIndex.setDescription('This object indicates the numerically lowest available index within this entity, which may be used for the value of etsysPolicyProfileIndex in the creation of a new entry in the etsysPolicyProfileTable. An index is considered available if the index value falls within the range of 1 to 65535 and is not being used to index an existing entry in the etsysPolicyProfileTable contained within this entity. This value should only be considered a guideline for management creation of etsysPolicyProfileEntries, there is no requirement on management to create entries based upon this index value.') etsysPolicyProfileTable = MibTable((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 1, 5), ) if mibBuilder.loadTexts: etsysPolicyProfileTable.setStatus('current') if mibBuilder.loadTexts: etsysPolicyProfileTable.setDescription('A table containing policy profiles. A policy is a group of classification rules which may be applied on a per user basis, to ports or to stations.') etsysPolicyProfileEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 1, 5, 1), ).setIndexNames((0, "ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyProfileIndex")) if mibBuilder.loadTexts: etsysPolicyProfileEntry.setStatus('current') if mibBuilder.loadTexts: etsysPolicyProfileEntry.setDescription('Conceptually defines a particular entry within the etsysPolicyProfileTable. Entries within this table MUST be considered non-volatile and MUST be maintained across entity resets.') etsysPolicyProfileIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 1, 5, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))) if mibBuilder.loadTexts: etsysPolicyProfileIndex.setStatus('current') if mibBuilder.loadTexts: etsysPolicyProfileIndex.setDescription('A unique arbitrary identifier for this Policy. Since a policy will be applied to a user regardless of his or her location in the network fabric policy names SHOULD be unique within the entire network fabric. Policy IDs and policy names MUST be unique within the scope of a single managed entity.') etsysPolicyProfileName = MibTableColumn((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 1, 5, 1, 2), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(1, 64))).setMaxAccess("readcreate") if mibBuilder.loadTexts: etsysPolicyProfileName.setStatus('current') if mibBuilder.loadTexts: etsysPolicyProfileName.setDescription("Administratively assigned textual description of this Policy. This object MUST NOT be modifiable while this entry's RowStatus is active(1).") etsysPolicyProfileRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 1, 5, 1, 3), RowStatus()).setMaxAccess("readcreate") if mibBuilder.loadTexts: etsysPolicyProfileRowStatus.setReference('RFC2579 (Textual Conventions for SMIv2)') if mibBuilder.loadTexts: etsysPolicyProfileRowStatus.setStatus('current') if mibBuilder.loadTexts: etsysPolicyProfileRowStatus.setDescription("This object allows for the dynamic creation and deletion of entries within the etsysPolicyProfileTable as well as the activation and deactivation of these entries. When this object's value is active(1) the corresponding row's etsysPolicyProfilePortVid, etsysPolicyProfilePriority, and all entries within the etsysPolicyClassificationTable indexed by this row's etsysPolicyProfileIndex are available to be applied to network access ports or stations on the managed entity. All ports corresponding to rows within the etsysPortPolicyProfileTable whose etsysPortPolicyProfileOperID is equal to the etsysPolicyProfileIndex, shall have the corresponding policy applied. Likewise, all stations corresponding to rows within the etsysStationPolicyProfileTable whose etsysStationPolicyProfileOperID is equal to the etsysPolicyProfileIndex, shall have the corresponding policy applied. The value of etsysPortPolicyProfileOperID for each such row in the etsysPortPolicyProfileTable will be equal to the etsysPortPolicyProfileAdminID, unless the authorization information from a source such as a RADIUS server indicates to the contrary. Refer to the specific objects within this MIB as well as well as RFC2674, the CTRON-PRIORITY-CLASSIFY-MIB, the CTRON-VLAN-CLASSIFY-MIB, and the CTRON-RATE-POLICING-MIB for a complete explanation of the application and behavior of these objects. When this object's value is set to notInService(2) this policy will not be applied to any rows within the etsysPortPolicyProfileTable. To allow policy profiles to be applied for security implementations, setting this object's value from active(1) to notInService(2) or destroy(6) SHALL fail if one or more instances of etsysPortPolicyProfileOperID or etsysStationPolicyProfileOperID currently reference this entry's associated policy due to a set by an underlying security protocol such as RADIUS. For network functionality and clarity, setting this object to destroy(6) SHALL fail if one or more instances of etsysPortPolicyProfileOperID or etsysStationPolicyProfileOperID currently references this entry's etsysPolicyProfileIndex. Refer to the RowStatus convention for further details on the behavior of this object.") etsysPolicyProfilePortVidStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 1, 5, 1, 4), EnabledStatus().clone('disabled')).setMaxAccess("readcreate") if mibBuilder.loadTexts: etsysPolicyProfilePortVidStatus.setStatus('current') if mibBuilder.loadTexts: etsysPolicyProfilePortVidStatus.setDescription("This object defines whether a PVID override should be applied to ports which have this profile active. enabled(1) means that any port with this policy active will have this row's etsysPolicyProfilePortVid applied to untagged frames or priority-tagged frames received on this port. disabled(2) means that etsysPolicyProfilePortVid will not be applied. When this object is set to disabled(2) the value of etsysPolicyProfilePortVid has no meaning.") etsysPolicyProfilePortVid = MibTableColumn((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 1, 5, 1, 5), Unsigned32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 0), ValueRangeConstraint(1, 4094), ValueRangeConstraint(4095, 4095), )).clone(1)).setMaxAccess("readcreate") if mibBuilder.loadTexts: etsysPolicyProfilePortVid.setReference('RFC2674 (Q-BRIDGE-MIB) - dot1qPortVlanTable') if mibBuilder.loadTexts: etsysPolicyProfilePortVid.setStatus('current') if mibBuilder.loadTexts: etsysPolicyProfilePortVid.setDescription("This object defines the PVID of this profile. If a port has an active policy and the policy's etsysPolicyProfilePortVidStatus is set to enabled(1), the etsysPolicyProfilePortVid will be applied to all untagged frames arriving on the port that do not match any of the policy classification rules. Note that the 802.1Q PVID will still exist from a management view but will NEVER be applied to traffic arriving on a port that has an active policy and enabled etsysPolicyProfilePortVid defined, since policy is applied to traffic arriving on the port prior to the assignment of a VLAN using the 802.1Q PVID. The behavior of an enabled etsysPolicyProfilePortVid on any associated port SHALL be identical to the behavior of the dot1qPvid upon that port. Note that two special, otherwise illegal, values of the etsysPolicyProfilePortVid are used in defining the default forwarding actions, to be used in conjunction with policy classification rules, and do not result in packet tagging: 0 Indicates that the default forwarding action is to drop all packets that do not match an explicit rule. 4095 Indicates that the default forwarding action is to forward any packets not matching any explicit rules.") etsysPolicyProfilePriorityStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 1, 5, 1, 6), EnabledStatus().clone('disabled')).setMaxAccess("readcreate") if mibBuilder.loadTexts: etsysPolicyProfilePriorityStatus.setStatus('current') if mibBuilder.loadTexts: etsysPolicyProfilePriorityStatus.setDescription('This object defines whether a Class of Service should be applied to ports which have this profile active. enabled(1) means that any port with this policy active will have etsysPolicyProfilePriority applied to this port. disabled(2) means that etsysPolicyProfilePriority will not be applied. When this object is set to disabled(2) the value of etsysPolicyProfilePriority has no meaning.') etsysPolicyProfilePriority = MibTableColumn((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 1, 5, 1, 7), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 4095))).setMaxAccess("readcreate") if mibBuilder.loadTexts: etsysPolicyProfilePriority.setReference('RFC2674 (P-BRIDGE-MIB) - dot1dPortPriorityTable') if mibBuilder.loadTexts: etsysPolicyProfilePriority.setStatus('current') if mibBuilder.loadTexts: etsysPolicyProfilePriority.setDescription("This object defines the default ingress Class of Service of this profile. If a port has an active policy and the policy's etsysPolicyProfilePriorityStatus is set to enabled(1), the etsysPolicyProfilePriority will be applied to all packets arriving on the port that do not match any of the policy classification rules. Note that dot1dPortDefaultUserPriority will still exist from a management view but will NEVER be applied to traffic arriving on a port that has an active policy and enabled etsysPolicyProfilePriority defined, since policy is applied to traffic arriving on the port prior to the assignment of a priority using dot1dPortDefaultUserPriority. The behavior of an enabled etsysPolicyProfilePriority on any associated port SHALL be identical to the behavior of the dot1dPortDefaultUserPriority upon that port.") etsysPolicyProfileEgressVlans = MibTableColumn((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 1, 5, 1, 8), VlanList()).setMaxAccess("readcreate") if mibBuilder.loadTexts: etsysPolicyProfileEgressVlans.setStatus('current') if mibBuilder.loadTexts: etsysPolicyProfileEgressVlans.setDescription("The set of VLANs which are assigned by this policy to egress on ports for which this policy is active. Changes to a bit in this object affect the per-port per-VLAN Registrar control for Registration Fixed for the relevant GVRP state machine on each port for which this policy is active. A VLAN may not be added in this set if it is already a member of the set of VLANs in etsysPolicyProfileForbiddenVlans. This object is superseded on a per-port per-VLAN basis by any 'set' bits in dot1qVlanStaticEgressPorts and dot1qVlanForbiddenEgressPorts. The default value of this object is a string of zeros.") etsysPolicyProfileForbiddenVlans = MibTableColumn((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 1, 5, 1, 9), VlanList()).setMaxAccess("readcreate") if mibBuilder.loadTexts: etsysPolicyProfileForbiddenVlans.setStatus('current') if mibBuilder.loadTexts: etsysPolicyProfileForbiddenVlans.setDescription("The set of VLANs which are prohibited by this policy to egress on ports for which this policy is active. Changes to this object that cause a port to be included or excluded affect the per-port per-VLAN Registrar control for Registration Forbidden for the relevant GVRP state machine on each port for which this policy is active. A VLAN may not be added in this set if it is already a member of the set of VLANs in etsysPolicyProfileEgressVlans. This object is superseded on a per-port per-VLAN basis by any 'set' bits in the dot1qVlanStaticEgressPorts and dot1qVlanForbiddenEgressPorts. The default value of this object is a string of zeros.") etsysPolicyProfileUntaggedVlans = MibTableColumn((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 1, 5, 1, 10), VlanList()).setMaxAccess("readcreate") if mibBuilder.loadTexts: etsysPolicyProfileUntaggedVlans.setStatus('current') if mibBuilder.loadTexts: etsysPolicyProfileUntaggedVlans.setDescription("The set of VLANs which should transmit egress packets as untagged on ports for which this policy is active. This object is superseded on a per-port per-VLAN basis by any 'set' bits in dot1qVlanStaticUntaggedPorts.") etsysPolicyProfileOverwriteTCI = MibTableColumn((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 1, 5, 1, 11), EnabledStatus().clone('disabled')).setMaxAccess("readcreate") if mibBuilder.loadTexts: etsysPolicyProfileOverwriteTCI.setStatus('current') if mibBuilder.loadTexts: etsysPolicyProfileOverwriteTCI.setDescription('If set, the information contained within the TCI field of inbound, tagged packets will not be used by the device after the ingress classification stage of packet relay. The net effect will be that the TCI information may be used to classify the packet, but will be overwritten (and ignored) by subsequent stages of packet relay.') etsysPolicyProfileRulePrecedence = MibTableColumn((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 1, 5, 1, 12), OctetString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readcreate") if mibBuilder.loadTexts: etsysPolicyProfileRulePrecedence.setStatus('current') if mibBuilder.loadTexts: etsysPolicyProfileRulePrecedence.setDescription('Each octet will contain a single value representing the rule type to be matched against, defined by the PolicyClassificationRuleType textual convention. When read, will return the currently operating rule matching precedence, ordered from first consulted (in the first octet) to last consulted (in the last octet). A set of a single octet of 0x00 will result in a reversion to the default precedence ordering. A set of any other values will result in the specified rule types being matched in the order specified, followed by the remaining rules, in default precedence order.') etsysPolicyProfileVlanRFC3580Mappings = MibTableColumn((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 1, 5, 1, 13), VlanList()).setMaxAccess("readonly") if mibBuilder.loadTexts: etsysPolicyProfileVlanRFC3580Mappings.setStatus('current') if mibBuilder.loadTexts: etsysPolicyProfileVlanRFC3580Mappings.setDescription('The set of VLANs which are currently being mapped onto this policy profile by the etsysPolicyRFC3580MapTable. This only refers to the mapping of vlan-tunnel-attributes returned from RADIUS in an RFC3580 context.') etsysPolicyProfileMirrorIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 1, 5, 1, 14), Integer32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(-1, -1), ValueRangeConstraint(0, 0), ValueRangeConstraint(1, 255), )).clone(-1)).setMaxAccess("readcreate") if mibBuilder.loadTexts: etsysPolicyProfileMirrorIndex.setStatus('current') if mibBuilder.loadTexts: etsysPolicyProfileMirrorIndex.setDescription('A reference to a packet mirror destination (defined elsewhere). A value of (-1) indicates no mirror is specified, but a mirror is not explicitly prohibitted. A value of (0) indicates that mirroring is explicitly prohibitted, unless a high precedent source (a rule) has specified a mirror.') etsysPolicyProfileAuditSyslogEnable = MibTableColumn((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 1, 5, 1, 15), EnabledStatus().clone('disabled')).setMaxAccess("readcreate") if mibBuilder.loadTexts: etsysPolicyProfileAuditSyslogEnable.setStatus('current') if mibBuilder.loadTexts: etsysPolicyProfileAuditSyslogEnable.setDescription('Enables the sending of a syslog message if no rule bound to this profile has prohibited it.') etsysPolicyProfileAuditTrapEnable = MibTableColumn((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 1, 5, 1, 16), EnabledStatus().clone('disabled')).setMaxAccess("readcreate") if mibBuilder.loadTexts: etsysPolicyProfileAuditTrapEnable.setStatus('current') if mibBuilder.loadTexts: etsysPolicyProfileAuditTrapEnable.setDescription('Enables the sending of a SNMP NOTIFICATION if no rule bound to this profile has prohibited it.') etsysPolicyProfileDisablePort = MibTableColumn((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 1, 5, 1, 17), EnabledStatus().clone('disabled')).setMaxAccess("readcreate") if mibBuilder.loadTexts: etsysPolicyProfileDisablePort.setStatus('current') if mibBuilder.loadTexts: etsysPolicyProfileDisablePort.setDescription('Will set the ifOperStatus of the port, on which the frame which used this profile was received, to disable, if if no rule bound to this profile has prohibited it.') etsysPolicyProfileUsageList = MibTableColumn((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 1, 5, 1, 18), PortList()).setMaxAccess("readwrite") if mibBuilder.loadTexts: etsysPolicyProfileUsageList.setStatus('current') if mibBuilder.loadTexts: etsysPolicyProfileUsageList.setDescription("When read, a set bit indicates that this profile was used to send a syslog or trap message for corresponding port. When set, the native PortList will be bit-wise AND'ed with the set PortList, allowing the agent to clear the usage indication.") etsysPolicyClassificationMaxEntries = MibScalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 2, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readonly") if mibBuilder.loadTexts: etsysPolicyClassificationMaxEntries.setStatus('deprecated') if mibBuilder.loadTexts: etsysPolicyClassificationMaxEntries.setDescription('The maximum number of entries allowed in the etsysPolicyClassificationTable.') etsysPolicyClassificationNumEntries = MibScalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 2, 2), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: etsysPolicyClassificationNumEntries.setStatus('deprecated') if mibBuilder.loadTexts: etsysPolicyClassificationNumEntries.setDescription('The current number of entries in the etsysPolicyClassificationTable.') etsysPolicyClassificationLastChange = MibScalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 2, 3), TimeTicks()).setMaxAccess("readonly") if mibBuilder.loadTexts: etsysPolicyClassificationLastChange.setStatus('deprecated') if mibBuilder.loadTexts: etsysPolicyClassificationLastChange.setDescription('The sysUpTime at which the etsysPolicyClassificationTable was last modified.') etsysPolicyClassificationTable = MibTable((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 2, 4), ) if mibBuilder.loadTexts: etsysPolicyClassificationTable.setReference('CTRON-PRIORITY-CLASSIFY-MIB, CTRON-VLAN-CLASSIFY-MIB, CTRON-RATE-POLICING-MIB') if mibBuilder.loadTexts: etsysPolicyClassificationTable.setStatus('deprecated') if mibBuilder.loadTexts: etsysPolicyClassificationTable.setDescription('A table containing reference OIDs to entries within the classification tables. These classification tables include but may not be limited to: ctPriClassifyTable ctVlanClassifyTable ctRatePolicyingConfigTable This table is used to map a list of classification rules to an instance of the etsysPolicyProfileTable.') etsysPolicyClassificationEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 2, 4, 1), ).setIndexNames((0, "ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyProfileIndex"), (0, "ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyClassificationIndex")) if mibBuilder.loadTexts: etsysPolicyClassificationEntry.setStatus('deprecated') if mibBuilder.loadTexts: etsysPolicyClassificationEntry.setDescription('Describes a particular entry within the etsysPolicyClassificationTable. Entries within this table MUST be considered non-volatile and MUST be maintained across entity resets.') etsysPolicyClassificationIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 2, 4, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))) if mibBuilder.loadTexts: etsysPolicyClassificationIndex.setStatus('deprecated') if mibBuilder.loadTexts: etsysPolicyClassificationIndex.setDescription('Administratively assigned unique value, greater than zero. Each etsysPolicyClassificationIndex instance MUST be unique within the scope of its associated etsysPolicyProfileIndex.') etsysPolicyClassificationOID = MibTableColumn((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 2, 4, 1, 2), RowPointer()).setMaxAccess("readcreate") if mibBuilder.loadTexts: etsysPolicyClassificationOID.setStatus('deprecated') if mibBuilder.loadTexts: etsysPolicyClassificationOID.setDescription("This object follows the RowPointer textual convention and is an OID reference to a classification rule. This object MUST NOT be modifiable while this entry's etsysPolicyClassificationStatus object has a value of active(1).") etsysPolicyClassificationRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 2, 4, 1, 3), RowStatus()).setMaxAccess("readcreate") if mibBuilder.loadTexts: etsysPolicyClassificationRowStatus.setStatus('deprecated') if mibBuilder.loadTexts: etsysPolicyClassificationRowStatus.setDescription("The status of this row. When set to active(1) this entry's classification rule, as referenced by etsysPolicyClassificationOID, becomes one of its associated policy's set of rules. When this entry's associated policy, as defined by etsysPolicyProfileIndex, is active and assigned to a port through the etsysPortPolicyProfileTable or to a station through the etsysStationPolicyProfileTabbe, this classification rule will be applied to the port or station. The exact behavior of this application depends upon the classification rule. When this object is set to notInService(2) or notReady(3) this entry is not considered one of its associated policy's set of rules and this classification rule will not be applied. An entry MAY NOT be set to active(1) unless this row's etsysPolicyClassificationOID is set to a valid classification rule.") etsysPolicyClassificationIngressList = MibTableColumn((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 2, 4, 1, 4), PortList()).setMaxAccess("readonly") if mibBuilder.loadTexts: etsysPolicyClassificationIngressList.setStatus('deprecated') if mibBuilder.loadTexts: etsysPolicyClassificationIngressList.setDescription('The ports on which an active policy profile has defined this classification rule applies.') etsysPortPolicyProfileLastChange = MibScalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 3, 1), TimeTicks()).setMaxAccess("readonly") if mibBuilder.loadTexts: etsysPortPolicyProfileLastChange.setStatus('deprecated') if mibBuilder.loadTexts: etsysPortPolicyProfileLastChange.setDescription('sysUpTime at which the etsysPortPolicyProfileTable was last modified.') etsysPortPolicyProfileTable = MibTable((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 3, 2), ) if mibBuilder.loadTexts: etsysPortPolicyProfileTable.setStatus('deprecated') if mibBuilder.loadTexts: etsysPortPolicyProfileTable.setDescription('This table allows for a one to one mapping between a dot1dBasePort or an ifIndex and a Policy Profile.') etsysPortPolicyProfileEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 3, 2, 1), ).setIndexNames((0, "ENTERASYS-POLICY-PROFILE-MIB", "etsysPortPolicyProfileIndexType"), (0, "ENTERASYS-POLICY-PROFILE-MIB", "etsysPortPolicyProfileIndex")) if mibBuilder.loadTexts: etsysPortPolicyProfileEntry.setStatus('deprecated') if mibBuilder.loadTexts: etsysPortPolicyProfileEntry.setDescription('Describes a particular entry within the etsysPortPolicyProfileTable. Entries within this table MUST be considered non-volatile and MUST be maintained across entity resets.') etsysPortPolicyProfileIndexType = MibTableColumn((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 3, 2, 1, 1), PortPolicyProfileIndexTypeTC()) if mibBuilder.loadTexts: etsysPortPolicyProfileIndexType.setStatus('deprecated') if mibBuilder.loadTexts: etsysPortPolicyProfileIndexType.setDescription('This object defines the specific type of port this entry represents.') etsysPortPolicyProfileIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 3, 2, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2147483647))) if mibBuilder.loadTexts: etsysPortPolicyProfileIndex.setStatus('deprecated') if mibBuilder.loadTexts: etsysPortPolicyProfileIndex.setDescription("An index value which represents a unique port of the type defined by this entry's etsysPortPolicyProfileIndexType.") etsysPortPolicyProfileAdminID = MibTableColumn((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 3, 2, 1, 3), PolicyProfileIDTC()).setMaxAccess("readwrite") if mibBuilder.loadTexts: etsysPortPolicyProfileAdminID.setStatus('deprecated') if mibBuilder.loadTexts: etsysPortPolicyProfileAdminID.setDescription("This object represents the desired Policy Profile for this dot1dBasePort or this ifIndex. Setting this object to any value besides zero (0) should, if possible, immediately place this entry's dot1dBasePort or ifIndex into the given Policy Profile. This object and etsysPortPolicyProfileOperID may not be the same if this object is set to a Policy (i.e. an instance of the etsysPolicyProfileTable) which is not in an active state or if the etsysPortPolicyProfileOperID has been set by an underlying security protocol such as RADIUS.") etsysPortPolicyProfileOperID = MibTableColumn((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 3, 2, 1, 4), PolicyProfileIDTC()).setMaxAccess("readonly") if mibBuilder.loadTexts: etsysPortPolicyProfileOperID.setStatus('deprecated') if mibBuilder.loadTexts: etsysPortPolicyProfileOperID.setDescription("This object is the current policy which is being applied to this entry's dot1dBasePort. A value of zero(0) indicates there is no policy being applied to this dot1dBasePort or this ifIndex. If the value of this object has been set by an underlying security protocol such as RADIUS, sets to this entry's etsysPortPolicyProfileAdminID MUST NOT change the value of this object until such time as the security protocol releases this object by setting it to a value of zero (0).") etsysPortPolicyProfileSummaryTable = MibTable((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 3, 3), ) if mibBuilder.loadTexts: etsysPortPolicyProfileSummaryTable.setStatus('current') if mibBuilder.loadTexts: etsysPortPolicyProfileSummaryTable.setDescription('This table provides aggregate port information on a per policy, per port type basis.') etsysPortPolicyProfileSummaryEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 3, 3, 1), ).setIndexNames((0, "ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyProfileIndex"), (0, "ENTERASYS-POLICY-PROFILE-MIB", "etsysPortPolicyProfileSummaryIndexType")) if mibBuilder.loadTexts: etsysPortPolicyProfileSummaryEntry.setStatus('current') if mibBuilder.loadTexts: etsysPortPolicyProfileSummaryEntry.setDescription('Conceptually defines a particular entry within the etsysPortPolicyProfileSummaryTable.') etsysPortPolicyProfileSummaryIndexType = MibTableColumn((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 3, 3, 1, 1), PortPolicyProfileIndexTypeTC()) if mibBuilder.loadTexts: etsysPortPolicyProfileSummaryIndexType.setStatus('current') if mibBuilder.loadTexts: etsysPortPolicyProfileSummaryIndexType.setDescription('This object defines the specific type of port this entry represents.') etsysPortPolicyProfileSummaryAdminID = MibTableColumn((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 3, 3, 1, 2), PortList()).setMaxAccess("readonly") if mibBuilder.loadTexts: etsysPortPolicyProfileSummaryAdminID.setStatus('current') if mibBuilder.loadTexts: etsysPortPolicyProfileSummaryAdminID.setDescription('An aggregate list of all Ports currently supporting rules which assign this profileIndex through administrative means. Rules of this type have a valid etsysPolicyRuleResult2 action and a profileIndex of 0.') etsysPortPolicyProfileSummaryOperID = MibTableColumn((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 3, 3, 1, 3), PortList()).setMaxAccess("readonly") if mibBuilder.loadTexts: etsysPortPolicyProfileSummaryOperID.setStatus('current') if mibBuilder.loadTexts: etsysPortPolicyProfileSummaryOperID.setDescription('An aggregate list of all Ports currently supporting rules which assign this profileIndex through either an administrative or dynamic means. The profileId which will be assigned operationally, as frames are handled are too be reported here.') etsysPortPolicyProfileSummaryDynamicID = MibTableColumn((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 3, 3, 1, 4), PortList()).setMaxAccess("readonly") if mibBuilder.loadTexts: etsysPortPolicyProfileSummaryDynamicID.setStatus('current') if mibBuilder.loadTexts: etsysPortPolicyProfileSummaryDynamicID.setDescription('An aggregate list of all Ports currently supporting rules which assign this profileIndex through a dynamic means. For example the profileIndex returned via a successful 802.1X supplicant authentication.') etsysStationPolicyProfileMaxEntries = MibScalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 5, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readonly") if mibBuilder.loadTexts: etsysStationPolicyProfileMaxEntries.setStatus('current') if mibBuilder.loadTexts: etsysStationPolicyProfileMaxEntries.setDescription('The maximum number of entries allowed in the etsysStationPolicyProfileTable. If this number is exceeded, based on stations connecting to the edge device, the oldest entries will be deleted.') etsysStationPolicyProfileNumEntries = MibScalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 5, 2), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: etsysStationPolicyProfileNumEntries.setStatus('current') if mibBuilder.loadTexts: etsysStationPolicyProfileNumEntries.setDescription('The current number of entries in the etsysStationPolicyProfileTable.') etsysStationPolicyProfileLastChange = MibScalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 5, 3), TimeTicks()).setMaxAccess("readonly") if mibBuilder.loadTexts: etsysStationPolicyProfileLastChange.setStatus('current') if mibBuilder.loadTexts: etsysStationPolicyProfileLastChange.setDescription('sysUpTime at which the etsysStationPolicyProfileTable was last modified.') etsysStationPolicyProfileTable = MibTable((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 5, 4), ) if mibBuilder.loadTexts: etsysStationPolicyProfileTable.setStatus('current') if mibBuilder.loadTexts: etsysStationPolicyProfileTable.setDescription("This table allows for a one to one mapping between a station's identifying address and a Policy Profile.") etsysStationPolicyProfileEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 5, 4, 1), ).setIndexNames((0, "ENTERASYS-POLICY-PROFILE-MIB", "etsysStationPolicyProfileIndex")) if mibBuilder.loadTexts: etsysStationPolicyProfileEntry.setStatus('current') if mibBuilder.loadTexts: etsysStationPolicyProfileEntry.setDescription('Describes a particular entry within the etsysStationPolicyProfileTable. Entries within this table MUST be considered non-volatile and MUST be maintained across entity resets.') etsysStationPolicyProfileIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 5, 4, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2147483647))) if mibBuilder.loadTexts: etsysStationPolicyProfileIndex.setStatus('current') if mibBuilder.loadTexts: etsysStationPolicyProfileIndex.setDescription('An index value which represents a unique station entry.') etsysStationIdentifierType = MibTableColumn((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 5, 4, 1, 3), StationAddressType()).setMaxAccess("readonly") if mibBuilder.loadTexts: etsysStationIdentifierType.setStatus('current') if mibBuilder.loadTexts: etsysStationIdentifierType.setDescription('Indicates the type of station identifying address contained in etsysStationIdentifier.') etsysStationIdentifier = MibTableColumn((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 5, 4, 1, 4), StationAddress()).setMaxAccess("readonly") if mibBuilder.loadTexts: etsysStationIdentifier.setStatus('current') if mibBuilder.loadTexts: etsysStationIdentifier.setDescription('A value which represents a unique MAC Address, IP Address, or other identifying address for a station, or other logical and authenticatable sub-entity within a station, connected to a port.') etsysStationPolicyProfileOperID = MibTableColumn((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 5, 4, 1, 5), PolicyProfileIDTC()).setMaxAccess("readonly") if mibBuilder.loadTexts: etsysStationPolicyProfileOperID.setStatus('current') if mibBuilder.loadTexts: etsysStationPolicyProfileOperID.setDescription("This object is the current policy which is being applied to this entry's MAC Address. A value of zero(0) indicates there is no policy being applied to this MAC Address. The value of this object reflects either the setting from an underlying AAA service such as RADIUS, or the default setting based on the etsysPortPolicyProfileAdminID for the port on which the station is connected. This object and the corresponding etsysPortPolicyProfileAdminID will not be the same if this object has been set by an underlying security protocol such as RADIUS.") etsysStationPolicyProfilePortType = MibTableColumn((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 5, 4, 1, 6), PortPolicyProfileIndexTypeTC()).setMaxAccess("readonly") if mibBuilder.loadTexts: etsysStationPolicyProfilePortType.setStatus('current') if mibBuilder.loadTexts: etsysStationPolicyProfilePortType.setDescription('A textual convention that defines the specific type of port designator the corresponding entry represents.') etsysStationPolicyProfilePortID = MibTableColumn((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 5, 4, 1, 7), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2147483647))).setMaxAccess("readonly") if mibBuilder.loadTexts: etsysStationPolicyProfilePortID.setStatus('current') if mibBuilder.loadTexts: etsysStationPolicyProfilePortID.setDescription("A value which represents the physical port, of the type defined by this entry's etsysStationPolicyProfilePortType, on which the associated station entity is connected. This object is for convenience in cross referencing stations to ports.") etsysInvalidPolicyAction = MibScalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 6, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("applyDefaultPolicy", 1), ("dropPackets", 2), ("forwardPackets", 3))).clone('applyDefaultPolicy')).setMaxAccess("readwrite") if mibBuilder.loadTexts: etsysInvalidPolicyAction.setStatus('current') if mibBuilder.loadTexts: etsysInvalidPolicyAction.setDescription('Specifies the action that the edge device should take if asked to apply an invalid or unknown policy. applyDefaultPolicy(1) - Ignore the result and search for the next policy assignment rule. dropPackets(2) - Block traffic. forwardPackets(3) - Forward traffic, as if no policy had been assigned (via 802.1D/Q rules). Although dropPackets(2) is the most secure option, it may not always be desirable.') etsysInvalidPolicyCount = MibScalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 6, 2), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: etsysInvalidPolicyCount.setStatus('current') if mibBuilder.loadTexts: etsysInvalidPolicyCount.setDescription('Increments to indicate the number of times the device has detected an invalid/unknown policy.') etsysDevicePolicyProfileDefault = MibScalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 8, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 0), ValueRangeConstraint(1, 65535), ))).setMaxAccess("readwrite") if mibBuilder.loadTexts: etsysDevicePolicyProfileDefault.setStatus('current') if mibBuilder.loadTexts: etsysDevicePolicyProfileDefault.setDescription('If this value is non-zero, the value indicates the etsysPolicyProfileEntry (and its associated etsysPolicyClassificationTable entries) which should be used by the device if the device is incapable of using the profile (or specific parts of the profile) explicitly applied to an inbound frame. A value of zero indicates that no default profile is currently active.') etsysPolicyCapabilities = MibScalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 9, 1), Bits().clone(namedValues=NamedValues(("supportsVLANForwarding", 0), ("supportsPriority", 1), ("supportsPermit", 2), ("supportsDeny", 3), ("supportsDeviceLevelPolicy", 4), ("supportsPrecedenceReordering", 5), ("supportsTciOverwrite", 6), ("supportsRulesTable", 7), ("supportsRuleUseAccounting", 8), ("supportsRuleUseNotification", 9), ("supportsCoSTable", 10), ("supportsLongestPrefixRules", 11), ("supportsPortDisableAction", 12), ("supportsRuleUseAutoClearOnLink", 13), ("supportsRuleUseAutoClearOnInterval", 14), ("supportsRuleUseAutoClearOnProfile", 15), ("supportsPolicyRFC3580MapTable", 16), ("supportsPolicyEnabledTable", 17), ("supportsMirror", 18), ("supportsEgressPolicy", 19)))).setMaxAccess("readonly") if mibBuilder.loadTexts: etsysPolicyCapabilities.setStatus('current') if mibBuilder.loadTexts: etsysPolicyCapabilities.setDescription('A list of capabilities related to policies. A set bit, with the value 1, indicates support for the described functionality. A clear bit, with the value 0, indicates the described functionality is not supported.') etsysPolicyDynaPIDRuleCapabilities = MibScalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 9, 2), PolicyRulesSupported()).setMaxAccess("readonly") if mibBuilder.loadTexts: etsysPolicyDynaPIDRuleCapabilities.setStatus('current') if mibBuilder.loadTexts: etsysPolicyDynaPIDRuleCapabilities.setDescription('A list of rule types which are supported by this device for the purpose of dynamically assigning a profile to the network traffic described by the bit. A set bit, with the value 1, indicates support for the described functionality. A clear bit, with the value 0, indicates the described functionality is not supported.') etsysPolicyAdminPIDRuleCapabilities = MibScalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 9, 3), PolicyRulesSupported()).setMaxAccess("readonly") if mibBuilder.loadTexts: etsysPolicyAdminPIDRuleCapabilities.setStatus('current') if mibBuilder.loadTexts: etsysPolicyAdminPIDRuleCapabilities.setDescription('A list of rule types which are supported by this device for the purpose of administratively assigning a profile to the network traffic described by the bit. A set bit, with the value 1, indicates support for the described functionality. A clear bit, with the value 0, indicates the described functionality is not supported.') etsysPolicyVlanRuleCapabilities = MibScalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 9, 4), PolicyRulesSupported()).setMaxAccess("readonly") if mibBuilder.loadTexts: etsysPolicyVlanRuleCapabilities.setStatus('current') if mibBuilder.loadTexts: etsysPolicyVlanRuleCapabilities.setDescription('A list of rule types which are supported by this device for the purpose of assigning a VlanId to the network traffic described by the bit. A set bit, with the value 1, indicates support for the described functionality. A clear bit, with the value 0, indicates the described functionality is not supported.') etsysPolicyCosRuleCapabilities = MibScalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 9, 5), PolicyRulesSupported()).setMaxAccess("readonly") if mibBuilder.loadTexts: etsysPolicyCosRuleCapabilities.setStatus('current') if mibBuilder.loadTexts: etsysPolicyCosRuleCapabilities.setDescription('A list of rule types which are supported by this device for the purpose of assigning a CoS to the network traffic described by the bit. A set bit, with the value 1, indicates support for the described functionality. A clear bit, with the value 0, indicates the described functionality is not supported.') etsysPolicyDropRuleCapabilities = MibScalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 9, 6), PolicyRulesSupported()).setMaxAccess("readonly") if mibBuilder.loadTexts: etsysPolicyDropRuleCapabilities.setStatus('current') if mibBuilder.loadTexts: etsysPolicyDropRuleCapabilities.setDescription('A list of rule types which are supported by this device for the purpose of discarding the network traffic described by the bit. A set bit, with the value 1, indicates support for the described functionality. A clear bit, with the value 0, indicates the described functionality is not supported.') etsysPolicyForwardRuleCapabilities = MibScalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 9, 7), PolicyRulesSupported()).setMaxAccess("readonly") if mibBuilder.loadTexts: etsysPolicyForwardRuleCapabilities.setStatus('current') if mibBuilder.loadTexts: etsysPolicyForwardRuleCapabilities.setDescription('A list of rule types which are supported by this device for the purpose of forwarding the network traffic described by the bit. A set bit, with the value 1, indicates support for the described functionality. A clear bit, with the value 0, indicates the described functionality is not supported.') etsysPolicySyslogRuleCapabilities = MibScalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 9, 8), PolicyRulesSupported()).setMaxAccess("readonly") if mibBuilder.loadTexts: etsysPolicySyslogRuleCapabilities.setStatus('current') if mibBuilder.loadTexts: etsysPolicySyslogRuleCapabilities.setDescription('A list of rule types which are supported by this device for the purpose of issuing syslog messages when the rule is used to identify the network traffic described by the bit. A set bit, with the value 1, indicates support for the described functionality. A clear bit, with the value 0, indicates the described functionality is not supported.') etsysPolicyTrapRuleCapabilities = MibScalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 9, 9), PolicyRulesSupported()).setMaxAccess("readonly") if mibBuilder.loadTexts: etsysPolicyTrapRuleCapabilities.setStatus('current') if mibBuilder.loadTexts: etsysPolicyTrapRuleCapabilities.setDescription('A list of rule types which are supported by this device for the purpose of issuing an SNMP notify (trap) messages when the rule is used to identify the network traffic described by the bit. A set bit, with the value 1, indicates support for the described functionality. A clear bit, with the value 0, indicates the described functionality is not supported.') etsysPolicyDisablePortRuleCapabilities = MibScalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 9, 10), PolicyRulesSupported()).setMaxAccess("readonly") if mibBuilder.loadTexts: etsysPolicyDisablePortRuleCapabilities.setStatus('current') if mibBuilder.loadTexts: etsysPolicyDisablePortRuleCapabilities.setDescription('A list of rule types which are supported by this device for the purpose of disabling the ingress port identified when the rule matches the network traffic described by the bit. A set bit, with the value 1, indicates support for the described functionality. A clear bit, with the value 0, indicates the described functionality is not supported.') etsysPolicySupportedPortList = MibScalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 9, 11), PortList()).setMaxAccess("readonly") if mibBuilder.loadTexts: etsysPolicySupportedPortList.setStatus('current') if mibBuilder.loadTexts: etsysPolicySupportedPortList.setDescription('The list ports which support policy profile assignment (i.e. the ports which _do_ policy). This object may be useful to management entities which desire to scope action to only those ports which support policy. A port which appears in this list, must support, at minimum, the assignment of a policy profile to all traffic ingressing the port.') etsysPolicyEnabledTable = MibTable((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 9, 12), ) if mibBuilder.loadTexts: etsysPolicyEnabledTable.setStatus('current') if mibBuilder.loadTexts: etsysPolicyEnabledTable.setDescription('This table allows for the configuration of policy profile assignment methods, per port, including the ability to disable policy profile assignment, per port. In addition, a ports capabilities, with respect to policy profile assignment are reported.') etsysPolicyEnabledTableEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 9, 12, 1), ).setIndexNames((0, "BRIDGE-MIB", "dot1dBasePort")) if mibBuilder.loadTexts: etsysPolicyEnabledTableEntry.setStatus('current') if mibBuilder.loadTexts: etsysPolicyEnabledTableEntry.setDescription('Describes a particular entry within the etsysPolicyEnabledTable.') etsysPolicyEnabledSupportedRuleTypes = MibTableColumn((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 9, 12, 1, 1), PolicyRulesSupported()).setMaxAccess("readonly") if mibBuilder.loadTexts: etsysPolicyEnabledSupportedRuleTypes.setStatus('current') if mibBuilder.loadTexts: etsysPolicyEnabledSupportedRuleTypes.setDescription('The list of rule types which the devices supports for the purpose of assigning policy profiles to network traffic ingressing this dot1dBasePort.') etsysPolicyEnabledEnabledRuleTypes = MibTableColumn((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 9, 12, 1, 2), PolicyRulesSupported()).setMaxAccess("readwrite") if mibBuilder.loadTexts: etsysPolicyEnabledEnabledRuleTypes.setStatus('current') if mibBuilder.loadTexts: etsysPolicyEnabledEnabledRuleTypes.setDescription('The list of rule types from which the device will assign policy profiles to network traffic ingressing this dot1dBasePort. Rules which have a type not enumerated here must not be used to assign policy profiles, but must still be used to interrogate the rule-set bound to the determined policy profile. A set of all cleared bits will effectively disable policy in the port.') etsysPolicyEnabledEgressEnabled = MibTableColumn((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 9, 12, 1, 3), EnabledStatus().clone('disabled')).setMaxAccess("readwrite") if mibBuilder.loadTexts: etsysPolicyEnabledEgressEnabled.setStatus('current') if mibBuilder.loadTexts: etsysPolicyEnabledEgressEnabled.setDescription('Controls the enabling and disabling the application of policy as packets egress the switching process on the dot1dBasePort specified in the indexing.') etsysPolicyRuleAttributeTable = MibTable((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 9, 13), ) if mibBuilder.loadTexts: etsysPolicyRuleAttributeTable.setStatus('current') if mibBuilder.loadTexts: etsysPolicyRuleAttributeTable.setDescription('This table details each supported rule type attribute for rule data length in bytes, rule data length in bits, and the maximum number of rules that may use that type.') etsysPolicyRuleAttributeTableEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 9, 13, 1), ).setIndexNames((0, "ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRuleType")) if mibBuilder.loadTexts: etsysPolicyRuleAttributeTableEntry.setStatus('current') if mibBuilder.loadTexts: etsysPolicyRuleAttributeTableEntry.setDescription('Describes a particular entry within the etsysPolicyRuleAttributeTable.') etsysPolicyRuleAttributeByteLength = MibTableColumn((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 9, 13, 1, 1), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: etsysPolicyRuleAttributeByteLength.setStatus('current') if mibBuilder.loadTexts: etsysPolicyRuleAttributeByteLength.setDescription("This rule type's maximum length, in bytes of the etsysPolicyRuleData. Devices supporting this object MUST allow sets for this rule data of any valid length up to and including the length value represented by this object. Management entities must also expect to read back the maximum data length for each type regardless of the length the data was set with.") etsysPolicyRuleAttributeBitLength = MibTableColumn((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 9, 13, 1, 2), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: etsysPolicyRuleAttributeBitLength.setStatus('current') if mibBuilder.loadTexts: etsysPolicyRuleAttributeBitLength.setDescription("This rule type's maximum bit length for traffic data. This value also represents the maximum mask that may be used for rule data. The mask MUST NOT exceed the rule data size. Masks that exceed the data size shall be considered invalid and result in an SNMP set failure.") etsysPolicyRuleAttributeMaxCreatable = MibTableColumn((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 9, 13, 1, 3), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: etsysPolicyRuleAttributeMaxCreatable.setStatus('current') if mibBuilder.loadTexts: etsysPolicyRuleAttributeMaxCreatable.setDescription('If this value is non-zero, the value indicates the maximum number of rules of this type the agent can support.') etsysPolicyRuleTciOverwriteCapabilities = MibScalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 9, 14), PolicyRulesSupported()).setMaxAccess("readonly") if mibBuilder.loadTexts: etsysPolicyRuleTciOverwriteCapabilities.setStatus('current') if mibBuilder.loadTexts: etsysPolicyRuleTciOverwriteCapabilities.setDescription('A list of rule types which are supported by this device for the purpose of overwriting the TCI in received packets described by the bit. A set bit, with the value 1, indicates support for the described functionality. A clear bit, with the value 0, indicates the described functionality is not supported.') etsysPolicyRuleMirrorCapabilities = MibScalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 9, 15), PolicyRulesSupported()).setMaxAccess("readonly") if mibBuilder.loadTexts: etsysPolicyRuleMirrorCapabilities.setStatus('current') if mibBuilder.loadTexts: etsysPolicyRuleMirrorCapabilities.setDescription('A list of rule types which are supported by this device for the purpose of mirroring the network traffic described by the bit. A set bit, with the value 1, indicates support for the described functionality. A clear bit, with the value 0, indicates the described functionality is not supported.') etsysPolicyMapMaxEntries = MibScalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 10, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readonly") if mibBuilder.loadTexts: etsysPolicyMapMaxEntries.setStatus('obsolete') if mibBuilder.loadTexts: etsysPolicyMapMaxEntries.setDescription('This has been obsoleted.') etsysPolicyMapNumEntries = MibScalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 10, 2), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: etsysPolicyMapNumEntries.setStatus('obsolete') if mibBuilder.loadTexts: etsysPolicyMapNumEntries.setDescription('This has been obsoleted.') etsysPolicyMapLastChange = MibScalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 10, 3), TimeTicks()).setMaxAccess("readonly") if mibBuilder.loadTexts: etsysPolicyMapLastChange.setStatus('obsolete') if mibBuilder.loadTexts: etsysPolicyMapLastChange.setDescription('This has been obsoleted.') etsysPolicyMapPvidOverRide = MibScalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 10, 4), TruthValue()).setMaxAccess("readwrite") if mibBuilder.loadTexts: etsysPolicyMapPvidOverRide.setStatus('obsolete') if mibBuilder.loadTexts: etsysPolicyMapPvidOverRide.setDescription('This has been obsoleted.') etsysPolicyMapUnknownPvidPolicy = MibScalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 10, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("denyAccess", 1), ("applyDefaultPolicy", 2), ("applyPvid", 3)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: etsysPolicyMapUnknownPvidPolicy.setStatus('obsolete') if mibBuilder.loadTexts: etsysPolicyMapUnknownPvidPolicy.setDescription('This has been obsoleted.') etsysPolicyMapTable = MibTable((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 10, 6), ) if mibBuilder.loadTexts: etsysPolicyMapTable.setStatus('obsolete') if mibBuilder.loadTexts: etsysPolicyMapTable.setDescription('This has been obsoleted.') etsysPolicyMapEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 10, 6, 1), ).setIndexNames((0, "ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyMapIndex")) if mibBuilder.loadTexts: etsysPolicyMapEntry.setStatus('obsolete') if mibBuilder.loadTexts: etsysPolicyMapEntry.setDescription('This has been obsoleted.') etsysPolicyMapIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 10, 6, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))) if mibBuilder.loadTexts: etsysPolicyMapIndex.setStatus('obsolete') if mibBuilder.loadTexts: etsysPolicyMapIndex.setDescription('This has been obsoleted.') etsysPolicyMapRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 10, 6, 1, 2), RowStatus()).setMaxAccess("readcreate") if mibBuilder.loadTexts: etsysPolicyMapRowStatus.setStatus('obsolete') if mibBuilder.loadTexts: etsysPolicyMapRowStatus.setDescription('This has been obsoleted.') etsysPolicyMapStartVid = MibTableColumn((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 10, 6, 1, 3), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readcreate") if mibBuilder.loadTexts: etsysPolicyMapStartVid.setStatus('obsolete') if mibBuilder.loadTexts: etsysPolicyMapStartVid.setDescription('This has been obsoleted.') etsysPolicyMapEndVid = MibTableColumn((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 10, 6, 1, 4), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readcreate") if mibBuilder.loadTexts: etsysPolicyMapEndVid.setStatus('obsolete') if mibBuilder.loadTexts: etsysPolicyMapEndVid.setDescription('This has been obsoleted.') etsysPolicyMapPolicyIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 10, 6, 1, 5), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readcreate") if mibBuilder.loadTexts: etsysPolicyMapPolicyIndex.setStatus('obsolete') if mibBuilder.loadTexts: etsysPolicyMapPolicyIndex.setDescription('This has been obsoleted.') etsysPolicyRulesMaxEntries = MibScalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 11, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readonly") if mibBuilder.loadTexts: etsysPolicyRulesMaxEntries.setStatus('current') if mibBuilder.loadTexts: etsysPolicyRulesMaxEntries.setDescription('The maximum number of entries allowed in the etsysPolicyRulesTable.') etsysPolicyRulesNumEntries = MibScalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 11, 2), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: etsysPolicyRulesNumEntries.setStatus('current') if mibBuilder.loadTexts: etsysPolicyRulesNumEntries.setDescription('The current number of entries in the etsysPolicyRulesTable.') etsysPolicyRulesLastChange = MibScalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 11, 3), TimeTicks()).setMaxAccess("readonly") if mibBuilder.loadTexts: etsysPolicyRulesLastChange.setStatus('current') if mibBuilder.loadTexts: etsysPolicyRulesLastChange.setDescription('The sysUpTime at which the etsysPolicyRulesTable was last modified.') etsysPolicyRulesAccountingEnable = MibScalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 11, 4), EnabledStatus().clone('disabled')).setMaxAccess("readwrite") if mibBuilder.loadTexts: etsysPolicyRulesAccountingEnable.setStatus('current') if mibBuilder.loadTexts: etsysPolicyRulesAccountingEnable.setDescription('Controls the collection of rule usage statistics. If disabled, no usage statistics are gathered and no auditing messages will be sent. When enabled, rule will gather usage statistics, and auditing messages will be sent, if enabled for a given rule.') etsysPolicyRulesPortDisabledList = MibScalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 11, 5), PortList()).setMaxAccess("readwrite") if mibBuilder.loadTexts: etsysPolicyRulesPortDisabledList.setStatus('current') if mibBuilder.loadTexts: etsysPolicyRulesPortDisabledList.setDescription('A portlist containing bits representing the dot1dBridgePorts which have been disabled via the mechanism described in the etsysPolicyRuleDisablePort leaf. A set bit indicates a disabled port. Ports may be enabled by performing a set with the corresponding bit cleared. Bits which are set will be ignored during the set operation.') etsysPolicyRuleTable = MibTable((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 11, 6), ) if mibBuilder.loadTexts: etsysPolicyRuleTable.setStatus('current') if mibBuilder.loadTexts: etsysPolicyRuleTable.setDescription('A table containing rules bound to individual policies. A Rule is comprised of three components, a unique description of the network traffic, an associated list of actions, and an associated list of accounting and auditing controls and information. The unique description of the network traffic, defined by a PolicyClassificationRuleType together with a length, matching data and a relevant bits field, port type, and port number (port number zero is reserved to mean any port), and scoped by a etsysPolicyProfileIndex, is used as the table index.') etsysPolicyRuleEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 11, 6, 1), ).setIndexNames((0, "ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRuleProfileIndex"), (0, "ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRuleType"), (0, "ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRuleData"), (0, "ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRulePrefixBits"), (0, "ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRulePortType"), (0, "ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRulePort")) if mibBuilder.loadTexts: etsysPolicyRuleEntry.setStatus('current') if mibBuilder.loadTexts: etsysPolicyRuleEntry.setDescription('Describes a particular entry within the etsysPolicyRuleTable. Entries within this table MUST be considered non-volatile and MUST be maintained across entity resets.') etsysPolicyRuleProfileIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 11, 6, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 0), ValueRangeConstraint(1, 65535), ))) if mibBuilder.loadTexts: etsysPolicyRuleProfileIndex.setStatus('current') if mibBuilder.loadTexts: etsysPolicyRuleProfileIndex.setDescription('The etsysPolicyProfileIndex for which the rule is defined. A value of zero(0) has special meaning in that it scopes rules which are used to determine the Policy Profile to which the frame belongs. See the etsysPolicyRuleResult1 and etsysPolicyRuleResult2 descriptions for specifics of how the results of a rule hit differ when the etsysPolicyRuleProfileIndex is zero.') etsysPolicyRuleType = MibTableColumn((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 11, 6, 1, 2), PolicyClassificationRuleType()) if mibBuilder.loadTexts: etsysPolicyRuleType.setStatus('current') if mibBuilder.loadTexts: etsysPolicyRuleType.setDescription('The type of network traffic reference by the etsysPolicyRuleData.') etsysPolicyRuleData = MibTableColumn((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 11, 6, 1, 3), OctetString().subtype(subtypeSpec=ValueSizeConstraint(0, 64))) if mibBuilder.loadTexts: etsysPolicyRuleData.setStatus('current') if mibBuilder.loadTexts: etsysPolicyRuleData.setDescription('The data pattern to match against, as defined by the etsysPolicyRuleType, encoded in network-byte order.') etsysPolicyRulePrefixBits = MibTableColumn((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 11, 6, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 0), ValueRangeConstraint(1, 2048), ))) if mibBuilder.loadTexts: etsysPolicyRulePrefixBits.setStatus('current') if mibBuilder.loadTexts: etsysPolicyRulePrefixBits.setDescription('The relevant number of bits defined by the etsysPolicyRuleData, to be used when matching against a frame, relevant bits are specified in longest-prefix-first style (left to right). A value of zero carries the special meaning of all bits are relevant.') etsysPolicyRulePortType = MibTableColumn((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 11, 6, 1, 5), PortPolicyProfileIndexTypeTC()) if mibBuilder.loadTexts: etsysPolicyRulePortType.setStatus('current') if mibBuilder.loadTexts: etsysPolicyRulePortType.setDescription('The port number on which the rule will be applied. Zero(0) is a special case, indicating that the rule should be applied to all ports.') etsysPolicyRulePort = MibTableColumn((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 11, 6, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 0), ValueRangeConstraint(1, 2147483647), ))) if mibBuilder.loadTexts: etsysPolicyRulePort.setStatus('current') if mibBuilder.loadTexts: etsysPolicyRulePort.setDescription('The port number on which the rule will be applied. Zero(0) is a special case, indicating that the rule should be applied to all ports.') etsysPolicyRuleRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 11, 6, 1, 7), RowStatus()).setMaxAccess("readcreate") if mibBuilder.loadTexts: etsysPolicyRuleRowStatus.setStatus('current') if mibBuilder.loadTexts: etsysPolicyRuleRowStatus.setDescription("The status of this row. When set to active(1) this entry's classification rule, as referenced by etsysPolicyRulesOID, becomes one of its associated policy's set of rules. When this entry's associated policy, as defined by etsysPolicyRuleProfileIndex, is active and assigned to a port through the etsysPortPolicyProfileTable or to a station through the etsysStationPolicyProfileTabbe, this classification rule will be applied to the port or station. The exact behavior of this application depends upon the classification rule. When this object is set to notInService(2) or notReady(3) this entry is not considered one of its associated policy's set of rules and this classification rule will not be applied.") etsysPolicyRuleStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 11, 6, 1, 8), StorageType().clone('nonVolatile')).setMaxAccess("readcreate") if mibBuilder.loadTexts: etsysPolicyRuleStorageType.setStatus('current') if mibBuilder.loadTexts: etsysPolicyRuleStorageType.setDescription("The storage type of this row. When set to volatile(1) this entry's classification rule, as referenced by etsysPolicyRulesOID, will be removed (if present) from non-volatile storage. Rows created dynamically by the device will typically report this as their default storage type. When set to nonVolatile(1) this entry's classification rule, as referenced by etsysPolicyRulesOID, will be added to non- volatile storage. This is the default value for rows created as the result of external management. Values of other(0), permanent(4), and readOnly(5) may not be set, although they may be returned for rows created by the device.") etsysPolicyRuleUsageList = MibTableColumn((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 11, 6, 1, 9), PortList()).setMaxAccess("readwrite") if mibBuilder.loadTexts: etsysPolicyRuleUsageList.setStatus('current') if mibBuilder.loadTexts: etsysPolicyRuleUsageList.setDescription("When read, a set bit indicates that this rule was used to classify traffic on the corresponding port. When set, the native PortList will be bit-wise AND'ed with the set PortList, allowing the agent to clear the usage indication.") etsysPolicyRuleResult1 = MibTableColumn((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 11, 6, 1, 10), Integer32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(-1, -1), ValueRangeConstraint(0, 0), ValueRangeConstraint(1, 4094), ValueRangeConstraint(4095, 4095), )).clone(-1)).setMaxAccess("readcreate") if mibBuilder.loadTexts: etsysPolicyRuleResult1.setStatus('current') if mibBuilder.loadTexts: etsysPolicyRuleResult1.setDescription('If the etsysPolicyRuleProfileIndex is 0 then this field is read-only and defines the profile ID which will assigned to frames matching this rule. This is the dynamically assigned value and may differ from the administratively configured value. If the etsysPolicyRuleProfileIndex is not 0 then this field is read-create and defines the VLAN ID with which to mark a frame matching this PolicyRule. Note that three special, otherwise illegal, values of the etsysPolicyRuleVlan are used in defining the forwarding action. -1 Indicates that no VLAN or forwarding behavior modification is desired. A rule will not be matched against for the purpose of determining a marking VID if this value is set. 0 Indicates that the default forwarding action is to drop the packets matching this rule. 4095 Indicates that the default forwarding action is to forward any packets matching this rule.') etsysPolicyRuleResult2 = MibTableColumn((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 11, 6, 1, 11), Integer32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(-1, -1), ValueRangeConstraint(0, 4095), )).clone(-1)).setMaxAccess("readcreate") if mibBuilder.loadTexts: etsysPolicyRuleResult2.setStatus('current') if mibBuilder.loadTexts: etsysPolicyRuleResult2.setDescription('If the etsysPolicyRuleProfileIndex is 0 then this field is read-create and defines the profile ID which the managing entity desires assigned to frames matching this rule. This is the administrative value and may differ from the dynamically assigned active value. If the etsysPolicyRuleProfileIndex is not 0 then this field is The CoS with which to mark a frame matching this PolicyRule. Note that one special, otherwise illegal, values of the etsysPolicyRuleCoS are used in defining the forwarding action. -1 Indicates that no CoS or forwarding behavior modification is desired. A rule will not be matched against for the purpose of determining a CoS if this value is set.') etsysPolicyRuleAuditSyslogEnable = MibTableColumn((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 11, 6, 1, 12), TriStateStatus().clone('disabled')).setMaxAccess("readcreate") if mibBuilder.loadTexts: etsysPolicyRuleAuditSyslogEnable.setStatus('current') if mibBuilder.loadTexts: etsysPolicyRuleAuditSyslogEnable.setDescription('Controls the sending of a syslog message when a bit in the etsysPolicyRuleUsageList transitions from 0 to 1.') etsysPolicyRuleAuditTrapEnable = MibTableColumn((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 11, 6, 1, 13), TriStateStatus().clone('disabled')).setMaxAccess("readcreate") if mibBuilder.loadTexts: etsysPolicyRuleAuditTrapEnable.setStatus('current') if mibBuilder.loadTexts: etsysPolicyRuleAuditTrapEnable.setDescription('Controls the sending of an SNMP NOTIFICATION when a bit in the etsysPolicyRuleUsageList transitions from 0 to 1.') etsysPolicyRuleDisablePort = MibTableColumn((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 11, 6, 1, 14), TriStateStatus().clone('disabled')).setMaxAccess("readcreate") if mibBuilder.loadTexts: etsysPolicyRuleDisablePort.setStatus('current') if mibBuilder.loadTexts: etsysPolicyRuleDisablePort.setDescription('Controls the disabling of a port (ifOperStatus of the corresponding ifIndex will be down) when a bit in the etsysPolicyRuleUsageList transitions from 0 to 1. When set to enabled, the corresponding ifIndex will be disabled upon the transition.') etsysPolicyRuleOperPid = MibTableColumn((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 11, 6, 1, 15), Integer32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(-1, -1), ValueRangeConstraint(0, 4095), )).clone(-1)).setMaxAccess("readonly") if mibBuilder.loadTexts: etsysPolicyRuleOperPid.setStatus('current') if mibBuilder.loadTexts: etsysPolicyRuleOperPid.setDescription('If the etsysPolicyRuleProfileIndex is 0 then this field contains the currently applied profile ID for frames matching this rule. This may be either the administratively applied value or the dynamically applied value. If the etsysPolicyRuleProfileIndex is not 0, then this object does not exist and will not be returned. Note that one special, otherwise illegal, values of the etsysPolicyRuleCoS are used in defining the forwarding action. -1 Indicates that no profile ID is being applied by this rule.') etsysPolicyRuleOverwriteTCI = MibTableColumn((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 11, 6, 1, 16), TriStateStatus().clone('disabled')).setMaxAccess("readcreate") if mibBuilder.loadTexts: etsysPolicyRuleOverwriteTCI.setStatus('current') if mibBuilder.loadTexts: etsysPolicyRuleOverwriteTCI.setDescription('If set, the information contained within the TCI field of inbound, tagged packets will not be used by the device after the ingress classification stage of packet relay. The net effect will be that the TCI information may be used to classify the packet, but will be overwritten (and ignored) by subsequent stages of packet relay.') etsysPolicyRuleMirrorIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 11, 6, 1, 17), Integer32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(-1, -1), ValueRangeConstraint(0, 0), ValueRangeConstraint(1, 255), )).clone(-1)).setMaxAccess("readcreate") if mibBuilder.loadTexts: etsysPolicyRuleMirrorIndex.setStatus('current') if mibBuilder.loadTexts: etsysPolicyRuleMirrorIndex.setDescription('A reference to a packet mirror destination (defined elsewhere). A value of (-1) indicates no mirror is specified, but a mirror is not explicitly prohibitted. A value of (0) indicates that mirroring is explicitly prohibitted, unless a high precedent rule has specified a mirror.') etsysPolicyRulePortTable = MibTable((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 11, 7), ) if mibBuilder.loadTexts: etsysPolicyRulePortTable.setStatus('current') if mibBuilder.loadTexts: etsysPolicyRulePortTable.setDescription('The purpose of this table is to provide an agent the ability to easily determine which rules have been used on a given bridge port. A row will only be present when the rule which the instancing describes has been used. The agent may remove a row (and clear the used status) by setting the etsysPolicyRulePortHit leaf to False. PolicyClassificationRuleType together with a length, matching data and a relevant bits field, port type, and port number (port number zero is reserved to mean any port), scoped by a etsysPolicyRuleProfileIndex, and preceded by a dot1dBasePort is used as the table index.') etsysPolicyRulePortEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 11, 7, 1), ).setIndexNames((0, "BRIDGE-MIB", "dot1dBasePort"), (0, "ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRuleProfileIndex"), (0, "ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRuleType"), (0, "ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRuleData"), (0, "ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRulePrefixBits"), (0, "ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRulePortType"), (0, "ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRulePort")) if mibBuilder.loadTexts: etsysPolicyRulePortEntry.setStatus('current') if mibBuilder.loadTexts: etsysPolicyRulePortEntry.setDescription('.') etsysPolicyRulePortHit = MibTableColumn((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 11, 7, 1, 1), TruthValue()).setMaxAccess("readwrite") if mibBuilder.loadTexts: etsysPolicyRulePortHit.setStatus('current') if mibBuilder.loadTexts: etsysPolicyRulePortHit.setDescription('Every row will report a value of True, indicating that the Rule described by the instancing was used on the given port. An agent may be set this leaf to False to clear remove the row and clear the Rule Use bit for the specified Rule, on the given bridgePort.') etsysPolicyRuleDynamicProfileAssignmentOverride = MibScalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 11, 8), TruthValue().clone('false')).setMaxAccess("readwrite") if mibBuilder.loadTexts: etsysPolicyRuleDynamicProfileAssignmentOverride.setStatus('current') if mibBuilder.loadTexts: etsysPolicyRuleDynamicProfileAssignmentOverride.setDescription('If true, administratively assigned profile assignment rules override dynamically assigned profiles assignments for a given rule. If false, the dynamically assigned value (typically created by a successful authentication attempt) overrides the administratively configured value. The agent may optionally implement this leaf as read-only.') etsysPolicyRuleDefaultDynamicSyslogStatus = MibScalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 11, 9), TriStateStatus().clone('disabled')).setMaxAccess("readwrite") if mibBuilder.loadTexts: etsysPolicyRuleDefaultDynamicSyslogStatus.setStatus('current') if mibBuilder.loadTexts: etsysPolicyRuleDefaultDynamicSyslogStatus.setDescription('If enabled(1), rules dynamically created will set etsysPolicyRuleAuditSyslogEnable to enabled. If disabled(2) a dynamically created rule will have etsysPolicyRuleAuditSyslogEnable set to disabled. The agent may optionally implement this leaf as read-only.') etsysPolicyRuleDefaultDynamicTrapStatus = MibScalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 11, 10), TriStateStatus().clone('disabled')).setMaxAccess("readwrite") if mibBuilder.loadTexts: etsysPolicyRuleDefaultDynamicTrapStatus.setStatus('current') if mibBuilder.loadTexts: etsysPolicyRuleDefaultDynamicTrapStatus.setDescription('If enabled(1), rules dynamically created will set etsysPolicyRuleAuditTrapEnable to enabled. If disabled(2) a dynamically created rule will have etsysPolicyRuleAuditTrapEnable set to disabled. The agent may optionally implement this leaf as read-only.') etsysPolicyRuleStatsAutoClearOnLink = MibScalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 11, 11), EnabledStatus().clone('disabled')).setMaxAccess("readwrite") if mibBuilder.loadTexts: etsysPolicyRuleStatsAutoClearOnLink.setStatus('current') if mibBuilder.loadTexts: etsysPolicyRuleStatsAutoClearOnLink.setDescription('If set to enabled(1), when operstatus up is detected on any port the agent will clear the rule usage information associated with that port. This ability is further scoped to the list of ports defined by etsysPolicyRuleStatsAutoClearPorts. This leaf is optional and will have no effect on an agent which has rule use accounting disabled or does not support rule use accounting. By default, the rule use accounting information will not be modified by operstatus transitions.') etsysPolicyRuleStatsAutoClearInterval = MibScalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 11, 12), Integer32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 0), ValueRangeConstraint(1, 65535), ))).setMaxAccess("readwrite") if mibBuilder.loadTexts: etsysPolicyRuleStatsAutoClearInterval.setStatus('current') if mibBuilder.loadTexts: etsysPolicyRuleStatsAutoClearInterval.setDescription('The interval at which the device will automatically clear rule usage statistics, in minutes. This ability is disabled (usage statistics will not be automatically cleared) if set to zero(0). This ability is further scoped to the list of ports defined by etsysPolicyRuleStatsAutoClearPorts. This leaf is optional and will have no effect on an agent which has rule use accounting disabled or does not support rule use accounting.') etsysPolicyRuleStatsAutoClearPorts = MibScalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 11, 13), PortList()).setMaxAccess("readwrite") if mibBuilder.loadTexts: etsysPolicyRuleStatsAutoClearPorts.setStatus('current') if mibBuilder.loadTexts: etsysPolicyRuleStatsAutoClearPorts.setDescription("The list ports on which rule usage statistics will be cleared by one of the AutoClear actions (etsysPolicyRuleStatsAutoClearInterval, etsysPolicyRuleStatsAutoClearOnProfile, or etsysPolicyRuleStatsAutoClearOnLink). By default, no ports will be set in this list. This leaf is optional, unless the agent claims support for one of the other 'autoclear' objects, and will have no effect on an agent which has rule use accounting disabled or does not support rule use accounting.") etsysPolicyRuleStatsAutoClearOnProfile = MibScalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 11, 14), EnabledStatus().clone('disabled')).setMaxAccess("readwrite") if mibBuilder.loadTexts: etsysPolicyRuleStatsAutoClearOnProfile.setStatus('current') if mibBuilder.loadTexts: etsysPolicyRuleStatsAutoClearOnProfile.setDescription('If set to enabled(1), when a rule assigning a PolicyProfile (whose etsysPolicyRuleProfileIndex is zero(0)) is activated, all the rule usage bits associated with the rules bound to the PolicyProfile specified by the etsysPolicyRuleOperPid and the port specified by the etsysPolicyRulePort are cleared (if there is no port specified or no valid etsysPolicyRuleProfileIndex specified, then no action follows). This ability is further scoped to the list of ports defined by etsysPolicyRuleStatsAutoClearPorts. This leaf is optional and will have no effect on an agent which has rule use accounting disabled or does not support rule use accounting. By default, the rule use accounting information will not be modified by the creation or activation of PolicyProfile assignment rules.') etsysPolicyRuleStatsDroppedNotifications = MibScalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 11, 15), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: etsysPolicyRuleStatsDroppedNotifications.setStatus('current') if mibBuilder.loadTexts: etsysPolicyRuleStatsDroppedNotifications.setDescription("A count of the number of times the agent has dropped notification (syslog or trap) of a etsysPolicyRuleUsageList bit transition. A management entity might use this leaf as an indication to read the etsysPolicyRuleUsageList objects for important rules. This count should be kept to the best of the device's ability, and explicitly does not cover notifications discarded by the network.") etsysPolicyRuleSylogMachineReadableFormat = MibScalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 11, 16), EnabledStatus().clone('disabled')).setMaxAccess("readwrite") if mibBuilder.loadTexts: etsysPolicyRuleSylogMachineReadableFormat.setStatus('current') if mibBuilder.loadTexts: etsysPolicyRuleSylogMachineReadableFormat.setDescription('If enabled, the device should format rule usage messages so that they might be processed by a machine (scripting backend, etc). If disabled, the messages should be formatted for human consumption.') etsysPolicyRuleSylogExtendedFormat = MibScalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 11, 17), EnabledStatus().clone('disabled')).setMaxAccess("readwrite") if mibBuilder.loadTexts: etsysPolicyRuleSylogExtendedFormat.setStatus('current') if mibBuilder.loadTexts: etsysPolicyRuleSylogExtendedFormat.setDescription('If enabled, the device should provide additional information in rule-hit syslog messages. This information MAY include what actions may have been initiated by the rule (if any) or data mined from the packet which matched the rule.') etsysPolicyRuleSylogEveryTime = MibScalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 11, 18), EnabledStatus().clone('disabled')).setMaxAccess("readwrite") if mibBuilder.loadTexts: etsysPolicyRuleSylogEveryTime.setStatus('current') if mibBuilder.loadTexts: etsysPolicyRuleSylogEveryTime.setDescription('If enabled, the device will syslog on every rule hit (or profile hit) which specifies SYSLOG as the action, instead of only when the associated bit in the etsysPolicyProfileUsageList or the etsysPolicyRuleUsageList is clear. It should be noted that this may cause MANY messages to be generated.') etsysPolicyRFC3580MapResolveReponseConflict = MibScalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 12, 1), PolicyRFC3580MapRadiusResponseTC().clone('policyProfile')).setMaxAccess("readwrite") if mibBuilder.loadTexts: etsysPolicyRFC3580MapResolveReponseConflict.setStatus('current') if mibBuilder.loadTexts: etsysPolicyRFC3580MapResolveReponseConflict.setDescription('Indicates which field to use in the application of the RADIUS response in the event that both the proprietary filter-id indicating a policy profile and the standard (RFC3580) vlan- tunnel-attribute are present. If policyProfile(1) is selected, then the filter-id will be used, if vlanTunnelAttribute(2) is selected, then the vlan-tunnel-attribute will be used (and the policy-map will be applied, if present). A value of vlanTunnelAttributeWithPolicyProfile(3) indicates that both attributes should be applied, in the following manner: the policyProfile should be enforced, with the exception of the etsysPolicyProfilePortVid (if present), the returned vlan-tunnel-attribute will be used in its place. In this case, the policy-map will be ignored (as the policyProfile was explicitly assigned). VLAN classification rules will still be applied, as defined by the assigned policyProfile. Modifications of this value will not effect the current status of any users currently authenticated. The new state will be applied to new, successful authentications. The current status of current authentication may be modified through the individual agents or through the ENTERASYS-MULTI-AUTH-MIB, if supported.') etsysPolicyRFC3580MapLastChange = MibScalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 12, 2), TimeTicks()).setMaxAccess("readonly") if mibBuilder.loadTexts: etsysPolicyRFC3580MapLastChange.setStatus('current') if mibBuilder.loadTexts: etsysPolicyRFC3580MapLastChange.setDescription('The value of sysUpTime when the etsysPolicyRFC3580MapTable was last modified.') etsysPolicyRFC3580MapTableDefault = MibScalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 12, 3), TruthValue()).setMaxAccess("readwrite") if mibBuilder.loadTexts: etsysPolicyRFC3580MapTableDefault.setStatus('current') if mibBuilder.loadTexts: etsysPolicyRFC3580MapTableDefault.setDescription('If read as True, then the etsysPolicyRFC3580MapTable is in the default state (no mappings have been created), if False, then non-default mappings exist. If set to True, then the etsysPolicyRFC3580MapTable will be put into the default state (no mappings will exist). A set to False is not valid and MUST fail.') etsysPolicyRFC3580MapTable = MibTable((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 12, 4), ) if mibBuilder.loadTexts: etsysPolicyRFC3580MapTable.setStatus('current') if mibBuilder.loadTexts: etsysPolicyRFC3580MapTable.setDescription('A table containing VLAN ID to policy mappings. A policy is a group of classification rules which may be applied on a per user basis, to ports or to stations.') etsysPolicyRFC3580MapEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 12, 4, 1), ).setIndexNames((0, "ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRFC3580MapVlanId")) if mibBuilder.loadTexts: etsysPolicyRFC3580MapEntry.setStatus('current') if mibBuilder.loadTexts: etsysPolicyRFC3580MapEntry.setDescription('Conceptually defines a particular entry within the etsysPolicyRFC3580MapTable. Entries within this table MUST be considered non-volatile and MUST be maintained across entity resets.') etsysPolicyRFC3580MapVlanId = MibTableColumn((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 12, 4, 1, 1), VlanIndex()) if mibBuilder.loadTexts: etsysPolicyRFC3580MapVlanId.setReference('IEEE 802.1X RADIUS Usage Guidelines (RFC 3580)') if mibBuilder.loadTexts: etsysPolicyRFC3580MapVlanId.setStatus('current') if mibBuilder.loadTexts: etsysPolicyRFC3580MapVlanId.setDescription('The VlanIndex which will map to the policy profile specified by the etsysPolicyRFC3580MapPolicyIndex of this row. This will be used to map the VLAN returned by value from the Tunnel- Private-Group-ID RADIUS attribute.') etsysPolicyRFC3580MapPolicyIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 12, 4, 1, 2), PolicyProfileIDTC().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 0), ValueRangeConstraint(1, 65535), ))).setMaxAccess("readwrite") if mibBuilder.loadTexts: etsysPolicyRFC3580MapPolicyIndex.setReference('IEEE 802.1X RADIUS Usage Guidelines (RFC 3580)') if mibBuilder.loadTexts: etsysPolicyRFC3580MapPolicyIndex.setStatus('current') if mibBuilder.loadTexts: etsysPolicyRFC3580MapPolicyIndex.setDescription('The index of a Policy Profle as defined in the etsysPolicyProfileTable. A value of 0 indicates that the row is functionally non- operational (no mapping exists). Devices which support the ENTERASYS-VLAN-AUTHORIZATION-MIB, and for which the value of etsysVlanAuthorizationEnable is Enabled and the value of etsysVlanAuthorizationStatus is Enabled on the port referenced by the authorization request, should then use the VlanIndex provisioned (e.g. from the Tunnel-Private-Group-ID RADIUS attribute) as defined by RFC3580, otherwise, the device should treat the result as if no matching Policy Profile had been found (e.g. as a simple success). In the case where a Policy Profile is already being applied to the referenced station, but no mapping exists, the device MUST treat the Tunnel-Private-Group-ID as an override to the etsysPolicyProfilePortVid defined by that profile (any matched classification rules which explicit provision a VLAN MUST still override both the etsysPolicyProfilePortVid and the Tunnel-Private-Group-ID.) A non-zero value of this object indicates that the VlanIndex provisioned (e.g. from the Tunnel-Private-Group-ID RADIUS attribute) should be mapped to a Policy Profile as defined in the etsysPolicyProfileTable, and that policy applied as if the Policy name had been provisioned instead (e.g, in the Filter-ID RADIUS attribute). If the mapping references a non-existent row of the etsysPolicyProfileTable, or the referenced row has a etsysPolicyProfileRowStatus value other than Active, the device MUST behave as if the mapping did not exist (apply the vlan-tunnel-attribute). The etsysPolicyRFC3580MapInvalidMapping MUST then be incremented.') etsysPolicyRFC3580MapInvalidMapping = MibScalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 12, 5), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: etsysPolicyRFC3580MapInvalidMapping.setStatus('current') if mibBuilder.loadTexts: etsysPolicyRFC3580MapInvalidMapping.setDescription('Increments to indicate the number of times the device has detected an invalid/unknown EtsysPolicyRFC3580MapEntry (i.e. one that references an in-active or non-existent etsysPolicyProfile).') etsysPolicyProfileConformance = MibIdentifier((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 7)) etsysPolicyProfileGroups = MibIdentifier((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 7, 1)) etsysPolicyProfileCompliances = MibIdentifier((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 7, 2)) etsysPolicyProfileGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 7, 1, 1)).setObjects(("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyProfileMaxEntries"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyProfileNumEntries"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyProfileLastChange"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyProfileTableNextAvailableIndex"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyProfileName"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyProfileRowStatus"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyProfilePortVidStatus"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyProfilePortVid"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyProfilePriorityStatus"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyProfilePriority"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyProfileEgressVlans"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyProfileForbiddenVlans"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyProfileUntaggedVlans"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyProfileOverwriteTCI"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyProfileRulePrecedence"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyProfileVlanRFC3580Mappings")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): etsysPolicyProfileGroup = etsysPolicyProfileGroup.setStatus('deprecated') if mibBuilder.loadTexts: etsysPolicyProfileGroup.setDescription('A collection of objects providing Policy Profile Creation.') etsysPolicyClassificationGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 7, 1, 2)).setObjects(("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyClassificationMaxEntries"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyClassificationNumEntries"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyClassificationLastChange"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyClassificationOID"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyClassificationRowStatus"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyClassificationIngressList")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): etsysPolicyClassificationGroup = etsysPolicyClassificationGroup.setStatus('deprecated') if mibBuilder.loadTexts: etsysPolicyClassificationGroup.setDescription('A collection of objects providing a mapping between a set of Classification Rules and a Policy Profile.') etsysPortPolicyProfileGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 7, 1, 3)).setObjects(("ENTERASYS-POLICY-PROFILE-MIB", "etsysPortPolicyProfileLastChange"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPortPolicyProfileAdminID"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPortPolicyProfileOperID"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPortPolicyProfileSummaryAdminID"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPortPolicyProfileSummaryOperID")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): etsysPortPolicyProfileGroup = etsysPortPolicyProfileGroup.setStatus('deprecated') if mibBuilder.loadTexts: etsysPortPolicyProfileGroup.setDescription('A collection of objects providing a mapping from a specific port to a Policy Profile instance. Only the read-only portions of this group are now current. They are listed under etsysPortPolicyProfileGroup2.') etsysStationPolicyProfileGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 7, 1, 5)).setObjects(("ENTERASYS-POLICY-PROFILE-MIB", "etsysStationPolicyProfileMaxEntries"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysStationPolicyProfileNumEntries"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysStationPolicyProfileLastChange"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysStationIdentifierType"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysStationIdentifier"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysStationPolicyProfileOperID"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysStationPolicyProfilePortType"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysStationPolicyProfilePortID")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): etsysStationPolicyProfileGroup = etsysStationPolicyProfileGroup.setStatus('current') if mibBuilder.loadTexts: etsysStationPolicyProfileGroup.setDescription('A collection of objects providing a mapping from a specific station to a Policy Profile instance.') etsysInvalidPolicyPolicyGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 7, 1, 6)).setObjects(("ENTERASYS-POLICY-PROFILE-MIB", "etsysInvalidPolicyAction"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysInvalidPolicyCount")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): etsysInvalidPolicyPolicyGroup = etsysInvalidPolicyPolicyGroup.setStatus('current') if mibBuilder.loadTexts: etsysInvalidPolicyPolicyGroup.setDescription('A collection of objects that help to define a mapping from logical authorization services outcomes to access control and policy actions.') etsysDevicePolicyProfileGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 7, 1, 7)).setObjects(("ENTERASYS-POLICY-PROFILE-MIB", "etsysDevicePolicyProfileDefault")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): etsysDevicePolicyProfileGroup = etsysDevicePolicyProfileGroup.setStatus('current') if mibBuilder.loadTexts: etsysDevicePolicyProfileGroup.setDescription('An object that provides a device level supplemental policy for entities that are not able to apply portions of the profile definition uniquely on individual ports.') etsysPolicyCapabilitiesGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 7, 1, 8)).setObjects(("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyCapabilities"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyVlanRuleCapabilities"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyCosRuleCapabilities"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyDropRuleCapabilities"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyForwardRuleCapabilities"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyDynaPIDRuleCapabilities"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyAdminPIDRuleCapabilities"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicySyslogRuleCapabilities"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyTrapRuleCapabilities"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyDisablePortRuleCapabilities"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicySupportedPortList"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyEnabledSupportedRuleTypes"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyEnabledEnabledRuleTypes")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): etsysPolicyCapabilitiesGroup = etsysPolicyCapabilitiesGroup.setStatus('deprecated') if mibBuilder.loadTexts: etsysPolicyCapabilitiesGroup.setDescription('An object that indicates the capabilities of the managed entity with respect to Policy Profiles.') etsysPolicyMapGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 7, 1, 9)).setObjects(("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyMapMaxEntries"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyMapNumEntries"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyMapLastChange"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyMapPvidOverRide"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyMapUnknownPvidPolicy"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyMapRowStatus"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyMapStartVid"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyMapEndVid"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyMapPolicyIndex")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): etsysPolicyMapGroup = etsysPolicyMapGroup.setStatus('obsolete') if mibBuilder.loadTexts: etsysPolicyMapGroup.setDescription('This object group has been obsoleted.') etsysPolicyRulesGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 7, 1, 10)).setObjects(("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRulesMaxEntries"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRulesNumEntries"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRulesLastChange"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRulesAccountingEnable"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRulesPortDisabledList"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRuleRowStatus"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRuleStorageType"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRuleUsageList"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRuleResult1"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRuleResult2"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRuleAuditSyslogEnable"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRuleAuditTrapEnable"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRuleDisablePort"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRuleOperPid"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRulePortHit"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRuleDynamicProfileAssignmentOverride"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRuleDefaultDynamicSyslogStatus"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRuleDefaultDynamicTrapStatus"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRuleStatsAutoClearOnLink"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRuleStatsAutoClearInterval"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRuleStatsAutoClearPorts"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRuleStatsAutoClearOnProfile")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): etsysPolicyRulesGroup = etsysPolicyRulesGroup.setStatus('deprecated') if mibBuilder.loadTexts: etsysPolicyRulesGroup.setDescription('An object that indicates the capabilities of the managed entity with respect to Policy Profiles.') etsysPortPolicyProfileGroup2 = ObjectGroup((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 7, 1, 11)).setObjects(("ENTERASYS-POLICY-PROFILE-MIB", "etsysPortPolicyProfileSummaryAdminID"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPortPolicyProfileSummaryOperID"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPortPolicyProfileSummaryDynamicID")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): etsysPortPolicyProfileGroup2 = etsysPortPolicyProfileGroup2.setStatus('current') if mibBuilder.loadTexts: etsysPortPolicyProfileGroup2.setDescription('A collection of objects providing a mapping from a specific port to a Policy Profile instance.') etsysPolicyRFC3580MapGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 7, 1, 12)).setObjects(("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRFC3580MapResolveReponseConflict"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRFC3580MapLastChange"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRFC3580MapTableDefault"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRFC3580MapPolicyIndex"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRFC3580MapInvalidMapping")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): etsysPolicyRFC3580MapGroup = etsysPolicyRFC3580MapGroup.setStatus('current') if mibBuilder.loadTexts: etsysPolicyRFC3580MapGroup.setDescription('An object group that provides support for mapping between RFC 3580 style VLAN-policy and Enterasys UPN-policy based on named roles.') etsysPolicyCapabilitiesGroup2 = ObjectGroup((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 7, 1, 13)).setObjects(("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyCapabilities"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyVlanRuleCapabilities"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyCosRuleCapabilities"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyDropRuleCapabilities"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyForwardRuleCapabilities"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyDynaPIDRuleCapabilities"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyAdminPIDRuleCapabilities"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicySyslogRuleCapabilities"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyTrapRuleCapabilities"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyDisablePortRuleCapabilities"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicySupportedPortList"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyEnabledSupportedRuleTypes"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyEnabledEnabledRuleTypes"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRuleAttributeByteLength"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRuleAttributeBitLength"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRuleAttributeMaxCreatable")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): etsysPolicyCapabilitiesGroup2 = etsysPolicyCapabilitiesGroup2.setStatus('deprecated') if mibBuilder.loadTexts: etsysPolicyCapabilitiesGroup2.setDescription('An object that indicates the capabilities of the managed entity with respect to Policy Profiles and defines the characteristics of policy rule data by rule type.') etsysPolicyRulesGroup2 = ObjectGroup((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 7, 1, 14)).setObjects(("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRulesMaxEntries"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRulesNumEntries"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRulesLastChange"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRulesAccountingEnable"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRulesPortDisabledList"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRuleRowStatus"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRuleStorageType"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRuleUsageList"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRuleResult1"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRuleResult2"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRuleAuditSyslogEnable"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRuleAuditTrapEnable"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRuleDisablePort"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRuleOperPid"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRulePortHit"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRuleDynamicProfileAssignmentOverride"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRuleDefaultDynamicSyslogStatus"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRuleDefaultDynamicTrapStatus"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRuleStatsAutoClearOnLink"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRuleStatsAutoClearInterval"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRuleStatsAutoClearPorts"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRuleStatsAutoClearOnProfile"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRuleStatsDroppedNotifications"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRuleSylogMachineReadableFormat")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): etsysPolicyRulesGroup2 = etsysPolicyRulesGroup2.setStatus('deprecated') if mibBuilder.loadTexts: etsysPolicyRulesGroup2.setDescription('********* THIS GROUP IS DEPRECATED ********** An object that indicates the capabilities of the managed entity with respect to Policy Profiles.') etsysPolicyRulePortHitNotificationGroup = NotificationGroup((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 7, 1, 15)).setObjects(("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRulePortHitNotification")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): etsysPolicyRulePortHitNotificationGroup = etsysPolicyRulePortHitNotificationGroup.setStatus('current') if mibBuilder.loadTexts: etsysPolicyRulePortHitNotificationGroup.setDescription('An object group that provides support for traps sent from the etsysPolicyRulePortHit event.') etsysPolicyRulesGroup3 = ObjectGroup((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 7, 1, 16)).setObjects(("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRulesMaxEntries"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRulesNumEntries"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRulesLastChange"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRulesAccountingEnable"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRulesPortDisabledList"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRuleRowStatus"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRuleStorageType"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRuleUsageList"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRuleResult1"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRuleResult2"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRuleAuditSyslogEnable"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRuleAuditTrapEnable"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRuleDisablePort"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRuleOperPid"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRulePortHit"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRuleDynamicProfileAssignmentOverride"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRuleDefaultDynamicSyslogStatus"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRuleDefaultDynamicTrapStatus"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRuleStatsAutoClearOnLink"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRuleStatsAutoClearInterval"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRuleStatsAutoClearPorts"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRuleStatsAutoClearOnProfile"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRuleStatsDroppedNotifications"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRuleSylogMachineReadableFormat"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRuleSylogExtendedFormat")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): etsysPolicyRulesGroup3 = etsysPolicyRulesGroup3.setStatus('deprecated') if mibBuilder.loadTexts: etsysPolicyRulesGroup3.setDescription('An object that indicates the capabilities of the managed entity with respect to Policy Profiles.') etsysPolicyRulesGroup4 = ObjectGroup((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 7, 1, 17)).setObjects(("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRulesMaxEntries"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRulesNumEntries"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRulesLastChange"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRulesAccountingEnable"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRulesPortDisabledList"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRuleRowStatus"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRuleStorageType"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRuleUsageList"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRuleResult1"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRuleResult2"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRuleAuditSyslogEnable"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRuleAuditTrapEnable"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRuleDisablePort"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRuleOperPid"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRulePortHit"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRuleDynamicProfileAssignmentOverride"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRuleDefaultDynamicSyslogStatus"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRuleDefaultDynamicTrapStatus"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRuleStatsAutoClearOnLink"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRuleStatsAutoClearInterval"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRuleStatsAutoClearPorts"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRuleStatsAutoClearOnProfile"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRuleStatsDroppedNotifications"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRuleSylogMachineReadableFormat"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRuleSylogExtendedFormat"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRuleOverwriteTCI"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRuleMirrorIndex")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): etsysPolicyRulesGroup4 = etsysPolicyRulesGroup4.setStatus('current') if mibBuilder.loadTexts: etsysPolicyRulesGroup4.setDescription('An object that indicates the capabilities of the managed entity with respect to Policy Profiles.') etsysPolicyCapabilitiesGroup3 = ObjectGroup((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 7, 1, 18)).setObjects(("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyCapabilities"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyVlanRuleCapabilities"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyCosRuleCapabilities"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyDropRuleCapabilities"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyForwardRuleCapabilities"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyDynaPIDRuleCapabilities"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyAdminPIDRuleCapabilities"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicySyslogRuleCapabilities"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyTrapRuleCapabilities"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyDisablePortRuleCapabilities"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicySupportedPortList"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyEnabledSupportedRuleTypes"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyEnabledEnabledRuleTypes"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRuleAttributeByteLength"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRuleAttributeBitLength"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRuleAttributeMaxCreatable"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRuleTciOverwriteCapabilities"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRuleMirrorCapabilities")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): etsysPolicyCapabilitiesGroup3 = etsysPolicyCapabilitiesGroup3.setStatus('deprecated') if mibBuilder.loadTexts: etsysPolicyCapabilitiesGroup3.setDescription('An object that indicates the capabilities of the managed entity with respect to Policy Profiles and defines the characteristics of policy rule data by rule type.') etsysPolicyProfileGroup2 = ObjectGroup((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 7, 1, 19)).setObjects(("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyProfileMaxEntries"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyProfileNumEntries"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyProfileLastChange"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyProfileTableNextAvailableIndex"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyProfileName"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyProfileRowStatus"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyProfilePortVidStatus"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyProfilePortVid"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyProfilePriorityStatus"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyProfilePriority"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyProfileEgressVlans"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyProfileForbiddenVlans"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyProfileUntaggedVlans"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyProfileOverwriteTCI"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyProfileRulePrecedence"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyProfileVlanRFC3580Mappings"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyProfileMirrorIndex"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyProfileAuditSyslogEnable"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyProfileAuditTrapEnable"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyProfileDisablePort")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): etsysPolicyProfileGroup2 = etsysPolicyProfileGroup2.setStatus('deprecated') if mibBuilder.loadTexts: etsysPolicyProfileGroup2.setDescription('A collection of objects providing Policy Profile Creation.') etsysPolicyRulesGroup5 = ObjectGroup((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 7, 1, 20)).setObjects(("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRulesMaxEntries"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRulesNumEntries"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRulesLastChange"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRulesAccountingEnable"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRulesPortDisabledList"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRuleRowStatus"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRuleStorageType"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRuleUsageList"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRuleResult1"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRuleResult2"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRuleAuditSyslogEnable"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRuleAuditTrapEnable"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRuleDisablePort"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRuleOperPid"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRulePortHit"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRuleDynamicProfileAssignmentOverride"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRuleDefaultDynamicSyslogStatus"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRuleDefaultDynamicTrapStatus"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRuleStatsAutoClearOnLink"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRuleStatsAutoClearInterval"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRuleStatsAutoClearPorts"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRuleStatsAutoClearOnProfile"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRuleStatsDroppedNotifications"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRuleSylogMachineReadableFormat"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRuleSylogExtendedFormat"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRuleSylogEveryTime"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRuleOverwriteTCI"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRuleMirrorIndex")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): etsysPolicyRulesGroup5 = etsysPolicyRulesGroup5.setStatus('current') if mibBuilder.loadTexts: etsysPolicyRulesGroup5.setDescription('An object that indicates the capabilities of the managed entity with respect to Policy Profiles.') etsysPolicyCapabilitiesGroup4 = ObjectGroup((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 7, 1, 21)).setObjects(("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyCapabilities"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyVlanRuleCapabilities"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyCosRuleCapabilities"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyDropRuleCapabilities"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyForwardRuleCapabilities"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyDynaPIDRuleCapabilities"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyAdminPIDRuleCapabilities"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicySyslogRuleCapabilities"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyTrapRuleCapabilities"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyDisablePortRuleCapabilities"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicySupportedPortList"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyEnabledSupportedRuleTypes"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyEnabledEnabledRuleTypes"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyEnabledEgressEnabled"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRuleAttributeByteLength"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRuleAttributeBitLength"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRuleAttributeMaxCreatable"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRuleTciOverwriteCapabilities"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRuleMirrorCapabilities")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): etsysPolicyCapabilitiesGroup4 = etsysPolicyCapabilitiesGroup4.setStatus('current') if mibBuilder.loadTexts: etsysPolicyCapabilitiesGroup4.setDescription('An object that indicates the capabilities of the managed entity with respect to Policy Profiles and defines the characteristics of policy rule data by rule type.') etsysPolicyProfileGroup3 = ObjectGroup((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 7, 1, 22)).setObjects(("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyProfileMaxEntries"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyProfileNumEntries"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyProfileLastChange"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyProfileTableNextAvailableIndex"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyProfileName"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyProfileRowStatus"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyProfilePortVidStatus"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyProfilePortVid"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyProfilePriorityStatus"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyProfilePriority"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyProfileEgressVlans"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyProfileForbiddenVlans"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyProfileUntaggedVlans"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyProfileOverwriteTCI"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyProfileRulePrecedence"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyProfileVlanRFC3580Mappings"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyProfileMirrorIndex"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyProfileAuditSyslogEnable"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyProfileAuditTrapEnable"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyProfileDisablePort"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyProfileUsageList")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): etsysPolicyProfileGroup3 = etsysPolicyProfileGroup3.setStatus('current') if mibBuilder.loadTexts: etsysPolicyProfileGroup3.setDescription('A collection of objects providing Policy Profile Creation.') etsysPolicyProfileCompliance = ModuleCompliance((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 7, 2, 1)).setObjects(("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyProfileGroup"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPortPolicyProfileGroup"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyClassificationGroup"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysStationPolicyProfileGroup"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysInvalidPolicyPolicyGroup")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): etsysPolicyProfileCompliance = etsysPolicyProfileCompliance.setStatus('deprecated') if mibBuilder.loadTexts: etsysPolicyProfileCompliance.setDescription('The compliance statement for devices that support Policy Profiles. This compliance statement was deprecated to add mandatory support for the etsysPolicyCapabilitiesGroup and conditionally mandatory support for the etsysDevicePolicyProfileGroup.') etsysPolicyProfileCompliance2 = ModuleCompliance((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 7, 2, 2)).setObjects(("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyProfileGroup"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPortPolicyProfileGroup"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyCapabilitiesGroup"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyClassificationGroup"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysStationPolicyProfileGroup"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysInvalidPolicyPolicyGroup"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysDevicePolicyProfileGroup"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRFC3580MapGroup")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): etsysPolicyProfileCompliance2 = etsysPolicyProfileCompliance2.setStatus('deprecated') if mibBuilder.loadTexts: etsysPolicyProfileCompliance2.setDescription('The compliance statement for devices that support Policy Profiles. This compliance state was deprecated to remove the conditional support of the etsysPolicyClassificationGroup, and add support for the etsysPolicyRFC3580MapGroup and the etsysPolicyRulesGroup.') etsysPolicyProfileCompliance3 = ModuleCompliance((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 7, 2, 3)).setObjects(("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyProfileGroup"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPortPolicyProfileGroup2"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyCapabilitiesGroup"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysStationPolicyProfileGroup"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysInvalidPolicyPolicyGroup"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysDevicePolicyProfileGroup"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRFC3580MapGroup"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRulesGroup")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): etsysPolicyProfileCompliance3 = etsysPolicyProfileCompliance3.setStatus('deprecated') if mibBuilder.loadTexts: etsysPolicyProfileCompliance3.setDescription('The compliance statement for devices that support Policy Profiles.') etsysPolicyProfileCompliance4 = ModuleCompliance((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 7, 2, 4)).setObjects(("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyProfileGroup"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPortPolicyProfileGroup2"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyCapabilitiesGroup2"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysStationPolicyProfileGroup"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysInvalidPolicyPolicyGroup"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysDevicePolicyProfileGroup"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRFC3580MapGroup"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRulesGroup2"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRulePortHitNotificationGroup")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): etsysPolicyProfileCompliance4 = etsysPolicyProfileCompliance4.setStatus('deprecated') if mibBuilder.loadTexts: etsysPolicyProfileCompliance4.setDescription('The compliance statement for devices that support Policy Profiles.') etsysPolicyProfileCompliance5 = ModuleCompliance((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 7, 2, 5)).setObjects(("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyProfileGroup"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPortPolicyProfileGroup2"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyCapabilitiesGroup2"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysStationPolicyProfileGroup"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysInvalidPolicyPolicyGroup"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysDevicePolicyProfileGroup"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRFC3580MapGroup"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRulesGroup3"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRulePortHitNotificationGroup")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): etsysPolicyProfileCompliance5 = etsysPolicyProfileCompliance5.setStatus('deprecated') if mibBuilder.loadTexts: etsysPolicyProfileCompliance5.setDescription('The compliance statement for devices that support Policy Profiles.') etsysPolicyProfileCompliance6 = ModuleCompliance((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 7, 2, 6)).setObjects(("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyProfileGroup"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPortPolicyProfileGroup2"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyCapabilitiesGroup3"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysStationPolicyProfileGroup"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysInvalidPolicyPolicyGroup"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysDevicePolicyProfileGroup"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRFC3580MapGroup"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRulesGroup4"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRulePortHitNotificationGroup")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): etsysPolicyProfileCompliance6 = etsysPolicyProfileCompliance6.setStatus('current') if mibBuilder.loadTexts: etsysPolicyProfileCompliance6.setDescription('The compliance statement for devices that support Policy Profiles.') etsysPolicyProfileCompliance7 = ModuleCompliance((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 7, 2, 7)).setObjects(("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyProfileGroup3"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPortPolicyProfileGroup2"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyCapabilitiesGroup4"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysStationPolicyProfileGroup"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysInvalidPolicyPolicyGroup"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysDevicePolicyProfileGroup"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRFC3580MapGroup"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRulesGroup5"), ("ENTERASYS-POLICY-PROFILE-MIB", "etsysPolicyRulePortHitNotificationGroup")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): etsysPolicyProfileCompliance7 = etsysPolicyProfileCompliance7.setStatus('current') if mibBuilder.loadTexts: etsysPolicyProfileCompliance7.setDescription('The compliance statement for devices that support Policy Profiles.') mibBuilder.exportSymbols("ENTERASYS-POLICY-PROFILE-MIB", etsysPolicyProfileAuditTrapEnable=etsysPolicyProfileAuditTrapEnable, etsysPolicyRuleResult2=etsysPolicyRuleResult2, etsysPortPolicyProfileGroup2=etsysPortPolicyProfileGroup2, etsysPolicyRuleStatsAutoClearInterval=etsysPolicyRuleStatsAutoClearInterval, etsysPolicyRulesGroup5=etsysPolicyRulesGroup5, etsysPolicyProfileDisablePort=etsysPolicyProfileDisablePort, etsysPortPolicyProfileGroup=etsysPortPolicyProfileGroup, etsysStationIdentifier=etsysStationIdentifier, etsysPolicyDisablePortRuleCapabilities=etsysPolicyDisablePortRuleCapabilities, etsysPolicyDropRuleCapabilities=etsysPolicyDropRuleCapabilities, etsysPolicyRFC3580MapTableDefault=etsysPolicyRFC3580MapTableDefault, etsysPolicyMapNumEntries=etsysPolicyMapNumEntries, etsysPolicyProfileNumEntries=etsysPolicyProfileNumEntries, etsysPolicyRulesPortDisabledList=etsysPolicyRulesPortDisabledList, etsysPolicyRulePortHitNotificationGroup=etsysPolicyRulePortHitNotificationGroup, etsysPolicyRuleRowStatus=etsysPolicyRuleRowStatus, etsysPortPolicyProfileEntry=etsysPortPolicyProfileEntry, PYSNMP_MODULE_ID=etsysPolicyProfileMIB, etsysPolicyClassificationIngressList=etsysPolicyClassificationIngressList, etsysPolicyRuleEntry=etsysPolicyRuleEntry, etsysPolicyMapUnknownPvidPolicy=etsysPolicyMapUnknownPvidPolicy, etsysPolicyRFC3580MapResolveReponseConflict=etsysPolicyRFC3580MapResolveReponseConflict, etsysPolicyTrapRuleCapabilities=etsysPolicyTrapRuleCapabilities, etsysPolicyRulesGroup=etsysPolicyRulesGroup, etsysPolicyProfileUntaggedVlans=etsysPolicyProfileUntaggedVlans, etsysPolicyCapabilitiesGroup=etsysPolicyCapabilitiesGroup, etsysPolicyProfileUsageList=etsysPolicyProfileUsageList, etsysPortPolicyProfileSummaryIndexType=etsysPortPolicyProfileSummaryIndexType, etsysPolicyProfileForbiddenVlans=etsysPolicyProfileForbiddenVlans, etsysPolicyEnabledTableEntry=etsysPolicyEnabledTableEntry, etsysPolicyRFC3580MapGroup=etsysPolicyRFC3580MapGroup, etsysPolicyProfileConformance=etsysPolicyProfileConformance, etsysStationPolicyProfile=etsysStationPolicyProfile, etsysPolicyRuleStatsAutoClearPorts=etsysPolicyRuleStatsAutoClearPorts, etsysPolicyRuleAttributeMaxCreatable=etsysPolicyRuleAttributeMaxCreatable, etsysPolicyRuleResult1=etsysPolicyRuleResult1, etsysPolicyRuleAttributeTable=etsysPolicyRuleAttributeTable, etsysPolicyMapPvidOverRide=etsysPolicyMapPvidOverRide, etsysPolicyProfileVlanRFC3580Mappings=etsysPolicyProfileVlanRFC3580Mappings, etsysPolicyRuleDefaultDynamicSyslogStatus=etsysPolicyRuleDefaultDynamicSyslogStatus, etsysPolicyProfileName=etsysPolicyProfileName, PolicyRFC3580MapRadiusResponseTC=PolicyRFC3580MapRadiusResponseTC, etsysPolicyEnabledSupportedRuleTypes=etsysPolicyEnabledSupportedRuleTypes, etsysPolicyRuleOperPid=etsysPolicyRuleOperPid, etsysPolicyRuleStatsDroppedNotifications=etsysPolicyRuleStatsDroppedNotifications, etsysPolicyMapStartVid=etsysPolicyMapStartVid, etsysPolicyClassification=etsysPolicyClassification, etsysPolicyProfileLastChange=etsysPolicyProfileLastChange, etsysPolicyCapability=etsysPolicyCapability, etsysDevicePolicyProfileGroup=etsysDevicePolicyProfileGroup, etsysPolicyProfileMaxEntries=etsysPolicyProfileMaxEntries, etsysPolicyRulePortHitNotification=etsysPolicyRulePortHitNotification, etsysPolicyProfileGroup2=etsysPolicyProfileGroup2, etsysPolicySyslogRuleCapabilities=etsysPolicySyslogRuleCapabilities, etsysPolicyRuleStatsAutoClearOnLink=etsysPolicyRuleStatsAutoClearOnLink, etsysPolicyRuleMirrorIndex=etsysPolicyRuleMirrorIndex, etsysPolicyRuleMirrorCapabilities=etsysPolicyRuleMirrorCapabilities, etsysPolicyRuleDynamicProfileAssignmentOverride=etsysPolicyRuleDynamicProfileAssignmentOverride, etsysStationPolicyProfilePortID=etsysStationPolicyProfilePortID, etsysStationPolicyProfileGroup=etsysStationPolicyProfileGroup, etsysPolicySupportedPortList=etsysPolicySupportedPortList, etsysPolicyRuleAuditSyslogEnable=etsysPolicyRuleAuditSyslogEnable, etsysPolicyProfileCompliances=etsysPolicyProfileCompliances, etsysPortPolicyProfileSummaryTable=etsysPortPolicyProfileSummaryTable, etsysPolicyMapRowStatus=etsysPolicyMapRowStatus, etsysPolicyProfileGroups=etsysPolicyProfileGroups, etsysPolicyClassificationMaxEntries=etsysPolicyClassificationMaxEntries, etsysPolicyRulesNumEntries=etsysPolicyRulesNumEntries, etsysPolicyRules=etsysPolicyRules, etsysPolicyCapabilitiesGroup3=etsysPolicyCapabilitiesGroup3, etsysPolicyVlanEgress=etsysPolicyVlanEgress, etsysPolicyProfileGroup3=etsysPolicyProfileGroup3, etsysPolicyProfileCompliance2=etsysPolicyProfileCompliance2, etsysPolicyVlanRuleCapabilities=etsysPolicyVlanRuleCapabilities, etsysPolicyRuleSylogExtendedFormat=etsysPolicyRuleSylogExtendedFormat, PolicyRulesSupported=PolicyRulesSupported, etsysPolicyRuleAttributeByteLength=etsysPolicyRuleAttributeByteLength, etsysPolicyProfileGroup=etsysPolicyProfileGroup, etsysPolicyProfileCompliance3=etsysPolicyProfileCompliance3, etsysPolicyRuleStorageType=etsysPolicyRuleStorageType, etsysPolicyRFC3580MapLastChange=etsysPolicyRFC3580MapLastChange, etsysPolicyProfileMirrorIndex=etsysPolicyProfileMirrorIndex, etsysPolicyRulePortHit=etsysPolicyRulePortHit, etsysPolicyNotifications=etsysPolicyNotifications, etsysPolicyRFC3580MapTable=etsysPolicyRFC3580MapTable, etsysPolicyRuleDefaultDynamicTrapStatus=etsysPolicyRuleDefaultDynamicTrapStatus, etsysPolicyProfileEgressVlans=etsysPolicyProfileEgressVlans, etsysPolicyProfilePortVid=etsysPolicyProfilePortVid, etsysPolicyRFC3580MapEntry=etsysPolicyRFC3580MapEntry, etsysPolicyProfileOverwriteTCI=etsysPolicyProfileOverwriteTCI, etsysPolicyProfileEntry=etsysPolicyProfileEntry, etsysPortPolicyProfileSummaryAdminID=etsysPortPolicyProfileSummaryAdminID, etsysPolicyMap=etsysPolicyMap, etsysPolicyProfile=etsysPolicyProfile, PolicyClassificationRuleType=PolicyClassificationRuleType, etsysPolicyRuleAttributeTableEntry=etsysPolicyRuleAttributeTableEntry, etsysPolicyRuleTciOverwriteCapabilities=etsysPolicyRuleTciOverwriteCapabilities, etsysPolicyEnabledTable=etsysPolicyEnabledTable, etsysPolicyRuleTable=etsysPolicyRuleTable, etsysPortPolicyProfile=etsysPortPolicyProfile, etsysPolicyProfileTableNextAvailableIndex=etsysPolicyProfileTableNextAvailableIndex, etsysPolicyClassificationOID=etsysPolicyClassificationOID, etsysPolicyProfileRulePrecedence=etsysPolicyProfileRulePrecedence, etsysPolicyRulePrefixBits=etsysPolicyRulePrefixBits, etsysDevicePolicyProfileDefault=etsysDevicePolicyProfileDefault, etsysPolicyMapMaxEntries=etsysPolicyMapMaxEntries, etsysInvalidPolicyAction=etsysInvalidPolicyAction, etsysPolicyClassificationLastChange=etsysPolicyClassificationLastChange, etsysPolicyMapIndex=etsysPolicyMapIndex, etsysPolicyClassificationGroup=etsysPolicyClassificationGroup, etsysInvalidPolicyCount=etsysInvalidPolicyCount, etsysPolicyRulePortType=etsysPolicyRulePortType, etsysPolicyMapGroup=etsysPolicyMapGroup, etsysPortPolicyProfileLastChange=etsysPortPolicyProfileLastChange, etsysPolicyRulesGroup2=etsysPolicyRulesGroup2, etsysPolicyEnabledEgressEnabled=etsysPolicyEnabledEgressEnabled, etsysPolicyRulePort=etsysPolicyRulePort, PortPolicyProfileIndexTypeTC=PortPolicyProfileIndexTypeTC, etsysPolicyRuleType=etsysPolicyRuleType, etsysPolicyRulesGroup4=etsysPolicyRulesGroup4, etsysPolicyCapabilitiesGroup4=etsysPolicyCapabilitiesGroup4, etsysPolicyProfileCompliance5=etsysPolicyProfileCompliance5, etsysPolicyRFC3580MapVlanId=etsysPolicyRFC3580MapVlanId, etsysStationPolicyProfilePortType=etsysStationPolicyProfilePortType, etsysPolicyRulesGroup3=etsysPolicyRulesGroup3, etsysPolicyRuleSylogEveryTime=etsysPolicyRuleSylogEveryTime, etsysPolicyClassificationRowStatus=etsysPolicyClassificationRowStatus, etsysPortPolicyProfileSummaryOperID=etsysPortPolicyProfileSummaryOperID, etsysPolicyProfilePriorityStatus=etsysPolicyProfilePriorityStatus, etsysPolicyProfileMIB=etsysPolicyProfileMIB, etsysPolicyRFC3580MapInvalidMapping=etsysPolicyRFC3580MapInvalidMapping, etsysPolicyRFC3580Map=etsysPolicyRFC3580Map, etsysPolicyRuleOverwriteTCI=etsysPolicyRuleOverwriteTCI, etsysPolicyClassificationIndex=etsysPolicyClassificationIndex, etsysPolicyCapabilitiesGroup2=etsysPolicyCapabilitiesGroup2, etsysPolicyProfileCompliance7=etsysPolicyProfileCompliance7, etsysStationPolicyProfileEntry=etsysStationPolicyProfileEntry, etsysPolicyRuleProfileIndex=etsysPolicyRuleProfileIndex, etsysPortPolicyProfileAdminID=etsysPortPolicyProfileAdminID, etsysStationPolicyProfileIndex=etsysStationPolicyProfileIndex, etsysPolicyRulePortTable=etsysPolicyRulePortTable, etsysPolicyForwardRuleCapabilities=etsysPolicyForwardRuleCapabilities, etsysPolicyProfileIndex=etsysPolicyProfileIndex, etsysPolicyRuleDisablePort=etsysPolicyRuleDisablePort, etsysPolicyRuleAuditTrapEnable=etsysPolicyRuleAuditTrapEnable, etsysStationPolicyProfileNumEntries=etsysStationPolicyProfileNumEntries, etsysPolicyMapEndVid=etsysPolicyMapEndVid, etsysPolicyClassificationTable=etsysPolicyClassificationTable, etsysStationPolicyProfileLastChange=etsysStationPolicyProfileLastChange, etsysPolicyClassificationNumEntries=etsysPolicyClassificationNumEntries, etsysPolicyProfileCompliance4=etsysPolicyProfileCompliance4, etsysPolicyProfilePriority=etsysPolicyProfilePriority, etsysStationIdentifierType=etsysStationIdentifierType, etsysPolicyMapLastChange=etsysPolicyMapLastChange, etsysPolicyMapTable=etsysPolicyMapTable, etsysPolicyProfileCompliance6=etsysPolicyProfileCompliance6, etsysStationPolicyProfileTable=etsysStationPolicyProfileTable, etsysPolicyRulePortEntry=etsysPolicyRulePortEntry, etsysPolicyMapPolicyIndex=etsysPolicyMapPolicyIndex, etsysPolicyRuleSylogMachineReadableFormat=etsysPolicyRuleSylogMachineReadableFormat, etsysInvalidPolicyPolicyGroup=etsysInvalidPolicyPolicyGroup, etsysPolicyProfileAuditSyslogEnable=etsysPolicyProfileAuditSyslogEnable, etsysPolicyProfileCompliance=etsysPolicyProfileCompliance, etsysPolicyRuleData=etsysPolicyRuleData, TriStateStatus=TriStateStatus, etsysPolicyProfileTable=etsysPolicyProfileTable, etsysPolicyRuleUsageList=etsysPolicyRuleUsageList, etsysPolicyRuleAttributeBitLength=etsysPolicyRuleAttributeBitLength, etsysPolicyMapEntry=etsysPolicyMapEntry, etsysPolicyProfileRowStatus=etsysPolicyProfileRowStatus, etsysDevicePolicyProfile=etsysDevicePolicyProfile, etsysStationPolicyProfileMaxEntries=etsysStationPolicyProfileMaxEntries, etsysPolicyRulesAccountingEnable=etsysPolicyRulesAccountingEnable, etsysInvalidPolicyPolicy=etsysInvalidPolicyPolicy, etsysPolicyClassificationEntry=etsysPolicyClassificationEntry, PolicyProfileIDTC=PolicyProfileIDTC, etsysPolicyRulesLastChange=etsysPolicyRulesLastChange, etsysPolicyCapabilities=etsysPolicyCapabilities, etsysPortPolicyProfileTable=etsysPortPolicyProfileTable, etsysPortPolicyProfileSummaryEntry=etsysPortPolicyProfileSummaryEntry, etsysPolicyRulesMaxEntries=etsysPolicyRulesMaxEntries, etsysPolicyRuleStatsAutoClearOnProfile=etsysPolicyRuleStatsAutoClearOnProfile, etsysPortPolicyProfileOperID=etsysPortPolicyProfileOperID, etsysPolicyProfilePortVidStatus=etsysPolicyProfilePortVidStatus, etsysPortPolicyProfileIndex=etsysPortPolicyProfileIndex, etsysPortPolicyProfileIndexType=etsysPortPolicyProfileIndexType, etsysPolicyEnabledEnabledRuleTypes=etsysPolicyEnabledEnabledRuleTypes, VlanList=VlanList, etsysPortPolicyProfileSummaryDynamicID=etsysPortPolicyProfileSummaryDynamicID, etsysStationPolicyProfileOperID=etsysStationPolicyProfileOperID, etsysPolicyAdminPIDRuleCapabilities=etsysPolicyAdminPIDRuleCapabilities, etsysPolicyRFC3580MapPolicyIndex=etsysPolicyRFC3580MapPolicyIndex, etsysPolicyDynaPIDRuleCapabilities=etsysPolicyDynaPIDRuleCapabilities, etsysPolicyCosRuleCapabilities=etsysPolicyCosRuleCapabilities)
(integer, object_identifier, octet_string) = mibBuilder.importSymbols('ASN1', 'Integer', 'ObjectIdentifier', 'OctetString') (named_values,) = mibBuilder.importSymbols('ASN1-ENUMERATION', 'NamedValues') (value_range_constraint, constraints_union, value_size_constraint, constraints_intersection, single_value_constraint) = mibBuilder.importSymbols('ASN1-REFINEMENT', 'ValueRangeConstraint', 'ConstraintsUnion', 'ValueSizeConstraint', 'ConstraintsIntersection', 'SingleValueConstraint') (dot1d_base_port,) = mibBuilder.importSymbols('BRIDGE-MIB', 'dot1dBasePort') (etsys_modules,) = mibBuilder.importSymbols('ENTERASYS-MIB-NAMES', 'etsysModules') (station_address_type, station_address) = mibBuilder.importSymbols('ENTERASYS-UPN-TC-MIB', 'StationAddressType', 'StationAddress') (if_alias, if_name) = mibBuilder.importSymbols('IF-MIB', 'ifAlias', 'ifName') (enabled_status,) = mibBuilder.importSymbols('P-BRIDGE-MIB', 'EnabledStatus') (port_list, vlan_index) = mibBuilder.importSymbols('Q-BRIDGE-MIB', 'PortList', 'VlanIndex') (snmp_admin_string,) = mibBuilder.importSymbols('SNMP-FRAMEWORK-MIB', 'SnmpAdminString') (module_compliance, object_group, notification_group) = mibBuilder.importSymbols('SNMPv2-CONF', 'ModuleCompliance', 'ObjectGroup', 'NotificationGroup') (mib_identifier, ip_address, object_identity, gauge32, unsigned32, time_ticks, module_identity, counter32, mib_scalar, mib_table, mib_table_row, mib_table_column, notification_type, bits, counter64, integer32, iso) = mibBuilder.importSymbols('SNMPv2-SMI', 'MibIdentifier', 'IpAddress', 'ObjectIdentity', 'Gauge32', 'Unsigned32', 'TimeTicks', 'ModuleIdentity', 'Counter32', 'MibScalar', 'MibTable', 'MibTableRow', 'MibTableColumn', 'NotificationType', 'Bits', 'Counter64', 'Integer32', 'iso') (display_string, row_status, truth_value, storage_type, row_pointer, textual_convention) = mibBuilder.importSymbols('SNMPv2-TC', 'DisplayString', 'RowStatus', 'TruthValue', 'StorageType', 'RowPointer', 'TextualConvention') etsys_policy_profile_mib = module_identity((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6)) etsysPolicyProfileMIB.setRevisions(('2010-08-09 15:11', '2009-04-10 12:00', '2009-04-01 13:36', '2008-02-19 14:29', '2007-03-21 21:02', '2006-06-15 20:40', '2005-05-18 20:08', '2005-03-28 15:35', '2005-03-14 21:34', '2004-08-11 15:17', '2004-05-18 17:02', '2004-04-02 20:35', '2004-03-25 18:03', '2004-02-03 22:00', '2004-02-03 15:33', '2004-01-19 21:43', '2003-11-04 17:16', '2003-02-06 22:59', '2002-09-17 14:53', '2002-07-19 13:37', '2001-06-11 20:00', '2001-01-09 00:00')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): if mibBuilder.loadTexts: etsysPolicyProfileMIB.setRevisionsDescriptions(('Add controls for syslogEveryTime, profile visibility of syslog/trap statistics, egress-policy controls. ICMPv6 and ACL rule types added, tcp/udp rule types augmented to support IPv6 addresses.', 'Added tri-state textual convention and modified the etsysPolicyRules group to use this convention for actions which previously used EnabledStatus. Added syslog, trap, and disable-port actions to the etsysPolicyProfileTable.', 'Modified the capabilities group to support both OverwriteTci and Mirroring. A few other small corrections.', 'Capability has been added to define a packet mirroring index for frames matching a policy profile or policy rule. Further clarification is included in DESCRIPTION field of the etsysPolicyProfileMirrorIndex and etsysPolicyRuleMirrorIndex objects.', 'An additional scalar etsysPolicyRuleSylogExtendedFormat is added to configure enabling/disabling the addition of extended data to the rule-hit syslog messages. Further clarifications are included in DESCRIPTION field of the etsysPolicyRuleSylogExtendedFormat object.', 'Grammar and typographical corrections.', 'TEXTUAL-CONVENTION PolicyRFC3580MapRadiusResponseTC includes an additional option vlanTunnelAttributeWithPolicyProfile. An additional scalar etsysPolicyRFC3580MapInvalidMapping is added to detect EtsysPolicyRFC3580MapEntry discrepancies. Further clarifications are included in DESCRIPTION fields of the etsysPolicyRFC3580Map objects.', 'Additional branch etsysPolicyNotifications properly contains trap information.', 'etsysPolicyRuleStatsDroppedNotifications and etsysPolicyRuleSylogMachineReadableFormat now allow the managing entity to track missed syslog messages and to format the messages in hexadecimal. Additional capability table to detail policy rule type lengths in bits and bytes and the maximum number of rules of each rule type the agent supports. See the description of the PolicyClassificationRuleType textual convention for additional details relating to how rule-type-lengths are to be specified.', 'Updated the range for etsysPolicyProfilePriority to (0..4095). Added objects and groups related to mapping RFC3580 vlan-tunnel-attributes to PolicyProfiles. Added the etsysPolicyRuleAutoClearOnProfile, etsysPolicyRuleStatsAutoClearInterval, and etsysPolicyRuleStatsAutoClearPorts, objects. Added etsysPolicyEnabledTable to the capabilities section, in addition to reporting capabilities, it allows one to disable policy on a given port.', 'Added the etsysPolicyRuleStatsAutoClearOnLink leaf.', 'Added the etsysPolicyRuleOperPid leaf to etsysPolicyRuleTable.', 'Added capabilities objects, status for profile assignment override, dynamic profile summary list, and notification configuration for dynamic rules.', 'Replaced StationIdentifierType with StationAddressType and StationIdentifier with StationAddress to match new revision of ENTERASYS-UPN-TC-MIB.', 'Replaced StationIdentifierTypeTC with StationIdentifierType and moved it to the ENTERASYS-UPN-TC-MIB, and replaced InetAddress with StationIdentifier from the same MIB module.', 'Added PolicyClassificationRuleType TEXTUAL-CONVENTION. Added the etsysPolicyProfileOverwriteTCI and etsysPolicyProfileRulePrecedence leaves to the EtsysPolicyProfileEntry. Added the etsysPolicyRules group for accounting of policy usage. Additionally, the range syntax of several objects has been clarified. The etsysPolicyClassificationGroup and the etsysPortPolicyProfileTable have been deprecated, as they have been replaced by the etsysPolicyRulesGroup.', 'Added etsysPolicyMap object group in support of RFC 3580 and Enterasys Technical Standard TS-07.', 'Added etsysDevicePolicyProfileDefault to provide managed entities, that cannot support complete policies on a per port basis, a global policy to augment what policies they can provide on a per port basis. Added etsysPolicyCapabilities to provide management agents a straight forward method to ascertain the capabilities of the managed entity.', 'Added Port ID information in the Station table, for ease of cross reference.', 'This version incorporates enhancements to support Station based policy provisioning, as well as other UPN related enhancements.', 'This version modified the MODULE-IDENTITY statement to resolve an issue importing this MIB into some older MIB Tools. In the SEQUENCE for the etsysPortPolicyProfileTable the first object was incorrectly defined as etsysPortPolicyProfileIndex, this was corrected to read etsysPortPolicyProfileIndexType. Several misspelled words were corrected. Finally, the INDEX for the etsysPortPolicyProfileSummaryTable was corrected to index the table by policy index as well as the type of port for each entry in the table.', 'The initial version of this MIB module.')) if mibBuilder.loadTexts: etsysPolicyProfileMIB.setLastUpdated('201008091511Z') if mibBuilder.loadTexts: etsysPolicyProfileMIB.setOrganization('Enterasys Networks, Inc') if mibBuilder.loadTexts: etsysPolicyProfileMIB.setContactInfo('Postal: Enterasys Networks 50 Minuteman Rd. Andover, MA 01810-1008 USA Phone: +1 978 684 1000 E-mail: support@enterasys.com WWW: http://www.enterasys.com') if mibBuilder.loadTexts: etsysPolicyProfileMIB.setDescription('This MIB module defines a portion of the SNMP enterprise MIBs under the Enterasys enterprise OID pertaining to the mapping of per user policy profiles for Enterasys network edge devices or access products.') class Policyprofileidtc(TextualConvention, Integer32): description = 'This textual convention maps out to the possible policyProfileIndex values. It also allows for a value of zero. A value of zero (0) indicates that the given port should not follow any policy profile.' status = 'current' subtype_spec = Integer32.subtypeSpec + constraints_union(value_range_constraint(0, 0), value_range_constraint(1, 65535)) class Portpolicyprofileindextypetc(TextualConvention, Integer32): description = 'This textual convention maps out to the possible port types which can be used to populate the etsysPortPolicyProfileTable, and of port IDs used in the etsysStationPolicyProfileTable.' status = 'current' subtype_spec = Integer32.subtypeSpec + constraints_union(single_value_constraint(1, 2)) named_values = named_values(('ifIndex', 1), ('dot1dBasePort', 2)) class Policyrfc3580Mapradiusresponsetc(TextualConvention, Integer32): description = 'This textual convention maps out to the possible, pertinent, successful, responses which may be received from the RADIUS server after a dynamic authentication attempt. PolicyProfile(1) is returned as a proprietary filter-id and has historically been used to assign a policy profile to the authenticated entity. VlanTunnelAttribute(2) is the response defined in RFC3580 and upon which further controls are applied by the etsysPolicyRFC3580Map group. A value of - vlanTunnelAttributeWithPolicyProfile(3) is an indication that both attributes are to be used.' status = 'current' subtype_spec = Integer32.subtypeSpec + constraints_union(single_value_constraint(1, 2, 3)) named_values = named_values(('policyProfile', 1), ('vlanTunnelAttribute', 2), ('vlanTunnelAttributeWithPolicyProfile', 3)) class Vlanlist(TextualConvention, OctetString): description = "Each octet within this value specifies a set of eight VIDs, with the first octet specifying VID 1 through 8, the second octet specifying VID 9 through 16, etc. Within each octet, the most significant bit represents the lowest numbered VID, and the least significant bit represents the highest numbered VID. Thus, each VID is represented by a single bit within the value of this object. If that bit has a value of '1' then that VID is included in the set of VIDs; the VID is not included if its bit has a value of '0'. This OCTET STRING will always be 512 Octets in length to accommodate all possible VIDs between (1..4094). The default value of this object is a string of all zeros." status = 'current' subtype_spec = OctetString.subtypeSpec + value_size_constraint(512, 512) fixed_length = 512 class Policyclassificationruletype(TextualConvention, Integer32): description = 'Enumerates the possible types of classification rules which may be referenced in the etsysPolicyRuleTable. Each type has an implied length (in bytes) associated with it. Octet-strings defined as representing one of these types will be represented in Network-Byte-Order (Big Endian) if the native representation is other than octets. The managed entity MUST support sets in which the specified rule length is less than that specified by the value the entity reports in etsysPolicyRuleAttributeByteLength, so long as the associated etsysPolicyRulePrefixBits does not imply the existence of more etsysPolicyRuleData than is present (i.e. the specified length MUST be >= ((etsysPolicyRulePrefixBits+7)/8).) Additionally, the managed entity MUST return a PolicyClassificationRuleType which carries the number of octets specified by the associated etsysPolicyRuleAttributeByteLength, regardless of the number etsysPolicyRulePrefixBits. This yields a behavior in which, on some devices, a ip4Source rule may be supported with only 4 bytes of rule data (excluding the TCP/UDP source port information), while other devices may support the full syntax using all 6 bytes. macSource(1) The source MAC address in an Ethernet frame. Length is 6 bytes. macDestination(2) The destination MAC address in an Ethernet frame. Length is 6 bytes. ipxSource(3) The source address in an IPX header. Length is 4 bytes (Network prefix). ipxDestination(4) The destination address in an IPX header. Length is 4 bytes (Network prefix). ipxSourcePort(5) The source IPX port(socket) in an IPX header. Length is 2 bytes. ipxDestinationPort(6) The destination IPX port(socket) in an IPX header. Length is 2 bytes. ipxCos(7) The CoS(HopCount) field in an IPX header. Length is 1 byte. ipxType(8) The protocol type in an IPX header. Length is 1 byte. ip6Source(9) The source address in an IPv6 header, postfixed with the source port (for TCP/UDP frames). Length is 18 bytes for IPv6+TCP/UDP, or 16 bytes for IPv6. ip6Destination(10) The destination address in an IPv6 header, postfixed with the destination port (for TCP/UDP frames). Length is 18 bytes for IPv6+TCP/UDP, or 16 bytes for IPv6. ip6FlowLabel(11) The flow label field (traffic class and flow identifier) in an IPv6 header. Length is 3 bytes, as only the first 20 bits are valid and mask-able, only the data in the first 20 bits (the first five nibbles) is considered. ip4Source(12) The source address in an IPv4 header, postfixed with the source port (for TCP/UDP frames). Length is 6 bytes for IPv4+TCP/UDP, or 4 bytes for IPv4. ip4Destination(13) The destination address in an IPv4 header, postfixed with the destination port (for TCP/UDP frames). Length is 6 bytes for IPv4+TCP/UDP, or 4 bytes for IPv4. ipFragment(14) Truth value derived from the FLAGS and FRAGMENTATION_OFFSET fields of an IP header. If the MORE bit of the flags field is set, or the FRAGMENTATION_OFFSET is non-zero, the frame is fragmented. Length is 0 bytes (there is no data, only presence). udpSourcePort(15) The source UDP port(socket) in a UDP header, optionally postfixed with a source IP address. Length is 2 bytes for UDP, 6 bytes for UDP+IPv4, or 18 bytes for UDP+IPv6. udpDestinationPort(16) The destination UDP port(socket) in a UDP header, optionally postfixed with a destination IP address. Length is 2 bytes for UDP, 6 bytes for UDP+IPv4, or 18 bytes for UDP+IPv6. tcpSourcePort(17) The source TCP port(socket) in an TCP header, optionally postfixed with a source IPv4 address. Length is 2 bytes for TCP, 6 bytes for TCP+IPv4, or 18 bytes for TCP+IPv6. tcpDestinationPort(18) The destination TCP port(socket) in an TCP header, optionally postfixed with a destination IPv4 address. Length is 2 bytes for TCP, 6 bytes for TCP+IPv4, or 18 bytes for TCP+IPv6. icmpTypeCode(19) The Type and Code fields from an ICMP frame. These are encoded in 2 bytes, network-byte-order, Type in the first (left-most) byte, Code in the second byte. ipTtl(20) The TTL(HopCount) field in an IP header. Length is 1 byte. ipTos(21) The ToS(DSCP) field in an IP header. Length is 1 byte. ipType(22) The protocol type in an IP header. Length is 1 byte. icmpTypeCodeV6(23) The Type and Code fields from an ICMP frame. These are encoded in 2 bytes, network-byte-order, Type in the first (left-most) byte, Code in the second byte. For ICMPv6, which redefines the types and codes. etherType(25) The type field in an Ethernet II frame. Length is 2 bytes. llcDsapSsap(26) The DSAP/SSAP/CTRL field in an LLC encapsulated frame, includes SNAP encapsulated frames and the associated Ethernet II type field. Length is 5 bytes. vlanId(27) The 12 bit Virtual LAN ID field present in an 802.1D Tagged frame. Length is 2 bytes, the field is represented in the FIRST (left-most, big-endian) 12 bits of the 16 bit field. A vlanId of 1 would be encoded as 00-10, a vlanId of 4094 would be encoded as FF-E0, and a vlanId of 100 would be encoded as 06-40. ieee8021dTci(28) The entire 16 bit TCI field present in an 802.1D Tagged frame (include both VLAN ID and Priority bits. Length is 2 bytes. acl(30) A numbered ACL, represented by a 4 byte integer value. This is not maskable. bridgePort(31) The dot1dBasePort on which the frame was received. Length is 2 bytes.' status = 'current' subtype_spec = Integer32.subtypeSpec + constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 25, 26, 27, 28, 30, 31)) named_values = named_values(('macSource', 1), ('macDestination', 2), ('ipxSource', 3), ('ipxDestination', 4), ('ipxSourcePort', 5), ('ipxDestinationPort', 6), ('ipxCos', 7), ('ipxType', 8), ('ip6Source', 9), ('ip6Destination', 10), ('ip6FlowLabel', 11), ('ip4Source', 12), ('ip4Destination', 13), ('ipFragment', 14), ('udpSourcePort', 15), ('udpDestinationPort', 16), ('tcpSourcePort', 17), ('tcpDestinationPort', 18), ('icmpTypeCode', 19), ('ipTtl', 20), ('ipTos', 21), ('ipType', 22), ('icmpTypeCodeV6', 23), ('etherType', 25), ('llcDsapSsap', 26), ('vlanId', 27), ('ieee8021dTci', 28), ('acl', 30), ('bridgePort', 31)) class Policyrulessupported(TextualConvention, Bits): description = 'Enumerates the possible types of classification rules which may be supported. macSource(1) The source MAC address in an Ethernet frame. macDestination(2) The destination MAC address in an Ethernet frame. ipxSource(3) The source address in an IPX header. ipxDestination(4) The destination address in an IPX header. ipxSourcePort(5) The source IPX port(socket) in an IPX header. ipxDestinationPort(6) The destination IPX port(socket) in an IPX header. ipxCos(7) The CoS(HopCount) field in an IPX header. ipxType(8) The protocol type in an IPX header. ip6Source(9) The source address in an IPv6 header, postfixed with the source port (for TCP/UDP frames). ip6Destination(10) The destination address in an IPv6 header, postfixed with the destination port (for TCP/UDP frames). ip6FlowLabel(11) The flow label field (traffic class and flow identifier) in an IPv6 header. ip4Source(12) The source address in an IPv4 header, postfixed with the source port (for TCP/UDP frames). ip4Destination(13) The destination address in an IPv4 header, postfixed with the destination port (for TCP/UDP frames). ipFragment(14) Truth value derived from the FLAGS and FRAGMENTATION_OFFSET fields of an IP header. If the MORE bit of the flags field is set, or the FRAGMENTATION_OFFSET is non-zero, the frame is fragmented. udpSourcePort(15) The source UDP port(socket) in a UDP header. udpDestinationPort(16) The destination UDP port(socket) in a UDP header. tcpSourcePort(17) The source TCP port(socket) in an TCP header. tcpDestinationPort(18) The destination TCP port(socket) in an TCP header. icmpTypeCode(19) The Type and Code fields from an ICMP frame. ipTtl(20) The TTL(HopCount) field in an IP header. ipTos(21) The ToS(DSCP) field in an IP header. ipType(22) The protocol type in an IP header. icmpTypeCodeV6(23) The Type and Code fields from an ICMPv6 frame. etherType(25) The type field in an Ethernet II frame. llcDsapSsap(26) The DSAP/SSAP/CTRL field in an LLC encapsulated frame, includes SNAP encapsulated frames and the associated Ethernet II type field. vlanId(27) The 12 bit Virtual LAN ID field present in an 802.1D Tagged frame. ieee8021dTci(28) The entire 16 bit TCI field present in an 802.1D Tagged frame (include both VLAN ID and Priority bits. acl(30) A number ACL list to which the frame is applied. bridgePort(31) The dot1dBasePort on which the frame was received.' status = 'current' named_values = named_values(('macSource', 1), ('macDestination', 2), ('ipxSource', 3), ('ipxDestination', 4), ('ipxSourcePort', 5), ('ipxDestinationPort', 6), ('ipxCos', 7), ('ipxType', 8), ('ip6Source', 9), ('ip6Destination', 10), ('ip6FlowLabel', 11), ('ip4Source', 12), ('ip4Destination', 13), ('ipFragment', 14), ('udpSourcePort', 15), ('udpDestinationPort', 16), ('tcpSourcePort', 17), ('tcpDestinationPort', 18), ('icmpTypeCode', 19), ('ipTtl', 20), ('ipTos', 21), ('ipType', 22), ('icmpTypeCodeV6', 23), ('etherType', 25), ('llcDsapSsap', 26), ('vlanId', 27), ('ieee8021dTci', 28), ('acl', 30), ('bridgePort', 31)) class Tristatestatus(TextualConvention, Integer32): description = 'A simple status value for the object. enabled(1) indicates the action will occur disabled(2) indicates no action will be asserted prohibited(3) indicates the action will be prevented from occurring This is useful (over and above the standard EnabledStatus TC) in the context of hierachical decision trees, whereby a decision to prevent an action may revoke another, lower precedent decision to take the action.' status = 'current' subtype_spec = Integer32.subtypeSpec + constraints_union(single_value_constraint(1, 2, 3)) named_values = named_values(('enabled', 1), ('disabled', 2), ('prohibited', 3)) etsys_policy_notifications = mib_identifier((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 0)) etsys_policy_profile = mib_identifier((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 1)) etsys_policy_classification = mib_identifier((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 2)) etsys_port_policy_profile = mib_identifier((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 3)) etsys_policy_vlan_egress = mib_identifier((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 4)) etsys_station_policy_profile = mib_identifier((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 5)) etsys_invalid_policy_policy = mib_identifier((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 6)) etsys_device_policy_profile = mib_identifier((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 8)) etsys_policy_capability = mib_identifier((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 9)) etsys_policy_map = mib_identifier((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 10)) etsys_policy_rules = mib_identifier((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 11)) etsys_policy_rfc3580_map = mib_identifier((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 12)) etsys_policy_rule_port_hit_notification = notification_type((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 0, 1)).setObjects(('IF-MIB', 'ifName'), ('IF-MIB', 'ifAlias'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRulePortHit'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyProfileName')) if mibBuilder.loadTexts: etsysPolicyRulePortHitNotification.setStatus('current') if mibBuilder.loadTexts: etsysPolicyRulePortHitNotification.setDescription('This notification indicates that a policy rule has matched network traffic on a particular port.') etsys_policy_profile_max_entries = mib_scalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 65535))).setMaxAccess('readonly') if mibBuilder.loadTexts: etsysPolicyProfileMaxEntries.setStatus('current') if mibBuilder.loadTexts: etsysPolicyProfileMaxEntries.setDescription('The maximum number of entries allowed in the etsysPolicyProfileTable.') etsys_policy_profile_num_entries = mib_scalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 1, 2), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: etsysPolicyProfileNumEntries.setStatus('current') if mibBuilder.loadTexts: etsysPolicyProfileNumEntries.setDescription('The current number of entries in the etsysPolicyProfileTable.') etsys_policy_profile_last_change = mib_scalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 1, 3), time_ticks()).setMaxAccess('readonly') if mibBuilder.loadTexts: etsysPolicyProfileLastChange.setStatus('current') if mibBuilder.loadTexts: etsysPolicyProfileLastChange.setDescription('The sysUpTime at which the etsysPolicyProfileTable was last modified.') etsys_policy_profile_table_next_available_index = mib_scalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 1, 4), integer32().subtype(subtypeSpec=value_range_constraint(1, 65535))).setMaxAccess('readonly') if mibBuilder.loadTexts: etsysPolicyProfileTableNextAvailableIndex.setStatus('current') if mibBuilder.loadTexts: etsysPolicyProfileTableNextAvailableIndex.setDescription('This object indicates the numerically lowest available index within this entity, which may be used for the value of etsysPolicyProfileIndex in the creation of a new entry in the etsysPolicyProfileTable. An index is considered available if the index value falls within the range of 1 to 65535 and is not being used to index an existing entry in the etsysPolicyProfileTable contained within this entity. This value should only be considered a guideline for management creation of etsysPolicyProfileEntries, there is no requirement on management to create entries based upon this index value.') etsys_policy_profile_table = mib_table((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 1, 5)) if mibBuilder.loadTexts: etsysPolicyProfileTable.setStatus('current') if mibBuilder.loadTexts: etsysPolicyProfileTable.setDescription('A table containing policy profiles. A policy is a group of classification rules which may be applied on a per user basis, to ports or to stations.') etsys_policy_profile_entry = mib_table_row((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 1, 5, 1)).setIndexNames((0, 'ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyProfileIndex')) if mibBuilder.loadTexts: etsysPolicyProfileEntry.setStatus('current') if mibBuilder.loadTexts: etsysPolicyProfileEntry.setDescription('Conceptually defines a particular entry within the etsysPolicyProfileTable. Entries within this table MUST be considered non-volatile and MUST be maintained across entity resets.') etsys_policy_profile_index = mib_table_column((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 1, 5, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 65535))) if mibBuilder.loadTexts: etsysPolicyProfileIndex.setStatus('current') if mibBuilder.loadTexts: etsysPolicyProfileIndex.setDescription('A unique arbitrary identifier for this Policy. Since a policy will be applied to a user regardless of his or her location in the network fabric policy names SHOULD be unique within the entire network fabric. Policy IDs and policy names MUST be unique within the scope of a single managed entity.') etsys_policy_profile_name = mib_table_column((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 1, 5, 1, 2), snmp_admin_string().subtype(subtypeSpec=value_size_constraint(1, 64))).setMaxAccess('readcreate') if mibBuilder.loadTexts: etsysPolicyProfileName.setStatus('current') if mibBuilder.loadTexts: etsysPolicyProfileName.setDescription("Administratively assigned textual description of this Policy. This object MUST NOT be modifiable while this entry's RowStatus is active(1).") etsys_policy_profile_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 1, 5, 1, 3), row_status()).setMaxAccess('readcreate') if mibBuilder.loadTexts: etsysPolicyProfileRowStatus.setReference('RFC2579 (Textual Conventions for SMIv2)') if mibBuilder.loadTexts: etsysPolicyProfileRowStatus.setStatus('current') if mibBuilder.loadTexts: etsysPolicyProfileRowStatus.setDescription("This object allows for the dynamic creation and deletion of entries within the etsysPolicyProfileTable as well as the activation and deactivation of these entries. When this object's value is active(1) the corresponding row's etsysPolicyProfilePortVid, etsysPolicyProfilePriority, and all entries within the etsysPolicyClassificationTable indexed by this row's etsysPolicyProfileIndex are available to be applied to network access ports or stations on the managed entity. All ports corresponding to rows within the etsysPortPolicyProfileTable whose etsysPortPolicyProfileOperID is equal to the etsysPolicyProfileIndex, shall have the corresponding policy applied. Likewise, all stations corresponding to rows within the etsysStationPolicyProfileTable whose etsysStationPolicyProfileOperID is equal to the etsysPolicyProfileIndex, shall have the corresponding policy applied. The value of etsysPortPolicyProfileOperID for each such row in the etsysPortPolicyProfileTable will be equal to the etsysPortPolicyProfileAdminID, unless the authorization information from a source such as a RADIUS server indicates to the contrary. Refer to the specific objects within this MIB as well as well as RFC2674, the CTRON-PRIORITY-CLASSIFY-MIB, the CTRON-VLAN-CLASSIFY-MIB, and the CTRON-RATE-POLICING-MIB for a complete explanation of the application and behavior of these objects. When this object's value is set to notInService(2) this policy will not be applied to any rows within the etsysPortPolicyProfileTable. To allow policy profiles to be applied for security implementations, setting this object's value from active(1) to notInService(2) or destroy(6) SHALL fail if one or more instances of etsysPortPolicyProfileOperID or etsysStationPolicyProfileOperID currently reference this entry's associated policy due to a set by an underlying security protocol such as RADIUS. For network functionality and clarity, setting this object to destroy(6) SHALL fail if one or more instances of etsysPortPolicyProfileOperID or etsysStationPolicyProfileOperID currently references this entry's etsysPolicyProfileIndex. Refer to the RowStatus convention for further details on the behavior of this object.") etsys_policy_profile_port_vid_status = mib_table_column((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 1, 5, 1, 4), enabled_status().clone('disabled')).setMaxAccess('readcreate') if mibBuilder.loadTexts: etsysPolicyProfilePortVidStatus.setStatus('current') if mibBuilder.loadTexts: etsysPolicyProfilePortVidStatus.setDescription("This object defines whether a PVID override should be applied to ports which have this profile active. enabled(1) means that any port with this policy active will have this row's etsysPolicyProfilePortVid applied to untagged frames or priority-tagged frames received on this port. disabled(2) means that etsysPolicyProfilePortVid will not be applied. When this object is set to disabled(2) the value of etsysPolicyProfilePortVid has no meaning.") etsys_policy_profile_port_vid = mib_table_column((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 1, 5, 1, 5), unsigned32().subtype(subtypeSpec=constraints_union(value_range_constraint(0, 0), value_range_constraint(1, 4094), value_range_constraint(4095, 4095))).clone(1)).setMaxAccess('readcreate') if mibBuilder.loadTexts: etsysPolicyProfilePortVid.setReference('RFC2674 (Q-BRIDGE-MIB) - dot1qPortVlanTable') if mibBuilder.loadTexts: etsysPolicyProfilePortVid.setStatus('current') if mibBuilder.loadTexts: etsysPolicyProfilePortVid.setDescription("This object defines the PVID of this profile. If a port has an active policy and the policy's etsysPolicyProfilePortVidStatus is set to enabled(1), the etsysPolicyProfilePortVid will be applied to all untagged frames arriving on the port that do not match any of the policy classification rules. Note that the 802.1Q PVID will still exist from a management view but will NEVER be applied to traffic arriving on a port that has an active policy and enabled etsysPolicyProfilePortVid defined, since policy is applied to traffic arriving on the port prior to the assignment of a VLAN using the 802.1Q PVID. The behavior of an enabled etsysPolicyProfilePortVid on any associated port SHALL be identical to the behavior of the dot1qPvid upon that port. Note that two special, otherwise illegal, values of the etsysPolicyProfilePortVid are used in defining the default forwarding actions, to be used in conjunction with policy classification rules, and do not result in packet tagging: 0 Indicates that the default forwarding action is to drop all packets that do not match an explicit rule. 4095 Indicates that the default forwarding action is to forward any packets not matching any explicit rules.") etsys_policy_profile_priority_status = mib_table_column((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 1, 5, 1, 6), enabled_status().clone('disabled')).setMaxAccess('readcreate') if mibBuilder.loadTexts: etsysPolicyProfilePriorityStatus.setStatus('current') if mibBuilder.loadTexts: etsysPolicyProfilePriorityStatus.setDescription('This object defines whether a Class of Service should be applied to ports which have this profile active. enabled(1) means that any port with this policy active will have etsysPolicyProfilePriority applied to this port. disabled(2) means that etsysPolicyProfilePriority will not be applied. When this object is set to disabled(2) the value of etsysPolicyProfilePriority has no meaning.') etsys_policy_profile_priority = mib_table_column((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 1, 5, 1, 7), integer32().subtype(subtypeSpec=value_range_constraint(0, 4095))).setMaxAccess('readcreate') if mibBuilder.loadTexts: etsysPolicyProfilePriority.setReference('RFC2674 (P-BRIDGE-MIB) - dot1dPortPriorityTable') if mibBuilder.loadTexts: etsysPolicyProfilePriority.setStatus('current') if mibBuilder.loadTexts: etsysPolicyProfilePriority.setDescription("This object defines the default ingress Class of Service of this profile. If a port has an active policy and the policy's etsysPolicyProfilePriorityStatus is set to enabled(1), the etsysPolicyProfilePriority will be applied to all packets arriving on the port that do not match any of the policy classification rules. Note that dot1dPortDefaultUserPriority will still exist from a management view but will NEVER be applied to traffic arriving on a port that has an active policy and enabled etsysPolicyProfilePriority defined, since policy is applied to traffic arriving on the port prior to the assignment of a priority using dot1dPortDefaultUserPriority. The behavior of an enabled etsysPolicyProfilePriority on any associated port SHALL be identical to the behavior of the dot1dPortDefaultUserPriority upon that port.") etsys_policy_profile_egress_vlans = mib_table_column((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 1, 5, 1, 8), vlan_list()).setMaxAccess('readcreate') if mibBuilder.loadTexts: etsysPolicyProfileEgressVlans.setStatus('current') if mibBuilder.loadTexts: etsysPolicyProfileEgressVlans.setDescription("The set of VLANs which are assigned by this policy to egress on ports for which this policy is active. Changes to a bit in this object affect the per-port per-VLAN Registrar control for Registration Fixed for the relevant GVRP state machine on each port for which this policy is active. A VLAN may not be added in this set if it is already a member of the set of VLANs in etsysPolicyProfileForbiddenVlans. This object is superseded on a per-port per-VLAN basis by any 'set' bits in dot1qVlanStaticEgressPorts and dot1qVlanForbiddenEgressPorts. The default value of this object is a string of zeros.") etsys_policy_profile_forbidden_vlans = mib_table_column((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 1, 5, 1, 9), vlan_list()).setMaxAccess('readcreate') if mibBuilder.loadTexts: etsysPolicyProfileForbiddenVlans.setStatus('current') if mibBuilder.loadTexts: etsysPolicyProfileForbiddenVlans.setDescription("The set of VLANs which are prohibited by this policy to egress on ports for which this policy is active. Changes to this object that cause a port to be included or excluded affect the per-port per-VLAN Registrar control for Registration Forbidden for the relevant GVRP state machine on each port for which this policy is active. A VLAN may not be added in this set if it is already a member of the set of VLANs in etsysPolicyProfileEgressVlans. This object is superseded on a per-port per-VLAN basis by any 'set' bits in the dot1qVlanStaticEgressPorts and dot1qVlanForbiddenEgressPorts. The default value of this object is a string of zeros.") etsys_policy_profile_untagged_vlans = mib_table_column((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 1, 5, 1, 10), vlan_list()).setMaxAccess('readcreate') if mibBuilder.loadTexts: etsysPolicyProfileUntaggedVlans.setStatus('current') if mibBuilder.loadTexts: etsysPolicyProfileUntaggedVlans.setDescription("The set of VLANs which should transmit egress packets as untagged on ports for which this policy is active. This object is superseded on a per-port per-VLAN basis by any 'set' bits in dot1qVlanStaticUntaggedPorts.") etsys_policy_profile_overwrite_tci = mib_table_column((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 1, 5, 1, 11), enabled_status().clone('disabled')).setMaxAccess('readcreate') if mibBuilder.loadTexts: etsysPolicyProfileOverwriteTCI.setStatus('current') if mibBuilder.loadTexts: etsysPolicyProfileOverwriteTCI.setDescription('If set, the information contained within the TCI field of inbound, tagged packets will not be used by the device after the ingress classification stage of packet relay. The net effect will be that the TCI information may be used to classify the packet, but will be overwritten (and ignored) by subsequent stages of packet relay.') etsys_policy_profile_rule_precedence = mib_table_column((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 1, 5, 1, 12), octet_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readcreate') if mibBuilder.loadTexts: etsysPolicyProfileRulePrecedence.setStatus('current') if mibBuilder.loadTexts: etsysPolicyProfileRulePrecedence.setDescription('Each octet will contain a single value representing the rule type to be matched against, defined by the PolicyClassificationRuleType textual convention. When read, will return the currently operating rule matching precedence, ordered from first consulted (in the first octet) to last consulted (in the last octet). A set of a single octet of 0x00 will result in a reversion to the default precedence ordering. A set of any other values will result in the specified rule types being matched in the order specified, followed by the remaining rules, in default precedence order.') etsys_policy_profile_vlan_rfc3580_mappings = mib_table_column((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 1, 5, 1, 13), vlan_list()).setMaxAccess('readonly') if mibBuilder.loadTexts: etsysPolicyProfileVlanRFC3580Mappings.setStatus('current') if mibBuilder.loadTexts: etsysPolicyProfileVlanRFC3580Mappings.setDescription('The set of VLANs which are currently being mapped onto this policy profile by the etsysPolicyRFC3580MapTable. This only refers to the mapping of vlan-tunnel-attributes returned from RADIUS in an RFC3580 context.') etsys_policy_profile_mirror_index = mib_table_column((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 1, 5, 1, 14), integer32().subtype(subtypeSpec=constraints_union(value_range_constraint(-1, -1), value_range_constraint(0, 0), value_range_constraint(1, 255))).clone(-1)).setMaxAccess('readcreate') if mibBuilder.loadTexts: etsysPolicyProfileMirrorIndex.setStatus('current') if mibBuilder.loadTexts: etsysPolicyProfileMirrorIndex.setDescription('A reference to a packet mirror destination (defined elsewhere). A value of (-1) indicates no mirror is specified, but a mirror is not explicitly prohibitted. A value of (0) indicates that mirroring is explicitly prohibitted, unless a high precedent source (a rule) has specified a mirror.') etsys_policy_profile_audit_syslog_enable = mib_table_column((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 1, 5, 1, 15), enabled_status().clone('disabled')).setMaxAccess('readcreate') if mibBuilder.loadTexts: etsysPolicyProfileAuditSyslogEnable.setStatus('current') if mibBuilder.loadTexts: etsysPolicyProfileAuditSyslogEnable.setDescription('Enables the sending of a syslog message if no rule bound to this profile has prohibited it.') etsys_policy_profile_audit_trap_enable = mib_table_column((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 1, 5, 1, 16), enabled_status().clone('disabled')).setMaxAccess('readcreate') if mibBuilder.loadTexts: etsysPolicyProfileAuditTrapEnable.setStatus('current') if mibBuilder.loadTexts: etsysPolicyProfileAuditTrapEnable.setDescription('Enables the sending of a SNMP NOTIFICATION if no rule bound to this profile has prohibited it.') etsys_policy_profile_disable_port = mib_table_column((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 1, 5, 1, 17), enabled_status().clone('disabled')).setMaxAccess('readcreate') if mibBuilder.loadTexts: etsysPolicyProfileDisablePort.setStatus('current') if mibBuilder.loadTexts: etsysPolicyProfileDisablePort.setDescription('Will set the ifOperStatus of the port, on which the frame which used this profile was received, to disable, if if no rule bound to this profile has prohibited it.') etsys_policy_profile_usage_list = mib_table_column((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 1, 5, 1, 18), port_list()).setMaxAccess('readwrite') if mibBuilder.loadTexts: etsysPolicyProfileUsageList.setStatus('current') if mibBuilder.loadTexts: etsysPolicyProfileUsageList.setDescription("When read, a set bit indicates that this profile was used to send a syslog or trap message for corresponding port. When set, the native PortList will be bit-wise AND'ed with the set PortList, allowing the agent to clear the usage indication.") etsys_policy_classification_max_entries = mib_scalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 2, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 65535))).setMaxAccess('readonly') if mibBuilder.loadTexts: etsysPolicyClassificationMaxEntries.setStatus('deprecated') if mibBuilder.loadTexts: etsysPolicyClassificationMaxEntries.setDescription('The maximum number of entries allowed in the etsysPolicyClassificationTable.') etsys_policy_classification_num_entries = mib_scalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 2, 2), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: etsysPolicyClassificationNumEntries.setStatus('deprecated') if mibBuilder.loadTexts: etsysPolicyClassificationNumEntries.setDescription('The current number of entries in the etsysPolicyClassificationTable.') etsys_policy_classification_last_change = mib_scalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 2, 3), time_ticks()).setMaxAccess('readonly') if mibBuilder.loadTexts: etsysPolicyClassificationLastChange.setStatus('deprecated') if mibBuilder.loadTexts: etsysPolicyClassificationLastChange.setDescription('The sysUpTime at which the etsysPolicyClassificationTable was last modified.') etsys_policy_classification_table = mib_table((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 2, 4)) if mibBuilder.loadTexts: etsysPolicyClassificationTable.setReference('CTRON-PRIORITY-CLASSIFY-MIB, CTRON-VLAN-CLASSIFY-MIB, CTRON-RATE-POLICING-MIB') if mibBuilder.loadTexts: etsysPolicyClassificationTable.setStatus('deprecated') if mibBuilder.loadTexts: etsysPolicyClassificationTable.setDescription('A table containing reference OIDs to entries within the classification tables. These classification tables include but may not be limited to: ctPriClassifyTable ctVlanClassifyTable ctRatePolicyingConfigTable This table is used to map a list of classification rules to an instance of the etsysPolicyProfileTable.') etsys_policy_classification_entry = mib_table_row((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 2, 4, 1)).setIndexNames((0, 'ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyProfileIndex'), (0, 'ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyClassificationIndex')) if mibBuilder.loadTexts: etsysPolicyClassificationEntry.setStatus('deprecated') if mibBuilder.loadTexts: etsysPolicyClassificationEntry.setDescription('Describes a particular entry within the etsysPolicyClassificationTable. Entries within this table MUST be considered non-volatile and MUST be maintained across entity resets.') etsys_policy_classification_index = mib_table_column((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 2, 4, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 65535))) if mibBuilder.loadTexts: etsysPolicyClassificationIndex.setStatus('deprecated') if mibBuilder.loadTexts: etsysPolicyClassificationIndex.setDescription('Administratively assigned unique value, greater than zero. Each etsysPolicyClassificationIndex instance MUST be unique within the scope of its associated etsysPolicyProfileIndex.') etsys_policy_classification_oid = mib_table_column((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 2, 4, 1, 2), row_pointer()).setMaxAccess('readcreate') if mibBuilder.loadTexts: etsysPolicyClassificationOID.setStatus('deprecated') if mibBuilder.loadTexts: etsysPolicyClassificationOID.setDescription("This object follows the RowPointer textual convention and is an OID reference to a classification rule. This object MUST NOT be modifiable while this entry's etsysPolicyClassificationStatus object has a value of active(1).") etsys_policy_classification_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 2, 4, 1, 3), row_status()).setMaxAccess('readcreate') if mibBuilder.loadTexts: etsysPolicyClassificationRowStatus.setStatus('deprecated') if mibBuilder.loadTexts: etsysPolicyClassificationRowStatus.setDescription("The status of this row. When set to active(1) this entry's classification rule, as referenced by etsysPolicyClassificationOID, becomes one of its associated policy's set of rules. When this entry's associated policy, as defined by etsysPolicyProfileIndex, is active and assigned to a port through the etsysPortPolicyProfileTable or to a station through the etsysStationPolicyProfileTabbe, this classification rule will be applied to the port or station. The exact behavior of this application depends upon the classification rule. When this object is set to notInService(2) or notReady(3) this entry is not considered one of its associated policy's set of rules and this classification rule will not be applied. An entry MAY NOT be set to active(1) unless this row's etsysPolicyClassificationOID is set to a valid classification rule.") etsys_policy_classification_ingress_list = mib_table_column((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 2, 4, 1, 4), port_list()).setMaxAccess('readonly') if mibBuilder.loadTexts: etsysPolicyClassificationIngressList.setStatus('deprecated') if mibBuilder.loadTexts: etsysPolicyClassificationIngressList.setDescription('The ports on which an active policy profile has defined this classification rule applies.') etsys_port_policy_profile_last_change = mib_scalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 3, 1), time_ticks()).setMaxAccess('readonly') if mibBuilder.loadTexts: etsysPortPolicyProfileLastChange.setStatus('deprecated') if mibBuilder.loadTexts: etsysPortPolicyProfileLastChange.setDescription('sysUpTime at which the etsysPortPolicyProfileTable was last modified.') etsys_port_policy_profile_table = mib_table((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 3, 2)) if mibBuilder.loadTexts: etsysPortPolicyProfileTable.setStatus('deprecated') if mibBuilder.loadTexts: etsysPortPolicyProfileTable.setDescription('This table allows for a one to one mapping between a dot1dBasePort or an ifIndex and a Policy Profile.') etsys_port_policy_profile_entry = mib_table_row((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 3, 2, 1)).setIndexNames((0, 'ENTERASYS-POLICY-PROFILE-MIB', 'etsysPortPolicyProfileIndexType'), (0, 'ENTERASYS-POLICY-PROFILE-MIB', 'etsysPortPolicyProfileIndex')) if mibBuilder.loadTexts: etsysPortPolicyProfileEntry.setStatus('deprecated') if mibBuilder.loadTexts: etsysPortPolicyProfileEntry.setDescription('Describes a particular entry within the etsysPortPolicyProfileTable. Entries within this table MUST be considered non-volatile and MUST be maintained across entity resets.') etsys_port_policy_profile_index_type = mib_table_column((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 3, 2, 1, 1), port_policy_profile_index_type_tc()) if mibBuilder.loadTexts: etsysPortPolicyProfileIndexType.setStatus('deprecated') if mibBuilder.loadTexts: etsysPortPolicyProfileIndexType.setDescription('This object defines the specific type of port this entry represents.') etsys_port_policy_profile_index = mib_table_column((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 3, 2, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(1, 2147483647))) if mibBuilder.loadTexts: etsysPortPolicyProfileIndex.setStatus('deprecated') if mibBuilder.loadTexts: etsysPortPolicyProfileIndex.setDescription("An index value which represents a unique port of the type defined by this entry's etsysPortPolicyProfileIndexType.") etsys_port_policy_profile_admin_id = mib_table_column((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 3, 2, 1, 3), policy_profile_idtc()).setMaxAccess('readwrite') if mibBuilder.loadTexts: etsysPortPolicyProfileAdminID.setStatus('deprecated') if mibBuilder.loadTexts: etsysPortPolicyProfileAdminID.setDescription("This object represents the desired Policy Profile for this dot1dBasePort or this ifIndex. Setting this object to any value besides zero (0) should, if possible, immediately place this entry's dot1dBasePort or ifIndex into the given Policy Profile. This object and etsysPortPolicyProfileOperID may not be the same if this object is set to a Policy (i.e. an instance of the etsysPolicyProfileTable) which is not in an active state or if the etsysPortPolicyProfileOperID has been set by an underlying security protocol such as RADIUS.") etsys_port_policy_profile_oper_id = mib_table_column((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 3, 2, 1, 4), policy_profile_idtc()).setMaxAccess('readonly') if mibBuilder.loadTexts: etsysPortPolicyProfileOperID.setStatus('deprecated') if mibBuilder.loadTexts: etsysPortPolicyProfileOperID.setDescription("This object is the current policy which is being applied to this entry's dot1dBasePort. A value of zero(0) indicates there is no policy being applied to this dot1dBasePort or this ifIndex. If the value of this object has been set by an underlying security protocol such as RADIUS, sets to this entry's etsysPortPolicyProfileAdminID MUST NOT change the value of this object until such time as the security protocol releases this object by setting it to a value of zero (0).") etsys_port_policy_profile_summary_table = mib_table((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 3, 3)) if mibBuilder.loadTexts: etsysPortPolicyProfileSummaryTable.setStatus('current') if mibBuilder.loadTexts: etsysPortPolicyProfileSummaryTable.setDescription('This table provides aggregate port information on a per policy, per port type basis.') etsys_port_policy_profile_summary_entry = mib_table_row((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 3, 3, 1)).setIndexNames((0, 'ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyProfileIndex'), (0, 'ENTERASYS-POLICY-PROFILE-MIB', 'etsysPortPolicyProfileSummaryIndexType')) if mibBuilder.loadTexts: etsysPortPolicyProfileSummaryEntry.setStatus('current') if mibBuilder.loadTexts: etsysPortPolicyProfileSummaryEntry.setDescription('Conceptually defines a particular entry within the etsysPortPolicyProfileSummaryTable.') etsys_port_policy_profile_summary_index_type = mib_table_column((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 3, 3, 1, 1), port_policy_profile_index_type_tc()) if mibBuilder.loadTexts: etsysPortPolicyProfileSummaryIndexType.setStatus('current') if mibBuilder.loadTexts: etsysPortPolicyProfileSummaryIndexType.setDescription('This object defines the specific type of port this entry represents.') etsys_port_policy_profile_summary_admin_id = mib_table_column((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 3, 3, 1, 2), port_list()).setMaxAccess('readonly') if mibBuilder.loadTexts: etsysPortPolicyProfileSummaryAdminID.setStatus('current') if mibBuilder.loadTexts: etsysPortPolicyProfileSummaryAdminID.setDescription('An aggregate list of all Ports currently supporting rules which assign this profileIndex through administrative means. Rules of this type have a valid etsysPolicyRuleResult2 action and a profileIndex of 0.') etsys_port_policy_profile_summary_oper_id = mib_table_column((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 3, 3, 1, 3), port_list()).setMaxAccess('readonly') if mibBuilder.loadTexts: etsysPortPolicyProfileSummaryOperID.setStatus('current') if mibBuilder.loadTexts: etsysPortPolicyProfileSummaryOperID.setDescription('An aggregate list of all Ports currently supporting rules which assign this profileIndex through either an administrative or dynamic means. The profileId which will be assigned operationally, as frames are handled are too be reported here.') etsys_port_policy_profile_summary_dynamic_id = mib_table_column((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 3, 3, 1, 4), port_list()).setMaxAccess('readonly') if mibBuilder.loadTexts: etsysPortPolicyProfileSummaryDynamicID.setStatus('current') if mibBuilder.loadTexts: etsysPortPolicyProfileSummaryDynamicID.setDescription('An aggregate list of all Ports currently supporting rules which assign this profileIndex through a dynamic means. For example the profileIndex returned via a successful 802.1X supplicant authentication.') etsys_station_policy_profile_max_entries = mib_scalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 5, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 65535))).setMaxAccess('readonly') if mibBuilder.loadTexts: etsysStationPolicyProfileMaxEntries.setStatus('current') if mibBuilder.loadTexts: etsysStationPolicyProfileMaxEntries.setDescription('The maximum number of entries allowed in the etsysStationPolicyProfileTable. If this number is exceeded, based on stations connecting to the edge device, the oldest entries will be deleted.') etsys_station_policy_profile_num_entries = mib_scalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 5, 2), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: etsysStationPolicyProfileNumEntries.setStatus('current') if mibBuilder.loadTexts: etsysStationPolicyProfileNumEntries.setDescription('The current number of entries in the etsysStationPolicyProfileTable.') etsys_station_policy_profile_last_change = mib_scalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 5, 3), time_ticks()).setMaxAccess('readonly') if mibBuilder.loadTexts: etsysStationPolicyProfileLastChange.setStatus('current') if mibBuilder.loadTexts: etsysStationPolicyProfileLastChange.setDescription('sysUpTime at which the etsysStationPolicyProfileTable was last modified.') etsys_station_policy_profile_table = mib_table((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 5, 4)) if mibBuilder.loadTexts: etsysStationPolicyProfileTable.setStatus('current') if mibBuilder.loadTexts: etsysStationPolicyProfileTable.setDescription("This table allows for a one to one mapping between a station's identifying address and a Policy Profile.") etsys_station_policy_profile_entry = mib_table_row((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 5, 4, 1)).setIndexNames((0, 'ENTERASYS-POLICY-PROFILE-MIB', 'etsysStationPolicyProfileIndex')) if mibBuilder.loadTexts: etsysStationPolicyProfileEntry.setStatus('current') if mibBuilder.loadTexts: etsysStationPolicyProfileEntry.setDescription('Describes a particular entry within the etsysStationPolicyProfileTable. Entries within this table MUST be considered non-volatile and MUST be maintained across entity resets.') etsys_station_policy_profile_index = mib_table_column((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 5, 4, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(1, 2147483647))) if mibBuilder.loadTexts: etsysStationPolicyProfileIndex.setStatus('current') if mibBuilder.loadTexts: etsysStationPolicyProfileIndex.setDescription('An index value which represents a unique station entry.') etsys_station_identifier_type = mib_table_column((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 5, 4, 1, 3), station_address_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: etsysStationIdentifierType.setStatus('current') if mibBuilder.loadTexts: etsysStationIdentifierType.setDescription('Indicates the type of station identifying address contained in etsysStationIdentifier.') etsys_station_identifier = mib_table_column((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 5, 4, 1, 4), station_address()).setMaxAccess('readonly') if mibBuilder.loadTexts: etsysStationIdentifier.setStatus('current') if mibBuilder.loadTexts: etsysStationIdentifier.setDescription('A value which represents a unique MAC Address, IP Address, or other identifying address for a station, or other logical and authenticatable sub-entity within a station, connected to a port.') etsys_station_policy_profile_oper_id = mib_table_column((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 5, 4, 1, 5), policy_profile_idtc()).setMaxAccess('readonly') if mibBuilder.loadTexts: etsysStationPolicyProfileOperID.setStatus('current') if mibBuilder.loadTexts: etsysStationPolicyProfileOperID.setDescription("This object is the current policy which is being applied to this entry's MAC Address. A value of zero(0) indicates there is no policy being applied to this MAC Address. The value of this object reflects either the setting from an underlying AAA service such as RADIUS, or the default setting based on the etsysPortPolicyProfileAdminID for the port on which the station is connected. This object and the corresponding etsysPortPolicyProfileAdminID will not be the same if this object has been set by an underlying security protocol such as RADIUS.") etsys_station_policy_profile_port_type = mib_table_column((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 5, 4, 1, 6), port_policy_profile_index_type_tc()).setMaxAccess('readonly') if mibBuilder.loadTexts: etsysStationPolicyProfilePortType.setStatus('current') if mibBuilder.loadTexts: etsysStationPolicyProfilePortType.setDescription('A textual convention that defines the specific type of port designator the corresponding entry represents.') etsys_station_policy_profile_port_id = mib_table_column((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 5, 4, 1, 7), integer32().subtype(subtypeSpec=value_range_constraint(1, 2147483647))).setMaxAccess('readonly') if mibBuilder.loadTexts: etsysStationPolicyProfilePortID.setStatus('current') if mibBuilder.loadTexts: etsysStationPolicyProfilePortID.setDescription("A value which represents the physical port, of the type defined by this entry's etsysStationPolicyProfilePortType, on which the associated station entity is connected. This object is for convenience in cross referencing stations to ports.") etsys_invalid_policy_action = mib_scalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 6, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('applyDefaultPolicy', 1), ('dropPackets', 2), ('forwardPackets', 3))).clone('applyDefaultPolicy')).setMaxAccess('readwrite') if mibBuilder.loadTexts: etsysInvalidPolicyAction.setStatus('current') if mibBuilder.loadTexts: etsysInvalidPolicyAction.setDescription('Specifies the action that the edge device should take if asked to apply an invalid or unknown policy. applyDefaultPolicy(1) - Ignore the result and search for the next policy assignment rule. dropPackets(2) - Block traffic. forwardPackets(3) - Forward traffic, as if no policy had been assigned (via 802.1D/Q rules). Although dropPackets(2) is the most secure option, it may not always be desirable.') etsys_invalid_policy_count = mib_scalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 6, 2), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: etsysInvalidPolicyCount.setStatus('current') if mibBuilder.loadTexts: etsysInvalidPolicyCount.setDescription('Increments to indicate the number of times the device has detected an invalid/unknown policy.') etsys_device_policy_profile_default = mib_scalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 8, 1), integer32().subtype(subtypeSpec=constraints_union(value_range_constraint(0, 0), value_range_constraint(1, 65535)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: etsysDevicePolicyProfileDefault.setStatus('current') if mibBuilder.loadTexts: etsysDevicePolicyProfileDefault.setDescription('If this value is non-zero, the value indicates the etsysPolicyProfileEntry (and its associated etsysPolicyClassificationTable entries) which should be used by the device if the device is incapable of using the profile (or specific parts of the profile) explicitly applied to an inbound frame. A value of zero indicates that no default profile is currently active.') etsys_policy_capabilities = mib_scalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 9, 1), bits().clone(namedValues=named_values(('supportsVLANForwarding', 0), ('supportsPriority', 1), ('supportsPermit', 2), ('supportsDeny', 3), ('supportsDeviceLevelPolicy', 4), ('supportsPrecedenceReordering', 5), ('supportsTciOverwrite', 6), ('supportsRulesTable', 7), ('supportsRuleUseAccounting', 8), ('supportsRuleUseNotification', 9), ('supportsCoSTable', 10), ('supportsLongestPrefixRules', 11), ('supportsPortDisableAction', 12), ('supportsRuleUseAutoClearOnLink', 13), ('supportsRuleUseAutoClearOnInterval', 14), ('supportsRuleUseAutoClearOnProfile', 15), ('supportsPolicyRFC3580MapTable', 16), ('supportsPolicyEnabledTable', 17), ('supportsMirror', 18), ('supportsEgressPolicy', 19)))).setMaxAccess('readonly') if mibBuilder.loadTexts: etsysPolicyCapabilities.setStatus('current') if mibBuilder.loadTexts: etsysPolicyCapabilities.setDescription('A list of capabilities related to policies. A set bit, with the value 1, indicates support for the described functionality. A clear bit, with the value 0, indicates the described functionality is not supported.') etsys_policy_dyna_pid_rule_capabilities = mib_scalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 9, 2), policy_rules_supported()).setMaxAccess('readonly') if mibBuilder.loadTexts: etsysPolicyDynaPIDRuleCapabilities.setStatus('current') if mibBuilder.loadTexts: etsysPolicyDynaPIDRuleCapabilities.setDescription('A list of rule types which are supported by this device for the purpose of dynamically assigning a profile to the network traffic described by the bit. A set bit, with the value 1, indicates support for the described functionality. A clear bit, with the value 0, indicates the described functionality is not supported.') etsys_policy_admin_pid_rule_capabilities = mib_scalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 9, 3), policy_rules_supported()).setMaxAccess('readonly') if mibBuilder.loadTexts: etsysPolicyAdminPIDRuleCapabilities.setStatus('current') if mibBuilder.loadTexts: etsysPolicyAdminPIDRuleCapabilities.setDescription('A list of rule types which are supported by this device for the purpose of administratively assigning a profile to the network traffic described by the bit. A set bit, with the value 1, indicates support for the described functionality. A clear bit, with the value 0, indicates the described functionality is not supported.') etsys_policy_vlan_rule_capabilities = mib_scalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 9, 4), policy_rules_supported()).setMaxAccess('readonly') if mibBuilder.loadTexts: etsysPolicyVlanRuleCapabilities.setStatus('current') if mibBuilder.loadTexts: etsysPolicyVlanRuleCapabilities.setDescription('A list of rule types which are supported by this device for the purpose of assigning a VlanId to the network traffic described by the bit. A set bit, with the value 1, indicates support for the described functionality. A clear bit, with the value 0, indicates the described functionality is not supported.') etsys_policy_cos_rule_capabilities = mib_scalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 9, 5), policy_rules_supported()).setMaxAccess('readonly') if mibBuilder.loadTexts: etsysPolicyCosRuleCapabilities.setStatus('current') if mibBuilder.loadTexts: etsysPolicyCosRuleCapabilities.setDescription('A list of rule types which are supported by this device for the purpose of assigning a CoS to the network traffic described by the bit. A set bit, with the value 1, indicates support for the described functionality. A clear bit, with the value 0, indicates the described functionality is not supported.') etsys_policy_drop_rule_capabilities = mib_scalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 9, 6), policy_rules_supported()).setMaxAccess('readonly') if mibBuilder.loadTexts: etsysPolicyDropRuleCapabilities.setStatus('current') if mibBuilder.loadTexts: etsysPolicyDropRuleCapabilities.setDescription('A list of rule types which are supported by this device for the purpose of discarding the network traffic described by the bit. A set bit, with the value 1, indicates support for the described functionality. A clear bit, with the value 0, indicates the described functionality is not supported.') etsys_policy_forward_rule_capabilities = mib_scalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 9, 7), policy_rules_supported()).setMaxAccess('readonly') if mibBuilder.loadTexts: etsysPolicyForwardRuleCapabilities.setStatus('current') if mibBuilder.loadTexts: etsysPolicyForwardRuleCapabilities.setDescription('A list of rule types which are supported by this device for the purpose of forwarding the network traffic described by the bit. A set bit, with the value 1, indicates support for the described functionality. A clear bit, with the value 0, indicates the described functionality is not supported.') etsys_policy_syslog_rule_capabilities = mib_scalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 9, 8), policy_rules_supported()).setMaxAccess('readonly') if mibBuilder.loadTexts: etsysPolicySyslogRuleCapabilities.setStatus('current') if mibBuilder.loadTexts: etsysPolicySyslogRuleCapabilities.setDescription('A list of rule types which are supported by this device for the purpose of issuing syslog messages when the rule is used to identify the network traffic described by the bit. A set bit, with the value 1, indicates support for the described functionality. A clear bit, with the value 0, indicates the described functionality is not supported.') etsys_policy_trap_rule_capabilities = mib_scalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 9, 9), policy_rules_supported()).setMaxAccess('readonly') if mibBuilder.loadTexts: etsysPolicyTrapRuleCapabilities.setStatus('current') if mibBuilder.loadTexts: etsysPolicyTrapRuleCapabilities.setDescription('A list of rule types which are supported by this device for the purpose of issuing an SNMP notify (trap) messages when the rule is used to identify the network traffic described by the bit. A set bit, with the value 1, indicates support for the described functionality. A clear bit, with the value 0, indicates the described functionality is not supported.') etsys_policy_disable_port_rule_capabilities = mib_scalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 9, 10), policy_rules_supported()).setMaxAccess('readonly') if mibBuilder.loadTexts: etsysPolicyDisablePortRuleCapabilities.setStatus('current') if mibBuilder.loadTexts: etsysPolicyDisablePortRuleCapabilities.setDescription('A list of rule types which are supported by this device for the purpose of disabling the ingress port identified when the rule matches the network traffic described by the bit. A set bit, with the value 1, indicates support for the described functionality. A clear bit, with the value 0, indicates the described functionality is not supported.') etsys_policy_supported_port_list = mib_scalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 9, 11), port_list()).setMaxAccess('readonly') if mibBuilder.loadTexts: etsysPolicySupportedPortList.setStatus('current') if mibBuilder.loadTexts: etsysPolicySupportedPortList.setDescription('The list ports which support policy profile assignment (i.e. the ports which _do_ policy). This object may be useful to management entities which desire to scope action to only those ports which support policy. A port which appears in this list, must support, at minimum, the assignment of a policy profile to all traffic ingressing the port.') etsys_policy_enabled_table = mib_table((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 9, 12)) if mibBuilder.loadTexts: etsysPolicyEnabledTable.setStatus('current') if mibBuilder.loadTexts: etsysPolicyEnabledTable.setDescription('This table allows for the configuration of policy profile assignment methods, per port, including the ability to disable policy profile assignment, per port. In addition, a ports capabilities, with respect to policy profile assignment are reported.') etsys_policy_enabled_table_entry = mib_table_row((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 9, 12, 1)).setIndexNames((0, 'BRIDGE-MIB', 'dot1dBasePort')) if mibBuilder.loadTexts: etsysPolicyEnabledTableEntry.setStatus('current') if mibBuilder.loadTexts: etsysPolicyEnabledTableEntry.setDescription('Describes a particular entry within the etsysPolicyEnabledTable.') etsys_policy_enabled_supported_rule_types = mib_table_column((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 9, 12, 1, 1), policy_rules_supported()).setMaxAccess('readonly') if mibBuilder.loadTexts: etsysPolicyEnabledSupportedRuleTypes.setStatus('current') if mibBuilder.loadTexts: etsysPolicyEnabledSupportedRuleTypes.setDescription('The list of rule types which the devices supports for the purpose of assigning policy profiles to network traffic ingressing this dot1dBasePort.') etsys_policy_enabled_enabled_rule_types = mib_table_column((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 9, 12, 1, 2), policy_rules_supported()).setMaxAccess('readwrite') if mibBuilder.loadTexts: etsysPolicyEnabledEnabledRuleTypes.setStatus('current') if mibBuilder.loadTexts: etsysPolicyEnabledEnabledRuleTypes.setDescription('The list of rule types from which the device will assign policy profiles to network traffic ingressing this dot1dBasePort. Rules which have a type not enumerated here must not be used to assign policy profiles, but must still be used to interrogate the rule-set bound to the determined policy profile. A set of all cleared bits will effectively disable policy in the port.') etsys_policy_enabled_egress_enabled = mib_table_column((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 9, 12, 1, 3), enabled_status().clone('disabled')).setMaxAccess('readwrite') if mibBuilder.loadTexts: etsysPolicyEnabledEgressEnabled.setStatus('current') if mibBuilder.loadTexts: etsysPolicyEnabledEgressEnabled.setDescription('Controls the enabling and disabling the application of policy as packets egress the switching process on the dot1dBasePort specified in the indexing.') etsys_policy_rule_attribute_table = mib_table((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 9, 13)) if mibBuilder.loadTexts: etsysPolicyRuleAttributeTable.setStatus('current') if mibBuilder.loadTexts: etsysPolicyRuleAttributeTable.setDescription('This table details each supported rule type attribute for rule data length in bytes, rule data length in bits, and the maximum number of rules that may use that type.') etsys_policy_rule_attribute_table_entry = mib_table_row((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 9, 13, 1)).setIndexNames((0, 'ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRuleType')) if mibBuilder.loadTexts: etsysPolicyRuleAttributeTableEntry.setStatus('current') if mibBuilder.loadTexts: etsysPolicyRuleAttributeTableEntry.setDescription('Describes a particular entry within the etsysPolicyRuleAttributeTable.') etsys_policy_rule_attribute_byte_length = mib_table_column((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 9, 13, 1, 1), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: etsysPolicyRuleAttributeByteLength.setStatus('current') if mibBuilder.loadTexts: etsysPolicyRuleAttributeByteLength.setDescription("This rule type's maximum length, in bytes of the etsysPolicyRuleData. Devices supporting this object MUST allow sets for this rule data of any valid length up to and including the length value represented by this object. Management entities must also expect to read back the maximum data length for each type regardless of the length the data was set with.") etsys_policy_rule_attribute_bit_length = mib_table_column((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 9, 13, 1, 2), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: etsysPolicyRuleAttributeBitLength.setStatus('current') if mibBuilder.loadTexts: etsysPolicyRuleAttributeBitLength.setDescription("This rule type's maximum bit length for traffic data. This value also represents the maximum mask that may be used for rule data. The mask MUST NOT exceed the rule data size. Masks that exceed the data size shall be considered invalid and result in an SNMP set failure.") etsys_policy_rule_attribute_max_creatable = mib_table_column((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 9, 13, 1, 3), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: etsysPolicyRuleAttributeMaxCreatable.setStatus('current') if mibBuilder.loadTexts: etsysPolicyRuleAttributeMaxCreatable.setDescription('If this value is non-zero, the value indicates the maximum number of rules of this type the agent can support.') etsys_policy_rule_tci_overwrite_capabilities = mib_scalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 9, 14), policy_rules_supported()).setMaxAccess('readonly') if mibBuilder.loadTexts: etsysPolicyRuleTciOverwriteCapabilities.setStatus('current') if mibBuilder.loadTexts: etsysPolicyRuleTciOverwriteCapabilities.setDescription('A list of rule types which are supported by this device for the purpose of overwriting the TCI in received packets described by the bit. A set bit, with the value 1, indicates support for the described functionality. A clear bit, with the value 0, indicates the described functionality is not supported.') etsys_policy_rule_mirror_capabilities = mib_scalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 9, 15), policy_rules_supported()).setMaxAccess('readonly') if mibBuilder.loadTexts: etsysPolicyRuleMirrorCapabilities.setStatus('current') if mibBuilder.loadTexts: etsysPolicyRuleMirrorCapabilities.setDescription('A list of rule types which are supported by this device for the purpose of mirroring the network traffic described by the bit. A set bit, with the value 1, indicates support for the described functionality. A clear bit, with the value 0, indicates the described functionality is not supported.') etsys_policy_map_max_entries = mib_scalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 10, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 65535))).setMaxAccess('readonly') if mibBuilder.loadTexts: etsysPolicyMapMaxEntries.setStatus('obsolete') if mibBuilder.loadTexts: etsysPolicyMapMaxEntries.setDescription('This has been obsoleted.') etsys_policy_map_num_entries = mib_scalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 10, 2), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: etsysPolicyMapNumEntries.setStatus('obsolete') if mibBuilder.loadTexts: etsysPolicyMapNumEntries.setDescription('This has been obsoleted.') etsys_policy_map_last_change = mib_scalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 10, 3), time_ticks()).setMaxAccess('readonly') if mibBuilder.loadTexts: etsysPolicyMapLastChange.setStatus('obsolete') if mibBuilder.loadTexts: etsysPolicyMapLastChange.setDescription('This has been obsoleted.') etsys_policy_map_pvid_over_ride = mib_scalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 10, 4), truth_value()).setMaxAccess('readwrite') if mibBuilder.loadTexts: etsysPolicyMapPvidOverRide.setStatus('obsolete') if mibBuilder.loadTexts: etsysPolicyMapPvidOverRide.setDescription('This has been obsoleted.') etsys_policy_map_unknown_pvid_policy = mib_scalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 10, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('denyAccess', 1), ('applyDefaultPolicy', 2), ('applyPvid', 3)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: etsysPolicyMapUnknownPvidPolicy.setStatus('obsolete') if mibBuilder.loadTexts: etsysPolicyMapUnknownPvidPolicy.setDescription('This has been obsoleted.') etsys_policy_map_table = mib_table((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 10, 6)) if mibBuilder.loadTexts: etsysPolicyMapTable.setStatus('obsolete') if mibBuilder.loadTexts: etsysPolicyMapTable.setDescription('This has been obsoleted.') etsys_policy_map_entry = mib_table_row((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 10, 6, 1)).setIndexNames((0, 'ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyMapIndex')) if mibBuilder.loadTexts: etsysPolicyMapEntry.setStatus('obsolete') if mibBuilder.loadTexts: etsysPolicyMapEntry.setDescription('This has been obsoleted.') etsys_policy_map_index = mib_table_column((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 10, 6, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 65535))) if mibBuilder.loadTexts: etsysPolicyMapIndex.setStatus('obsolete') if mibBuilder.loadTexts: etsysPolicyMapIndex.setDescription('This has been obsoleted.') etsys_policy_map_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 10, 6, 1, 2), row_status()).setMaxAccess('readcreate') if mibBuilder.loadTexts: etsysPolicyMapRowStatus.setStatus('obsolete') if mibBuilder.loadTexts: etsysPolicyMapRowStatus.setDescription('This has been obsoleted.') etsys_policy_map_start_vid = mib_table_column((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 10, 6, 1, 3), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 65535))).setMaxAccess('readcreate') if mibBuilder.loadTexts: etsysPolicyMapStartVid.setStatus('obsolete') if mibBuilder.loadTexts: etsysPolicyMapStartVid.setDescription('This has been obsoleted.') etsys_policy_map_end_vid = mib_table_column((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 10, 6, 1, 4), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 65535))).setMaxAccess('readcreate') if mibBuilder.loadTexts: etsysPolicyMapEndVid.setStatus('obsolete') if mibBuilder.loadTexts: etsysPolicyMapEndVid.setDescription('This has been obsoleted.') etsys_policy_map_policy_index = mib_table_column((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 10, 6, 1, 5), integer32().subtype(subtypeSpec=value_range_constraint(0, 65535))).setMaxAccess('readcreate') if mibBuilder.loadTexts: etsysPolicyMapPolicyIndex.setStatus('obsolete') if mibBuilder.loadTexts: etsysPolicyMapPolicyIndex.setDescription('This has been obsoleted.') etsys_policy_rules_max_entries = mib_scalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 11, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 65535))).setMaxAccess('readonly') if mibBuilder.loadTexts: etsysPolicyRulesMaxEntries.setStatus('current') if mibBuilder.loadTexts: etsysPolicyRulesMaxEntries.setDescription('The maximum number of entries allowed in the etsysPolicyRulesTable.') etsys_policy_rules_num_entries = mib_scalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 11, 2), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: etsysPolicyRulesNumEntries.setStatus('current') if mibBuilder.loadTexts: etsysPolicyRulesNumEntries.setDescription('The current number of entries in the etsysPolicyRulesTable.') etsys_policy_rules_last_change = mib_scalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 11, 3), time_ticks()).setMaxAccess('readonly') if mibBuilder.loadTexts: etsysPolicyRulesLastChange.setStatus('current') if mibBuilder.loadTexts: etsysPolicyRulesLastChange.setDescription('The sysUpTime at which the etsysPolicyRulesTable was last modified.') etsys_policy_rules_accounting_enable = mib_scalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 11, 4), enabled_status().clone('disabled')).setMaxAccess('readwrite') if mibBuilder.loadTexts: etsysPolicyRulesAccountingEnable.setStatus('current') if mibBuilder.loadTexts: etsysPolicyRulesAccountingEnable.setDescription('Controls the collection of rule usage statistics. If disabled, no usage statistics are gathered and no auditing messages will be sent. When enabled, rule will gather usage statistics, and auditing messages will be sent, if enabled for a given rule.') etsys_policy_rules_port_disabled_list = mib_scalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 11, 5), port_list()).setMaxAccess('readwrite') if mibBuilder.loadTexts: etsysPolicyRulesPortDisabledList.setStatus('current') if mibBuilder.loadTexts: etsysPolicyRulesPortDisabledList.setDescription('A portlist containing bits representing the dot1dBridgePorts which have been disabled via the mechanism described in the etsysPolicyRuleDisablePort leaf. A set bit indicates a disabled port. Ports may be enabled by performing a set with the corresponding bit cleared. Bits which are set will be ignored during the set operation.') etsys_policy_rule_table = mib_table((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 11, 6)) if mibBuilder.loadTexts: etsysPolicyRuleTable.setStatus('current') if mibBuilder.loadTexts: etsysPolicyRuleTable.setDescription('A table containing rules bound to individual policies. A Rule is comprised of three components, a unique description of the network traffic, an associated list of actions, and an associated list of accounting and auditing controls and information. The unique description of the network traffic, defined by a PolicyClassificationRuleType together with a length, matching data and a relevant bits field, port type, and port number (port number zero is reserved to mean any port), and scoped by a etsysPolicyProfileIndex, is used as the table index.') etsys_policy_rule_entry = mib_table_row((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 11, 6, 1)).setIndexNames((0, 'ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRuleProfileIndex'), (0, 'ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRuleType'), (0, 'ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRuleData'), (0, 'ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRulePrefixBits'), (0, 'ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRulePortType'), (0, 'ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRulePort')) if mibBuilder.loadTexts: etsysPolicyRuleEntry.setStatus('current') if mibBuilder.loadTexts: etsysPolicyRuleEntry.setDescription('Describes a particular entry within the etsysPolicyRuleTable. Entries within this table MUST be considered non-volatile and MUST be maintained across entity resets.') etsys_policy_rule_profile_index = mib_table_column((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 11, 6, 1, 1), integer32().subtype(subtypeSpec=constraints_union(value_range_constraint(0, 0), value_range_constraint(1, 65535)))) if mibBuilder.loadTexts: etsysPolicyRuleProfileIndex.setStatus('current') if mibBuilder.loadTexts: etsysPolicyRuleProfileIndex.setDescription('The etsysPolicyProfileIndex for which the rule is defined. A value of zero(0) has special meaning in that it scopes rules which are used to determine the Policy Profile to which the frame belongs. See the etsysPolicyRuleResult1 and etsysPolicyRuleResult2 descriptions for specifics of how the results of a rule hit differ when the etsysPolicyRuleProfileIndex is zero.') etsys_policy_rule_type = mib_table_column((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 11, 6, 1, 2), policy_classification_rule_type()) if mibBuilder.loadTexts: etsysPolicyRuleType.setStatus('current') if mibBuilder.loadTexts: etsysPolicyRuleType.setDescription('The type of network traffic reference by the etsysPolicyRuleData.') etsys_policy_rule_data = mib_table_column((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 11, 6, 1, 3), octet_string().subtype(subtypeSpec=value_size_constraint(0, 64))) if mibBuilder.loadTexts: etsysPolicyRuleData.setStatus('current') if mibBuilder.loadTexts: etsysPolicyRuleData.setDescription('The data pattern to match against, as defined by the etsysPolicyRuleType, encoded in network-byte order.') etsys_policy_rule_prefix_bits = mib_table_column((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 11, 6, 1, 4), integer32().subtype(subtypeSpec=constraints_union(value_range_constraint(0, 0), value_range_constraint(1, 2048)))) if mibBuilder.loadTexts: etsysPolicyRulePrefixBits.setStatus('current') if mibBuilder.loadTexts: etsysPolicyRulePrefixBits.setDescription('The relevant number of bits defined by the etsysPolicyRuleData, to be used when matching against a frame, relevant bits are specified in longest-prefix-first style (left to right). A value of zero carries the special meaning of all bits are relevant.') etsys_policy_rule_port_type = mib_table_column((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 11, 6, 1, 5), port_policy_profile_index_type_tc()) if mibBuilder.loadTexts: etsysPolicyRulePortType.setStatus('current') if mibBuilder.loadTexts: etsysPolicyRulePortType.setDescription('The port number on which the rule will be applied. Zero(0) is a special case, indicating that the rule should be applied to all ports.') etsys_policy_rule_port = mib_table_column((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 11, 6, 1, 6), integer32().subtype(subtypeSpec=constraints_union(value_range_constraint(0, 0), value_range_constraint(1, 2147483647)))) if mibBuilder.loadTexts: etsysPolicyRulePort.setStatus('current') if mibBuilder.loadTexts: etsysPolicyRulePort.setDescription('The port number on which the rule will be applied. Zero(0) is a special case, indicating that the rule should be applied to all ports.') etsys_policy_rule_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 11, 6, 1, 7), row_status()).setMaxAccess('readcreate') if mibBuilder.loadTexts: etsysPolicyRuleRowStatus.setStatus('current') if mibBuilder.loadTexts: etsysPolicyRuleRowStatus.setDescription("The status of this row. When set to active(1) this entry's classification rule, as referenced by etsysPolicyRulesOID, becomes one of its associated policy's set of rules. When this entry's associated policy, as defined by etsysPolicyRuleProfileIndex, is active and assigned to a port through the etsysPortPolicyProfileTable or to a station through the etsysStationPolicyProfileTabbe, this classification rule will be applied to the port or station. The exact behavior of this application depends upon the classification rule. When this object is set to notInService(2) or notReady(3) this entry is not considered one of its associated policy's set of rules and this classification rule will not be applied.") etsys_policy_rule_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 11, 6, 1, 8), storage_type().clone('nonVolatile')).setMaxAccess('readcreate') if mibBuilder.loadTexts: etsysPolicyRuleStorageType.setStatus('current') if mibBuilder.loadTexts: etsysPolicyRuleStorageType.setDescription("The storage type of this row. When set to volatile(1) this entry's classification rule, as referenced by etsysPolicyRulesOID, will be removed (if present) from non-volatile storage. Rows created dynamically by the device will typically report this as their default storage type. When set to nonVolatile(1) this entry's classification rule, as referenced by etsysPolicyRulesOID, will be added to non- volatile storage. This is the default value for rows created as the result of external management. Values of other(0), permanent(4), and readOnly(5) may not be set, although they may be returned for rows created by the device.") etsys_policy_rule_usage_list = mib_table_column((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 11, 6, 1, 9), port_list()).setMaxAccess('readwrite') if mibBuilder.loadTexts: etsysPolicyRuleUsageList.setStatus('current') if mibBuilder.loadTexts: etsysPolicyRuleUsageList.setDescription("When read, a set bit indicates that this rule was used to classify traffic on the corresponding port. When set, the native PortList will be bit-wise AND'ed with the set PortList, allowing the agent to clear the usage indication.") etsys_policy_rule_result1 = mib_table_column((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 11, 6, 1, 10), integer32().subtype(subtypeSpec=constraints_union(value_range_constraint(-1, -1), value_range_constraint(0, 0), value_range_constraint(1, 4094), value_range_constraint(4095, 4095))).clone(-1)).setMaxAccess('readcreate') if mibBuilder.loadTexts: etsysPolicyRuleResult1.setStatus('current') if mibBuilder.loadTexts: etsysPolicyRuleResult1.setDescription('If the etsysPolicyRuleProfileIndex is 0 then this field is read-only and defines the profile ID which will assigned to frames matching this rule. This is the dynamically assigned value and may differ from the administratively configured value. If the etsysPolicyRuleProfileIndex is not 0 then this field is read-create and defines the VLAN ID with which to mark a frame matching this PolicyRule. Note that three special, otherwise illegal, values of the etsysPolicyRuleVlan are used in defining the forwarding action. -1 Indicates that no VLAN or forwarding behavior modification is desired. A rule will not be matched against for the purpose of determining a marking VID if this value is set. 0 Indicates that the default forwarding action is to drop the packets matching this rule. 4095 Indicates that the default forwarding action is to forward any packets matching this rule.') etsys_policy_rule_result2 = mib_table_column((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 11, 6, 1, 11), integer32().subtype(subtypeSpec=constraints_union(value_range_constraint(-1, -1), value_range_constraint(0, 4095))).clone(-1)).setMaxAccess('readcreate') if mibBuilder.loadTexts: etsysPolicyRuleResult2.setStatus('current') if mibBuilder.loadTexts: etsysPolicyRuleResult2.setDescription('If the etsysPolicyRuleProfileIndex is 0 then this field is read-create and defines the profile ID which the managing entity desires assigned to frames matching this rule. This is the administrative value and may differ from the dynamically assigned active value. If the etsysPolicyRuleProfileIndex is not 0 then this field is The CoS with which to mark a frame matching this PolicyRule. Note that one special, otherwise illegal, values of the etsysPolicyRuleCoS are used in defining the forwarding action. -1 Indicates that no CoS or forwarding behavior modification is desired. A rule will not be matched against for the purpose of determining a CoS if this value is set.') etsys_policy_rule_audit_syslog_enable = mib_table_column((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 11, 6, 1, 12), tri_state_status().clone('disabled')).setMaxAccess('readcreate') if mibBuilder.loadTexts: etsysPolicyRuleAuditSyslogEnable.setStatus('current') if mibBuilder.loadTexts: etsysPolicyRuleAuditSyslogEnable.setDescription('Controls the sending of a syslog message when a bit in the etsysPolicyRuleUsageList transitions from 0 to 1.') etsys_policy_rule_audit_trap_enable = mib_table_column((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 11, 6, 1, 13), tri_state_status().clone('disabled')).setMaxAccess('readcreate') if mibBuilder.loadTexts: etsysPolicyRuleAuditTrapEnable.setStatus('current') if mibBuilder.loadTexts: etsysPolicyRuleAuditTrapEnable.setDescription('Controls the sending of an SNMP NOTIFICATION when a bit in the etsysPolicyRuleUsageList transitions from 0 to 1.') etsys_policy_rule_disable_port = mib_table_column((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 11, 6, 1, 14), tri_state_status().clone('disabled')).setMaxAccess('readcreate') if mibBuilder.loadTexts: etsysPolicyRuleDisablePort.setStatus('current') if mibBuilder.loadTexts: etsysPolicyRuleDisablePort.setDescription('Controls the disabling of a port (ifOperStatus of the corresponding ifIndex will be down) when a bit in the etsysPolicyRuleUsageList transitions from 0 to 1. When set to enabled, the corresponding ifIndex will be disabled upon the transition.') etsys_policy_rule_oper_pid = mib_table_column((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 11, 6, 1, 15), integer32().subtype(subtypeSpec=constraints_union(value_range_constraint(-1, -1), value_range_constraint(0, 4095))).clone(-1)).setMaxAccess('readonly') if mibBuilder.loadTexts: etsysPolicyRuleOperPid.setStatus('current') if mibBuilder.loadTexts: etsysPolicyRuleOperPid.setDescription('If the etsysPolicyRuleProfileIndex is 0 then this field contains the currently applied profile ID for frames matching this rule. This may be either the administratively applied value or the dynamically applied value. If the etsysPolicyRuleProfileIndex is not 0, then this object does not exist and will not be returned. Note that one special, otherwise illegal, values of the etsysPolicyRuleCoS are used in defining the forwarding action. -1 Indicates that no profile ID is being applied by this rule.') etsys_policy_rule_overwrite_tci = mib_table_column((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 11, 6, 1, 16), tri_state_status().clone('disabled')).setMaxAccess('readcreate') if mibBuilder.loadTexts: etsysPolicyRuleOverwriteTCI.setStatus('current') if mibBuilder.loadTexts: etsysPolicyRuleOverwriteTCI.setDescription('If set, the information contained within the TCI field of inbound, tagged packets will not be used by the device after the ingress classification stage of packet relay. The net effect will be that the TCI information may be used to classify the packet, but will be overwritten (and ignored) by subsequent stages of packet relay.') etsys_policy_rule_mirror_index = mib_table_column((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 11, 6, 1, 17), integer32().subtype(subtypeSpec=constraints_union(value_range_constraint(-1, -1), value_range_constraint(0, 0), value_range_constraint(1, 255))).clone(-1)).setMaxAccess('readcreate') if mibBuilder.loadTexts: etsysPolicyRuleMirrorIndex.setStatus('current') if mibBuilder.loadTexts: etsysPolicyRuleMirrorIndex.setDescription('A reference to a packet mirror destination (defined elsewhere). A value of (-1) indicates no mirror is specified, but a mirror is not explicitly prohibitted. A value of (0) indicates that mirroring is explicitly prohibitted, unless a high precedent rule has specified a mirror.') etsys_policy_rule_port_table = mib_table((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 11, 7)) if mibBuilder.loadTexts: etsysPolicyRulePortTable.setStatus('current') if mibBuilder.loadTexts: etsysPolicyRulePortTable.setDescription('The purpose of this table is to provide an agent the ability to easily determine which rules have been used on a given bridge port. A row will only be present when the rule which the instancing describes has been used. The agent may remove a row (and clear the used status) by setting the etsysPolicyRulePortHit leaf to False. PolicyClassificationRuleType together with a length, matching data and a relevant bits field, port type, and port number (port number zero is reserved to mean any port), scoped by a etsysPolicyRuleProfileIndex, and preceded by a dot1dBasePort is used as the table index.') etsys_policy_rule_port_entry = mib_table_row((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 11, 7, 1)).setIndexNames((0, 'BRIDGE-MIB', 'dot1dBasePort'), (0, 'ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRuleProfileIndex'), (0, 'ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRuleType'), (0, 'ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRuleData'), (0, 'ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRulePrefixBits'), (0, 'ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRulePortType'), (0, 'ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRulePort')) if mibBuilder.loadTexts: etsysPolicyRulePortEntry.setStatus('current') if mibBuilder.loadTexts: etsysPolicyRulePortEntry.setDescription('.') etsys_policy_rule_port_hit = mib_table_column((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 11, 7, 1, 1), truth_value()).setMaxAccess('readwrite') if mibBuilder.loadTexts: etsysPolicyRulePortHit.setStatus('current') if mibBuilder.loadTexts: etsysPolicyRulePortHit.setDescription('Every row will report a value of True, indicating that the Rule described by the instancing was used on the given port. An agent may be set this leaf to False to clear remove the row and clear the Rule Use bit for the specified Rule, on the given bridgePort.') etsys_policy_rule_dynamic_profile_assignment_override = mib_scalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 11, 8), truth_value().clone('false')).setMaxAccess('readwrite') if mibBuilder.loadTexts: etsysPolicyRuleDynamicProfileAssignmentOverride.setStatus('current') if mibBuilder.loadTexts: etsysPolicyRuleDynamicProfileAssignmentOverride.setDescription('If true, administratively assigned profile assignment rules override dynamically assigned profiles assignments for a given rule. If false, the dynamically assigned value (typically created by a successful authentication attempt) overrides the administratively configured value. The agent may optionally implement this leaf as read-only.') etsys_policy_rule_default_dynamic_syslog_status = mib_scalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 11, 9), tri_state_status().clone('disabled')).setMaxAccess('readwrite') if mibBuilder.loadTexts: etsysPolicyRuleDefaultDynamicSyslogStatus.setStatus('current') if mibBuilder.loadTexts: etsysPolicyRuleDefaultDynamicSyslogStatus.setDescription('If enabled(1), rules dynamically created will set etsysPolicyRuleAuditSyslogEnable to enabled. If disabled(2) a dynamically created rule will have etsysPolicyRuleAuditSyslogEnable set to disabled. The agent may optionally implement this leaf as read-only.') etsys_policy_rule_default_dynamic_trap_status = mib_scalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 11, 10), tri_state_status().clone('disabled')).setMaxAccess('readwrite') if mibBuilder.loadTexts: etsysPolicyRuleDefaultDynamicTrapStatus.setStatus('current') if mibBuilder.loadTexts: etsysPolicyRuleDefaultDynamicTrapStatus.setDescription('If enabled(1), rules dynamically created will set etsysPolicyRuleAuditTrapEnable to enabled. If disabled(2) a dynamically created rule will have etsysPolicyRuleAuditTrapEnable set to disabled. The agent may optionally implement this leaf as read-only.') etsys_policy_rule_stats_auto_clear_on_link = mib_scalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 11, 11), enabled_status().clone('disabled')).setMaxAccess('readwrite') if mibBuilder.loadTexts: etsysPolicyRuleStatsAutoClearOnLink.setStatus('current') if mibBuilder.loadTexts: etsysPolicyRuleStatsAutoClearOnLink.setDescription('If set to enabled(1), when operstatus up is detected on any port the agent will clear the rule usage information associated with that port. This ability is further scoped to the list of ports defined by etsysPolicyRuleStatsAutoClearPorts. This leaf is optional and will have no effect on an agent which has rule use accounting disabled or does not support rule use accounting. By default, the rule use accounting information will not be modified by operstatus transitions.') etsys_policy_rule_stats_auto_clear_interval = mib_scalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 11, 12), integer32().subtype(subtypeSpec=constraints_union(value_range_constraint(0, 0), value_range_constraint(1, 65535)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: etsysPolicyRuleStatsAutoClearInterval.setStatus('current') if mibBuilder.loadTexts: etsysPolicyRuleStatsAutoClearInterval.setDescription('The interval at which the device will automatically clear rule usage statistics, in minutes. This ability is disabled (usage statistics will not be automatically cleared) if set to zero(0). This ability is further scoped to the list of ports defined by etsysPolicyRuleStatsAutoClearPorts. This leaf is optional and will have no effect on an agent which has rule use accounting disabled or does not support rule use accounting.') etsys_policy_rule_stats_auto_clear_ports = mib_scalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 11, 13), port_list()).setMaxAccess('readwrite') if mibBuilder.loadTexts: etsysPolicyRuleStatsAutoClearPorts.setStatus('current') if mibBuilder.loadTexts: etsysPolicyRuleStatsAutoClearPorts.setDescription("The list ports on which rule usage statistics will be cleared by one of the AutoClear actions (etsysPolicyRuleStatsAutoClearInterval, etsysPolicyRuleStatsAutoClearOnProfile, or etsysPolicyRuleStatsAutoClearOnLink). By default, no ports will be set in this list. This leaf is optional, unless the agent claims support for one of the other 'autoclear' objects, and will have no effect on an agent which has rule use accounting disabled or does not support rule use accounting.") etsys_policy_rule_stats_auto_clear_on_profile = mib_scalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 11, 14), enabled_status().clone('disabled')).setMaxAccess('readwrite') if mibBuilder.loadTexts: etsysPolicyRuleStatsAutoClearOnProfile.setStatus('current') if mibBuilder.loadTexts: etsysPolicyRuleStatsAutoClearOnProfile.setDescription('If set to enabled(1), when a rule assigning a PolicyProfile (whose etsysPolicyRuleProfileIndex is zero(0)) is activated, all the rule usage bits associated with the rules bound to the PolicyProfile specified by the etsysPolicyRuleOperPid and the port specified by the etsysPolicyRulePort are cleared (if there is no port specified or no valid etsysPolicyRuleProfileIndex specified, then no action follows). This ability is further scoped to the list of ports defined by etsysPolicyRuleStatsAutoClearPorts. This leaf is optional and will have no effect on an agent which has rule use accounting disabled or does not support rule use accounting. By default, the rule use accounting information will not be modified by the creation or activation of PolicyProfile assignment rules.') etsys_policy_rule_stats_dropped_notifications = mib_scalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 11, 15), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: etsysPolicyRuleStatsDroppedNotifications.setStatus('current') if mibBuilder.loadTexts: etsysPolicyRuleStatsDroppedNotifications.setDescription("A count of the number of times the agent has dropped notification (syslog or trap) of a etsysPolicyRuleUsageList bit transition. A management entity might use this leaf as an indication to read the etsysPolicyRuleUsageList objects for important rules. This count should be kept to the best of the device's ability, and explicitly does not cover notifications discarded by the network.") etsys_policy_rule_sylog_machine_readable_format = mib_scalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 11, 16), enabled_status().clone('disabled')).setMaxAccess('readwrite') if mibBuilder.loadTexts: etsysPolicyRuleSylogMachineReadableFormat.setStatus('current') if mibBuilder.loadTexts: etsysPolicyRuleSylogMachineReadableFormat.setDescription('If enabled, the device should format rule usage messages so that they might be processed by a machine (scripting backend, etc). If disabled, the messages should be formatted for human consumption.') etsys_policy_rule_sylog_extended_format = mib_scalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 11, 17), enabled_status().clone('disabled')).setMaxAccess('readwrite') if mibBuilder.loadTexts: etsysPolicyRuleSylogExtendedFormat.setStatus('current') if mibBuilder.loadTexts: etsysPolicyRuleSylogExtendedFormat.setDescription('If enabled, the device should provide additional information in rule-hit syslog messages. This information MAY include what actions may have been initiated by the rule (if any) or data mined from the packet which matched the rule.') etsys_policy_rule_sylog_every_time = mib_scalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 11, 18), enabled_status().clone('disabled')).setMaxAccess('readwrite') if mibBuilder.loadTexts: etsysPolicyRuleSylogEveryTime.setStatus('current') if mibBuilder.loadTexts: etsysPolicyRuleSylogEveryTime.setDescription('If enabled, the device will syslog on every rule hit (or profile hit) which specifies SYSLOG as the action, instead of only when the associated bit in the etsysPolicyProfileUsageList or the etsysPolicyRuleUsageList is clear. It should be noted that this may cause MANY messages to be generated.') etsys_policy_rfc3580_map_resolve_reponse_conflict = mib_scalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 12, 1), policy_rfc3580_map_radius_response_tc().clone('policyProfile')).setMaxAccess('readwrite') if mibBuilder.loadTexts: etsysPolicyRFC3580MapResolveReponseConflict.setStatus('current') if mibBuilder.loadTexts: etsysPolicyRFC3580MapResolveReponseConflict.setDescription('Indicates which field to use in the application of the RADIUS response in the event that both the proprietary filter-id indicating a policy profile and the standard (RFC3580) vlan- tunnel-attribute are present. If policyProfile(1) is selected, then the filter-id will be used, if vlanTunnelAttribute(2) is selected, then the vlan-tunnel-attribute will be used (and the policy-map will be applied, if present). A value of vlanTunnelAttributeWithPolicyProfile(3) indicates that both attributes should be applied, in the following manner: the policyProfile should be enforced, with the exception of the etsysPolicyProfilePortVid (if present), the returned vlan-tunnel-attribute will be used in its place. In this case, the policy-map will be ignored (as the policyProfile was explicitly assigned). VLAN classification rules will still be applied, as defined by the assigned policyProfile. Modifications of this value will not effect the current status of any users currently authenticated. The new state will be applied to new, successful authentications. The current status of current authentication may be modified through the individual agents or through the ENTERASYS-MULTI-AUTH-MIB, if supported.') etsys_policy_rfc3580_map_last_change = mib_scalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 12, 2), time_ticks()).setMaxAccess('readonly') if mibBuilder.loadTexts: etsysPolicyRFC3580MapLastChange.setStatus('current') if mibBuilder.loadTexts: etsysPolicyRFC3580MapLastChange.setDescription('The value of sysUpTime when the etsysPolicyRFC3580MapTable was last modified.') etsys_policy_rfc3580_map_table_default = mib_scalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 12, 3), truth_value()).setMaxAccess('readwrite') if mibBuilder.loadTexts: etsysPolicyRFC3580MapTableDefault.setStatus('current') if mibBuilder.loadTexts: etsysPolicyRFC3580MapTableDefault.setDescription('If read as True, then the etsysPolicyRFC3580MapTable is in the default state (no mappings have been created), if False, then non-default mappings exist. If set to True, then the etsysPolicyRFC3580MapTable will be put into the default state (no mappings will exist). A set to False is not valid and MUST fail.') etsys_policy_rfc3580_map_table = mib_table((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 12, 4)) if mibBuilder.loadTexts: etsysPolicyRFC3580MapTable.setStatus('current') if mibBuilder.loadTexts: etsysPolicyRFC3580MapTable.setDescription('A table containing VLAN ID to policy mappings. A policy is a group of classification rules which may be applied on a per user basis, to ports or to stations.') etsys_policy_rfc3580_map_entry = mib_table_row((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 12, 4, 1)).setIndexNames((0, 'ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRFC3580MapVlanId')) if mibBuilder.loadTexts: etsysPolicyRFC3580MapEntry.setStatus('current') if mibBuilder.loadTexts: etsysPolicyRFC3580MapEntry.setDescription('Conceptually defines a particular entry within the etsysPolicyRFC3580MapTable. Entries within this table MUST be considered non-volatile and MUST be maintained across entity resets.') etsys_policy_rfc3580_map_vlan_id = mib_table_column((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 12, 4, 1, 1), vlan_index()) if mibBuilder.loadTexts: etsysPolicyRFC3580MapVlanId.setReference('IEEE 802.1X RADIUS Usage Guidelines (RFC 3580)') if mibBuilder.loadTexts: etsysPolicyRFC3580MapVlanId.setStatus('current') if mibBuilder.loadTexts: etsysPolicyRFC3580MapVlanId.setDescription('The VlanIndex which will map to the policy profile specified by the etsysPolicyRFC3580MapPolicyIndex of this row. This will be used to map the VLAN returned by value from the Tunnel- Private-Group-ID RADIUS attribute.') etsys_policy_rfc3580_map_policy_index = mib_table_column((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 12, 4, 1, 2), policy_profile_idtc().subtype(subtypeSpec=constraints_union(value_range_constraint(0, 0), value_range_constraint(1, 65535)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: etsysPolicyRFC3580MapPolicyIndex.setReference('IEEE 802.1X RADIUS Usage Guidelines (RFC 3580)') if mibBuilder.loadTexts: etsysPolicyRFC3580MapPolicyIndex.setStatus('current') if mibBuilder.loadTexts: etsysPolicyRFC3580MapPolicyIndex.setDescription('The index of a Policy Profle as defined in the etsysPolicyProfileTable. A value of 0 indicates that the row is functionally non- operational (no mapping exists). Devices which support the ENTERASYS-VLAN-AUTHORIZATION-MIB, and for which the value of etsysVlanAuthorizationEnable is Enabled and the value of etsysVlanAuthorizationStatus is Enabled on the port referenced by the authorization request, should then use the VlanIndex provisioned (e.g. from the Tunnel-Private-Group-ID RADIUS attribute) as defined by RFC3580, otherwise, the device should treat the result as if no matching Policy Profile had been found (e.g. as a simple success). In the case where a Policy Profile is already being applied to the referenced station, but no mapping exists, the device MUST treat the Tunnel-Private-Group-ID as an override to the etsysPolicyProfilePortVid defined by that profile (any matched classification rules which explicit provision a VLAN MUST still override both the etsysPolicyProfilePortVid and the Tunnel-Private-Group-ID.) A non-zero value of this object indicates that the VlanIndex provisioned (e.g. from the Tunnel-Private-Group-ID RADIUS attribute) should be mapped to a Policy Profile as defined in the etsysPolicyProfileTable, and that policy applied as if the Policy name had been provisioned instead (e.g, in the Filter-ID RADIUS attribute). If the mapping references a non-existent row of the etsysPolicyProfileTable, or the referenced row has a etsysPolicyProfileRowStatus value other than Active, the device MUST behave as if the mapping did not exist (apply the vlan-tunnel-attribute). The etsysPolicyRFC3580MapInvalidMapping MUST then be incremented.') etsys_policy_rfc3580_map_invalid_mapping = mib_scalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 12, 5), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: etsysPolicyRFC3580MapInvalidMapping.setStatus('current') if mibBuilder.loadTexts: etsysPolicyRFC3580MapInvalidMapping.setDescription('Increments to indicate the number of times the device has detected an invalid/unknown EtsysPolicyRFC3580MapEntry (i.e. one that references an in-active or non-existent etsysPolicyProfile).') etsys_policy_profile_conformance = mib_identifier((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 7)) etsys_policy_profile_groups = mib_identifier((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 7, 1)) etsys_policy_profile_compliances = mib_identifier((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 7, 2)) etsys_policy_profile_group = object_group((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 7, 1, 1)).setObjects(('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyProfileMaxEntries'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyProfileNumEntries'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyProfileLastChange'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyProfileTableNextAvailableIndex'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyProfileName'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyProfileRowStatus'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyProfilePortVidStatus'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyProfilePortVid'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyProfilePriorityStatus'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyProfilePriority'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyProfileEgressVlans'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyProfileForbiddenVlans'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyProfileUntaggedVlans'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyProfileOverwriteTCI'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyProfileRulePrecedence'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyProfileVlanRFC3580Mappings')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): etsys_policy_profile_group = etsysPolicyProfileGroup.setStatus('deprecated') if mibBuilder.loadTexts: etsysPolicyProfileGroup.setDescription('A collection of objects providing Policy Profile Creation.') etsys_policy_classification_group = object_group((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 7, 1, 2)).setObjects(('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyClassificationMaxEntries'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyClassificationNumEntries'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyClassificationLastChange'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyClassificationOID'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyClassificationRowStatus'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyClassificationIngressList')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): etsys_policy_classification_group = etsysPolicyClassificationGroup.setStatus('deprecated') if mibBuilder.loadTexts: etsysPolicyClassificationGroup.setDescription('A collection of objects providing a mapping between a set of Classification Rules and a Policy Profile.') etsys_port_policy_profile_group = object_group((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 7, 1, 3)).setObjects(('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPortPolicyProfileLastChange'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPortPolicyProfileAdminID'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPortPolicyProfileOperID'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPortPolicyProfileSummaryAdminID'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPortPolicyProfileSummaryOperID')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): etsys_port_policy_profile_group = etsysPortPolicyProfileGroup.setStatus('deprecated') if mibBuilder.loadTexts: etsysPortPolicyProfileGroup.setDescription('A collection of objects providing a mapping from a specific port to a Policy Profile instance. Only the read-only portions of this group are now current. They are listed under etsysPortPolicyProfileGroup2.') etsys_station_policy_profile_group = object_group((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 7, 1, 5)).setObjects(('ENTERASYS-POLICY-PROFILE-MIB', 'etsysStationPolicyProfileMaxEntries'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysStationPolicyProfileNumEntries'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysStationPolicyProfileLastChange'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysStationIdentifierType'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysStationIdentifier'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysStationPolicyProfileOperID'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysStationPolicyProfilePortType'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysStationPolicyProfilePortID')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): etsys_station_policy_profile_group = etsysStationPolicyProfileGroup.setStatus('current') if mibBuilder.loadTexts: etsysStationPolicyProfileGroup.setDescription('A collection of objects providing a mapping from a specific station to a Policy Profile instance.') etsys_invalid_policy_policy_group = object_group((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 7, 1, 6)).setObjects(('ENTERASYS-POLICY-PROFILE-MIB', 'etsysInvalidPolicyAction'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysInvalidPolicyCount')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): etsys_invalid_policy_policy_group = etsysInvalidPolicyPolicyGroup.setStatus('current') if mibBuilder.loadTexts: etsysInvalidPolicyPolicyGroup.setDescription('A collection of objects that help to define a mapping from logical authorization services outcomes to access control and policy actions.') etsys_device_policy_profile_group = object_group((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 7, 1, 7)).setObjects(('ENTERASYS-POLICY-PROFILE-MIB', 'etsysDevicePolicyProfileDefault')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): etsys_device_policy_profile_group = etsysDevicePolicyProfileGroup.setStatus('current') if mibBuilder.loadTexts: etsysDevicePolicyProfileGroup.setDescription('An object that provides a device level supplemental policy for entities that are not able to apply portions of the profile definition uniquely on individual ports.') etsys_policy_capabilities_group = object_group((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 7, 1, 8)).setObjects(('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyCapabilities'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyVlanRuleCapabilities'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyCosRuleCapabilities'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyDropRuleCapabilities'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyForwardRuleCapabilities'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyDynaPIDRuleCapabilities'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyAdminPIDRuleCapabilities'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicySyslogRuleCapabilities'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyTrapRuleCapabilities'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyDisablePortRuleCapabilities'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicySupportedPortList'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyEnabledSupportedRuleTypes'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyEnabledEnabledRuleTypes')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): etsys_policy_capabilities_group = etsysPolicyCapabilitiesGroup.setStatus('deprecated') if mibBuilder.loadTexts: etsysPolicyCapabilitiesGroup.setDescription('An object that indicates the capabilities of the managed entity with respect to Policy Profiles.') etsys_policy_map_group = object_group((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 7, 1, 9)).setObjects(('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyMapMaxEntries'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyMapNumEntries'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyMapLastChange'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyMapPvidOverRide'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyMapUnknownPvidPolicy'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyMapRowStatus'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyMapStartVid'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyMapEndVid'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyMapPolicyIndex')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): etsys_policy_map_group = etsysPolicyMapGroup.setStatus('obsolete') if mibBuilder.loadTexts: etsysPolicyMapGroup.setDescription('This object group has been obsoleted.') etsys_policy_rules_group = object_group((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 7, 1, 10)).setObjects(('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRulesMaxEntries'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRulesNumEntries'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRulesLastChange'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRulesAccountingEnable'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRulesPortDisabledList'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRuleRowStatus'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRuleStorageType'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRuleUsageList'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRuleResult1'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRuleResult2'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRuleAuditSyslogEnable'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRuleAuditTrapEnable'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRuleDisablePort'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRuleOperPid'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRulePortHit'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRuleDynamicProfileAssignmentOverride'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRuleDefaultDynamicSyslogStatus'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRuleDefaultDynamicTrapStatus'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRuleStatsAutoClearOnLink'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRuleStatsAutoClearInterval'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRuleStatsAutoClearPorts'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRuleStatsAutoClearOnProfile')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): etsys_policy_rules_group = etsysPolicyRulesGroup.setStatus('deprecated') if mibBuilder.loadTexts: etsysPolicyRulesGroup.setDescription('An object that indicates the capabilities of the managed entity with respect to Policy Profiles.') etsys_port_policy_profile_group2 = object_group((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 7, 1, 11)).setObjects(('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPortPolicyProfileSummaryAdminID'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPortPolicyProfileSummaryOperID'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPortPolicyProfileSummaryDynamicID')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): etsys_port_policy_profile_group2 = etsysPortPolicyProfileGroup2.setStatus('current') if mibBuilder.loadTexts: etsysPortPolicyProfileGroup2.setDescription('A collection of objects providing a mapping from a specific port to a Policy Profile instance.') etsys_policy_rfc3580_map_group = object_group((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 7, 1, 12)).setObjects(('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRFC3580MapResolveReponseConflict'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRFC3580MapLastChange'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRFC3580MapTableDefault'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRFC3580MapPolicyIndex'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRFC3580MapInvalidMapping')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): etsys_policy_rfc3580_map_group = etsysPolicyRFC3580MapGroup.setStatus('current') if mibBuilder.loadTexts: etsysPolicyRFC3580MapGroup.setDescription('An object group that provides support for mapping between RFC 3580 style VLAN-policy and Enterasys UPN-policy based on named roles.') etsys_policy_capabilities_group2 = object_group((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 7, 1, 13)).setObjects(('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyCapabilities'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyVlanRuleCapabilities'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyCosRuleCapabilities'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyDropRuleCapabilities'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyForwardRuleCapabilities'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyDynaPIDRuleCapabilities'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyAdminPIDRuleCapabilities'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicySyslogRuleCapabilities'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyTrapRuleCapabilities'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyDisablePortRuleCapabilities'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicySupportedPortList'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyEnabledSupportedRuleTypes'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyEnabledEnabledRuleTypes'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRuleAttributeByteLength'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRuleAttributeBitLength'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRuleAttributeMaxCreatable')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): etsys_policy_capabilities_group2 = etsysPolicyCapabilitiesGroup2.setStatus('deprecated') if mibBuilder.loadTexts: etsysPolicyCapabilitiesGroup2.setDescription('An object that indicates the capabilities of the managed entity with respect to Policy Profiles and defines the characteristics of policy rule data by rule type.') etsys_policy_rules_group2 = object_group((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 7, 1, 14)).setObjects(('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRulesMaxEntries'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRulesNumEntries'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRulesLastChange'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRulesAccountingEnable'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRulesPortDisabledList'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRuleRowStatus'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRuleStorageType'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRuleUsageList'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRuleResult1'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRuleResult2'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRuleAuditSyslogEnable'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRuleAuditTrapEnable'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRuleDisablePort'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRuleOperPid'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRulePortHit'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRuleDynamicProfileAssignmentOverride'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRuleDefaultDynamicSyslogStatus'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRuleDefaultDynamicTrapStatus'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRuleStatsAutoClearOnLink'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRuleStatsAutoClearInterval'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRuleStatsAutoClearPorts'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRuleStatsAutoClearOnProfile'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRuleStatsDroppedNotifications'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRuleSylogMachineReadableFormat')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): etsys_policy_rules_group2 = etsysPolicyRulesGroup2.setStatus('deprecated') if mibBuilder.loadTexts: etsysPolicyRulesGroup2.setDescription('********* THIS GROUP IS DEPRECATED ********** An object that indicates the capabilities of the managed entity with respect to Policy Profiles.') etsys_policy_rule_port_hit_notification_group = notification_group((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 7, 1, 15)).setObjects(('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRulePortHitNotification')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): etsys_policy_rule_port_hit_notification_group = etsysPolicyRulePortHitNotificationGroup.setStatus('current') if mibBuilder.loadTexts: etsysPolicyRulePortHitNotificationGroup.setDescription('An object group that provides support for traps sent from the etsysPolicyRulePortHit event.') etsys_policy_rules_group3 = object_group((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 7, 1, 16)).setObjects(('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRulesMaxEntries'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRulesNumEntries'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRulesLastChange'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRulesAccountingEnable'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRulesPortDisabledList'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRuleRowStatus'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRuleStorageType'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRuleUsageList'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRuleResult1'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRuleResult2'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRuleAuditSyslogEnable'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRuleAuditTrapEnable'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRuleDisablePort'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRuleOperPid'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRulePortHit'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRuleDynamicProfileAssignmentOverride'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRuleDefaultDynamicSyslogStatus'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRuleDefaultDynamicTrapStatus'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRuleStatsAutoClearOnLink'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRuleStatsAutoClearInterval'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRuleStatsAutoClearPorts'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRuleStatsAutoClearOnProfile'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRuleStatsDroppedNotifications'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRuleSylogMachineReadableFormat'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRuleSylogExtendedFormat')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): etsys_policy_rules_group3 = etsysPolicyRulesGroup3.setStatus('deprecated') if mibBuilder.loadTexts: etsysPolicyRulesGroup3.setDescription('An object that indicates the capabilities of the managed entity with respect to Policy Profiles.') etsys_policy_rules_group4 = object_group((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 7, 1, 17)).setObjects(('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRulesMaxEntries'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRulesNumEntries'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRulesLastChange'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRulesAccountingEnable'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRulesPortDisabledList'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRuleRowStatus'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRuleStorageType'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRuleUsageList'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRuleResult1'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRuleResult2'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRuleAuditSyslogEnable'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRuleAuditTrapEnable'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRuleDisablePort'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRuleOperPid'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRulePortHit'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRuleDynamicProfileAssignmentOverride'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRuleDefaultDynamicSyslogStatus'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRuleDefaultDynamicTrapStatus'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRuleStatsAutoClearOnLink'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRuleStatsAutoClearInterval'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRuleStatsAutoClearPorts'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRuleStatsAutoClearOnProfile'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRuleStatsDroppedNotifications'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRuleSylogMachineReadableFormat'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRuleSylogExtendedFormat'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRuleOverwriteTCI'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRuleMirrorIndex')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): etsys_policy_rules_group4 = etsysPolicyRulesGroup4.setStatus('current') if mibBuilder.loadTexts: etsysPolicyRulesGroup4.setDescription('An object that indicates the capabilities of the managed entity with respect to Policy Profiles.') etsys_policy_capabilities_group3 = object_group((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 7, 1, 18)).setObjects(('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyCapabilities'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyVlanRuleCapabilities'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyCosRuleCapabilities'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyDropRuleCapabilities'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyForwardRuleCapabilities'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyDynaPIDRuleCapabilities'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyAdminPIDRuleCapabilities'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicySyslogRuleCapabilities'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyTrapRuleCapabilities'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyDisablePortRuleCapabilities'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicySupportedPortList'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyEnabledSupportedRuleTypes'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyEnabledEnabledRuleTypes'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRuleAttributeByteLength'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRuleAttributeBitLength'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRuleAttributeMaxCreatable'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRuleTciOverwriteCapabilities'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRuleMirrorCapabilities')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): etsys_policy_capabilities_group3 = etsysPolicyCapabilitiesGroup3.setStatus('deprecated') if mibBuilder.loadTexts: etsysPolicyCapabilitiesGroup3.setDescription('An object that indicates the capabilities of the managed entity with respect to Policy Profiles and defines the characteristics of policy rule data by rule type.') etsys_policy_profile_group2 = object_group((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 7, 1, 19)).setObjects(('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyProfileMaxEntries'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyProfileNumEntries'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyProfileLastChange'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyProfileTableNextAvailableIndex'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyProfileName'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyProfileRowStatus'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyProfilePortVidStatus'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyProfilePortVid'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyProfilePriorityStatus'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyProfilePriority'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyProfileEgressVlans'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyProfileForbiddenVlans'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyProfileUntaggedVlans'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyProfileOverwriteTCI'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyProfileRulePrecedence'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyProfileVlanRFC3580Mappings'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyProfileMirrorIndex'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyProfileAuditSyslogEnable'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyProfileAuditTrapEnable'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyProfileDisablePort')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): etsys_policy_profile_group2 = etsysPolicyProfileGroup2.setStatus('deprecated') if mibBuilder.loadTexts: etsysPolicyProfileGroup2.setDescription('A collection of objects providing Policy Profile Creation.') etsys_policy_rules_group5 = object_group((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 7, 1, 20)).setObjects(('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRulesMaxEntries'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRulesNumEntries'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRulesLastChange'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRulesAccountingEnable'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRulesPortDisabledList'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRuleRowStatus'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRuleStorageType'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRuleUsageList'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRuleResult1'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRuleResult2'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRuleAuditSyslogEnable'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRuleAuditTrapEnable'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRuleDisablePort'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRuleOperPid'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRulePortHit'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRuleDynamicProfileAssignmentOverride'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRuleDefaultDynamicSyslogStatus'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRuleDefaultDynamicTrapStatus'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRuleStatsAutoClearOnLink'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRuleStatsAutoClearInterval'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRuleStatsAutoClearPorts'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRuleStatsAutoClearOnProfile'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRuleStatsDroppedNotifications'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRuleSylogMachineReadableFormat'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRuleSylogExtendedFormat'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRuleSylogEveryTime'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRuleOverwriteTCI'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRuleMirrorIndex')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): etsys_policy_rules_group5 = etsysPolicyRulesGroup5.setStatus('current') if mibBuilder.loadTexts: etsysPolicyRulesGroup5.setDescription('An object that indicates the capabilities of the managed entity with respect to Policy Profiles.') etsys_policy_capabilities_group4 = object_group((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 7, 1, 21)).setObjects(('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyCapabilities'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyVlanRuleCapabilities'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyCosRuleCapabilities'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyDropRuleCapabilities'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyForwardRuleCapabilities'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyDynaPIDRuleCapabilities'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyAdminPIDRuleCapabilities'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicySyslogRuleCapabilities'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyTrapRuleCapabilities'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyDisablePortRuleCapabilities'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicySupportedPortList'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyEnabledSupportedRuleTypes'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyEnabledEnabledRuleTypes'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyEnabledEgressEnabled'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRuleAttributeByteLength'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRuleAttributeBitLength'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRuleAttributeMaxCreatable'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRuleTciOverwriteCapabilities'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRuleMirrorCapabilities')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): etsys_policy_capabilities_group4 = etsysPolicyCapabilitiesGroup4.setStatus('current') if mibBuilder.loadTexts: etsysPolicyCapabilitiesGroup4.setDescription('An object that indicates the capabilities of the managed entity with respect to Policy Profiles and defines the characteristics of policy rule data by rule type.') etsys_policy_profile_group3 = object_group((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 7, 1, 22)).setObjects(('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyProfileMaxEntries'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyProfileNumEntries'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyProfileLastChange'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyProfileTableNextAvailableIndex'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyProfileName'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyProfileRowStatus'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyProfilePortVidStatus'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyProfilePortVid'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyProfilePriorityStatus'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyProfilePriority'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyProfileEgressVlans'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyProfileForbiddenVlans'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyProfileUntaggedVlans'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyProfileOverwriteTCI'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyProfileRulePrecedence'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyProfileVlanRFC3580Mappings'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyProfileMirrorIndex'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyProfileAuditSyslogEnable'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyProfileAuditTrapEnable'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyProfileDisablePort'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyProfileUsageList')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): etsys_policy_profile_group3 = etsysPolicyProfileGroup3.setStatus('current') if mibBuilder.loadTexts: etsysPolicyProfileGroup3.setDescription('A collection of objects providing Policy Profile Creation.') etsys_policy_profile_compliance = module_compliance((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 7, 2, 1)).setObjects(('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyProfileGroup'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPortPolicyProfileGroup'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyClassificationGroup'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysStationPolicyProfileGroup'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysInvalidPolicyPolicyGroup')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): etsys_policy_profile_compliance = etsysPolicyProfileCompliance.setStatus('deprecated') if mibBuilder.loadTexts: etsysPolicyProfileCompliance.setDescription('The compliance statement for devices that support Policy Profiles. This compliance statement was deprecated to add mandatory support for the etsysPolicyCapabilitiesGroup and conditionally mandatory support for the etsysDevicePolicyProfileGroup.') etsys_policy_profile_compliance2 = module_compliance((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 7, 2, 2)).setObjects(('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyProfileGroup'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPortPolicyProfileGroup'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyCapabilitiesGroup'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyClassificationGroup'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysStationPolicyProfileGroup'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysInvalidPolicyPolicyGroup'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysDevicePolicyProfileGroup'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRFC3580MapGroup')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): etsys_policy_profile_compliance2 = etsysPolicyProfileCompliance2.setStatus('deprecated') if mibBuilder.loadTexts: etsysPolicyProfileCompliance2.setDescription('The compliance statement for devices that support Policy Profiles. This compliance state was deprecated to remove the conditional support of the etsysPolicyClassificationGroup, and add support for the etsysPolicyRFC3580MapGroup and the etsysPolicyRulesGroup.') etsys_policy_profile_compliance3 = module_compliance((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 7, 2, 3)).setObjects(('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyProfileGroup'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPortPolicyProfileGroup2'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyCapabilitiesGroup'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysStationPolicyProfileGroup'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysInvalidPolicyPolicyGroup'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysDevicePolicyProfileGroup'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRFC3580MapGroup'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRulesGroup')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): etsys_policy_profile_compliance3 = etsysPolicyProfileCompliance3.setStatus('deprecated') if mibBuilder.loadTexts: etsysPolicyProfileCompliance3.setDescription('The compliance statement for devices that support Policy Profiles.') etsys_policy_profile_compliance4 = module_compliance((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 7, 2, 4)).setObjects(('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyProfileGroup'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPortPolicyProfileGroup2'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyCapabilitiesGroup2'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysStationPolicyProfileGroup'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysInvalidPolicyPolicyGroup'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysDevicePolicyProfileGroup'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRFC3580MapGroup'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRulesGroup2'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRulePortHitNotificationGroup')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): etsys_policy_profile_compliance4 = etsysPolicyProfileCompliance4.setStatus('deprecated') if mibBuilder.loadTexts: etsysPolicyProfileCompliance4.setDescription('The compliance statement for devices that support Policy Profiles.') etsys_policy_profile_compliance5 = module_compliance((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 7, 2, 5)).setObjects(('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyProfileGroup'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPortPolicyProfileGroup2'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyCapabilitiesGroup2'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysStationPolicyProfileGroup'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysInvalidPolicyPolicyGroup'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysDevicePolicyProfileGroup'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRFC3580MapGroup'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRulesGroup3'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRulePortHitNotificationGroup')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): etsys_policy_profile_compliance5 = etsysPolicyProfileCompliance5.setStatus('deprecated') if mibBuilder.loadTexts: etsysPolicyProfileCompliance5.setDescription('The compliance statement for devices that support Policy Profiles.') etsys_policy_profile_compliance6 = module_compliance((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 7, 2, 6)).setObjects(('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyProfileGroup'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPortPolicyProfileGroup2'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyCapabilitiesGroup3'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysStationPolicyProfileGroup'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysInvalidPolicyPolicyGroup'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysDevicePolicyProfileGroup'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRFC3580MapGroup'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRulesGroup4'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRulePortHitNotificationGroup')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): etsys_policy_profile_compliance6 = etsysPolicyProfileCompliance6.setStatus('current') if mibBuilder.loadTexts: etsysPolicyProfileCompliance6.setDescription('The compliance statement for devices that support Policy Profiles.') etsys_policy_profile_compliance7 = module_compliance((1, 3, 6, 1, 4, 1, 5624, 1, 2, 6, 7, 2, 7)).setObjects(('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyProfileGroup3'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPortPolicyProfileGroup2'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyCapabilitiesGroup4'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysStationPolicyProfileGroup'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysInvalidPolicyPolicyGroup'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysDevicePolicyProfileGroup'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRFC3580MapGroup'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRulesGroup5'), ('ENTERASYS-POLICY-PROFILE-MIB', 'etsysPolicyRulePortHitNotificationGroup')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): etsys_policy_profile_compliance7 = etsysPolicyProfileCompliance7.setStatus('current') if mibBuilder.loadTexts: etsysPolicyProfileCompliance7.setDescription('The compliance statement for devices that support Policy Profiles.') mibBuilder.exportSymbols('ENTERASYS-POLICY-PROFILE-MIB', etsysPolicyProfileAuditTrapEnable=etsysPolicyProfileAuditTrapEnable, etsysPolicyRuleResult2=etsysPolicyRuleResult2, etsysPortPolicyProfileGroup2=etsysPortPolicyProfileGroup2, etsysPolicyRuleStatsAutoClearInterval=etsysPolicyRuleStatsAutoClearInterval, etsysPolicyRulesGroup5=etsysPolicyRulesGroup5, etsysPolicyProfileDisablePort=etsysPolicyProfileDisablePort, etsysPortPolicyProfileGroup=etsysPortPolicyProfileGroup, etsysStationIdentifier=etsysStationIdentifier, etsysPolicyDisablePortRuleCapabilities=etsysPolicyDisablePortRuleCapabilities, etsysPolicyDropRuleCapabilities=etsysPolicyDropRuleCapabilities, etsysPolicyRFC3580MapTableDefault=etsysPolicyRFC3580MapTableDefault, etsysPolicyMapNumEntries=etsysPolicyMapNumEntries, etsysPolicyProfileNumEntries=etsysPolicyProfileNumEntries, etsysPolicyRulesPortDisabledList=etsysPolicyRulesPortDisabledList, etsysPolicyRulePortHitNotificationGroup=etsysPolicyRulePortHitNotificationGroup, etsysPolicyRuleRowStatus=etsysPolicyRuleRowStatus, etsysPortPolicyProfileEntry=etsysPortPolicyProfileEntry, PYSNMP_MODULE_ID=etsysPolicyProfileMIB, etsysPolicyClassificationIngressList=etsysPolicyClassificationIngressList, etsysPolicyRuleEntry=etsysPolicyRuleEntry, etsysPolicyMapUnknownPvidPolicy=etsysPolicyMapUnknownPvidPolicy, etsysPolicyRFC3580MapResolveReponseConflict=etsysPolicyRFC3580MapResolveReponseConflict, etsysPolicyTrapRuleCapabilities=etsysPolicyTrapRuleCapabilities, etsysPolicyRulesGroup=etsysPolicyRulesGroup, etsysPolicyProfileUntaggedVlans=etsysPolicyProfileUntaggedVlans, etsysPolicyCapabilitiesGroup=etsysPolicyCapabilitiesGroup, etsysPolicyProfileUsageList=etsysPolicyProfileUsageList, etsysPortPolicyProfileSummaryIndexType=etsysPortPolicyProfileSummaryIndexType, etsysPolicyProfileForbiddenVlans=etsysPolicyProfileForbiddenVlans, etsysPolicyEnabledTableEntry=etsysPolicyEnabledTableEntry, etsysPolicyRFC3580MapGroup=etsysPolicyRFC3580MapGroup, etsysPolicyProfileConformance=etsysPolicyProfileConformance, etsysStationPolicyProfile=etsysStationPolicyProfile, etsysPolicyRuleStatsAutoClearPorts=etsysPolicyRuleStatsAutoClearPorts, etsysPolicyRuleAttributeMaxCreatable=etsysPolicyRuleAttributeMaxCreatable, etsysPolicyRuleResult1=etsysPolicyRuleResult1, etsysPolicyRuleAttributeTable=etsysPolicyRuleAttributeTable, etsysPolicyMapPvidOverRide=etsysPolicyMapPvidOverRide, etsysPolicyProfileVlanRFC3580Mappings=etsysPolicyProfileVlanRFC3580Mappings, etsysPolicyRuleDefaultDynamicSyslogStatus=etsysPolicyRuleDefaultDynamicSyslogStatus, etsysPolicyProfileName=etsysPolicyProfileName, PolicyRFC3580MapRadiusResponseTC=PolicyRFC3580MapRadiusResponseTC, etsysPolicyEnabledSupportedRuleTypes=etsysPolicyEnabledSupportedRuleTypes, etsysPolicyRuleOperPid=etsysPolicyRuleOperPid, etsysPolicyRuleStatsDroppedNotifications=etsysPolicyRuleStatsDroppedNotifications, etsysPolicyMapStartVid=etsysPolicyMapStartVid, etsysPolicyClassification=etsysPolicyClassification, etsysPolicyProfileLastChange=etsysPolicyProfileLastChange, etsysPolicyCapability=etsysPolicyCapability, etsysDevicePolicyProfileGroup=etsysDevicePolicyProfileGroup, etsysPolicyProfileMaxEntries=etsysPolicyProfileMaxEntries, etsysPolicyRulePortHitNotification=etsysPolicyRulePortHitNotification, etsysPolicyProfileGroup2=etsysPolicyProfileGroup2, etsysPolicySyslogRuleCapabilities=etsysPolicySyslogRuleCapabilities, etsysPolicyRuleStatsAutoClearOnLink=etsysPolicyRuleStatsAutoClearOnLink, etsysPolicyRuleMirrorIndex=etsysPolicyRuleMirrorIndex, etsysPolicyRuleMirrorCapabilities=etsysPolicyRuleMirrorCapabilities, etsysPolicyRuleDynamicProfileAssignmentOverride=etsysPolicyRuleDynamicProfileAssignmentOverride, etsysStationPolicyProfilePortID=etsysStationPolicyProfilePortID, etsysStationPolicyProfileGroup=etsysStationPolicyProfileGroup, etsysPolicySupportedPortList=etsysPolicySupportedPortList, etsysPolicyRuleAuditSyslogEnable=etsysPolicyRuleAuditSyslogEnable, etsysPolicyProfileCompliances=etsysPolicyProfileCompliances, etsysPortPolicyProfileSummaryTable=etsysPortPolicyProfileSummaryTable, etsysPolicyMapRowStatus=etsysPolicyMapRowStatus, etsysPolicyProfileGroups=etsysPolicyProfileGroups, etsysPolicyClassificationMaxEntries=etsysPolicyClassificationMaxEntries, etsysPolicyRulesNumEntries=etsysPolicyRulesNumEntries, etsysPolicyRules=etsysPolicyRules, etsysPolicyCapabilitiesGroup3=etsysPolicyCapabilitiesGroup3, etsysPolicyVlanEgress=etsysPolicyVlanEgress, etsysPolicyProfileGroup3=etsysPolicyProfileGroup3, etsysPolicyProfileCompliance2=etsysPolicyProfileCompliance2, etsysPolicyVlanRuleCapabilities=etsysPolicyVlanRuleCapabilities, etsysPolicyRuleSylogExtendedFormat=etsysPolicyRuleSylogExtendedFormat, PolicyRulesSupported=PolicyRulesSupported, etsysPolicyRuleAttributeByteLength=etsysPolicyRuleAttributeByteLength, etsysPolicyProfileGroup=etsysPolicyProfileGroup, etsysPolicyProfileCompliance3=etsysPolicyProfileCompliance3, etsysPolicyRuleStorageType=etsysPolicyRuleStorageType, etsysPolicyRFC3580MapLastChange=etsysPolicyRFC3580MapLastChange, etsysPolicyProfileMirrorIndex=etsysPolicyProfileMirrorIndex, etsysPolicyRulePortHit=etsysPolicyRulePortHit, etsysPolicyNotifications=etsysPolicyNotifications, etsysPolicyRFC3580MapTable=etsysPolicyRFC3580MapTable, etsysPolicyRuleDefaultDynamicTrapStatus=etsysPolicyRuleDefaultDynamicTrapStatus, etsysPolicyProfileEgressVlans=etsysPolicyProfileEgressVlans, etsysPolicyProfilePortVid=etsysPolicyProfilePortVid, etsysPolicyRFC3580MapEntry=etsysPolicyRFC3580MapEntry, etsysPolicyProfileOverwriteTCI=etsysPolicyProfileOverwriteTCI, etsysPolicyProfileEntry=etsysPolicyProfileEntry, etsysPortPolicyProfileSummaryAdminID=etsysPortPolicyProfileSummaryAdminID, etsysPolicyMap=etsysPolicyMap, etsysPolicyProfile=etsysPolicyProfile, PolicyClassificationRuleType=PolicyClassificationRuleType, etsysPolicyRuleAttributeTableEntry=etsysPolicyRuleAttributeTableEntry, etsysPolicyRuleTciOverwriteCapabilities=etsysPolicyRuleTciOverwriteCapabilities, etsysPolicyEnabledTable=etsysPolicyEnabledTable, etsysPolicyRuleTable=etsysPolicyRuleTable, etsysPortPolicyProfile=etsysPortPolicyProfile, etsysPolicyProfileTableNextAvailableIndex=etsysPolicyProfileTableNextAvailableIndex, etsysPolicyClassificationOID=etsysPolicyClassificationOID, etsysPolicyProfileRulePrecedence=etsysPolicyProfileRulePrecedence, etsysPolicyRulePrefixBits=etsysPolicyRulePrefixBits, etsysDevicePolicyProfileDefault=etsysDevicePolicyProfileDefault, etsysPolicyMapMaxEntries=etsysPolicyMapMaxEntries, etsysInvalidPolicyAction=etsysInvalidPolicyAction, etsysPolicyClassificationLastChange=etsysPolicyClassificationLastChange, etsysPolicyMapIndex=etsysPolicyMapIndex, etsysPolicyClassificationGroup=etsysPolicyClassificationGroup, etsysInvalidPolicyCount=etsysInvalidPolicyCount, etsysPolicyRulePortType=etsysPolicyRulePortType, etsysPolicyMapGroup=etsysPolicyMapGroup, etsysPortPolicyProfileLastChange=etsysPortPolicyProfileLastChange, etsysPolicyRulesGroup2=etsysPolicyRulesGroup2, etsysPolicyEnabledEgressEnabled=etsysPolicyEnabledEgressEnabled, etsysPolicyRulePort=etsysPolicyRulePort, PortPolicyProfileIndexTypeTC=PortPolicyProfileIndexTypeTC, etsysPolicyRuleType=etsysPolicyRuleType, etsysPolicyRulesGroup4=etsysPolicyRulesGroup4, etsysPolicyCapabilitiesGroup4=etsysPolicyCapabilitiesGroup4, etsysPolicyProfileCompliance5=etsysPolicyProfileCompliance5, etsysPolicyRFC3580MapVlanId=etsysPolicyRFC3580MapVlanId, etsysStationPolicyProfilePortType=etsysStationPolicyProfilePortType, etsysPolicyRulesGroup3=etsysPolicyRulesGroup3, etsysPolicyRuleSylogEveryTime=etsysPolicyRuleSylogEveryTime, etsysPolicyClassificationRowStatus=etsysPolicyClassificationRowStatus, etsysPortPolicyProfileSummaryOperID=etsysPortPolicyProfileSummaryOperID, etsysPolicyProfilePriorityStatus=etsysPolicyProfilePriorityStatus, etsysPolicyProfileMIB=etsysPolicyProfileMIB, etsysPolicyRFC3580MapInvalidMapping=etsysPolicyRFC3580MapInvalidMapping, etsysPolicyRFC3580Map=etsysPolicyRFC3580Map, etsysPolicyRuleOverwriteTCI=etsysPolicyRuleOverwriteTCI, etsysPolicyClassificationIndex=etsysPolicyClassificationIndex, etsysPolicyCapabilitiesGroup2=etsysPolicyCapabilitiesGroup2, etsysPolicyProfileCompliance7=etsysPolicyProfileCompliance7, etsysStationPolicyProfileEntry=etsysStationPolicyProfileEntry, etsysPolicyRuleProfileIndex=etsysPolicyRuleProfileIndex, etsysPortPolicyProfileAdminID=etsysPortPolicyProfileAdminID, etsysStationPolicyProfileIndex=etsysStationPolicyProfileIndex, etsysPolicyRulePortTable=etsysPolicyRulePortTable, etsysPolicyForwardRuleCapabilities=etsysPolicyForwardRuleCapabilities, etsysPolicyProfileIndex=etsysPolicyProfileIndex, etsysPolicyRuleDisablePort=etsysPolicyRuleDisablePort, etsysPolicyRuleAuditTrapEnable=etsysPolicyRuleAuditTrapEnable, etsysStationPolicyProfileNumEntries=etsysStationPolicyProfileNumEntries, etsysPolicyMapEndVid=etsysPolicyMapEndVid, etsysPolicyClassificationTable=etsysPolicyClassificationTable, etsysStationPolicyProfileLastChange=etsysStationPolicyProfileLastChange, etsysPolicyClassificationNumEntries=etsysPolicyClassificationNumEntries, etsysPolicyProfileCompliance4=etsysPolicyProfileCompliance4, etsysPolicyProfilePriority=etsysPolicyProfilePriority, etsysStationIdentifierType=etsysStationIdentifierType, etsysPolicyMapLastChange=etsysPolicyMapLastChange, etsysPolicyMapTable=etsysPolicyMapTable, etsysPolicyProfileCompliance6=etsysPolicyProfileCompliance6, etsysStationPolicyProfileTable=etsysStationPolicyProfileTable, etsysPolicyRulePortEntry=etsysPolicyRulePortEntry, etsysPolicyMapPolicyIndex=etsysPolicyMapPolicyIndex, etsysPolicyRuleSylogMachineReadableFormat=etsysPolicyRuleSylogMachineReadableFormat, etsysInvalidPolicyPolicyGroup=etsysInvalidPolicyPolicyGroup, etsysPolicyProfileAuditSyslogEnable=etsysPolicyProfileAuditSyslogEnable, etsysPolicyProfileCompliance=etsysPolicyProfileCompliance, etsysPolicyRuleData=etsysPolicyRuleData, TriStateStatus=TriStateStatus, etsysPolicyProfileTable=etsysPolicyProfileTable, etsysPolicyRuleUsageList=etsysPolicyRuleUsageList, etsysPolicyRuleAttributeBitLength=etsysPolicyRuleAttributeBitLength, etsysPolicyMapEntry=etsysPolicyMapEntry, etsysPolicyProfileRowStatus=etsysPolicyProfileRowStatus, etsysDevicePolicyProfile=etsysDevicePolicyProfile, etsysStationPolicyProfileMaxEntries=etsysStationPolicyProfileMaxEntries, etsysPolicyRulesAccountingEnable=etsysPolicyRulesAccountingEnable, etsysInvalidPolicyPolicy=etsysInvalidPolicyPolicy, etsysPolicyClassificationEntry=etsysPolicyClassificationEntry, PolicyProfileIDTC=PolicyProfileIDTC, etsysPolicyRulesLastChange=etsysPolicyRulesLastChange, etsysPolicyCapabilities=etsysPolicyCapabilities, etsysPortPolicyProfileTable=etsysPortPolicyProfileTable, etsysPortPolicyProfileSummaryEntry=etsysPortPolicyProfileSummaryEntry, etsysPolicyRulesMaxEntries=etsysPolicyRulesMaxEntries, etsysPolicyRuleStatsAutoClearOnProfile=etsysPolicyRuleStatsAutoClearOnProfile, etsysPortPolicyProfileOperID=etsysPortPolicyProfileOperID, etsysPolicyProfilePortVidStatus=etsysPolicyProfilePortVidStatus, etsysPortPolicyProfileIndex=etsysPortPolicyProfileIndex, etsysPortPolicyProfileIndexType=etsysPortPolicyProfileIndexType, etsysPolicyEnabledEnabledRuleTypes=etsysPolicyEnabledEnabledRuleTypes, VlanList=VlanList, etsysPortPolicyProfileSummaryDynamicID=etsysPortPolicyProfileSummaryDynamicID, etsysStationPolicyProfileOperID=etsysStationPolicyProfileOperID, etsysPolicyAdminPIDRuleCapabilities=etsysPolicyAdminPIDRuleCapabilities, etsysPolicyRFC3580MapPolicyIndex=etsysPolicyRFC3580MapPolicyIndex, etsysPolicyDynaPIDRuleCapabilities=etsysPolicyDynaPIDRuleCapabilities, etsysPolicyCosRuleCapabilities=etsysPolicyCosRuleCapabilities)
# -*- coding: utf-8 -*- """Top-level package for Scopes.""" __author__ = """Louis Garman""" __email__ = 'louisgarman@gmail.com' __version__ = '0.1.1'
"""Top-level package for Scopes.""" __author__ = 'Louis Garman' __email__ = 'louisgarman@gmail.com' __version__ = '0.1.1'
""" def generate_list_books(filename): book_list = [] file_in = open(filename, encoding='utf-8', errors='replace') file_in.readline() for line in file_in: line = line.strip().split(",") line[2] = float(line[2]) line[3] = int(line[3]) line[4] = int(line[4]) line[5] = int(line[5]) book_list.append(line) return book_list #QUESTION #1 def print_books(list_of_books): for book in list_of_books: print(f' {book[0][0:30]:<30} by {book[1][0:20]:<20} {str(book[5]):<4} rated {str(book[2])[0:3]}') #QUESTION #2 def print_detailed_book(list_of_books): format = '-' for book in list_of_books: print(f' {book[0]}\n' f' by: {book[1]}\n' f' {book[5]}\n' f' {format * len(book[0])}\n' f' ${book[4]:.2f}\n\n' f' {book[6]}\n' f' rated {book[2]} for {book[3]} reviews\n\n\n') def main(): main_book_list = generate_list_books("amazon_bestseller_books.csv") #print(main_book_list[:10]) print_books(main_book_list) print_detailed_book(main_book_list) main() """
""" def generate_list_books(filename): book_list = [] file_in = open(filename, encoding='utf-8', errors='replace') file_in.readline() for line in file_in: line = line.strip().split(",") line[2] = float(line[2]) line[3] = int(line[3]) line[4] = int(line[4]) line[5] = int(line[5]) book_list.append(line) return book_list #QUESTION #1 def print_books(list_of_books): for book in list_of_books: print(f' {book[0][0:30]:<30} by {book[1][0:20]:<20} {str(book[5]):<4} rated {str(book[2])[0:3]}') #QUESTION #2 def print_detailed_book(list_of_books): format = '-' for book in list_of_books: print(f' {book[0]} ' f' by: {book[1]} ' f' {book[5]} ' f' {format * len(book[0])} ' f' ${book[4]:.2f} ' f' {book[6]} ' f' rated {book[2]} for {book[3]} reviews ') def main(): main_book_list = generate_list_books("amazon_bestseller_books.csv") #print(main_book_list[:10]) print_books(main_book_list) print_detailed_book(main_book_list) main() """
#First Example - try changing the value of phone_balance phone_balance = 10 bank_balance = 50 if phone_balance < 10: phone_balance += 10 bank_balance -= 10 print(phone_balance) print(bank_balance) #Second Example - try changing the value of number number = 145 if number % 2 == 0: print("Number " + str(number) + " is even.") else: print("Number " + str(number) + " is odd.") #Third Example - try to change the value of age age = 35 # Here are the age limits for bus fares free_up_to_age = 4 child_up_to_age = 18 senior_from_age = 65 # These lines determine the bus fare prices concession_ticket = 1.25 adult_ticket = 2.50 # Here is the logic for bus fare prices if age <= free_up_to_age: ticket_price = 0 elif age <= child_up_to_age: ticket_price = concession_ticket elif age >= senior_from_age: ticket_price = concession_ticket else: ticket_price = adult_ticket message = "Somebody who is {} years old will pay ${} to ride the bus.".format(age, ticket_price) print(message) """ Practice: Which Prize Write an if statement that lets a competitor know which of these prizes they won based on the number of points they scored, which is stored in the integer variable points. Points Prize 1 - 50 wooden rabbit 51 - 150 no prize 151 - 180 wafer-thin mint 181 - 200 penguin All of the lower and upper bounds here are inclusive, and points can only take on positive integer values up to 200. In your if statement, assign the result variable to a string holding the appropriate message based on the value of points. If they've won a prize, the message should state "Congratulations! You won a [prize name]!" with the prize name. If there's no prize, the message should state "Oh dear, no prize this time." Note: Feel free to test run your code with other inputs, but when you submit your answer, only use the original input of points = 174. You can hide your other inputs by commenting them out. """ points = 174 if points <= 50: result = 'Congratulations! You won a wooden rabbit!' elif points <= 150: result = 'Oh dear, no prize this time.' elif points <= 180: result = 'Congratulations! You won a wafer-thin mint!' else: result = 'Congratulations! You won a penguin!' print(result) """We use <= instead of the < operator, since it was stated that the upper bound is inclusive. Notice that in each condition, we check if points is in a prize bracket by checking if points is less than or equal to the upper bound; we didn't have to check if it was greater than the lower bound. Let's see why this is the case. When points = 174, it first checks if points <= 50, which evaluates to False. We don't have to check if it is also greater than 0, since it is stated in the problem that points will always be a positive integer up to 200. Since the first condition evaluates to False, it moves on to check the next condition, points <= 150. We don't need to check if it is also greater than 50 here! We already know this is the case because the first condition has to have evaluated to False in order to get to this point. If we know points <= 50 is False, then points > 50 must be True! Finally, we check if points <= 180, which evaluates to True. We now know that points is in the 151 - 180 bracket. The last prize bracket, 181-200, is caught in the else clause, since there is no other possible value of the prize after checking the previous conditions. """ """Quiz: Guess My Number You decide you want to play a game where you are hiding a number from someone. Store this number in a variable called 'answer'. Another user provides a number called 'guess'. By comparing guess to answer, you inform the user if their guess is too high or too low. Fill in the conditionals below to inform the user about how their guess compares to the answer. """ answer = 35 guess = 30 # just a sample answer and guess if guess < answer: result = 'Oops! Your guess was too low.' elif guess > answer: result = 'Oops! Your guess was too high.' elif guess == answer: result = 'Nice! Your guess matched the answer!' print(result) """Quiz: Tax Purchase Depending on where an individual is from we need to tax them appropriately. The states of CA, MN, and NY have taxes of 7.5%, 9.5%, and 8.9% respectively. Use this information to take the amount of a purchase and the corresponding state to assure that they are taxed by the right amount. """ state = 'CA' purchase_amount = 20.00 # a sample state and purchase amount if state == 'CA': tax_amount = .075 total_cost = purchase_amount*(1+tax_amount) result = "Since you're from {}, your total cost is {}.".format(state, total_cost) elif state == 'MN': tax_amount = .095 total_cost = purchase_amount*(1+tax_amount) result = "Since you're from {}, your total cost is {}.".format(state, total_cost) elif state == 'NY': tax_amount = .089 total_cost = purchase_amount*(1+tax_amount) result = "Since you're from {}, your total cost is {}.".format(state, total_cost) print(result)
phone_balance = 10 bank_balance = 50 if phone_balance < 10: phone_balance += 10 bank_balance -= 10 print(phone_balance) print(bank_balance) number = 145 if number % 2 == 0: print('Number ' + str(number) + ' is even.') else: print('Number ' + str(number) + ' is odd.') age = 35 free_up_to_age = 4 child_up_to_age = 18 senior_from_age = 65 concession_ticket = 1.25 adult_ticket = 2.5 if age <= free_up_to_age: ticket_price = 0 elif age <= child_up_to_age: ticket_price = concession_ticket elif age >= senior_from_age: ticket_price = concession_ticket else: ticket_price = adult_ticket message = 'Somebody who is {} years old will pay ${} to ride the bus.'.format(age, ticket_price) print(message) '\nPractice: Which Prize\n\nWrite an if statement that lets a competitor know which of these prizes they won based on the number of points they scored, which is stored in the integer variable points.\nPoints \tPrize\n1 - 50 \twooden rabbit\n51 - 150 \tno prize\n151 - 180 \twafer-thin mint\n181 - 200 \tpenguin\n\nAll of the lower and upper bounds here are inclusive, and points can only take on positive integer values up to 200.\n\nIn your if statement, assign the result variable to a string holding the appropriate message based on the value of points. If they\'ve won a prize, the message should state "Congratulations! You won a [prize name]!" with the prize name. If there\'s no prize, the message should state "Oh dear, no prize this time."\n\nNote: Feel free to test run your code with other inputs, but when you submit your answer, only use the original input of points = 174. You can hide your other inputs by commenting them out.\n' points = 174 if points <= 50: result = 'Congratulations! You won a wooden rabbit!' elif points <= 150: result = 'Oh dear, no prize this time.' elif points <= 180: result = 'Congratulations! You won a wafer-thin mint!' else: result = 'Congratulations! You won a penguin!' print(result) "We use <= instead of the < operator, since it was stated that the upper bound is inclusive. Notice that in each condition, we check if points is in a prize bracket by checking if points is less than or equal to the upper bound; we didn't have to check if it was greater than the lower bound. Let's see why this is the case.\n\n When points = 174, it first checks if points <= 50, which evaluates to False. We don't have to check if it is also greater than 0, since it is stated in the problem that points will always be a positive integer up to 200.\n\n Since the first condition evaluates to False, it moves on to check the next condition, points <= 150. We don't need to check if it is also greater than 50 here! We already know this is the case because the first condition has to have evaluated to False in order to get to this point. If we know points <= 50 is False, then points > 50 must be True!\n\n Finally, we check if points <= 180, which evaluates to True. We now know that points is in the 151 - 180 bracket.\n\n The last prize bracket, 181-200, is caught in the else clause, since there is no other possible value of the prize after checking the previous conditions.\n" "Quiz: Guess My Number\n\nYou decide you want to play a game where you are hiding a number from someone. Store this number in a variable called 'answer'. Another user provides a number called 'guess'. By comparing guess to answer, you inform the user if their guess is too high or too low.\n\nFill in the conditionals below to inform the user about how their guess compares to the answer.\n" answer = 35 guess = 30 if guess < answer: result = 'Oops! Your guess was too low.' elif guess > answer: result = 'Oops! Your guess was too high.' elif guess == answer: result = 'Nice! Your guess matched the answer!' print(result) 'Quiz: Tax Purchase\n\nDepending on where an individual is from we need to tax them appropriately. The states of CA, MN, and NY have taxes of 7.5%, 9.5%, and 8.9% respectively. Use this information to take the amount of a purchase and the corresponding state to assure that they are taxed by the right amount.\n' state = 'CA' purchase_amount = 20.0 if state == 'CA': tax_amount = 0.075 total_cost = purchase_amount * (1 + tax_amount) result = "Since you're from {}, your total cost is {}.".format(state, total_cost) elif state == 'MN': tax_amount = 0.095 total_cost = purchase_amount * (1 + tax_amount) result = "Since you're from {}, your total cost is {}.".format(state, total_cost) elif state == 'NY': tax_amount = 0.089 total_cost = purchase_amount * (1 + tax_amount) result = "Since you're from {}, your total cost is {}.".format(state, total_cost) print(result)
#crie um programa que leia o nome de uma pessoa e diga #se ela tem "SILVA" no nome. n=str(input("Digite o seu nome completo: ")).strip() n=n[0:].upper().count("SILVA") print(n) n=str(input("Digite o seu nome completo: ")).strip() n=n.lower() print("Seu nome tem \"Silva\"? {}".format("silva" in n)) n=str(input("Digite o seu nome completo: ")).strip() print("Seu nome tem \"Silva\"? {}".format("silva" in n.lower()))
n = str(input('Digite o seu nome completo: ')).strip() n = n[0:].upper().count('SILVA') print(n) n = str(input('Digite o seu nome completo: ')).strip() n = n.lower() print('Seu nome tem "Silva"? {}'.format('silva' in n)) n = str(input('Digite o seu nome completo: ')).strip() print('Seu nome tem "Silva"? {}'.format('silva' in n.lower()))
# # MIT License # # Copyright (c) 2020 Pablo Rodriguez Nava, @pablintino # # Permission is hereby granted, free of charge, to any person obtaining a copy # of this software and associated documentation files (the "Software"), to deal # in the Software without restriction, including without limitation the rights # to use, copy, modify, merge, publish, distribute, sublicense, and/or sell # copies of the Software, and to permit persons to whom the Software is # furnished to do so, subject to the following conditions: # # The above copyright notice and this permission notice shall be included in all # copies or substantial portions of the Software. # # THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR # IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, # FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE # AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER # LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, # OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE # SOFTWARE. # class BraceMessage(object): def __init__(self, fmt, *args, **kwargs): self.fmt = fmt self.args = args self.kwargs = kwargs def __str__(self): return self.fmt.format(*self.args, **self.kwargs) class CaseInsensitiveDict(dict): @classmethod def _k(cls, key): return key.lower() if isinstance(key, str) else key def __init__(self, *args, **kwargs): super(CaseInsensitiveDict, self).__init__(*args, **kwargs) self._convert_keys() def __getitem__(self, key): return super(CaseInsensitiveDict, self).__getitem__(self.__class__._k(key)) def __setitem__(self, key, value): super(CaseInsensitiveDict, self).__setitem__(self.__class__._k(key), value) def __delitem__(self, key): return super(CaseInsensitiveDict, self).__delitem__(self.__class__._k(key)) def __contains__(self, key): return super(CaseInsensitiveDict, self).__contains__(self.__class__._k(key)) def pop(self, key, *args, **kwargs): return super(CaseInsensitiveDict, self).pop(self.__class__._k(key), *args, **kwargs) def get(self, key, *args, **kwargs): return super(CaseInsensitiveDict, self).get(self.__class__._k(key), *args, **kwargs) def setdefault(self, key, *args, **kwargs): return super(CaseInsensitiveDict, self).setdefault(self.__class__._k(key), *args, **kwargs) def update(self, E={}, **F): super(CaseInsensitiveDict, self).update(self.__class__(E)) super(CaseInsensitiveDict, self).update(self.__class__(**F)) def _convert_keys(self): for k in list(self.keys()): v = super(CaseInsensitiveDict, self).pop(k) self.__setitem__(k, v) def is_float(value): try: float(value) return True except ValueError: return False def is_int(x): try: a = float(x) b = int(a) except ValueError: return False else: return a == b
class Bracemessage(object): def __init__(self, fmt, *args, **kwargs): self.fmt = fmt self.args = args self.kwargs = kwargs def __str__(self): return self.fmt.format(*self.args, **self.kwargs) class Caseinsensitivedict(dict): @classmethod def _k(cls, key): return key.lower() if isinstance(key, str) else key def __init__(self, *args, **kwargs): super(CaseInsensitiveDict, self).__init__(*args, **kwargs) self._convert_keys() def __getitem__(self, key): return super(CaseInsensitiveDict, self).__getitem__(self.__class__._k(key)) def __setitem__(self, key, value): super(CaseInsensitiveDict, self).__setitem__(self.__class__._k(key), value) def __delitem__(self, key): return super(CaseInsensitiveDict, self).__delitem__(self.__class__._k(key)) def __contains__(self, key): return super(CaseInsensitiveDict, self).__contains__(self.__class__._k(key)) def pop(self, key, *args, **kwargs): return super(CaseInsensitiveDict, self).pop(self.__class__._k(key), *args, **kwargs) def get(self, key, *args, **kwargs): return super(CaseInsensitiveDict, self).get(self.__class__._k(key), *args, **kwargs) def setdefault(self, key, *args, **kwargs): return super(CaseInsensitiveDict, self).setdefault(self.__class__._k(key), *args, **kwargs) def update(self, E={}, **F): super(CaseInsensitiveDict, self).update(self.__class__(E)) super(CaseInsensitiveDict, self).update(self.__class__(**F)) def _convert_keys(self): for k in list(self.keys()): v = super(CaseInsensitiveDict, self).pop(k) self.__setitem__(k, v) def is_float(value): try: float(value) return True except ValueError: return False def is_int(x): try: a = float(x) b = int(a) except ValueError: return False else: return a == b
{ "targets": [ { "target_name": "tree_sitter_hack_binding", "include_dirs": [ "<!(node -e \"require('nan')\")", "src" ], "sources": [ "src/parser.c", "bindings/node/binding.cc", "src/scanner.cc" ], "cflags_c": [ "-std=c99", "-Wno-trigraphs" ], "xcode_settings": { # Augmented assignment coalesce ??= looks like a C trigraph. Ignore trigraphs. "OTHER_CFLAGS": [ "-Wno-trigraphs" ] } } ] }
{'targets': [{'target_name': 'tree_sitter_hack_binding', 'include_dirs': ['<!(node -e "require(\'nan\')")', 'src'], 'sources': ['src/parser.c', 'bindings/node/binding.cc', 'src/scanner.cc'], 'cflags_c': ['-std=c99', '-Wno-trigraphs'], 'xcode_settings': {'OTHER_CFLAGS': ['-Wno-trigraphs']}}]}
# -*- encoding: utf-8 -*- """ Created by eniocc at 11/10/2020 """
""" Created by eniocc at 11/10/2020 """
print(f'{(x := "awesome")!r:20}', x) class A: locals = 555 print(f'{(y := 666)}') print(y) print(f'''L1 -> {f"""L2 -> {f'L3 -> {f"L4 -> {(z := chr(77))!r} <- L4"} <- L3'} <- L2"""} <- L1''') print(z) print(f'see -> {"header " + f"{(w := chr(88))}" + " footer"} <- see') print(w) print(locals) print(globals().get('y')) print(globals().get('z')) print(globals().get('w')) print(callable(locals))
print(f"{(x := 'awesome')!r:20}", x) class A: locals = 555 print(f'{(y := 666)}') print(y) print(f'''L1 -> {f"""L2 -> {f"L3 -> {f'L4 -> {(z := chr(77))!r} <- L4'} <- L3"} <- L2"""} <- L1''') print(z) print(f"see -> {'header ' + f'{(w := chr(88))}' + ' footer'} <- see") print(w) print(locals) print(globals().get('y')) print(globals().get('z')) print(globals().get('w')) print(callable(locals))
"""Module to store EnforceTyping exceptions.""" class EnforcedTypingError(TypeError): """Class to raise errors relating to static typing decorator."""
"""Module to store EnforceTyping exceptions.""" class Enforcedtypingerror(TypeError): """Class to raise errors relating to static typing decorator."""
# Definition for singly-linked list. class ListNode: def __init__(self, x): self.val = x self.next = None class Solution: def insertionSortList(self, head: ListNode) -> ListNode: cur = head node_list = [] while cur is not None: node_list.append(cur) cur = cur.next for index in range(0, len(node_list)): j = index target = node_list[index].val while j >= 0 and target < node_list[j - 1].val: node_list[j].val = node_list[j - 1].val j -= 1 node_list[j].val = target node_list.clear() return head
class Listnode: def __init__(self, x): self.val = x self.next = None class Solution: def insertion_sort_list(self, head: ListNode) -> ListNode: cur = head node_list = [] while cur is not None: node_list.append(cur) cur = cur.next for index in range(0, len(node_list)): j = index target = node_list[index].val while j >= 0 and target < node_list[j - 1].val: node_list[j].val = node_list[j - 1].val j -= 1 node_list[j].val = target node_list.clear() return head
# La funcion calcula sobre un promedio de notas ingresadas de 0 a 100 def nota_quices(codigo: str, nota1: int, nota2: int, nota3: int, nota4: int, nota5: int)-> str: notasEstudiate=(nota1, nota2, nota3, nota4, nota5) notaMin= min(notasEstudiate) # Elegir la menor nota para descartar promedioAcordado= (nota1+ nota2+ nota3+ nota4+ nota5 - notaMin)/4 # Calculo Promedio promedioAjustado= promedioAcordado*5/100 # Transformar Nota a escala 0 a 5 promedioRedondeado= round(promedioAjustado,2) # Promedio redondeado a 2 decimales promedio= str(promedioRedondeado) # Salida convertida a cadena return "El promedio ajustado del estudiante {} es: {}".format(codigo, promedio) print(nota_quices("AA0010276", 19,90,38,55,68)) print(nota_quices("IS00201620", 37,10,50,19,79)) print(nota_quices("BIO2201810", 45,46,33,74,22)) print(nota_quices("IQ102201810", 57,100,87,93,21)) print(nota_quices("MA00201520", 5,14,76,91,5))
def nota_quices(codigo: str, nota1: int, nota2: int, nota3: int, nota4: int, nota5: int) -> str: notas_estudiate = (nota1, nota2, nota3, nota4, nota5) nota_min = min(notasEstudiate) promedio_acordado = (nota1 + nota2 + nota3 + nota4 + nota5 - notaMin) / 4 promedio_ajustado = promedioAcordado * 5 / 100 promedio_redondeado = round(promedioAjustado, 2) promedio = str(promedioRedondeado) return 'El promedio ajustado del estudiante {} es: {}'.format(codigo, promedio) print(nota_quices('AA0010276', 19, 90, 38, 55, 68)) print(nota_quices('IS00201620', 37, 10, 50, 19, 79)) print(nota_quices('BIO2201810', 45, 46, 33, 74, 22)) print(nota_quices('IQ102201810', 57, 100, 87, 93, 21)) print(nota_quices('MA00201520', 5, 14, 76, 91, 5))
name = "core_pipeline" version = "2.1.0" build_command = "python -m rezutil {root}" private_build_requires = ["rezutil-1"] _environ = { "PYTHONPATH": [ "{root}/python", ], } def commands(): global env global this global system global expandvars for key, value in this._environ.items(): if isinstance(value, (tuple, list)): [env[key].append(expandvars(v)) for v in value] else: env[key] = expandvars(value)
name = 'core_pipeline' version = '2.1.0' build_command = 'python -m rezutil {root}' private_build_requires = ['rezutil-1'] _environ = {'PYTHONPATH': ['{root}/python']} def commands(): global env global this global system global expandvars for (key, value) in this._environ.items(): if isinstance(value, (tuple, list)): [env[key].append(expandvars(v)) for v in value] else: env[key] = expandvars(value)
#!/usr/bin/env python3 intList = [1,2,3] def normalList(): print("initial list: " + str(intList)) # must be str, not list or type # list items can be reassigned normalList() print(intList + [4,5]) # temp print list with more indexes intList.append(6) # permenently add a 6 to list. # Using .append METHOD from function on python print(len(intList)) # len() is FUNCTION, not method intList[1] = 4 print("intList[1] =: " + str(intList[1])) print("new list: " + str(intList)) print("list many times" + (str(intList) * 2)) # concatenated so list # is repeated print(intList * 3) # this shows the list many times as one normalList() # .insert(index, data) method can insert data at any index intList.insert(1, 7) normalList() # new list newList = ['1','2','3'] print(newList.index('1')) # prints the index position number of item print(newList.index('3'))
int_list = [1, 2, 3] def normal_list(): print('initial list: ' + str(intList)) normal_list() print(intList + [4, 5]) intList.append(6) print(len(intList)) intList[1] = 4 print('intList[1] =: ' + str(intList[1])) print('new list: ' + str(intList)) print('list many times' + str(intList) * 2) print(intList * 3) normal_list() intList.insert(1, 7) normal_list() new_list = ['1', '2', '3'] print(newList.index('1')) print(newList.index('3'))
try: aa = 1.0/0 except Exception as e: print(e) print(aa) class Animal(): def __init__(self): self.age = 1 class Cat(Animal): def __init__(self): super().__init__() self.age = 2 self.name = 'Cat' c = Cat() print(c.age) print(c.name) class Student(): def func(self,x=1): print('hello',x) def func(self): print('hello') stu = Student() stu.func() stu.func(3)
try: aa = 1.0 / 0 except Exception as e: print(e) print(aa) class Animal: def __init__(self): self.age = 1 class Cat(Animal): def __init__(self): super().__init__() self.age = 2 self.name = 'Cat' c = cat() print(c.age) print(c.name) class Student: def func(self, x=1): print('hello', x) def func(self): print('hello') stu = student() stu.func() stu.func(3)
# optimizer optimizer = dict(type='SGD', lr=0.003, momentum=0.9, weight_decay=0.0005) #0.0001) optimizer_config = dict(grad_clip=dict(max_norm=10, norm_type=2)) # learning policy lr_config = dict( policy='step', warmup='linear', warmup_iters=500, warmup_ratio=0.001, step=[16]) total_epochs = 22
optimizer = dict(type='SGD', lr=0.003, momentum=0.9, weight_decay=0.0005) optimizer_config = dict(grad_clip=dict(max_norm=10, norm_type=2)) lr_config = dict(policy='step', warmup='linear', warmup_iters=500, warmup_ratio=0.001, step=[16]) total_epochs = 22
courses = {} commands = input() while not commands == "end": commands = commands.split(" : ") if commands[0] not in courses: courses[commands[0]] = [] courses[commands[0]].append(commands[1]) else: courses[commands[0]].append(commands[1]) commands = input() #a = sorted(courses.items(), key=lambda kvp: len(kvp)) sorted_courses = sorted(courses.items(),key=lambda kvp: len(kvp[1]),reverse=True) for key, value in sorted_courses: print(f"{key}: {len(value)}") members1 = sorted(value) members = '\n-- '.join(members1) print(f"-- {members}")
courses = {} commands = input() while not commands == 'end': commands = commands.split(' : ') if commands[0] not in courses: courses[commands[0]] = [] courses[commands[0]].append(commands[1]) else: courses[commands[0]].append(commands[1]) commands = input() sorted_courses = sorted(courses.items(), key=lambda kvp: len(kvp[1]), reverse=True) for (key, value) in sorted_courses: print(f'{key}: {len(value)}') members1 = sorted(value) members = '\n-- '.join(members1) print(f'-- {members}')
""" This file contains different status codes for NetConnection, NetStream and SharedObject. The source code was taken from the rtmpy project (https://github.com/hydralabs/rtmpy) https://github.com/hydralabs/rtmpy/blob/master/rtmpy/status/codes.py """ # === NetConnection status codes and what they mean. === #: The URI specified in the NetConnection.connect method did not specify 'rtmp' #: as the protocol. 'rtmp' must be specified when connecting to an RTMP server. #: Either not supported version of AMF was used (3 when only 0 is supported). NC_CALL_BAD_VERSION = 'NetConnection.Call.BadVersion' #: The NetConnection.call method was not able to invoke the server-side method #: or command. NC_CALL_FAILED = 'NetConnection.Call.Failed' #: The application has been shut down (for example, if the application is out #: of memory resources and must shut down to prevent the server from crashing) #: or the server has shut down. NC_CONNECT_APP_SHUTDOWN = 'NetConnection.Connect.AppShutdown' #: The connection was closed successfully. NC_CONNECT_CLOSED = 'NetConnection.Connect.Closed' #: The connection attempt failed. NC_CONNECT_FAILED = 'NetConnection.Connect.Failed' #: The application name specified during connect is invalid. NC_CONNECT_INVALID_APPLICATION = 'NetConnection.Connect.InvalidApp' #: The client does not have permission to connect to the application, the #: application expected different parameters from those that were passed, #: or the application name specified during the connection attempt was not #: found on the server. NC_CONNECT_REJECTED = 'NetConnection.Connect.Rejected' #: The connection attempt succeeded. NC_CONNECT_SUCCESS = 'NetConnection.Connect.Success' # === NetStream status codes and what they mean. === #: A recorded stream failed to delete. NS_CLEAR_FAILED = 'NetStream.Clear.Failed' # A recorded stream was deleted successfully. NS_CLEAR_SUCCESS = 'NetStream.Clear.Success' #: An attempt to use a Stream method (at client-side) failed. NS_FAILED = 'NetStream.Failed' #: Invalid arguments were passed to a NetStream method. NS_INVALID_ARGUMENT = 'NetStream.InvalidArg' #: Playlist playback is complete. NS_PLAY_COMPLETE = 'NetStream.Play.Complete' #: An attempt to play back a stream failed. NS_PLAY_FAILED = 'NetStream.Play.Failed' #: Data is playing behind the normal speed. NS_PLAY_INSUFFICIENT_BW = 'NetStream.Play.InsufficientBW' #: Playback was started. NS_PLAY_START = 'NetStream.Play.Start' #: An attempt was made to play a stream that does not exist. NS_PLAY_STREAM_NOT_FOUND = 'NetStream.Play.StreamNotFound' #: Playback was stopped. NS_PLAY_STOP = 'NetStream.Play.Stop' #: A playlist was reset. NS_PLAY_RESET = 'NetStream.Play.Reset' #: The initial publish to a stream was successful. This message is sent to #: all subscribers. NS_PLAY_PUBLISH_NOTIFY = 'NetStream.Play.PublishNotify' #: An unpublish from a stream was successful. This message is sent to all #: subscribers. NS_PLAY_UNPUBLISH_NOTIFY = 'NetStream.Play.UnpublishNotify' #: Playlist playback switched from one stream to another. NS_PLAY_SWITCH = 'NetStream.Play.Switch' #: Flash Player detected an invalid file structure and will not try to #: play this type of file. NS_PLAY_FILE_STRUCTURE_INVALID = 'NetStream.Play.FileStructureInvalid' #: Flash Player did not detect any supported tracks (video, audio or data) #: and will not try to play the file. NS_PLAY_NO_SUPPORTED_TRACK_FOUND = 'NetStream.Play.NoSupportedTrackFound' #: An attempt was made to publish a stream that is already being published #: by someone else. NS_PUBLISH_BAD_NAME = 'NetStream.Publish.BadName' #: An attempt to publish was successful. NS_PUBLISH_START = 'NetStream.Publish.Start' #: An attempt was made to record a read-only stream. NS_RECORD_NO_ACCESS = 'NetStream.Record.NoAccess' #: An attempt to record a stream failed. NS_RECORD_FAILED = 'NetStream.Record.Failed' #: Recording was started. NS_RECORD_START = 'NetStream.Record.Start' #: Recording was stopped. NS_RECORD_STOP = 'NetStream.Record.Stop' #: An attempt to unpublish was successful. NS_UNPUBLISHED_SUCCESS = 'NetStream.Unpublish.Success' #: The subscriber has used the seek command to move to a particular #: location in the recorded stream. NS_SEEK_NOTIFY = 'NetStream.Seek.Notify' #: The stream doesn't support seeking. NS_SEEK_FAILED = 'NetStream.Seek.Failed' #: The subscriber has used the seek command to move to a particular #: location in the recorded stream. NS_PAUSE_NOTIFY = 'NetStream.Pause.Notify' #: Publishing has stopped. NS_UNPAUSE_NOTIFY = 'NetStream.Unpause.Notify' #: Unknown NS_DATA_START = 'NetStream.Data.Start' # === SharedObject status codes and what they mean. === #: Read access to a shared object was denied. SO_NO_READ_ACCESS = 'SharedObject.NoReadAccess' #: Write access to a shared object was denied. SO_NO_WRITE_ACCESS = 'SharedObject.NoWriteAccess' #: The creation of a shared object was denied. SO_CREATION_FAILED = 'SharedObject.ObjectCreationFailed' #: The persistence parameter passed to SharedObject.getRemote() is #: different from the one used when the shared object was created. SO_PERSISTENCE_MISMATCH = 'SharedObject.BadPersistence'
""" This file contains different status codes for NetConnection, NetStream and SharedObject. The source code was taken from the rtmpy project (https://github.com/hydralabs/rtmpy) https://github.com/hydralabs/rtmpy/blob/master/rtmpy/status/codes.py """ nc_call_bad_version = 'NetConnection.Call.BadVersion' nc_call_failed = 'NetConnection.Call.Failed' nc_connect_app_shutdown = 'NetConnection.Connect.AppShutdown' nc_connect_closed = 'NetConnection.Connect.Closed' nc_connect_failed = 'NetConnection.Connect.Failed' nc_connect_invalid_application = 'NetConnection.Connect.InvalidApp' nc_connect_rejected = 'NetConnection.Connect.Rejected' nc_connect_success = 'NetConnection.Connect.Success' ns_clear_failed = 'NetStream.Clear.Failed' ns_clear_success = 'NetStream.Clear.Success' ns_failed = 'NetStream.Failed' ns_invalid_argument = 'NetStream.InvalidArg' ns_play_complete = 'NetStream.Play.Complete' ns_play_failed = 'NetStream.Play.Failed' ns_play_insufficient_bw = 'NetStream.Play.InsufficientBW' ns_play_start = 'NetStream.Play.Start' ns_play_stream_not_found = 'NetStream.Play.StreamNotFound' ns_play_stop = 'NetStream.Play.Stop' ns_play_reset = 'NetStream.Play.Reset' ns_play_publish_notify = 'NetStream.Play.PublishNotify' ns_play_unpublish_notify = 'NetStream.Play.UnpublishNotify' ns_play_switch = 'NetStream.Play.Switch' ns_play_file_structure_invalid = 'NetStream.Play.FileStructureInvalid' ns_play_no_supported_track_found = 'NetStream.Play.NoSupportedTrackFound' ns_publish_bad_name = 'NetStream.Publish.BadName' ns_publish_start = 'NetStream.Publish.Start' ns_record_no_access = 'NetStream.Record.NoAccess' ns_record_failed = 'NetStream.Record.Failed' ns_record_start = 'NetStream.Record.Start' ns_record_stop = 'NetStream.Record.Stop' ns_unpublished_success = 'NetStream.Unpublish.Success' ns_seek_notify = 'NetStream.Seek.Notify' ns_seek_failed = 'NetStream.Seek.Failed' ns_pause_notify = 'NetStream.Pause.Notify' ns_unpause_notify = 'NetStream.Unpause.Notify' ns_data_start = 'NetStream.Data.Start' so_no_read_access = 'SharedObject.NoReadAccess' so_no_write_access = 'SharedObject.NoWriteAccess' so_creation_failed = 'SharedObject.ObjectCreationFailed' so_persistence_mismatch = 'SharedObject.BadPersistence'
# # PySNMP MIB module BENU-DHCP-MIB (http://snmplabs.com/pysmi) # ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/BENU-DHCP-MIB # Produced by pysmi-0.3.4 at Wed May 1 11:37:16 2019 # On host DAVWANG4-M-1475 platform Darwin version 18.5.0 by user davwang4 # Using Python version 3.7.3 (default, Mar 27 2019, 09:23:15) # ObjectIdentifier, Integer, OctetString = mibBuilder.importSymbols("ASN1", "ObjectIdentifier", "Integer", "OctetString") NamedValues, = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues") ValueSizeConstraint, ConstraintsUnion, ValueRangeConstraint, SingleValueConstraint, ConstraintsIntersection = mibBuilder.importSymbols("ASN1-REFINEMENT", "ValueSizeConstraint", "ConstraintsUnion", "ValueRangeConstraint", "SingleValueConstraint", "ConstraintsIntersection") benuWAG, = mibBuilder.importSymbols("BENU-WAG-MIB", "benuWAG") InetAddressIPv4, InetAddressPrefixLength = mibBuilder.importSymbols("INET-ADDRESS-MIB", "InetAddressIPv4", "InetAddressPrefixLength") ModuleCompliance, NotificationGroup = mibBuilder.importSymbols("SNMPv2-CONF", "ModuleCompliance", "NotificationGroup") ModuleIdentity, MibIdentifier, NotificationType, Unsigned32, Bits, TimeTicks, Gauge32, MibScalar, MibTable, MibTableRow, MibTableColumn, IpAddress, ObjectIdentity, Integer32, iso, Counter64, Counter32 = mibBuilder.importSymbols("SNMPv2-SMI", "ModuleIdentity", "MibIdentifier", "NotificationType", "Unsigned32", "Bits", "TimeTicks", "Gauge32", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "IpAddress", "ObjectIdentity", "Integer32", "iso", "Counter64", "Counter32") TextualConvention, DisplayString = mibBuilder.importSymbols("SNMPv2-TC", "TextualConvention", "DisplayString") bDhcpMIB = ModuleIdentity((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6)) bDhcpMIB.setRevisions(('2015-12-18 00:00', '2015-11-12 00:00', '2015-01-29 00:00', '2015-01-16 00:00', '2014-07-30 00:00', '2014-04-14 00:00', '2013-10-22 00:00',)) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): if mibBuilder.loadTexts: bDhcpMIB.setRevisionsDescriptions(('Added bDhcpHomeSubnetUsedAddrLow, bDhcpHomeSubnetUsedAddrHigh & added bDhcpv4NotifObjects for supporting Home wrt Home subnets.', 'Added bDhcpSPWiFiGlobalTable and bDhcpHomeGlobalTable', 'Added max. values for ranges & subnet.', 'Updated notification assignments to comply with standards (RFC 2578).', 'bDhcpGlobalTable updated with release indications sent.', 'bDhcpSubnetTable updated with peak addresses held statistic.', 'This version introduces support for DHCPv6',)) if mibBuilder.loadTexts: bDhcpMIB.setLastUpdated('201512180000Z') if mibBuilder.loadTexts: bDhcpMIB.setOrganization('Benu Networks,Inc') if mibBuilder.loadTexts: bDhcpMIB.setContactInfo('Benu Networks,Inc Corporate Headquarters 300 Concord Road, Suite 110 Billerica, MA 01821 USA Tel: +1 978-223-4700 Fax: +1 978-362-1908 Email: info@benunets.com') if mibBuilder.loadTexts: bDhcpMIB.setDescription('The MIB module for entities implementing the server side of the Bootstrap Protocol (BOOTP) and the Dynamic Host Configuration protocol (DHCP) for IPv4 and IPv6. Copyright (C) 2014 by Benu Networks, Inc. All rights reserved.') bDhcpNotifications = ObjectIdentity((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 0)) if mibBuilder.loadTexts: bDhcpNotifications.setStatus('current') if mibBuilder.loadTexts: bDhcpNotifications.setDescription('DHCP Notifications are defined in this branch.') bDhcpv4MIBObjects = ObjectIdentity((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1)) if mibBuilder.loadTexts: bDhcpv4MIBObjects.setStatus('current') if mibBuilder.loadTexts: bDhcpv4MIBObjects.setDescription('DHCP v4 MIB objects information is defined in this branch.') bDhcpv4NotifObjects = ObjectIdentity((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 2)) if mibBuilder.loadTexts: bDhcpv4NotifObjects.setStatus('current') if mibBuilder.loadTexts: bDhcpv4NotifObjects.setDescription('DHCP v4 Notifications are defined in this branch.') bDhcpv6MIBObjects = ObjectIdentity((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3)) if mibBuilder.loadTexts: bDhcpv6MIBObjects.setStatus('current') if mibBuilder.loadTexts: bDhcpv6MIBObjects.setDescription('DHCP v6 MIB objects information is defined in this branch.') bDhcpv6NotifObjects = ObjectIdentity((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 4)) if mibBuilder.loadTexts: bDhcpv6NotifObjects.setStatus('current') if mibBuilder.loadTexts: bDhcpv6NotifObjects.setDescription('DHCP v6 Notifications are defined in this branch.') bDhcpSubnetTable = MibTable((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 1), ) if mibBuilder.loadTexts: bDhcpSubnetTable.setStatus('current') if mibBuilder.loadTexts: bDhcpSubnetTable.setDescription('A list of subnets that are configured in this server.') bDhcpSubnetEntry = MibTableRow((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 1, 1), ).setIndexNames((0, "BENU-DHCP-MIB", "bDhcpSubnetStatsInterval"), (0, "BENU-DHCP-MIB", "bDhcpSubnetIndex"), (0, "BENU-DHCP-MIB", "bDhcpSubnetRangeIndex")) if mibBuilder.loadTexts: bDhcpSubnetEntry.setStatus('current') if mibBuilder.loadTexts: bDhcpSubnetEntry.setDescription('A logical row in the bDhcpSubnetTable.') bDhcpSubnetStatsInterval = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 1, 1, 1), Integer32()) if mibBuilder.loadTexts: bDhcpSubnetStatsInterval.setStatus('current') if mibBuilder.loadTexts: bDhcpSubnetStatsInterval.setDescription('The interval where the measurements were accumulated. The interval index one indicates the latest interval for which statistics accumulation was completed. Older the statistics interval data greater the interval index value. In a system supporting a history of n intervals with IntervalCount(1) and IntervalCount(n) the most and least recent intervals respectively, the following applies at the end of a interval: - discard the value of IntervalCount(n) - the value of IntervalCount(i) becomes that of IntervalCount(i+1) for 1 <= i <n . - the value of IntervalCount(1) becomes that of CurrentCount') bDhcpSubnetIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 1, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 144))) if mibBuilder.loadTexts: bDhcpSubnetIndex.setStatus('current') if mibBuilder.loadTexts: bDhcpSubnetIndex.setDescription('The index of the subnet entry in the table. DHCP supports max. 144 subnets.') bDhcpSubnetRangeIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 1, 1, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 16))) if mibBuilder.loadTexts: bDhcpSubnetRangeIndex.setStatus('current') if mibBuilder.loadTexts: bDhcpSubnetRangeIndex.setDescription('The index of the range from the subnet entry in the table. DHCP supports max. 16 ranges per subnet.') bDhcpSubnetIntervalDuration = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 1, 1, 4), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpSubnetIntervalDuration.setStatus('current') if mibBuilder.loadTexts: bDhcpSubnetIntervalDuration.setDescription('Duration of the interval in minutes.') bDhcpSubnetStartAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 1, 1, 5), InetAddressIPv4()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpSubnetStartAddress.setStatus('current') if mibBuilder.loadTexts: bDhcpSubnetStartAddress.setDescription('The first subnet IP address.') bDhcpSubnetEndAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 1, 1, 6), InetAddressIPv4()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpSubnetEndAddress.setStatus('current') if mibBuilder.loadTexts: bDhcpSubnetEndAddress.setDescription('The last subnet IP address.') bDhcpSubnetTotalAddresses = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 1, 1, 7), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpSubnetTotalAddresses.setStatus('current') if mibBuilder.loadTexts: bDhcpSubnetTotalAddresses.setDescription('The total number of addresses in the subnet .') bDhcpSubnetPeakFreeAddresses = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 1, 1, 8), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpSubnetPeakFreeAddresses.setStatus('current') if mibBuilder.loadTexts: bDhcpSubnetPeakFreeAddresses.setDescription('The peak number of free IP addresses that are available in the subnet') bDhcpSubnetPeakUsedAddresses = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 1, 1, 9), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpSubnetPeakUsedAddresses.setStatus('current') if mibBuilder.loadTexts: bDhcpSubnetPeakUsedAddresses.setDescription('The peak number of used IP addresses that are used in the subnet') bDhcpSubnetAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 1, 1, 10), InetAddressIPv4()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpSubnetAddress.setStatus('current') if mibBuilder.loadTexts: bDhcpSubnetAddress.setDescription('The IP address of the subnet entry in the table.') bDhcpSubnetMask = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 1, 1, 11), InetAddressPrefixLength()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpSubnetMask.setStatus('current') if mibBuilder.loadTexts: bDhcpSubnetMask.setDescription('The subnet mask of the subnet.') bDhcpSubnetUsedAddrLowThreshold = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 1, 1, 12), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpSubnetUsedAddrLowThreshold.setStatus('current') if mibBuilder.loadTexts: bDhcpSubnetUsedAddrLowThreshold.setDescription('The low threshold for used IP addresses in this subnet. If the value for used IP addresses in this subnet becomes equal to or less than this value and the current condition for bDhcpSubnetUsedAddrHigh is raised, then a bDhcpSubnetUsedAddrLow event will be generated. No more bDhcpSubnetUsedAddrLow events will be generated for this subnet during its execution until the value for used addresses has exceeded the value of bDhcpSubnetUsedAddrHighThreshold.') bDhcpSubnetUsedAddrHighThreshold = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 1, 1, 13), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpSubnetUsedAddrHighThreshold.setStatus('current') if mibBuilder.loadTexts: bDhcpSubnetUsedAddrHighThreshold.setDescription('The high threshold for used IP addresses in this subnet. If a bDhcpSubnetUsedAddrLow event has been generated (or no bDhcpSubnetUsedAddrHigh was generated previously) for this subnet, and the value for used IP addresses in this subnet has exceeded this value then a bDhcpSubnetUsedAddrHigh event will be generated. No more bDhcpSubnetUsedAddrHigh events will be generated for this subnet during its execution until the value for used addresses in this subnet becomes equal to or less than the value of bDhcpSubnetUsedAddrLowThreshold.') bDhcpSubnetPeakHoldAddresses = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 1, 1, 14), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpSubnetPeakHoldAddresses.setStatus('current') if mibBuilder.loadTexts: bDhcpSubnetPeakHoldAddresses.setDescription('The peak number of IP addresses that are held within this subnet.') bDhcpGlobalTable = MibTable((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 2), ) if mibBuilder.loadTexts: bDhcpGlobalTable.setStatus('current') if mibBuilder.loadTexts: bDhcpGlobalTable.setDescription('A list of Global DHCP server information for various intervals.') bDhcpGlobalEntry = MibTableRow((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 2, 1), ).setIndexNames((0, "BENU-DHCP-MIB", "bDhcpGlobalStatsInterval")) if mibBuilder.loadTexts: bDhcpGlobalEntry.setStatus('current') if mibBuilder.loadTexts: bDhcpGlobalEntry.setDescription('A logical row in the bDhcpGlobalTable.') bDhcpGlobalStatsInterval = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 2, 1, 1), Integer32()) if mibBuilder.loadTexts: bDhcpGlobalStatsInterval.setStatus('current') if mibBuilder.loadTexts: bDhcpGlobalStatsInterval.setDescription('The interval where the measurements were accumulated. The interval index one indicates the latest interval for which statistics accumulation was completed. Older the statistics interval data greater the interval index value. In a system supporting a history of n intervals with IntervalCount(1) and IntervalCount(n) the most and least recent intervals respectively, the following applies at the end of a interval: - discard the value of IntervalCount(n) - the value of IntervalCount(i) becomes that of IntervalCount(i+1) for 1 <= i <n . - the value of IntervalCount(1) becomes that of CurrentCount') bDhcpDiscoversRcvd = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 2, 1, 2), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpDiscoversRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpDiscoversRcvd.setDescription('The number of DHCPDISCOVER packets received.') bDhcpOffersSent = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 2, 1, 3), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpOffersSent.setStatus('current') if mibBuilder.loadTexts: bDhcpOffersSent.setDescription('The number of DHCPOFFER packets sent.') bDhcpRequestsRcvd = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 2, 1, 4), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpRequestsRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpRequestsRcvd.setDescription('The number of DHCPREQUEST packets received.') bDhcpDeclinesRcvd = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 2, 1, 5), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpDeclinesRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpDeclinesRcvd.setDescription('The number of DHCPDECLINE packets received.') bDhcpAcksSent = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 2, 1, 6), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpAcksSent.setStatus('current') if mibBuilder.loadTexts: bDhcpAcksSent.setDescription('The number of DHCPACK packets sent.') bDhcpNacksSent = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 2, 1, 7), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpNacksSent.setStatus('current') if mibBuilder.loadTexts: bDhcpNacksSent.setDescription('The number of DHCPNACK packets sent.') bDhcpReleasesRcvd = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 2, 1, 8), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpReleasesRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpReleasesRcvd.setDescription('The number of DHCPRELEASE packets received.') bDhcpReleasesIndRcvd = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 2, 1, 9), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpReleasesIndRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpReleasesIndRcvd.setDescription('The number of DHCPRELEASE indication packets received.') bDhcpReleasesSent = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 2, 1, 10), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpReleasesSent.setStatus('current') if mibBuilder.loadTexts: bDhcpReleasesSent.setDescription('The number of DHCPRELEASE packets sent.') bDhcpInformsRcvd = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 2, 1, 11), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpInformsRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpInformsRcvd.setDescription('The number of DHCPINFORM packets received.') bDhcpInformsAckSent = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 2, 1, 12), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpInformsAckSent.setStatus('current') if mibBuilder.loadTexts: bDhcpInformsAckSent.setDescription('The number of DHCPINFORM ACK packets sent.') bDhcpDropDiscover = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 2, 1, 13), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpDropDiscover.setStatus('current') if mibBuilder.loadTexts: bDhcpDropDiscover.setDescription('The number of DHCPDISCOVER packets dropped.') bDhcpDropRequest = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 2, 1, 14), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpDropRequest.setStatus('current') if mibBuilder.loadTexts: bDhcpDropRequest.setDescription('The number of DHCPREQUEST packets dropped.') bDhcpDropRelease = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 2, 1, 15), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpDropRelease.setStatus('current') if mibBuilder.loadTexts: bDhcpDropRelease.setDescription('The number of DHCPRELEASE packets dropped.') bDhcpLeasesAssigned = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 2, 1, 16), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpLeasesAssigned.setStatus('current') if mibBuilder.loadTexts: bDhcpLeasesAssigned.setDescription('Total number of leases assigned on DHCP server') bDhcpLeasesReleased = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 2, 1, 17), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpLeasesReleased.setStatus('current') if mibBuilder.loadTexts: bDhcpLeasesReleased.setDescription('Total number of leases released on DHCP server') bDhcpLeasesRelFail = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 2, 1, 18), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpLeasesRelFail.setStatus('current') if mibBuilder.loadTexts: bDhcpLeasesRelFail.setDescription('Total number of leases release failed on DHCP server') bDhcpLeasesExpired = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 2, 1, 19), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpLeasesExpired.setStatus('current') if mibBuilder.loadTexts: bDhcpLeasesExpired.setDescription('Total number of leases expired on DHCP server') bDhcpLeasesRenewed = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 2, 1, 20), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpLeasesRenewed.setStatus('current') if mibBuilder.loadTexts: bDhcpLeasesRenewed.setDescription('Total number of leases renewed on DHCP server') bDhcpLeasesRenewFail = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 2, 1, 21), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpLeasesRenewFail.setStatus('current') if mibBuilder.loadTexts: bDhcpLeasesRenewFail.setDescription('Total number of leases renew failed on DHCP server') bDhcpLeasesNotAssignServIntNotConfig = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 2, 1, 22), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpLeasesNotAssignServIntNotConfig.setStatus('current') if mibBuilder.loadTexts: bDhcpLeasesNotAssignServIntNotConfig.setDescription('Total number of leases not assigned due to interface not configured on DHCP server') bDhcpLeasesNotAssignFreeBuffUnavail = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 2, 1, 23), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpLeasesNotAssignFreeBuffUnavail.setStatus('current') if mibBuilder.loadTexts: bDhcpLeasesNotAssignFreeBuffUnavail.setDescription('Total number of leases not assigned due to unavailability of free buffers') bDhcpIntervalDuration = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 2, 1, 24), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpIntervalDuration.setStatus('current') if mibBuilder.loadTexts: bDhcpIntervalDuration.setDescription('Duration of the interval in minutes') bBootpRequestsRcvd = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 2, 1, 25), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bBootpRequestsRcvd.setStatus('current') if mibBuilder.loadTexts: bBootpRequestsRcvd.setDescription('Total number of BOOTP request mesages received') bBootpRepliesSent = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 2, 1, 26), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bBootpRepliesSent.setStatus('current') if mibBuilder.loadTexts: bBootpRepliesSent.setDescription('Total number of BOOTP reply mesages sent') bDhcpReleasesIndSent = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 2, 1, 27), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpReleasesIndSent.setStatus('current') if mibBuilder.loadTexts: bDhcpReleasesIndSent.setDescription('The number of DHCPRELEASE indication packets sent.') bDhcpSPWiFiGlobalTable = MibTable((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 4), ) if mibBuilder.loadTexts: bDhcpSPWiFiGlobalTable.setStatus('current') if mibBuilder.loadTexts: bDhcpSPWiFiGlobalTable.setDescription('A list of Global DHCP server information for SPWiFi for various intervals.') bDhcpSPWiFiGlobalEntry = MibTableRow((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 4, 1), ).setIndexNames((0, "BENU-DHCP-MIB", "bDhcpSPWiFiGlobalStatsInterval")) if mibBuilder.loadTexts: bDhcpSPWiFiGlobalEntry.setStatus('current') if mibBuilder.loadTexts: bDhcpSPWiFiGlobalEntry.setDescription('A logical row in the bDhcpSPWiFiGlobalTable.') bDhcpSPWiFiGlobalStatsInterval = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 4, 1, 1), Integer32()) if mibBuilder.loadTexts: bDhcpSPWiFiGlobalStatsInterval.setStatus('current') if mibBuilder.loadTexts: bDhcpSPWiFiGlobalStatsInterval.setDescription('The interval where the measurements were accumulated. The interval index one indicates the latest interval for which statistics accumulation was completed. Older the statistics interval data greater the interval index value. In a system supporting a history of n intervals with IntervalCount(1) and IntervalCount(n) the most and least recent intervals respectively, the following applies at the end of a interval: - discard the value of IntervalCount(n) - the value of IntervalCount(i) becomes that of IntervalCount(i+1) for 1 <= i <n . - the value of IntervalCount(1) becomes that of CurrentCount') bDhcpSPWiFiDiscoversRcvd = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 4, 1, 2), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpSPWiFiDiscoversRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpSPWiFiDiscoversRcvd.setDescription('The number of SPWiFi DHCPDISCOVER packets received.') bDhcpSPWiFiOffersSent = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 4, 1, 3), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpSPWiFiOffersSent.setStatus('current') if mibBuilder.loadTexts: bDhcpSPWiFiOffersSent.setDescription('The number of SPWiFi DHCPOFFER packets sent.') bDhcpSPWiFiRequestsRcvd = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 4, 1, 4), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpSPWiFiRequestsRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpSPWiFiRequestsRcvd.setDescription('The number of SPWiFi DHCPREQUEST packets received.') bDhcpSPWiFiDeclinesRcvd = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 4, 1, 5), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpSPWiFiDeclinesRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpSPWiFiDeclinesRcvd.setDescription('The number of SPWiFi DHCPDECLINE packets received.') bDhcpSPWiFiAcksSent = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 4, 1, 6), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpSPWiFiAcksSent.setStatus('current') if mibBuilder.loadTexts: bDhcpSPWiFiAcksSent.setDescription('The number of SPWiFi DHCPACK packets sent.') bDhcpSPWiFiNacksSent = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 4, 1, 7), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpSPWiFiNacksSent.setStatus('current') if mibBuilder.loadTexts: bDhcpSPWiFiNacksSent.setDescription('The number of SPWiFi DHCPNACK packets sent.') bDhcpSPWiFiReleasesRcvd = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 4, 1, 8), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpSPWiFiReleasesRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpSPWiFiReleasesRcvd.setDescription('The number of SPWiFi DHCPRELEASE packets received.') bDhcpSPWiFiReleasesIndRcvd = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 4, 1, 9), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpSPWiFiReleasesIndRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpSPWiFiReleasesIndRcvd.setDescription('The number of SPWiFi DHCPRELEASE indication packets received.') bDhcpSPWiFiReleasesSent = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 4, 1, 10), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpSPWiFiReleasesSent.setStatus('current') if mibBuilder.loadTexts: bDhcpSPWiFiReleasesSent.setDescription('The number of SPWiFi DHCPRELEASE packets sent.') bDhcpSPWiFiInformsRcvd = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 4, 1, 11), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpSPWiFiInformsRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpSPWiFiInformsRcvd.setDescription('The number of SPWiFi DHCPINFORM packets received.') bDhcpSPWiFiInformsAckSent = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 4, 1, 12), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpSPWiFiInformsAckSent.setStatus('current') if mibBuilder.loadTexts: bDhcpSPWiFiInformsAckSent.setDescription('The number of SPWiFi DHCPINFORM ACK packets sent.') bDhcpSPWiFiDropDiscover = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 4, 1, 13), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpSPWiFiDropDiscover.setStatus('current') if mibBuilder.loadTexts: bDhcpSPWiFiDropDiscover.setDescription('The number of SPWiFi DHCPDISCOVER packets dropped.') bDhcpSPWiFiDropRequest = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 4, 1, 14), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpSPWiFiDropRequest.setStatus('current') if mibBuilder.loadTexts: bDhcpSPWiFiDropRequest.setDescription('The number of SPWiFi DHCPREQUEST packets dropped.') bDhcpSPWiFiDropRelease = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 4, 1, 15), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpSPWiFiDropRelease.setStatus('current') if mibBuilder.loadTexts: bDhcpSPWiFiDropRelease.setDescription('The number of SPWiFi DHCPRELEASE packets dropped.') bDhcpSPWiFiLeasesAssigned = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 4, 1, 16), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpSPWiFiLeasesAssigned.setStatus('current') if mibBuilder.loadTexts: bDhcpSPWiFiLeasesAssigned.setDescription('Total number of SPWiFi leases assigned on DHCP server') bDhcpSPWiFiLeasesReleased = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 4, 1, 17), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpSPWiFiLeasesReleased.setStatus('current') if mibBuilder.loadTexts: bDhcpSPWiFiLeasesReleased.setDescription('Total number of SPWiFi leases released on DHCP server') bDhcpSPWiFiLeasesRelFail = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 4, 1, 18), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpSPWiFiLeasesRelFail.setStatus('current') if mibBuilder.loadTexts: bDhcpSPWiFiLeasesRelFail.setDescription('Total number of SPWiFi leases release failed on DHCP server') bDhcpSPWiFiLeasesExpired = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 4, 1, 19), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpSPWiFiLeasesExpired.setStatus('current') if mibBuilder.loadTexts: bDhcpSPWiFiLeasesExpired.setDescription('Total number of SPWiFi leases expired on DHCP server') bDhcpSPWiFiLeasesRenewed = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 4, 1, 20), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpSPWiFiLeasesRenewed.setStatus('current') if mibBuilder.loadTexts: bDhcpSPWiFiLeasesRenewed.setDescription('Total number of SPWiFi leases renewed on DHCP server') bDhcpSPWiFiLeasesRenewFail = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 4, 1, 21), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpSPWiFiLeasesRenewFail.setStatus('current') if mibBuilder.loadTexts: bDhcpSPWiFiLeasesRenewFail.setDescription('Total number of SPWiFi leases renew failed on DHCP server') bDhcpSPWiFiLeasesNotAssignServIntNotConfig = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 4, 1, 22), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpSPWiFiLeasesNotAssignServIntNotConfig.setStatus('current') if mibBuilder.loadTexts: bDhcpSPWiFiLeasesNotAssignServIntNotConfig.setDescription('Total number of SPWiFi leases not assigned due to interface not configured on DHCP server') bDhcpSPWiFiLeasesNotAssignFreeBuffUnavail = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 4, 1, 23), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpSPWiFiLeasesNotAssignFreeBuffUnavail.setStatus('current') if mibBuilder.loadTexts: bDhcpSPWiFiLeasesNotAssignFreeBuffUnavail.setDescription('Total number of SPWiFi leases not assigned due to unavailability of free buffers') bDhcpSPWiFiIntervalDuration = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 4, 1, 24), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpSPWiFiIntervalDuration.setStatus('current') if mibBuilder.loadTexts: bDhcpSPWiFiIntervalDuration.setDescription('SPWiFi duration of the interval in minutes') bSPWiFiBootpRequestsRcvd = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 4, 1, 25), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bSPWiFiBootpRequestsRcvd.setStatus('current') if mibBuilder.loadTexts: bSPWiFiBootpRequestsRcvd.setDescription('Total number of SPWiFi BOOTP request mesages received') bSPWiFiBootpRepliesSent = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 4, 1, 26), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bSPWiFiBootpRepliesSent.setStatus('current') if mibBuilder.loadTexts: bSPWiFiBootpRepliesSent.setDescription('Total number of SPWiFi BOOTP reply mesages sent') bDhcpSPWiFiReleasesIndSent = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 4, 1, 27), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpSPWiFiReleasesIndSent.setStatus('current') if mibBuilder.loadTexts: bDhcpSPWiFiReleasesIndSent.setDescription('The number of SPWiFi DHCPRELEASE indication packets sent.') bDhcpHomeGlobalTable = MibTable((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 5), ) if mibBuilder.loadTexts: bDhcpHomeGlobalTable.setStatus('current') if mibBuilder.loadTexts: bDhcpHomeGlobalTable.setDescription('A list of Global DHCP server information for Home for various intervals.') bDhcpHomeGlobalEntry = MibTableRow((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 5, 1), ).setIndexNames((0, "BENU-DHCP-MIB", "bDhcpHomeGlobalStatsInterval")) if mibBuilder.loadTexts: bDhcpHomeGlobalEntry.setStatus('current') if mibBuilder.loadTexts: bDhcpHomeGlobalEntry.setDescription('A logical row in the bDhcpHomeGlobalTable.') bDhcpHomeGlobalStatsInterval = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 5, 1, 1), Integer32()) if mibBuilder.loadTexts: bDhcpHomeGlobalStatsInterval.setStatus('current') if mibBuilder.loadTexts: bDhcpHomeGlobalStatsInterval.setDescription('The interval where the measurements were accumulated. The interval index one indicates the latest interval for which statistics accumulation was completed. Older the statistics interval data greater the interval index value. In a system supporting a history of n intervals with IntervalCount(1) and IntervalCount(n) the most and least recent intervals respectively, the following applies at the end of a interval: - discard the value of IntervalCount(n) - the value of IntervalCount(i) becomes that of IntervalCount(i+1) for 1 <= i <n . - the value of IntervalCount(1) becomes that of CurrentCount') bDhcpHomeDiscoversRcvd = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 5, 1, 2), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpHomeDiscoversRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpHomeDiscoversRcvd.setDescription('The number of Home DHCPDISCOVER packets received.') bDhcpHomeOffersSent = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 5, 1, 3), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpHomeOffersSent.setStatus('current') if mibBuilder.loadTexts: bDhcpHomeOffersSent.setDescription('The number of Home DHCPOFFER packets sent.') bDhcpHomeRequestsRcvd = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 5, 1, 4), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpHomeRequestsRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpHomeRequestsRcvd.setDescription('The number of Home DHCPREQUEST packets received.') bDhcpHomeDeclinesRcvd = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 5, 1, 5), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpHomeDeclinesRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpHomeDeclinesRcvd.setDescription('The number of Home DHCPDECLINE packets received.') bDhcpHomeAcksSent = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 5, 1, 6), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpHomeAcksSent.setStatus('current') if mibBuilder.loadTexts: bDhcpHomeAcksSent.setDescription('The number of Home DHCPACK packets sent.') bDhcpHomeNacksSent = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 5, 1, 7), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpHomeNacksSent.setStatus('current') if mibBuilder.loadTexts: bDhcpHomeNacksSent.setDescription('The number of Home DHCPNACK packets sent.') bDhcpHomeReleasesRcvd = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 5, 1, 8), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpHomeReleasesRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpHomeReleasesRcvd.setDescription('The number of Home DHCPRELEASE packets received.') bDhcpHomeReleasesIndRcvd = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 5, 1, 9), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpHomeReleasesIndRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpHomeReleasesIndRcvd.setDescription('The number of Home DHCPRELEASE indication packets received.') bDhcpHomeReleasesSent = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 5, 1, 10), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpHomeReleasesSent.setStatus('current') if mibBuilder.loadTexts: bDhcpHomeReleasesSent.setDescription('The number of Home DHCPRELEASE packets sent.') bDhcpHomeInformsRcvd = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 5, 1, 11), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpHomeInformsRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpHomeInformsRcvd.setDescription('The number of Home DHCPINFORM packets received.') bDhcpHomeInformsAckSent = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 5, 1, 12), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpHomeInformsAckSent.setStatus('current') if mibBuilder.loadTexts: bDhcpHomeInformsAckSent.setDescription('The number of Home DHCPINFORM ACK packets sent.') bDhcpHomeDropDiscover = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 5, 1, 13), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpHomeDropDiscover.setStatus('current') if mibBuilder.loadTexts: bDhcpHomeDropDiscover.setDescription('The number of Home DHCPDISCOVER packets dropped.') bDhcpHomeDropRequest = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 5, 1, 14), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpHomeDropRequest.setStatus('current') if mibBuilder.loadTexts: bDhcpHomeDropRequest.setDescription('The number of Home DHCPREQUEST packets dropped.') bDhcpHomeDropRelease = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 5, 1, 15), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpHomeDropRelease.setStatus('current') if mibBuilder.loadTexts: bDhcpHomeDropRelease.setDescription('The number of Home DHCPRELEASE packets dropped.') bDhcpHomeLeasesAssigned = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 5, 1, 16), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpHomeLeasesAssigned.setStatus('current') if mibBuilder.loadTexts: bDhcpHomeLeasesAssigned.setDescription('Total number of Home leases assigned on DHCP server') bDhcpHomeLeasesReleased = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 5, 1, 17), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpHomeLeasesReleased.setStatus('current') if mibBuilder.loadTexts: bDhcpHomeLeasesReleased.setDescription('Total number of Home leases released on DHCP server') bDhcpHomeLeasesRelFail = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 5, 1, 18), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpHomeLeasesRelFail.setStatus('current') if mibBuilder.loadTexts: bDhcpHomeLeasesRelFail.setDescription('Total number of Home leases release failed on DHCP server') bDhcpHomeLeasesExpired = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 5, 1, 19), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpHomeLeasesExpired.setStatus('current') if mibBuilder.loadTexts: bDhcpHomeLeasesExpired.setDescription('Total number of Home leases expired on DHCP server') bDhcpHomeLeasesRenewed = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 5, 1, 20), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpHomeLeasesRenewed.setStatus('current') if mibBuilder.loadTexts: bDhcpHomeLeasesRenewed.setDescription('Total number of Home leases renewed on DHCP server') bDhcpHomeLeasesRenewFail = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 5, 1, 21), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpHomeLeasesRenewFail.setStatus('current') if mibBuilder.loadTexts: bDhcpHomeLeasesRenewFail.setDescription('Total number of Home leases renew failed on DHCP server') bDhcpHomeLeasesNotAssignServIntNotConfig = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 5, 1, 22), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpHomeLeasesNotAssignServIntNotConfig.setStatus('current') if mibBuilder.loadTexts: bDhcpHomeLeasesNotAssignServIntNotConfig.setDescription('Total number of Home leases not assigned due to interface not configured on DHCP server') bDhcpHomeLeasesNotAssignFreeBuffUnavail = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 5, 1, 23), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpHomeLeasesNotAssignFreeBuffUnavail.setStatus('current') if mibBuilder.loadTexts: bDhcpHomeLeasesNotAssignFreeBuffUnavail.setDescription('Total number of Home leases not assigned due to unavailability of free buffers') bDhcpHomeIntervalDuration = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 5, 1, 24), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpHomeIntervalDuration.setStatus('current') if mibBuilder.loadTexts: bDhcpHomeIntervalDuration.setDescription('Home duration of the interval in minutes') bHomeBootpRequestsRcvd = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 5, 1, 25), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bHomeBootpRequestsRcvd.setStatus('current') if mibBuilder.loadTexts: bHomeBootpRequestsRcvd.setDescription('Total number of Home BOOTP request mesages received') bHomeBootpRepliesSent = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 5, 1, 26), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bHomeBootpRepliesSent.setStatus('current') if mibBuilder.loadTexts: bHomeBootpRepliesSent.setDescription('Total number of Home BOOTP reply mesages sent') bDhcpHomeReleasesIndSent = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 5, 1, 27), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpHomeReleasesIndSent.setStatus('current') if mibBuilder.loadTexts: bDhcpHomeReleasesIndSent.setDescription('The number of Home DHCPRELEASE indication packets sent.') bDhcpv4ActiveClient = MibScalar((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 3), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv4ActiveClient.setStatus('current') if mibBuilder.loadTexts: bDhcpv4ActiveClient.setDescription('The number of DHCP v4 active clients.') bDhcpv4ActiveSpWiFiClients = MibScalar((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 6), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv4ActiveSpWiFiClients.setStatus('current') if mibBuilder.loadTexts: bDhcpv4ActiveSpWiFiClients.setDescription('The number of DHCP v4 SP WiFi active clients.') bDhcpv4ActiveHomeClients = MibScalar((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 7), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv4ActiveHomeClients.setStatus('current') if mibBuilder.loadTexts: bDhcpv4ActiveHomeClients.setDescription('The number of DHCP v4 active Home clients.') bDhcpv6ActiveClient = MibScalar((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 1), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6ActiveClient.setStatus('current') if mibBuilder.loadTexts: bDhcpv6ActiveClient.setDescription('The number of DHCP v6 active clients.') bDhcpv6GlobalTable = MibTable((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2), ) if mibBuilder.loadTexts: bDhcpv6GlobalTable.setStatus('current') if mibBuilder.loadTexts: bDhcpv6GlobalTable.setDescription('A list of Global DHCPv6 server information for various intervals.') bDhcpv6GlobalEntry = MibTableRow((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1), ).setIndexNames((0, "BENU-DHCP-MIB", "bDhcpv6GlobalStatsInterval")) if mibBuilder.loadTexts: bDhcpv6GlobalEntry.setStatus('current') if mibBuilder.loadTexts: bDhcpv6GlobalEntry.setDescription('A logical row in the bDhcpv6GlobalTable.') bDhcpv6GlobalStatsInterval = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 1), Integer32()) if mibBuilder.loadTexts: bDhcpv6GlobalStatsInterval.setStatus('current') if mibBuilder.loadTexts: bDhcpv6GlobalStatsInterval.setDescription('The interval where the measurements were accumulated. The interval index one indicates the latest interval for which statistics accumulation was completed. Older the statistics interval data greater the interval index value. In a system supporting a history of n intervals with IntervalCount(1) and IntervalCount(n) the most and least recent intervals respectively, the following applies at the end of a interval: - discard the value of IntervalCount(n) - the value of IntervalCount(i) becomes that of IntervalCount(i+1) for 1 <= i <n . - the value of IntervalCount(1) becomes that of CurrentCount') bDhcpv6SolicitsRcvd = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 2), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6SolicitsRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpv6SolicitsRcvd.setDescription('The number of DHCPv6 Solicit packets received.') bDhcpv6OffersSent = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 3), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6OffersSent.setStatus('current') if mibBuilder.loadTexts: bDhcpv6OffersSent.setDescription('The number of DHCPOFFER packets sent.') bDhcpv6RequestsRcvd = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 4), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6RequestsRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpv6RequestsRcvd.setDescription('The number of DHCPv6 Request packets received.') bDhcpv6DeclinesRcvd = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 5), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6DeclinesRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpv6DeclinesRcvd.setDescription('The number of DHCPv6 Decline packets received.') bDhcpv6ReleasesRcvd = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 6), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6ReleasesRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpv6ReleasesRcvd.setDescription('The number of DHCPv6 Release packets received.') bDhcpv6ReleaseIndRcvd = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 7), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6ReleaseIndRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpv6ReleaseIndRcvd.setDescription('The number of DHCPv6 ReleaseInd packets received.') bDhcpv6RenewRcvd = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 8), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6RenewRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpv6RenewRcvd.setDescription('The number of DHCPv6 Renew packets received.') bDhcpv6RebindRcvd = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 9), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6RebindRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpv6RebindRcvd.setDescription('The number of DHCPv6 Rebind packets received.') bDhcpv6InformsRcvd = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 10), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6InformsRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpv6InformsRcvd.setDescription('The number of DHCPv6 Inform packets received.') bDhcpv6ConfirmsRcvd = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 11), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6ConfirmsRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpv6ConfirmsRcvd.setDescription('The number of DHCPv6 Confirm packets received.') bDhcpv6ReplysSent = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 12), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6ReplysSent.setStatus('current') if mibBuilder.loadTexts: bDhcpv6ReplysSent.setDescription('The number of DHCPv6 Reply packets sent.') bDhcpv6AdvertisesSent = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 13), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6AdvertisesSent.setStatus('current') if mibBuilder.loadTexts: bDhcpv6AdvertisesSent.setDescription('The number of DHCPv6 Advertises packets sent.') bDhcpv6UnknownMsgsRcvd = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 14), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6UnknownMsgsRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpv6UnknownMsgsRcvd.setDescription('The number of DHCPv6 UnknownMsg packets received.') bDhcpv6ReconfigsSent = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 15), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6ReconfigsSent.setStatus('current') if mibBuilder.loadTexts: bDhcpv6ReconfigsSent.setDescription('The number of DHCPv6 Reconfig packets sent.') bDhcpv6DropSolicit = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 16), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6DropSolicit.setStatus('current') if mibBuilder.loadTexts: bDhcpv6DropSolicit.setDescription('The number of DHCPv6 Solicit packets dropped.') bDhcpv6DropAdvertise = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 17), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6DropAdvertise.setStatus('current') if mibBuilder.loadTexts: bDhcpv6DropAdvertise.setDescription('The number of DHCPv6 Advertise packets dropped.') bDhcpv6DropDupSolicit = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 18), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6DropDupSolicit.setStatus('current') if mibBuilder.loadTexts: bDhcpv6DropDupSolicit.setDescription('The number of DHCPv6 Duplicate Solicit packets dropped.') bDhcpv6DropRequest = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 19), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6DropRequest.setStatus('current') if mibBuilder.loadTexts: bDhcpv6DropRequest.setDescription('The number of DHCPv6 Request packets dropped.') bDhcpv6DropRelease = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 20), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6DropRelease.setStatus('current') if mibBuilder.loadTexts: bDhcpv6DropRelease.setDescription('The number of DHCPv6 Release packets dropped.') bDhcpv6DropDecline = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 21), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6DropDecline.setStatus('current') if mibBuilder.loadTexts: bDhcpv6DropDecline.setDescription('The number of DHCPv6 Decline packets dropped.') bDhcpv6DropRenew = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 22), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6DropRenew.setStatus('current') if mibBuilder.loadTexts: bDhcpv6DropRenew.setDescription('The number of DHCPv6 Renew packets dropped.') bDhcpv6DropRebind = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 23), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6DropRebind.setStatus('current') if mibBuilder.loadTexts: bDhcpv6DropRebind.setDescription('The number of DHCPv6 Rebind packets dropped.') bDhcpv6DropConfirm = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 24), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6DropConfirm.setStatus('current') if mibBuilder.loadTexts: bDhcpv6DropConfirm.setDescription('The number of DHCPv6 Confirm packets dropped.') bDhcpv6DropInform = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 25), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6DropInform.setStatus('current') if mibBuilder.loadTexts: bDhcpv6DropInform.setDescription('The number of DHCPv6 Information-Request packets dropped.') bDhcpv6DropRelay = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 26), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6DropRelay.setStatus('current') if mibBuilder.loadTexts: bDhcpv6DropRelay.setDescription('The number of DHCPv6 Relay packets dropped.') bDhcpv6DropReply = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 27), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6DropReply.setStatus('current') if mibBuilder.loadTexts: bDhcpv6DropReply.setDescription('The number of DHCPv6 Reply packets dropped.') bDhcpv6DropRelayReply = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 28), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6DropRelayReply.setStatus('current') if mibBuilder.loadTexts: bDhcpv6DropRelayReply.setDescription('The number of DHCPv6 Relay-Reply packets dropped.') bDhcpv6DropReconfig = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 29), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6DropReconfig.setStatus('current') if mibBuilder.loadTexts: bDhcpv6DropReconfig.setDescription('The number of DHCPv6 Reconfig packets dropped.') bDhcpv6LeasesOffered = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 30), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6LeasesOffered.setStatus('current') if mibBuilder.loadTexts: bDhcpv6LeasesOffered.setDescription('Total number of leases offered on DHCPv6 server') bDhcpv6LeasesAssigned = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 31), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6LeasesAssigned.setStatus('current') if mibBuilder.loadTexts: bDhcpv6LeasesAssigned.setDescription('Total number of leases assigned on DHCPv6 server') bDhcpv6LeasesReleased = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 32), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6LeasesReleased.setStatus('current') if mibBuilder.loadTexts: bDhcpv6LeasesReleased.setDescription('Total number of leases released on DHCPv6 server') bDhcpv6LeasesRelFail = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 33), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6LeasesRelFail.setStatus('current') if mibBuilder.loadTexts: bDhcpv6LeasesRelFail.setDescription('Total number of leases release failed on DHCPv6 server') bDhcpv6LeasesExpired = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 34), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6LeasesExpired.setStatus('current') if mibBuilder.loadTexts: bDhcpv6LeasesExpired.setDescription('Total number of leases expired on DHCPv6 server') bDhcpv6LeasesExpiryFail = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 35), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6LeasesExpiryFail.setStatus('current') if mibBuilder.loadTexts: bDhcpv6LeasesExpiryFail.setDescription('Total number of leases expiry failed on DHCPv6 server') bDhcpv6LeasesRenewed = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 36), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6LeasesRenewed.setStatus('current') if mibBuilder.loadTexts: bDhcpv6LeasesRenewed.setDescription('Total number of leases renewed on DHCPv6 server') bDhcpv6LeasesRenewFail = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 37), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6LeasesRenewFail.setStatus('current') if mibBuilder.loadTexts: bDhcpv6LeasesRenewFail.setDescription('Total number of leases renew failed on DHCPv6 server') bDhcpv6InternalError = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 38), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6InternalError.setStatus('current') if mibBuilder.loadTexts: bDhcpv6InternalError.setDescription('Total number of Internal Errors') bDhcpv6NoInterface = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 39), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6NoInterface.setStatus('current') if mibBuilder.loadTexts: bDhcpv6NoInterface.setDescription('Total number of No Interface Errors') bDhcpv6ClientIdNotPres = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 40), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6ClientIdNotPres.setStatus('current') if mibBuilder.loadTexts: bDhcpv6ClientIdNotPres.setDescription('Total number of ClientId Not Present Errors') bDhcpv6ServerIdNotPres = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 41), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6ServerIdNotPres.setStatus('current') if mibBuilder.loadTexts: bDhcpv6ServerIdNotPres.setDescription('Total number of ServerId Not Present Errors') bDhcpv6ORONotPres = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 42), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6ORONotPres.setStatus('current') if mibBuilder.loadTexts: bDhcpv6ORONotPres.setDescription('Total number of ORO Not Present Errors') bDhcpv6ClientIdPres = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 43), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6ClientIdPres.setStatus('current') if mibBuilder.loadTexts: bDhcpv6ClientIdPres.setDescription('Total number of ClientId Present Errors') bDhcpv6ServerIdPres = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 44), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6ServerIdPres.setStatus('current') if mibBuilder.loadTexts: bDhcpv6ServerIdPres.setDescription('Total number of ServerId Present Errors') bDhcpv6UnicastSolicitRcvd = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 45), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6UnicastSolicitRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpv6UnicastSolicitRcvd.setDescription('Total number of Unicast Solicit Received Errors') bDhcpv6UnicastRequestRcvd = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 46), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6UnicastRequestRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpv6UnicastRequestRcvd.setDescription('Total number of Unicast Request Received Errors') bDhcpv6UnicastRenewRcvd = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 47), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6UnicastRenewRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpv6UnicastRenewRcvd.setDescription('Total number of Unicast Renew Received Errors') bDhcpv6UnicastConfirmRcvd = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 48), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6UnicastConfirmRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpv6UnicastConfirmRcvd.setDescription('Total number of Unicast Confirm Received Errors') bDhcpv6UnicastDeclineRcvd = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 49), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6UnicastDeclineRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpv6UnicastDeclineRcvd.setDescription('Total number of Unicast Decline Received Errors') bDhcpv6UnicastReleaseRcvd = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 50), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6UnicastReleaseRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpv6UnicastReleaseRcvd.setDescription('Total number of Unicast Release Received Errors') bDhcpv6UnicastRebindRcvd = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 51), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6UnicastRebindRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpv6UnicastRebindRcvd.setDescription('Total number of Unicast Rebind Received Errors') bDhcpv6RebindWithoutAddrRcvd = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 52), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6RebindWithoutAddrRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpv6RebindWithoutAddrRcvd.setDescription('Total number of Rebind Without Addresses Received Errors') bDhcpv6ConfirmWithoutAddrRcvd = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 53), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6ConfirmWithoutAddrRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpv6ConfirmWithoutAddrRcvd.setDescription('Total number of Confirm Without Addresses Received Errors') bDhcpv6DeclineWithoutAddrRcvd = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 54), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6DeclineWithoutAddrRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpv6DeclineWithoutAddrRcvd.setDescription('Total number of Confirm Without Addresses Received Errors') bDhcpv6RebindWithoutAddrOrMoreRcvd = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 55), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6RebindWithoutAddrOrMoreRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpv6RebindWithoutAddrOrMoreRcvd.setDescription('Total number of Rebind Without Addresses Or More Received Errors') bDhcpv6RenewWithoutAddrOrMoreRcvd = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 56), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6RenewWithoutAddrOrMoreRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpv6RenewWithoutAddrOrMoreRcvd.setDescription('Total number of Rebind Without Addresses Or More Received Errors') bDhcpv6RebindFail = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 57), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6RebindFail.setStatus('current') if mibBuilder.loadTexts: bDhcpv6RebindFail.setDescription('Total number of Rebind Failures') bDhcpv6ReconfAcceptInSolicitMissing = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 58), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6ReconfAcceptInSolicitMissing.setStatus('current') if mibBuilder.loadTexts: bDhcpv6ReconfAcceptInSolicitMissing.setDescription('Reconfig-Accept option is Solicit is missing, wherein the configuration mandates') bDhcpv6IntervalDuration = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 59), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6IntervalDuration.setStatus('current') if mibBuilder.loadTexts: bDhcpv6IntervalDuration.setDescription('Duration of the interval in minutes') bDhcpHomeSubnetHomeId = MibScalar((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 2, 1), Unsigned32()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: bDhcpHomeSubnetHomeId.setStatus('current') if mibBuilder.loadTexts: bDhcpHomeSubnetHomeId.setDescription('Home ID field is unique identifier for each home subnet. It maps to tunnel & vlan.') bDhcpHomeSubnetStartAddress = MibScalar((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 2, 2), InetAddressIPv4()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: bDhcpHomeSubnetStartAddress.setStatus('current') if mibBuilder.loadTexts: bDhcpHomeSubnetStartAddress.setDescription("Home subnet's range start IPv4 Address.") bDhcpHomeSubnetEndAddress = MibScalar((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 2, 3), InetAddressIPv4()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: bDhcpHomeSubnetEndAddress.setStatus('current') if mibBuilder.loadTexts: bDhcpHomeSubnetEndAddress.setDescription("Home subnet's range end IPv4 Address.") bDhcpHomeSubnetTotalAddresses = MibScalar((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 2, 4), Unsigned32()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: bDhcpHomeSubnetTotalAddresses.setStatus('current') if mibBuilder.loadTexts: bDhcpHomeSubnetTotalAddresses.setDescription('The total number of addresses in the home subnet.') bDhcpHomeSubnetUsedAddrLowThreshold = MibScalar((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 2, 5), Unsigned32()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: bDhcpHomeSubnetUsedAddrLowThreshold.setStatus('current') if mibBuilder.loadTexts: bDhcpHomeSubnetUsedAddrLowThreshold.setDescription('The low threshold for used IP addresses in this home subnet. If the value for used IP addresses in this home subnet becomes equal to or less than this value and the current condition for bDhcpHomeSubnetUsedAddrHigh is raised, then a bDhcpHomeSubnetUsedAddrLow event will be generated. No more bDhcpHomeSubnetUsedAddrLow events will be generated for this subnet during its execution until the value for used addresses has exceeded the value of bDhcpHomeSubnetUsedAddrHighThreshold.') bDhcpHomeSubnetUsedAddrHighThreshold = MibScalar((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 2, 6), Unsigned32()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: bDhcpHomeSubnetUsedAddrHighThreshold.setStatus('current') if mibBuilder.loadTexts: bDhcpHomeSubnetUsedAddrHighThreshold.setDescription('The high threshold for used IP addresses in this home subnet. If a bDhcpHomeSubnetUsedAddrLow event has been generated (or no bDhcpHomeSubnetUsedAddrHigh was generated previously) for this home subnet, and the value for used IP addresses in this home subnet has exceeded this value then a bDhcpHomeSubnetUsedAddrHigh event will be generated. No more bDhcpHomeSubnetUsedAddrHigh events will be generated for this subnet during its execution until the value for used addresses in this subnet becomes equal to or less than the value of bDhcpHomeSubnetUsedAddrLowThreshold.') bDhcpSubnetUsedAddrLow = NotificationType((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 0, 1)).setObjects(("BENU-DHCP-MIB", "bDhcpSubnetStartAddress"), ("BENU-DHCP-MIB", "bDhcpSubnetEndAddress"), ("BENU-DHCP-MIB", "bDhcpSubnetTotalAddresses"), ("BENU-DHCP-MIB", "bDhcpSubnetUsedAddrLowThreshold")) if mibBuilder.loadTexts: bDhcpSubnetUsedAddrLow.setStatus('current') if mibBuilder.loadTexts: bDhcpSubnetUsedAddrLow.setDescription('This notification signifies that the number of used addresses for a particular subnet is cleared, meaning that it has fallen below the value of bDhcpSubnetUsedAddrLowThreshold for that subnet.') bDhcpSubnetUsedAddrHigh = NotificationType((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 0, 2)).setObjects(("BENU-DHCP-MIB", "bDhcpSubnetStartAddress"), ("BENU-DHCP-MIB", "bDhcpSubnetEndAddress"), ("BENU-DHCP-MIB", "bDhcpSubnetTotalAddresses"), ("BENU-DHCP-MIB", "bDhcpSubnetUsedAddrHighThreshold")) if mibBuilder.loadTexts: bDhcpSubnetUsedAddrHigh.setStatus('current') if mibBuilder.loadTexts: bDhcpSubnetUsedAddrHigh.setDescription('This notification signifies that the number of used addresses for a particular subnet is raised, meaning that it has risen above the value of bDhcpSubnetUsedAddrHighThreshold for that subnet.') bDhcpHomeSubnetUsedAddrLow = NotificationType((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 0, 3)).setObjects(("BENU-DHCP-MIB", "bDhcpHomeSubnetHomeId"), ("BENU-DHCP-MIB", "bDhcpHomeSubnetStartAddress"), ("BENU-DHCP-MIB", "bDhcpHomeSubnetEndAddress"), ("BENU-DHCP-MIB", "bDhcpHomeSubnetTotalAddresses"), ("BENU-DHCP-MIB", "bDhcpHomeSubnetUsedAddrLowThreshold")) if mibBuilder.loadTexts: bDhcpHomeSubnetUsedAddrLow.setStatus('current') if mibBuilder.loadTexts: bDhcpHomeSubnetUsedAddrLow.setDescription('This notification signifies that the number of used addresses for a particular home subnet is cleared, meaning that it has fallen below the value of bDhcpHomeSubnetUsedAddrLowThreshold for that subnet.') bDhcpHomeSubnetUsedAddrHigh = NotificationType((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 0, 4)).setObjects(("BENU-DHCP-MIB", "bDhcpHomeSubnetHomeId"), ("BENU-DHCP-MIB", "bDhcpHomeSubnetStartAddress"), ("BENU-DHCP-MIB", "bDhcpHomeSubnetEndAddress"), ("BENU-DHCP-MIB", "bDhcpHomeSubnetTotalAddresses"), ("BENU-DHCP-MIB", "bDhcpHomeSubnetUsedAddrHighThreshold")) if mibBuilder.loadTexts: bDhcpHomeSubnetUsedAddrHigh.setStatus('current') if mibBuilder.loadTexts: bDhcpHomeSubnetUsedAddrHigh.setDescription('This notification signifies that the number of used addresses for a particular home subnet is raised, meaning that it has risen above the value of bDhcpHomeSubnetUsedAddrHighThreshold for that subnet.') mibBuilder.exportSymbols("BENU-DHCP-MIB", PYSNMP_MODULE_ID=bDhcpMIB, bDhcpHomeLeasesNotAssignFreeBuffUnavail=bDhcpHomeLeasesNotAssignFreeBuffUnavail, bDhcpv6UnicastRebindRcvd=bDhcpv6UnicastRebindRcvd, bDhcpSPWiFiLeasesNotAssignServIntNotConfig=bDhcpSPWiFiLeasesNotAssignServIntNotConfig, bDhcpHomeAcksSent=bDhcpHomeAcksSent, bDhcpHomeSubnetUsedAddrHighThreshold=bDhcpHomeSubnetUsedAddrHighThreshold, bDhcpSPWiFiNacksSent=bDhcpSPWiFiNacksSent, bDhcpNotifications=bDhcpNotifications, bDhcpSubnetIndex=bDhcpSubnetIndex, bDhcpHomeIntervalDuration=bDhcpHomeIntervalDuration, bDhcpv6LeasesAssigned=bDhcpv6LeasesAssigned, bDhcpv6DeclineWithoutAddrRcvd=bDhcpv6DeclineWithoutAddrRcvd, bDhcpv6DropDecline=bDhcpv6DropDecline, bDhcpv6RebindWithoutAddrRcvd=bDhcpv6RebindWithoutAddrRcvd, bDhcpHomeSubnetUsedAddrLow=bDhcpHomeSubnetUsedAddrLow, bDhcpSPWiFiDropRelease=bDhcpSPWiFiDropRelease, bDhcpv6ServerIdNotPres=bDhcpv6ServerIdNotPres, bDhcpHomeGlobalTable=bDhcpHomeGlobalTable, bDhcpv6LeasesRelFail=bDhcpv6LeasesRelFail, bDhcpSubnetAddress=bDhcpSubnetAddress, bDhcpHomeSubnetTotalAddresses=bDhcpHomeSubnetTotalAddresses, bDhcpv6UnicastRequestRcvd=bDhcpv6UnicastRequestRcvd, bDhcpv6RenewWithoutAddrOrMoreRcvd=bDhcpv6RenewWithoutAddrOrMoreRcvd, bDhcpInformsAckSent=bDhcpInformsAckSent, bDhcpv6UnicastReleaseRcvd=bDhcpv6UnicastReleaseRcvd, bDhcpSubnetUsedAddrLow=bDhcpSubnetUsedAddrLow, bDhcpv6ReplysSent=bDhcpv6ReplysSent, bDhcpSPWiFiDeclinesRcvd=bDhcpSPWiFiDeclinesRcvd, bDhcpHomeReleasesIndSent=bDhcpHomeReleasesIndSent, bDhcpSPWiFiInformsAckSent=bDhcpSPWiFiInformsAckSent, bDhcpHomeNacksSent=bDhcpHomeNacksSent, bDhcpv6DropSolicit=bDhcpv6DropSolicit, bDhcpHomeSubnetStartAddress=bDhcpHomeSubnetStartAddress, bDhcpv6DropRebind=bDhcpv6DropRebind, bDhcpSubnetStartAddress=bDhcpSubnetStartAddress, bDhcpHomeLeasesReleased=bDhcpHomeLeasesReleased, bDhcpv6LeasesOffered=bDhcpv6LeasesOffered, bDhcpLeasesAssigned=bDhcpLeasesAssigned, bDhcpv6DropRequest=bDhcpv6DropRequest, bDhcpDeclinesRcvd=bDhcpDeclinesRcvd, bDhcpSubnetTotalAddresses=bDhcpSubnetTotalAddresses, bDhcpv6OffersSent=bDhcpv6OffersSent, bDhcpv6ClientIdNotPres=bDhcpv6ClientIdNotPres, bDhcpSubnetUsedAddrHigh=bDhcpSubnetUsedAddrHigh, bDhcpv6ReleasesRcvd=bDhcpv6ReleasesRcvd, bDhcpSubnetTable=bDhcpSubnetTable, bDhcpGlobalEntry=bDhcpGlobalEntry, bDhcpv6ConfirmsRcvd=bDhcpv6ConfirmsRcvd, bDhcpDropRequest=bDhcpDropRequest, bDhcpv6LeasesRenewFail=bDhcpv6LeasesRenewFail, bDhcpNacksSent=bDhcpNacksSent, bDhcpHomeReleasesRcvd=bDhcpHomeReleasesRcvd, bDhcpSPWiFiGlobalTable=bDhcpSPWiFiGlobalTable, bDhcpLeasesRenewed=bDhcpLeasesRenewed, bDhcpv6ReleaseIndRcvd=bDhcpv6ReleaseIndRcvd, bDhcpInformsRcvd=bDhcpInformsRcvd, bDhcpHomeLeasesExpired=bDhcpHomeLeasesExpired, bDhcpSPWiFiDropRequest=bDhcpSPWiFiDropRequest, bDhcpSubnetPeakUsedAddresses=bDhcpSubnetPeakUsedAddresses, bDhcpv6RequestsRcvd=bDhcpv6RequestsRcvd, bDhcpv6DropDupSolicit=bDhcpv6DropDupSolicit, bDhcpv4MIBObjects=bDhcpv4MIBObjects, bDhcpLeasesNotAssignFreeBuffUnavail=bDhcpLeasesNotAssignFreeBuffUnavail, bDhcpv6GlobalStatsInterval=bDhcpv6GlobalStatsInterval, bDhcpHomeDropDiscover=bDhcpHomeDropDiscover, bDhcpHomeDropRelease=bDhcpHomeDropRelease, bDhcpLeasesRenewFail=bDhcpLeasesRenewFail, bDhcpHomeGlobalStatsInterval=bDhcpHomeGlobalStatsInterval, bDhcpv6DropRelay=bDhcpv6DropRelay, bDhcpv6RebindRcvd=bDhcpv6RebindRcvd, bDhcpv6UnicastDeclineRcvd=bDhcpv6UnicastDeclineRcvd, bDhcpSPWiFiLeasesExpired=bDhcpSPWiFiLeasesExpired, bDhcpv6InformsRcvd=bDhcpv6InformsRcvd, bDhcpSPWiFiInformsRcvd=bDhcpSPWiFiInformsRcvd, bDhcpHomeInformsAckSent=bDhcpHomeInformsAckSent, bDhcpAcksSent=bDhcpAcksSent, bDhcpv6GlobalTable=bDhcpv6GlobalTable, bDhcpHomeReleasesIndRcvd=bDhcpHomeReleasesIndRcvd, bDhcpv6DropAdvertise=bDhcpv6DropAdvertise, bDhcpSPWiFiGlobalStatsInterval=bDhcpSPWiFiGlobalStatsInterval, bDhcpSubnetUsedAddrHighThreshold=bDhcpSubnetUsedAddrHighThreshold, bDhcpSPWiFiReleasesRcvd=bDhcpSPWiFiReleasesRcvd, bDhcpSubnetStatsInterval=bDhcpSubnetStatsInterval, bDhcpHomeSubnetUsedAddrHigh=bDhcpHomeSubnetUsedAddrHigh, bDhcpLeasesReleased=bDhcpLeasesReleased, bDhcpLeasesExpired=bDhcpLeasesExpired, bDhcpDropRelease=bDhcpDropRelease, bDhcpSubnetPeakFreeAddresses=bDhcpSubnetPeakFreeAddresses, bDhcpHomeLeasesAssigned=bDhcpHomeLeasesAssigned, bDhcpSubnetUsedAddrLowThreshold=bDhcpSubnetUsedAddrLowThreshold, bDhcpv6DropReconfig=bDhcpv6DropReconfig, bDhcpDropDiscover=bDhcpDropDiscover, bDhcpv6DropRelease=bDhcpv6DropRelease, bDhcpv6UnicastConfirmRcvd=bDhcpv6UnicastConfirmRcvd, bDhcpSPWiFiReleasesIndSent=bDhcpSPWiFiReleasesIndSent, bDhcpReleasesSent=bDhcpReleasesSent, bDhcpv6ServerIdPres=bDhcpv6ServerIdPres, bDhcpGlobalStatsInterval=bDhcpGlobalStatsInterval, bDhcpSubnetRangeIndex=bDhcpSubnetRangeIndex, bDhcpSPWiFiGlobalEntry=bDhcpSPWiFiGlobalEntry, bDhcpv6NotifObjects=bDhcpv6NotifObjects, bDhcpReleasesRcvd=bDhcpReleasesRcvd, bDhcpSPWiFiLeasesNotAssignFreeBuffUnavail=bDhcpSPWiFiLeasesNotAssignFreeBuffUnavail, bDhcpv6LeasesExpired=bDhcpv6LeasesExpired, bBootpRequestsRcvd=bBootpRequestsRcvd, bSPWiFiBootpRequestsRcvd=bSPWiFiBootpRequestsRcvd, bDhcpv6DeclinesRcvd=bDhcpv6DeclinesRcvd, bDhcpv6UnknownMsgsRcvd=bDhcpv6UnknownMsgsRcvd, bDhcpHomeLeasesRenewFail=bDhcpHomeLeasesRenewFail, bDhcpv6ActiveClient=bDhcpv6ActiveClient, bDhcpv6DropRenew=bDhcpv6DropRenew, bDhcpv6InternalError=bDhcpv6InternalError, bDhcpGlobalTable=bDhcpGlobalTable, bDhcpHomeSubnetHomeId=bDhcpHomeSubnetHomeId, bDhcpHomeSubnetUsedAddrLowThreshold=bDhcpHomeSubnetUsedAddrLowThreshold, bDhcpSPWiFiOffersSent=bDhcpSPWiFiOffersSent, bDhcpSubnetPeakHoldAddresses=bDhcpSubnetPeakHoldAddresses, bDhcpv6ORONotPres=bDhcpv6ORONotPres, bDhcpOffersSent=bDhcpOffersSent, bDhcpSPWiFiLeasesRelFail=bDhcpSPWiFiLeasesRelFail, bDhcpSubnetIntervalDuration=bDhcpSubnetIntervalDuration, bDhcpSPWiFiLeasesRenewed=bDhcpSPWiFiLeasesRenewed, bDhcpv6LeasesRenewed=bDhcpv6LeasesRenewed, bDhcpHomeRequestsRcvd=bDhcpHomeRequestsRcvd, bDhcpv6RenewRcvd=bDhcpv6RenewRcvd, bDhcpv6ReconfAcceptInSolicitMissing=bDhcpv6ReconfAcceptInSolicitMissing, bDhcpSPWiFiIntervalDuration=bDhcpSPWiFiIntervalDuration, bDhcpHomeSubnetEndAddress=bDhcpHomeSubnetEndAddress, bDhcpv6ReconfigsSent=bDhcpv6ReconfigsSent, bDhcpHomeInformsRcvd=bDhcpHomeInformsRcvd, bSPWiFiBootpRepliesSent=bSPWiFiBootpRepliesSent, bDhcpv4ActiveSpWiFiClients=bDhcpv4ActiveSpWiFiClients, bDhcpSPWiFiLeasesRenewFail=bDhcpSPWiFiLeasesRenewFail, bDhcpv6DropRelayReply=bDhcpv6DropRelayReply, bDhcpDiscoversRcvd=bDhcpDiscoversRcvd, bDhcpSPWiFiLeasesAssigned=bDhcpSPWiFiLeasesAssigned, bDhcpv4ActiveHomeClients=bDhcpv4ActiveHomeClients, bDhcpv6UnicastSolicitRcvd=bDhcpv6UnicastSolicitRcvd, bDhcpHomeLeasesNotAssignServIntNotConfig=bDhcpHomeLeasesNotAssignServIntNotConfig, bDhcpv6RebindWithoutAddrOrMoreRcvd=bDhcpv6RebindWithoutAddrOrMoreRcvd, bDhcpv6ConfirmWithoutAddrRcvd=bDhcpv6ConfirmWithoutAddrRcvd, bDhcpv6SolicitsRcvd=bDhcpv6SolicitsRcvd, bDhcpHomeDropRequest=bDhcpHomeDropRequest, bBootpRepliesSent=bBootpRepliesSent, bDhcpHomeLeasesRenewed=bDhcpHomeLeasesRenewed, bDhcpv6DropInform=bDhcpv6DropInform, bDhcpv6DropConfirm=bDhcpv6DropConfirm, bDhcpSubnetEndAddress=bDhcpSubnetEndAddress, bDhcpv4NotifObjects=bDhcpv4NotifObjects, bDhcpSPWiFiDiscoversRcvd=bDhcpSPWiFiDiscoversRcvd, bDhcpSPWiFiLeasesReleased=bDhcpSPWiFiLeasesReleased, bDhcpSPWiFiAcksSent=bDhcpSPWiFiAcksSent, bDhcpHomeDiscoversRcvd=bDhcpHomeDiscoversRcvd, bDhcpSPWiFiReleasesSent=bDhcpSPWiFiReleasesSent, bDhcpHomeGlobalEntry=bDhcpHomeGlobalEntry, bDhcpLeasesRelFail=bDhcpLeasesRelFail, bHomeBootpRequestsRcvd=bHomeBootpRequestsRcvd, bDhcpv6AdvertisesSent=bDhcpv6AdvertisesSent, bDhcpHomeOffersSent=bDhcpHomeOffersSent, bDhcpSPWiFiDropDiscover=bDhcpSPWiFiDropDiscover, bDhcpv6DropReply=bDhcpv6DropReply, bDhcpv6RebindFail=bDhcpv6RebindFail, bDhcpReleasesIndSent=bDhcpReleasesIndSent, bDhcpIntervalDuration=bDhcpIntervalDuration, bDhcpv6NoInterface=bDhcpv6NoInterface, bDhcpMIB=bDhcpMIB, bDhcpReleasesIndRcvd=bDhcpReleasesIndRcvd, bDhcpHomeReleasesSent=bDhcpHomeReleasesSent, bDhcpLeasesNotAssignServIntNotConfig=bDhcpLeasesNotAssignServIntNotConfig, bDhcpv6MIBObjects=bDhcpv6MIBObjects, bDhcpv6ClientIdPres=bDhcpv6ClientIdPres, bDhcpv6LeasesExpiryFail=bDhcpv6LeasesExpiryFail, bDhcpv6IntervalDuration=bDhcpv6IntervalDuration, bDhcpHomeLeasesRelFail=bDhcpHomeLeasesRelFail, bDhcpv4ActiveClient=bDhcpv4ActiveClient, bDhcpv6GlobalEntry=bDhcpv6GlobalEntry, bDhcpHomeDeclinesRcvd=bDhcpHomeDeclinesRcvd, bHomeBootpRepliesSent=bHomeBootpRepliesSent, bDhcpSPWiFiRequestsRcvd=bDhcpSPWiFiRequestsRcvd, bDhcpSPWiFiReleasesIndRcvd=bDhcpSPWiFiReleasesIndRcvd, bDhcpv6LeasesReleased=bDhcpv6LeasesReleased, bDhcpRequestsRcvd=bDhcpRequestsRcvd, bDhcpSubnetEntry=bDhcpSubnetEntry, bDhcpv6UnicastRenewRcvd=bDhcpv6UnicastRenewRcvd, bDhcpSubnetMask=bDhcpSubnetMask)
(object_identifier, integer, octet_string) = mibBuilder.importSymbols('ASN1', 'ObjectIdentifier', 'Integer', 'OctetString') (named_values,) = mibBuilder.importSymbols('ASN1-ENUMERATION', 'NamedValues') (value_size_constraint, constraints_union, value_range_constraint, single_value_constraint, constraints_intersection) = mibBuilder.importSymbols('ASN1-REFINEMENT', 'ValueSizeConstraint', 'ConstraintsUnion', 'ValueRangeConstraint', 'SingleValueConstraint', 'ConstraintsIntersection') (benu_wag,) = mibBuilder.importSymbols('BENU-WAG-MIB', 'benuWAG') (inet_address_i_pv4, inet_address_prefix_length) = mibBuilder.importSymbols('INET-ADDRESS-MIB', 'InetAddressIPv4', 'InetAddressPrefixLength') (module_compliance, notification_group) = mibBuilder.importSymbols('SNMPv2-CONF', 'ModuleCompliance', 'NotificationGroup') (module_identity, mib_identifier, notification_type, unsigned32, bits, time_ticks, gauge32, mib_scalar, mib_table, mib_table_row, mib_table_column, ip_address, object_identity, integer32, iso, counter64, counter32) = mibBuilder.importSymbols('SNMPv2-SMI', 'ModuleIdentity', 'MibIdentifier', 'NotificationType', 'Unsigned32', 'Bits', 'TimeTicks', 'Gauge32', 'MibScalar', 'MibTable', 'MibTableRow', 'MibTableColumn', 'IpAddress', 'ObjectIdentity', 'Integer32', 'iso', 'Counter64', 'Counter32') (textual_convention, display_string) = mibBuilder.importSymbols('SNMPv2-TC', 'TextualConvention', 'DisplayString') b_dhcp_mib = module_identity((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6)) bDhcpMIB.setRevisions(('2015-12-18 00:00', '2015-11-12 00:00', '2015-01-29 00:00', '2015-01-16 00:00', '2014-07-30 00:00', '2014-04-14 00:00', '2013-10-22 00:00')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): if mibBuilder.loadTexts: bDhcpMIB.setRevisionsDescriptions(('Added bDhcpHomeSubnetUsedAddrLow, bDhcpHomeSubnetUsedAddrHigh & added bDhcpv4NotifObjects for supporting Home wrt Home subnets.', 'Added bDhcpSPWiFiGlobalTable and bDhcpHomeGlobalTable', 'Added max. values for ranges & subnet.', 'Updated notification assignments to comply with standards (RFC 2578).', 'bDhcpGlobalTable updated with release indications sent.', 'bDhcpSubnetTable updated with peak addresses held statistic.', 'This version introduces support for DHCPv6')) if mibBuilder.loadTexts: bDhcpMIB.setLastUpdated('201512180000Z') if mibBuilder.loadTexts: bDhcpMIB.setOrganization('Benu Networks,Inc') if mibBuilder.loadTexts: bDhcpMIB.setContactInfo('Benu Networks,Inc Corporate Headquarters 300 Concord Road, Suite 110 Billerica, MA 01821 USA Tel: +1 978-223-4700 Fax: +1 978-362-1908 Email: info@benunets.com') if mibBuilder.loadTexts: bDhcpMIB.setDescription('The MIB module for entities implementing the server side of the Bootstrap Protocol (BOOTP) and the Dynamic Host Configuration protocol (DHCP) for IPv4 and IPv6. Copyright (C) 2014 by Benu Networks, Inc. All rights reserved.') b_dhcp_notifications = object_identity((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 0)) if mibBuilder.loadTexts: bDhcpNotifications.setStatus('current') if mibBuilder.loadTexts: bDhcpNotifications.setDescription('DHCP Notifications are defined in this branch.') b_dhcpv4_mib_objects = object_identity((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1)) if mibBuilder.loadTexts: bDhcpv4MIBObjects.setStatus('current') if mibBuilder.loadTexts: bDhcpv4MIBObjects.setDescription('DHCP v4 MIB objects information is defined in this branch.') b_dhcpv4_notif_objects = object_identity((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 2)) if mibBuilder.loadTexts: bDhcpv4NotifObjects.setStatus('current') if mibBuilder.loadTexts: bDhcpv4NotifObjects.setDescription('DHCP v4 Notifications are defined in this branch.') b_dhcpv6_mib_objects = object_identity((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3)) if mibBuilder.loadTexts: bDhcpv6MIBObjects.setStatus('current') if mibBuilder.loadTexts: bDhcpv6MIBObjects.setDescription('DHCP v6 MIB objects information is defined in this branch.') b_dhcpv6_notif_objects = object_identity((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 4)) if mibBuilder.loadTexts: bDhcpv6NotifObjects.setStatus('current') if mibBuilder.loadTexts: bDhcpv6NotifObjects.setDescription('DHCP v6 Notifications are defined in this branch.') b_dhcp_subnet_table = mib_table((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 1)) if mibBuilder.loadTexts: bDhcpSubnetTable.setStatus('current') if mibBuilder.loadTexts: bDhcpSubnetTable.setDescription('A list of subnets that are configured in this server.') b_dhcp_subnet_entry = mib_table_row((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 1, 1)).setIndexNames((0, 'BENU-DHCP-MIB', 'bDhcpSubnetStatsInterval'), (0, 'BENU-DHCP-MIB', 'bDhcpSubnetIndex'), (0, 'BENU-DHCP-MIB', 'bDhcpSubnetRangeIndex')) if mibBuilder.loadTexts: bDhcpSubnetEntry.setStatus('current') if mibBuilder.loadTexts: bDhcpSubnetEntry.setDescription('A logical row in the bDhcpSubnetTable.') b_dhcp_subnet_stats_interval = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 1, 1, 1), integer32()) if mibBuilder.loadTexts: bDhcpSubnetStatsInterval.setStatus('current') if mibBuilder.loadTexts: bDhcpSubnetStatsInterval.setDescription('The interval where the measurements were accumulated. The interval index one indicates the latest interval for which statistics accumulation was completed. Older the statistics interval data greater the interval index value. In a system supporting a history of n intervals with IntervalCount(1) and IntervalCount(n) the most and least recent intervals respectively, the following applies at the end of a interval: - discard the value of IntervalCount(n) - the value of IntervalCount(i) becomes that of IntervalCount(i+1) for 1 <= i <n . - the value of IntervalCount(1) becomes that of CurrentCount') b_dhcp_subnet_index = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 1, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(1, 144))) if mibBuilder.loadTexts: bDhcpSubnetIndex.setStatus('current') if mibBuilder.loadTexts: bDhcpSubnetIndex.setDescription('The index of the subnet entry in the table. DHCP supports max. 144 subnets.') b_dhcp_subnet_range_index = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 1, 1, 3), integer32().subtype(subtypeSpec=value_range_constraint(1, 16))) if mibBuilder.loadTexts: bDhcpSubnetRangeIndex.setStatus('current') if mibBuilder.loadTexts: bDhcpSubnetRangeIndex.setDescription('The index of the range from the subnet entry in the table. DHCP supports max. 16 ranges per subnet.') b_dhcp_subnet_interval_duration = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 1, 1, 4), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpSubnetIntervalDuration.setStatus('current') if mibBuilder.loadTexts: bDhcpSubnetIntervalDuration.setDescription('Duration of the interval in minutes.') b_dhcp_subnet_start_address = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 1, 1, 5), inet_address_i_pv4()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpSubnetStartAddress.setStatus('current') if mibBuilder.loadTexts: bDhcpSubnetStartAddress.setDescription('The first subnet IP address.') b_dhcp_subnet_end_address = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 1, 1, 6), inet_address_i_pv4()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpSubnetEndAddress.setStatus('current') if mibBuilder.loadTexts: bDhcpSubnetEndAddress.setDescription('The last subnet IP address.') b_dhcp_subnet_total_addresses = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 1, 1, 7), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpSubnetTotalAddresses.setStatus('current') if mibBuilder.loadTexts: bDhcpSubnetTotalAddresses.setDescription('The total number of addresses in the subnet .') b_dhcp_subnet_peak_free_addresses = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 1, 1, 8), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpSubnetPeakFreeAddresses.setStatus('current') if mibBuilder.loadTexts: bDhcpSubnetPeakFreeAddresses.setDescription('The peak number of free IP addresses that are available in the subnet') b_dhcp_subnet_peak_used_addresses = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 1, 1, 9), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpSubnetPeakUsedAddresses.setStatus('current') if mibBuilder.loadTexts: bDhcpSubnetPeakUsedAddresses.setDescription('The peak number of used IP addresses that are used in the subnet') b_dhcp_subnet_address = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 1, 1, 10), inet_address_i_pv4()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpSubnetAddress.setStatus('current') if mibBuilder.loadTexts: bDhcpSubnetAddress.setDescription('The IP address of the subnet entry in the table.') b_dhcp_subnet_mask = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 1, 1, 11), inet_address_prefix_length()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpSubnetMask.setStatus('current') if mibBuilder.loadTexts: bDhcpSubnetMask.setDescription('The subnet mask of the subnet.') b_dhcp_subnet_used_addr_low_threshold = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 1, 1, 12), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpSubnetUsedAddrLowThreshold.setStatus('current') if mibBuilder.loadTexts: bDhcpSubnetUsedAddrLowThreshold.setDescription('The low threshold for used IP addresses in this subnet. If the value for used IP addresses in this subnet becomes equal to or less than this value and the current condition for bDhcpSubnetUsedAddrHigh is raised, then a bDhcpSubnetUsedAddrLow event will be generated. No more bDhcpSubnetUsedAddrLow events will be generated for this subnet during its execution until the value for used addresses has exceeded the value of bDhcpSubnetUsedAddrHighThreshold.') b_dhcp_subnet_used_addr_high_threshold = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 1, 1, 13), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpSubnetUsedAddrHighThreshold.setStatus('current') if mibBuilder.loadTexts: bDhcpSubnetUsedAddrHighThreshold.setDescription('The high threshold for used IP addresses in this subnet. If a bDhcpSubnetUsedAddrLow event has been generated (or no bDhcpSubnetUsedAddrHigh was generated previously) for this subnet, and the value for used IP addresses in this subnet has exceeded this value then a bDhcpSubnetUsedAddrHigh event will be generated. No more bDhcpSubnetUsedAddrHigh events will be generated for this subnet during its execution until the value for used addresses in this subnet becomes equal to or less than the value of bDhcpSubnetUsedAddrLowThreshold.') b_dhcp_subnet_peak_hold_addresses = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 1, 1, 14), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpSubnetPeakHoldAddresses.setStatus('current') if mibBuilder.loadTexts: bDhcpSubnetPeakHoldAddresses.setDescription('The peak number of IP addresses that are held within this subnet.') b_dhcp_global_table = mib_table((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 2)) if mibBuilder.loadTexts: bDhcpGlobalTable.setStatus('current') if mibBuilder.loadTexts: bDhcpGlobalTable.setDescription('A list of Global DHCP server information for various intervals.') b_dhcp_global_entry = mib_table_row((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 2, 1)).setIndexNames((0, 'BENU-DHCP-MIB', 'bDhcpGlobalStatsInterval')) if mibBuilder.loadTexts: bDhcpGlobalEntry.setStatus('current') if mibBuilder.loadTexts: bDhcpGlobalEntry.setDescription('A logical row in the bDhcpGlobalTable.') b_dhcp_global_stats_interval = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 2, 1, 1), integer32()) if mibBuilder.loadTexts: bDhcpGlobalStatsInterval.setStatus('current') if mibBuilder.loadTexts: bDhcpGlobalStatsInterval.setDescription('The interval where the measurements were accumulated. The interval index one indicates the latest interval for which statistics accumulation was completed. Older the statistics interval data greater the interval index value. In a system supporting a history of n intervals with IntervalCount(1) and IntervalCount(n) the most and least recent intervals respectively, the following applies at the end of a interval: - discard the value of IntervalCount(n) - the value of IntervalCount(i) becomes that of IntervalCount(i+1) for 1 <= i <n . - the value of IntervalCount(1) becomes that of CurrentCount') b_dhcp_discovers_rcvd = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 2, 1, 2), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpDiscoversRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpDiscoversRcvd.setDescription('The number of DHCPDISCOVER packets received.') b_dhcp_offers_sent = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 2, 1, 3), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpOffersSent.setStatus('current') if mibBuilder.loadTexts: bDhcpOffersSent.setDescription('The number of DHCPOFFER packets sent.') b_dhcp_requests_rcvd = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 2, 1, 4), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpRequestsRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpRequestsRcvd.setDescription('The number of DHCPREQUEST packets received.') b_dhcp_declines_rcvd = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 2, 1, 5), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpDeclinesRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpDeclinesRcvd.setDescription('The number of DHCPDECLINE packets received.') b_dhcp_acks_sent = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 2, 1, 6), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpAcksSent.setStatus('current') if mibBuilder.loadTexts: bDhcpAcksSent.setDescription('The number of DHCPACK packets sent.') b_dhcp_nacks_sent = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 2, 1, 7), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpNacksSent.setStatus('current') if mibBuilder.loadTexts: bDhcpNacksSent.setDescription('The number of DHCPNACK packets sent.') b_dhcp_releases_rcvd = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 2, 1, 8), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpReleasesRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpReleasesRcvd.setDescription('The number of DHCPRELEASE packets received.') b_dhcp_releases_ind_rcvd = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 2, 1, 9), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpReleasesIndRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpReleasesIndRcvd.setDescription('The number of DHCPRELEASE indication packets received.') b_dhcp_releases_sent = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 2, 1, 10), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpReleasesSent.setStatus('current') if mibBuilder.loadTexts: bDhcpReleasesSent.setDescription('The number of DHCPRELEASE packets sent.') b_dhcp_informs_rcvd = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 2, 1, 11), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpInformsRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpInformsRcvd.setDescription('The number of DHCPINFORM packets received.') b_dhcp_informs_ack_sent = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 2, 1, 12), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpInformsAckSent.setStatus('current') if mibBuilder.loadTexts: bDhcpInformsAckSent.setDescription('The number of DHCPINFORM ACK packets sent.') b_dhcp_drop_discover = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 2, 1, 13), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpDropDiscover.setStatus('current') if mibBuilder.loadTexts: bDhcpDropDiscover.setDescription('The number of DHCPDISCOVER packets dropped.') b_dhcp_drop_request = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 2, 1, 14), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpDropRequest.setStatus('current') if mibBuilder.loadTexts: bDhcpDropRequest.setDescription('The number of DHCPREQUEST packets dropped.') b_dhcp_drop_release = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 2, 1, 15), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpDropRelease.setStatus('current') if mibBuilder.loadTexts: bDhcpDropRelease.setDescription('The number of DHCPRELEASE packets dropped.') b_dhcp_leases_assigned = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 2, 1, 16), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpLeasesAssigned.setStatus('current') if mibBuilder.loadTexts: bDhcpLeasesAssigned.setDescription('Total number of leases assigned on DHCP server') b_dhcp_leases_released = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 2, 1, 17), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpLeasesReleased.setStatus('current') if mibBuilder.loadTexts: bDhcpLeasesReleased.setDescription('Total number of leases released on DHCP server') b_dhcp_leases_rel_fail = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 2, 1, 18), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpLeasesRelFail.setStatus('current') if mibBuilder.loadTexts: bDhcpLeasesRelFail.setDescription('Total number of leases release failed on DHCP server') b_dhcp_leases_expired = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 2, 1, 19), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpLeasesExpired.setStatus('current') if mibBuilder.loadTexts: bDhcpLeasesExpired.setDescription('Total number of leases expired on DHCP server') b_dhcp_leases_renewed = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 2, 1, 20), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpLeasesRenewed.setStatus('current') if mibBuilder.loadTexts: bDhcpLeasesRenewed.setDescription('Total number of leases renewed on DHCP server') b_dhcp_leases_renew_fail = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 2, 1, 21), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpLeasesRenewFail.setStatus('current') if mibBuilder.loadTexts: bDhcpLeasesRenewFail.setDescription('Total number of leases renew failed on DHCP server') b_dhcp_leases_not_assign_serv_int_not_config = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 2, 1, 22), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpLeasesNotAssignServIntNotConfig.setStatus('current') if mibBuilder.loadTexts: bDhcpLeasesNotAssignServIntNotConfig.setDescription('Total number of leases not assigned due to interface not configured on DHCP server') b_dhcp_leases_not_assign_free_buff_unavail = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 2, 1, 23), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpLeasesNotAssignFreeBuffUnavail.setStatus('current') if mibBuilder.loadTexts: bDhcpLeasesNotAssignFreeBuffUnavail.setDescription('Total number of leases not assigned due to unavailability of free buffers') b_dhcp_interval_duration = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 2, 1, 24), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpIntervalDuration.setStatus('current') if mibBuilder.loadTexts: bDhcpIntervalDuration.setDescription('Duration of the interval in minutes') b_bootp_requests_rcvd = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 2, 1, 25), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bBootpRequestsRcvd.setStatus('current') if mibBuilder.loadTexts: bBootpRequestsRcvd.setDescription('Total number of BOOTP request mesages received') b_bootp_replies_sent = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 2, 1, 26), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bBootpRepliesSent.setStatus('current') if mibBuilder.loadTexts: bBootpRepliesSent.setDescription('Total number of BOOTP reply mesages sent') b_dhcp_releases_ind_sent = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 2, 1, 27), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpReleasesIndSent.setStatus('current') if mibBuilder.loadTexts: bDhcpReleasesIndSent.setDescription('The number of DHCPRELEASE indication packets sent.') b_dhcp_sp_wi_fi_global_table = mib_table((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 4)) if mibBuilder.loadTexts: bDhcpSPWiFiGlobalTable.setStatus('current') if mibBuilder.loadTexts: bDhcpSPWiFiGlobalTable.setDescription('A list of Global DHCP server information for SPWiFi for various intervals.') b_dhcp_sp_wi_fi_global_entry = mib_table_row((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 4, 1)).setIndexNames((0, 'BENU-DHCP-MIB', 'bDhcpSPWiFiGlobalStatsInterval')) if mibBuilder.loadTexts: bDhcpSPWiFiGlobalEntry.setStatus('current') if mibBuilder.loadTexts: bDhcpSPWiFiGlobalEntry.setDescription('A logical row in the bDhcpSPWiFiGlobalTable.') b_dhcp_sp_wi_fi_global_stats_interval = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 4, 1, 1), integer32()) if mibBuilder.loadTexts: bDhcpSPWiFiGlobalStatsInterval.setStatus('current') if mibBuilder.loadTexts: bDhcpSPWiFiGlobalStatsInterval.setDescription('The interval where the measurements were accumulated. The interval index one indicates the latest interval for which statistics accumulation was completed. Older the statistics interval data greater the interval index value. In a system supporting a history of n intervals with IntervalCount(1) and IntervalCount(n) the most and least recent intervals respectively, the following applies at the end of a interval: - discard the value of IntervalCount(n) - the value of IntervalCount(i) becomes that of IntervalCount(i+1) for 1 <= i <n . - the value of IntervalCount(1) becomes that of CurrentCount') b_dhcp_sp_wi_fi_discovers_rcvd = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 4, 1, 2), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpSPWiFiDiscoversRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpSPWiFiDiscoversRcvd.setDescription('The number of SPWiFi DHCPDISCOVER packets received.') b_dhcp_sp_wi_fi_offers_sent = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 4, 1, 3), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpSPWiFiOffersSent.setStatus('current') if mibBuilder.loadTexts: bDhcpSPWiFiOffersSent.setDescription('The number of SPWiFi DHCPOFFER packets sent.') b_dhcp_sp_wi_fi_requests_rcvd = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 4, 1, 4), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpSPWiFiRequestsRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpSPWiFiRequestsRcvd.setDescription('The number of SPWiFi DHCPREQUEST packets received.') b_dhcp_sp_wi_fi_declines_rcvd = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 4, 1, 5), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpSPWiFiDeclinesRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpSPWiFiDeclinesRcvd.setDescription('The number of SPWiFi DHCPDECLINE packets received.') b_dhcp_sp_wi_fi_acks_sent = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 4, 1, 6), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpSPWiFiAcksSent.setStatus('current') if mibBuilder.loadTexts: bDhcpSPWiFiAcksSent.setDescription('The number of SPWiFi DHCPACK packets sent.') b_dhcp_sp_wi_fi_nacks_sent = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 4, 1, 7), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpSPWiFiNacksSent.setStatus('current') if mibBuilder.loadTexts: bDhcpSPWiFiNacksSent.setDescription('The number of SPWiFi DHCPNACK packets sent.') b_dhcp_sp_wi_fi_releases_rcvd = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 4, 1, 8), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpSPWiFiReleasesRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpSPWiFiReleasesRcvd.setDescription('The number of SPWiFi DHCPRELEASE packets received.') b_dhcp_sp_wi_fi_releases_ind_rcvd = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 4, 1, 9), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpSPWiFiReleasesIndRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpSPWiFiReleasesIndRcvd.setDescription('The number of SPWiFi DHCPRELEASE indication packets received.') b_dhcp_sp_wi_fi_releases_sent = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 4, 1, 10), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpSPWiFiReleasesSent.setStatus('current') if mibBuilder.loadTexts: bDhcpSPWiFiReleasesSent.setDescription('The number of SPWiFi DHCPRELEASE packets sent.') b_dhcp_sp_wi_fi_informs_rcvd = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 4, 1, 11), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpSPWiFiInformsRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpSPWiFiInformsRcvd.setDescription('The number of SPWiFi DHCPINFORM packets received.') b_dhcp_sp_wi_fi_informs_ack_sent = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 4, 1, 12), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpSPWiFiInformsAckSent.setStatus('current') if mibBuilder.loadTexts: bDhcpSPWiFiInformsAckSent.setDescription('The number of SPWiFi DHCPINFORM ACK packets sent.') b_dhcp_sp_wi_fi_drop_discover = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 4, 1, 13), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpSPWiFiDropDiscover.setStatus('current') if mibBuilder.loadTexts: bDhcpSPWiFiDropDiscover.setDescription('The number of SPWiFi DHCPDISCOVER packets dropped.') b_dhcp_sp_wi_fi_drop_request = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 4, 1, 14), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpSPWiFiDropRequest.setStatus('current') if mibBuilder.loadTexts: bDhcpSPWiFiDropRequest.setDescription('The number of SPWiFi DHCPREQUEST packets dropped.') b_dhcp_sp_wi_fi_drop_release = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 4, 1, 15), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpSPWiFiDropRelease.setStatus('current') if mibBuilder.loadTexts: bDhcpSPWiFiDropRelease.setDescription('The number of SPWiFi DHCPRELEASE packets dropped.') b_dhcp_sp_wi_fi_leases_assigned = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 4, 1, 16), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpSPWiFiLeasesAssigned.setStatus('current') if mibBuilder.loadTexts: bDhcpSPWiFiLeasesAssigned.setDescription('Total number of SPWiFi leases assigned on DHCP server') b_dhcp_sp_wi_fi_leases_released = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 4, 1, 17), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpSPWiFiLeasesReleased.setStatus('current') if mibBuilder.loadTexts: bDhcpSPWiFiLeasesReleased.setDescription('Total number of SPWiFi leases released on DHCP server') b_dhcp_sp_wi_fi_leases_rel_fail = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 4, 1, 18), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpSPWiFiLeasesRelFail.setStatus('current') if mibBuilder.loadTexts: bDhcpSPWiFiLeasesRelFail.setDescription('Total number of SPWiFi leases release failed on DHCP server') b_dhcp_sp_wi_fi_leases_expired = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 4, 1, 19), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpSPWiFiLeasesExpired.setStatus('current') if mibBuilder.loadTexts: bDhcpSPWiFiLeasesExpired.setDescription('Total number of SPWiFi leases expired on DHCP server') b_dhcp_sp_wi_fi_leases_renewed = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 4, 1, 20), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpSPWiFiLeasesRenewed.setStatus('current') if mibBuilder.loadTexts: bDhcpSPWiFiLeasesRenewed.setDescription('Total number of SPWiFi leases renewed on DHCP server') b_dhcp_sp_wi_fi_leases_renew_fail = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 4, 1, 21), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpSPWiFiLeasesRenewFail.setStatus('current') if mibBuilder.loadTexts: bDhcpSPWiFiLeasesRenewFail.setDescription('Total number of SPWiFi leases renew failed on DHCP server') b_dhcp_sp_wi_fi_leases_not_assign_serv_int_not_config = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 4, 1, 22), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpSPWiFiLeasesNotAssignServIntNotConfig.setStatus('current') if mibBuilder.loadTexts: bDhcpSPWiFiLeasesNotAssignServIntNotConfig.setDescription('Total number of SPWiFi leases not assigned due to interface not configured on DHCP server') b_dhcp_sp_wi_fi_leases_not_assign_free_buff_unavail = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 4, 1, 23), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpSPWiFiLeasesNotAssignFreeBuffUnavail.setStatus('current') if mibBuilder.loadTexts: bDhcpSPWiFiLeasesNotAssignFreeBuffUnavail.setDescription('Total number of SPWiFi leases not assigned due to unavailability of free buffers') b_dhcp_sp_wi_fi_interval_duration = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 4, 1, 24), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpSPWiFiIntervalDuration.setStatus('current') if mibBuilder.loadTexts: bDhcpSPWiFiIntervalDuration.setDescription('SPWiFi duration of the interval in minutes') b_sp_wi_fi_bootp_requests_rcvd = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 4, 1, 25), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bSPWiFiBootpRequestsRcvd.setStatus('current') if mibBuilder.loadTexts: bSPWiFiBootpRequestsRcvd.setDescription('Total number of SPWiFi BOOTP request mesages received') b_sp_wi_fi_bootp_replies_sent = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 4, 1, 26), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bSPWiFiBootpRepliesSent.setStatus('current') if mibBuilder.loadTexts: bSPWiFiBootpRepliesSent.setDescription('Total number of SPWiFi BOOTP reply mesages sent') b_dhcp_sp_wi_fi_releases_ind_sent = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 4, 1, 27), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpSPWiFiReleasesIndSent.setStatus('current') if mibBuilder.loadTexts: bDhcpSPWiFiReleasesIndSent.setDescription('The number of SPWiFi DHCPRELEASE indication packets sent.') b_dhcp_home_global_table = mib_table((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 5)) if mibBuilder.loadTexts: bDhcpHomeGlobalTable.setStatus('current') if mibBuilder.loadTexts: bDhcpHomeGlobalTable.setDescription('A list of Global DHCP server information for Home for various intervals.') b_dhcp_home_global_entry = mib_table_row((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 5, 1)).setIndexNames((0, 'BENU-DHCP-MIB', 'bDhcpHomeGlobalStatsInterval')) if mibBuilder.loadTexts: bDhcpHomeGlobalEntry.setStatus('current') if mibBuilder.loadTexts: bDhcpHomeGlobalEntry.setDescription('A logical row in the bDhcpHomeGlobalTable.') b_dhcp_home_global_stats_interval = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 5, 1, 1), integer32()) if mibBuilder.loadTexts: bDhcpHomeGlobalStatsInterval.setStatus('current') if mibBuilder.loadTexts: bDhcpHomeGlobalStatsInterval.setDescription('The interval where the measurements were accumulated. The interval index one indicates the latest interval for which statistics accumulation was completed. Older the statistics interval data greater the interval index value. In a system supporting a history of n intervals with IntervalCount(1) and IntervalCount(n) the most and least recent intervals respectively, the following applies at the end of a interval: - discard the value of IntervalCount(n) - the value of IntervalCount(i) becomes that of IntervalCount(i+1) for 1 <= i <n . - the value of IntervalCount(1) becomes that of CurrentCount') b_dhcp_home_discovers_rcvd = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 5, 1, 2), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpHomeDiscoversRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpHomeDiscoversRcvd.setDescription('The number of Home DHCPDISCOVER packets received.') b_dhcp_home_offers_sent = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 5, 1, 3), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpHomeOffersSent.setStatus('current') if mibBuilder.loadTexts: bDhcpHomeOffersSent.setDescription('The number of Home DHCPOFFER packets sent.') b_dhcp_home_requests_rcvd = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 5, 1, 4), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpHomeRequestsRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpHomeRequestsRcvd.setDescription('The number of Home DHCPREQUEST packets received.') b_dhcp_home_declines_rcvd = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 5, 1, 5), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpHomeDeclinesRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpHomeDeclinesRcvd.setDescription('The number of Home DHCPDECLINE packets received.') b_dhcp_home_acks_sent = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 5, 1, 6), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpHomeAcksSent.setStatus('current') if mibBuilder.loadTexts: bDhcpHomeAcksSent.setDescription('The number of Home DHCPACK packets sent.') b_dhcp_home_nacks_sent = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 5, 1, 7), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpHomeNacksSent.setStatus('current') if mibBuilder.loadTexts: bDhcpHomeNacksSent.setDescription('The number of Home DHCPNACK packets sent.') b_dhcp_home_releases_rcvd = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 5, 1, 8), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpHomeReleasesRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpHomeReleasesRcvd.setDescription('The number of Home DHCPRELEASE packets received.') b_dhcp_home_releases_ind_rcvd = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 5, 1, 9), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpHomeReleasesIndRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpHomeReleasesIndRcvd.setDescription('The number of Home DHCPRELEASE indication packets received.') b_dhcp_home_releases_sent = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 5, 1, 10), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpHomeReleasesSent.setStatus('current') if mibBuilder.loadTexts: bDhcpHomeReleasesSent.setDescription('The number of Home DHCPRELEASE packets sent.') b_dhcp_home_informs_rcvd = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 5, 1, 11), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpHomeInformsRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpHomeInformsRcvd.setDescription('The number of Home DHCPINFORM packets received.') b_dhcp_home_informs_ack_sent = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 5, 1, 12), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpHomeInformsAckSent.setStatus('current') if mibBuilder.loadTexts: bDhcpHomeInformsAckSent.setDescription('The number of Home DHCPINFORM ACK packets sent.') b_dhcp_home_drop_discover = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 5, 1, 13), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpHomeDropDiscover.setStatus('current') if mibBuilder.loadTexts: bDhcpHomeDropDiscover.setDescription('The number of Home DHCPDISCOVER packets dropped.') b_dhcp_home_drop_request = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 5, 1, 14), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpHomeDropRequest.setStatus('current') if mibBuilder.loadTexts: bDhcpHomeDropRequest.setDescription('The number of Home DHCPREQUEST packets dropped.') b_dhcp_home_drop_release = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 5, 1, 15), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpHomeDropRelease.setStatus('current') if mibBuilder.loadTexts: bDhcpHomeDropRelease.setDescription('The number of Home DHCPRELEASE packets dropped.') b_dhcp_home_leases_assigned = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 5, 1, 16), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpHomeLeasesAssigned.setStatus('current') if mibBuilder.loadTexts: bDhcpHomeLeasesAssigned.setDescription('Total number of Home leases assigned on DHCP server') b_dhcp_home_leases_released = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 5, 1, 17), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpHomeLeasesReleased.setStatus('current') if mibBuilder.loadTexts: bDhcpHomeLeasesReleased.setDescription('Total number of Home leases released on DHCP server') b_dhcp_home_leases_rel_fail = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 5, 1, 18), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpHomeLeasesRelFail.setStatus('current') if mibBuilder.loadTexts: bDhcpHomeLeasesRelFail.setDescription('Total number of Home leases release failed on DHCP server') b_dhcp_home_leases_expired = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 5, 1, 19), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpHomeLeasesExpired.setStatus('current') if mibBuilder.loadTexts: bDhcpHomeLeasesExpired.setDescription('Total number of Home leases expired on DHCP server') b_dhcp_home_leases_renewed = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 5, 1, 20), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpHomeLeasesRenewed.setStatus('current') if mibBuilder.loadTexts: bDhcpHomeLeasesRenewed.setDescription('Total number of Home leases renewed on DHCP server') b_dhcp_home_leases_renew_fail = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 5, 1, 21), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpHomeLeasesRenewFail.setStatus('current') if mibBuilder.loadTexts: bDhcpHomeLeasesRenewFail.setDescription('Total number of Home leases renew failed on DHCP server') b_dhcp_home_leases_not_assign_serv_int_not_config = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 5, 1, 22), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpHomeLeasesNotAssignServIntNotConfig.setStatus('current') if mibBuilder.loadTexts: bDhcpHomeLeasesNotAssignServIntNotConfig.setDescription('Total number of Home leases not assigned due to interface not configured on DHCP server') b_dhcp_home_leases_not_assign_free_buff_unavail = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 5, 1, 23), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpHomeLeasesNotAssignFreeBuffUnavail.setStatus('current') if mibBuilder.loadTexts: bDhcpHomeLeasesNotAssignFreeBuffUnavail.setDescription('Total number of Home leases not assigned due to unavailability of free buffers') b_dhcp_home_interval_duration = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 5, 1, 24), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpHomeIntervalDuration.setStatus('current') if mibBuilder.loadTexts: bDhcpHomeIntervalDuration.setDescription('Home duration of the interval in minutes') b_home_bootp_requests_rcvd = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 5, 1, 25), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bHomeBootpRequestsRcvd.setStatus('current') if mibBuilder.loadTexts: bHomeBootpRequestsRcvd.setDescription('Total number of Home BOOTP request mesages received') b_home_bootp_replies_sent = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 5, 1, 26), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bHomeBootpRepliesSent.setStatus('current') if mibBuilder.loadTexts: bHomeBootpRepliesSent.setDescription('Total number of Home BOOTP reply mesages sent') b_dhcp_home_releases_ind_sent = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 5, 1, 27), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpHomeReleasesIndSent.setStatus('current') if mibBuilder.loadTexts: bDhcpHomeReleasesIndSent.setDescription('The number of Home DHCPRELEASE indication packets sent.') b_dhcpv4_active_client = mib_scalar((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 3), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpv4ActiveClient.setStatus('current') if mibBuilder.loadTexts: bDhcpv4ActiveClient.setDescription('The number of DHCP v4 active clients.') b_dhcpv4_active_sp_wi_fi_clients = mib_scalar((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 6), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpv4ActiveSpWiFiClients.setStatus('current') if mibBuilder.loadTexts: bDhcpv4ActiveSpWiFiClients.setDescription('The number of DHCP v4 SP WiFi active clients.') b_dhcpv4_active_home_clients = mib_scalar((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 7), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpv4ActiveHomeClients.setStatus('current') if mibBuilder.loadTexts: bDhcpv4ActiveHomeClients.setDescription('The number of DHCP v4 active Home clients.') b_dhcpv6_active_client = mib_scalar((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 1), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpv6ActiveClient.setStatus('current') if mibBuilder.loadTexts: bDhcpv6ActiveClient.setDescription('The number of DHCP v6 active clients.') b_dhcpv6_global_table = mib_table((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2)) if mibBuilder.loadTexts: bDhcpv6GlobalTable.setStatus('current') if mibBuilder.loadTexts: bDhcpv6GlobalTable.setDescription('A list of Global DHCPv6 server information for various intervals.') b_dhcpv6_global_entry = mib_table_row((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1)).setIndexNames((0, 'BENU-DHCP-MIB', 'bDhcpv6GlobalStatsInterval')) if mibBuilder.loadTexts: bDhcpv6GlobalEntry.setStatus('current') if mibBuilder.loadTexts: bDhcpv6GlobalEntry.setDescription('A logical row in the bDhcpv6GlobalTable.') b_dhcpv6_global_stats_interval = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 1), integer32()) if mibBuilder.loadTexts: bDhcpv6GlobalStatsInterval.setStatus('current') if mibBuilder.loadTexts: bDhcpv6GlobalStatsInterval.setDescription('The interval where the measurements were accumulated. The interval index one indicates the latest interval for which statistics accumulation was completed. Older the statistics interval data greater the interval index value. In a system supporting a history of n intervals with IntervalCount(1) and IntervalCount(n) the most and least recent intervals respectively, the following applies at the end of a interval: - discard the value of IntervalCount(n) - the value of IntervalCount(i) becomes that of IntervalCount(i+1) for 1 <= i <n . - the value of IntervalCount(1) becomes that of CurrentCount') b_dhcpv6_solicits_rcvd = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 2), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpv6SolicitsRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpv6SolicitsRcvd.setDescription('The number of DHCPv6 Solicit packets received.') b_dhcpv6_offers_sent = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 3), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpv6OffersSent.setStatus('current') if mibBuilder.loadTexts: bDhcpv6OffersSent.setDescription('The number of DHCPOFFER packets sent.') b_dhcpv6_requests_rcvd = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 4), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpv6RequestsRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpv6RequestsRcvd.setDescription('The number of DHCPv6 Request packets received.') b_dhcpv6_declines_rcvd = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 5), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpv6DeclinesRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpv6DeclinesRcvd.setDescription('The number of DHCPv6 Decline packets received.') b_dhcpv6_releases_rcvd = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 6), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpv6ReleasesRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpv6ReleasesRcvd.setDescription('The number of DHCPv6 Release packets received.') b_dhcpv6_release_ind_rcvd = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 7), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpv6ReleaseIndRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpv6ReleaseIndRcvd.setDescription('The number of DHCPv6 ReleaseInd packets received.') b_dhcpv6_renew_rcvd = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 8), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpv6RenewRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpv6RenewRcvd.setDescription('The number of DHCPv6 Renew packets received.') b_dhcpv6_rebind_rcvd = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 9), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpv6RebindRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpv6RebindRcvd.setDescription('The number of DHCPv6 Rebind packets received.') b_dhcpv6_informs_rcvd = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 10), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpv6InformsRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpv6InformsRcvd.setDescription('The number of DHCPv6 Inform packets received.') b_dhcpv6_confirms_rcvd = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 11), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpv6ConfirmsRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpv6ConfirmsRcvd.setDescription('The number of DHCPv6 Confirm packets received.') b_dhcpv6_replys_sent = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 12), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpv6ReplysSent.setStatus('current') if mibBuilder.loadTexts: bDhcpv6ReplysSent.setDescription('The number of DHCPv6 Reply packets sent.') b_dhcpv6_advertises_sent = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 13), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpv6AdvertisesSent.setStatus('current') if mibBuilder.loadTexts: bDhcpv6AdvertisesSent.setDescription('The number of DHCPv6 Advertises packets sent.') b_dhcpv6_unknown_msgs_rcvd = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 14), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpv6UnknownMsgsRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpv6UnknownMsgsRcvd.setDescription('The number of DHCPv6 UnknownMsg packets received.') b_dhcpv6_reconfigs_sent = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 15), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpv6ReconfigsSent.setStatus('current') if mibBuilder.loadTexts: bDhcpv6ReconfigsSent.setDescription('The number of DHCPv6 Reconfig packets sent.') b_dhcpv6_drop_solicit = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 16), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpv6DropSolicit.setStatus('current') if mibBuilder.loadTexts: bDhcpv6DropSolicit.setDescription('The number of DHCPv6 Solicit packets dropped.') b_dhcpv6_drop_advertise = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 17), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpv6DropAdvertise.setStatus('current') if mibBuilder.loadTexts: bDhcpv6DropAdvertise.setDescription('The number of DHCPv6 Advertise packets dropped.') b_dhcpv6_drop_dup_solicit = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 18), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpv6DropDupSolicit.setStatus('current') if mibBuilder.loadTexts: bDhcpv6DropDupSolicit.setDescription('The number of DHCPv6 Duplicate Solicit packets dropped.') b_dhcpv6_drop_request = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 19), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpv6DropRequest.setStatus('current') if mibBuilder.loadTexts: bDhcpv6DropRequest.setDescription('The number of DHCPv6 Request packets dropped.') b_dhcpv6_drop_release = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 20), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpv6DropRelease.setStatus('current') if mibBuilder.loadTexts: bDhcpv6DropRelease.setDescription('The number of DHCPv6 Release packets dropped.') b_dhcpv6_drop_decline = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 21), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpv6DropDecline.setStatus('current') if mibBuilder.loadTexts: bDhcpv6DropDecline.setDescription('The number of DHCPv6 Decline packets dropped.') b_dhcpv6_drop_renew = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 22), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpv6DropRenew.setStatus('current') if mibBuilder.loadTexts: bDhcpv6DropRenew.setDescription('The number of DHCPv6 Renew packets dropped.') b_dhcpv6_drop_rebind = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 23), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpv6DropRebind.setStatus('current') if mibBuilder.loadTexts: bDhcpv6DropRebind.setDescription('The number of DHCPv6 Rebind packets dropped.') b_dhcpv6_drop_confirm = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 24), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpv6DropConfirm.setStatus('current') if mibBuilder.loadTexts: bDhcpv6DropConfirm.setDescription('The number of DHCPv6 Confirm packets dropped.') b_dhcpv6_drop_inform = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 25), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpv6DropInform.setStatus('current') if mibBuilder.loadTexts: bDhcpv6DropInform.setDescription('The number of DHCPv6 Information-Request packets dropped.') b_dhcpv6_drop_relay = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 26), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpv6DropRelay.setStatus('current') if mibBuilder.loadTexts: bDhcpv6DropRelay.setDescription('The number of DHCPv6 Relay packets dropped.') b_dhcpv6_drop_reply = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 27), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpv6DropReply.setStatus('current') if mibBuilder.loadTexts: bDhcpv6DropReply.setDescription('The number of DHCPv6 Reply packets dropped.') b_dhcpv6_drop_relay_reply = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 28), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpv6DropRelayReply.setStatus('current') if mibBuilder.loadTexts: bDhcpv6DropRelayReply.setDescription('The number of DHCPv6 Relay-Reply packets dropped.') b_dhcpv6_drop_reconfig = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 29), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpv6DropReconfig.setStatus('current') if mibBuilder.loadTexts: bDhcpv6DropReconfig.setDescription('The number of DHCPv6 Reconfig packets dropped.') b_dhcpv6_leases_offered = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 30), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpv6LeasesOffered.setStatus('current') if mibBuilder.loadTexts: bDhcpv6LeasesOffered.setDescription('Total number of leases offered on DHCPv6 server') b_dhcpv6_leases_assigned = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 31), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpv6LeasesAssigned.setStatus('current') if mibBuilder.loadTexts: bDhcpv6LeasesAssigned.setDescription('Total number of leases assigned on DHCPv6 server') b_dhcpv6_leases_released = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 32), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpv6LeasesReleased.setStatus('current') if mibBuilder.loadTexts: bDhcpv6LeasesReleased.setDescription('Total number of leases released on DHCPv6 server') b_dhcpv6_leases_rel_fail = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 33), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpv6LeasesRelFail.setStatus('current') if mibBuilder.loadTexts: bDhcpv6LeasesRelFail.setDescription('Total number of leases release failed on DHCPv6 server') b_dhcpv6_leases_expired = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 34), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpv6LeasesExpired.setStatus('current') if mibBuilder.loadTexts: bDhcpv6LeasesExpired.setDescription('Total number of leases expired on DHCPv6 server') b_dhcpv6_leases_expiry_fail = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 35), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpv6LeasesExpiryFail.setStatus('current') if mibBuilder.loadTexts: bDhcpv6LeasesExpiryFail.setDescription('Total number of leases expiry failed on DHCPv6 server') b_dhcpv6_leases_renewed = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 36), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpv6LeasesRenewed.setStatus('current') if mibBuilder.loadTexts: bDhcpv6LeasesRenewed.setDescription('Total number of leases renewed on DHCPv6 server') b_dhcpv6_leases_renew_fail = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 37), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpv6LeasesRenewFail.setStatus('current') if mibBuilder.loadTexts: bDhcpv6LeasesRenewFail.setDescription('Total number of leases renew failed on DHCPv6 server') b_dhcpv6_internal_error = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 38), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpv6InternalError.setStatus('current') if mibBuilder.loadTexts: bDhcpv6InternalError.setDescription('Total number of Internal Errors') b_dhcpv6_no_interface = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 39), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpv6NoInterface.setStatus('current') if mibBuilder.loadTexts: bDhcpv6NoInterface.setDescription('Total number of No Interface Errors') b_dhcpv6_client_id_not_pres = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 40), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpv6ClientIdNotPres.setStatus('current') if mibBuilder.loadTexts: bDhcpv6ClientIdNotPres.setDescription('Total number of ClientId Not Present Errors') b_dhcpv6_server_id_not_pres = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 41), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpv6ServerIdNotPres.setStatus('current') if mibBuilder.loadTexts: bDhcpv6ServerIdNotPres.setDescription('Total number of ServerId Not Present Errors') b_dhcpv6_oro_not_pres = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 42), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpv6ORONotPres.setStatus('current') if mibBuilder.loadTexts: bDhcpv6ORONotPres.setDescription('Total number of ORO Not Present Errors') b_dhcpv6_client_id_pres = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 43), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpv6ClientIdPres.setStatus('current') if mibBuilder.loadTexts: bDhcpv6ClientIdPres.setDescription('Total number of ClientId Present Errors') b_dhcpv6_server_id_pres = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 44), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpv6ServerIdPres.setStatus('current') if mibBuilder.loadTexts: bDhcpv6ServerIdPres.setDescription('Total number of ServerId Present Errors') b_dhcpv6_unicast_solicit_rcvd = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 45), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpv6UnicastSolicitRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpv6UnicastSolicitRcvd.setDescription('Total number of Unicast Solicit Received Errors') b_dhcpv6_unicast_request_rcvd = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 46), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpv6UnicastRequestRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpv6UnicastRequestRcvd.setDescription('Total number of Unicast Request Received Errors') b_dhcpv6_unicast_renew_rcvd = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 47), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpv6UnicastRenewRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpv6UnicastRenewRcvd.setDescription('Total number of Unicast Renew Received Errors') b_dhcpv6_unicast_confirm_rcvd = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 48), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpv6UnicastConfirmRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpv6UnicastConfirmRcvd.setDescription('Total number of Unicast Confirm Received Errors') b_dhcpv6_unicast_decline_rcvd = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 49), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpv6UnicastDeclineRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpv6UnicastDeclineRcvd.setDescription('Total number of Unicast Decline Received Errors') b_dhcpv6_unicast_release_rcvd = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 50), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpv6UnicastReleaseRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpv6UnicastReleaseRcvd.setDescription('Total number of Unicast Release Received Errors') b_dhcpv6_unicast_rebind_rcvd = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 51), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpv6UnicastRebindRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpv6UnicastRebindRcvd.setDescription('Total number of Unicast Rebind Received Errors') b_dhcpv6_rebind_without_addr_rcvd = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 52), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpv6RebindWithoutAddrRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpv6RebindWithoutAddrRcvd.setDescription('Total number of Rebind Without Addresses Received Errors') b_dhcpv6_confirm_without_addr_rcvd = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 53), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpv6ConfirmWithoutAddrRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpv6ConfirmWithoutAddrRcvd.setDescription('Total number of Confirm Without Addresses Received Errors') b_dhcpv6_decline_without_addr_rcvd = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 54), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpv6DeclineWithoutAddrRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpv6DeclineWithoutAddrRcvd.setDescription('Total number of Confirm Without Addresses Received Errors') b_dhcpv6_rebind_without_addr_or_more_rcvd = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 55), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpv6RebindWithoutAddrOrMoreRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpv6RebindWithoutAddrOrMoreRcvd.setDescription('Total number of Rebind Without Addresses Or More Received Errors') b_dhcpv6_renew_without_addr_or_more_rcvd = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 56), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpv6RenewWithoutAddrOrMoreRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpv6RenewWithoutAddrOrMoreRcvd.setDescription('Total number of Rebind Without Addresses Or More Received Errors') b_dhcpv6_rebind_fail = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 57), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpv6RebindFail.setStatus('current') if mibBuilder.loadTexts: bDhcpv6RebindFail.setDescription('Total number of Rebind Failures') b_dhcpv6_reconf_accept_in_solicit_missing = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 58), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpv6ReconfAcceptInSolicitMissing.setStatus('current') if mibBuilder.loadTexts: bDhcpv6ReconfAcceptInSolicitMissing.setDescription('Reconfig-Accept option is Solicit is missing, wherein the configuration mandates') b_dhcpv6_interval_duration = mib_table_column((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 59), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bDhcpv6IntervalDuration.setStatus('current') if mibBuilder.loadTexts: bDhcpv6IntervalDuration.setDescription('Duration of the interval in minutes') b_dhcp_home_subnet_home_id = mib_scalar((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 2, 1), unsigned32()).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: bDhcpHomeSubnetHomeId.setStatus('current') if mibBuilder.loadTexts: bDhcpHomeSubnetHomeId.setDescription('Home ID field is unique identifier for each home subnet. It maps to tunnel & vlan.') b_dhcp_home_subnet_start_address = mib_scalar((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 2, 2), inet_address_i_pv4()).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: bDhcpHomeSubnetStartAddress.setStatus('current') if mibBuilder.loadTexts: bDhcpHomeSubnetStartAddress.setDescription("Home subnet's range start IPv4 Address.") b_dhcp_home_subnet_end_address = mib_scalar((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 2, 3), inet_address_i_pv4()).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: bDhcpHomeSubnetEndAddress.setStatus('current') if mibBuilder.loadTexts: bDhcpHomeSubnetEndAddress.setDescription("Home subnet's range end IPv4 Address.") b_dhcp_home_subnet_total_addresses = mib_scalar((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 2, 4), unsigned32()).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: bDhcpHomeSubnetTotalAddresses.setStatus('current') if mibBuilder.loadTexts: bDhcpHomeSubnetTotalAddresses.setDescription('The total number of addresses in the home subnet.') b_dhcp_home_subnet_used_addr_low_threshold = mib_scalar((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 2, 5), unsigned32()).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: bDhcpHomeSubnetUsedAddrLowThreshold.setStatus('current') if mibBuilder.loadTexts: bDhcpHomeSubnetUsedAddrLowThreshold.setDescription('The low threshold for used IP addresses in this home subnet. If the value for used IP addresses in this home subnet becomes equal to or less than this value and the current condition for bDhcpHomeSubnetUsedAddrHigh is raised, then a bDhcpHomeSubnetUsedAddrLow event will be generated. No more bDhcpHomeSubnetUsedAddrLow events will be generated for this subnet during its execution until the value for used addresses has exceeded the value of bDhcpHomeSubnetUsedAddrHighThreshold.') b_dhcp_home_subnet_used_addr_high_threshold = mib_scalar((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 2, 6), unsigned32()).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: bDhcpHomeSubnetUsedAddrHighThreshold.setStatus('current') if mibBuilder.loadTexts: bDhcpHomeSubnetUsedAddrHighThreshold.setDescription('The high threshold for used IP addresses in this home subnet. If a bDhcpHomeSubnetUsedAddrLow event has been generated (or no bDhcpHomeSubnetUsedAddrHigh was generated previously) for this home subnet, and the value for used IP addresses in this home subnet has exceeded this value then a bDhcpHomeSubnetUsedAddrHigh event will be generated. No more bDhcpHomeSubnetUsedAddrHigh events will be generated for this subnet during its execution until the value for used addresses in this subnet becomes equal to or less than the value of bDhcpHomeSubnetUsedAddrLowThreshold.') b_dhcp_subnet_used_addr_low = notification_type((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 0, 1)).setObjects(('BENU-DHCP-MIB', 'bDhcpSubnetStartAddress'), ('BENU-DHCP-MIB', 'bDhcpSubnetEndAddress'), ('BENU-DHCP-MIB', 'bDhcpSubnetTotalAddresses'), ('BENU-DHCP-MIB', 'bDhcpSubnetUsedAddrLowThreshold')) if mibBuilder.loadTexts: bDhcpSubnetUsedAddrLow.setStatus('current') if mibBuilder.loadTexts: bDhcpSubnetUsedAddrLow.setDescription('This notification signifies that the number of used addresses for a particular subnet is cleared, meaning that it has fallen below the value of bDhcpSubnetUsedAddrLowThreshold for that subnet.') b_dhcp_subnet_used_addr_high = notification_type((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 0, 2)).setObjects(('BENU-DHCP-MIB', 'bDhcpSubnetStartAddress'), ('BENU-DHCP-MIB', 'bDhcpSubnetEndAddress'), ('BENU-DHCP-MIB', 'bDhcpSubnetTotalAddresses'), ('BENU-DHCP-MIB', 'bDhcpSubnetUsedAddrHighThreshold')) if mibBuilder.loadTexts: bDhcpSubnetUsedAddrHigh.setStatus('current') if mibBuilder.loadTexts: bDhcpSubnetUsedAddrHigh.setDescription('This notification signifies that the number of used addresses for a particular subnet is raised, meaning that it has risen above the value of bDhcpSubnetUsedAddrHighThreshold for that subnet.') b_dhcp_home_subnet_used_addr_low = notification_type((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 0, 3)).setObjects(('BENU-DHCP-MIB', 'bDhcpHomeSubnetHomeId'), ('BENU-DHCP-MIB', 'bDhcpHomeSubnetStartAddress'), ('BENU-DHCP-MIB', 'bDhcpHomeSubnetEndAddress'), ('BENU-DHCP-MIB', 'bDhcpHomeSubnetTotalAddresses'), ('BENU-DHCP-MIB', 'bDhcpHomeSubnetUsedAddrLowThreshold')) if mibBuilder.loadTexts: bDhcpHomeSubnetUsedAddrLow.setStatus('current') if mibBuilder.loadTexts: bDhcpHomeSubnetUsedAddrLow.setDescription('This notification signifies that the number of used addresses for a particular home subnet is cleared, meaning that it has fallen below the value of bDhcpHomeSubnetUsedAddrLowThreshold for that subnet.') b_dhcp_home_subnet_used_addr_high = notification_type((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 0, 4)).setObjects(('BENU-DHCP-MIB', 'bDhcpHomeSubnetHomeId'), ('BENU-DHCP-MIB', 'bDhcpHomeSubnetStartAddress'), ('BENU-DHCP-MIB', 'bDhcpHomeSubnetEndAddress'), ('BENU-DHCP-MIB', 'bDhcpHomeSubnetTotalAddresses'), ('BENU-DHCP-MIB', 'bDhcpHomeSubnetUsedAddrHighThreshold')) if mibBuilder.loadTexts: bDhcpHomeSubnetUsedAddrHigh.setStatus('current') if mibBuilder.loadTexts: bDhcpHomeSubnetUsedAddrHigh.setDescription('This notification signifies that the number of used addresses for a particular home subnet is raised, meaning that it has risen above the value of bDhcpHomeSubnetUsedAddrHighThreshold for that subnet.') mibBuilder.exportSymbols('BENU-DHCP-MIB', PYSNMP_MODULE_ID=bDhcpMIB, bDhcpHomeLeasesNotAssignFreeBuffUnavail=bDhcpHomeLeasesNotAssignFreeBuffUnavail, bDhcpv6UnicastRebindRcvd=bDhcpv6UnicastRebindRcvd, bDhcpSPWiFiLeasesNotAssignServIntNotConfig=bDhcpSPWiFiLeasesNotAssignServIntNotConfig, bDhcpHomeAcksSent=bDhcpHomeAcksSent, bDhcpHomeSubnetUsedAddrHighThreshold=bDhcpHomeSubnetUsedAddrHighThreshold, bDhcpSPWiFiNacksSent=bDhcpSPWiFiNacksSent, bDhcpNotifications=bDhcpNotifications, bDhcpSubnetIndex=bDhcpSubnetIndex, bDhcpHomeIntervalDuration=bDhcpHomeIntervalDuration, bDhcpv6LeasesAssigned=bDhcpv6LeasesAssigned, bDhcpv6DeclineWithoutAddrRcvd=bDhcpv6DeclineWithoutAddrRcvd, bDhcpv6DropDecline=bDhcpv6DropDecline, bDhcpv6RebindWithoutAddrRcvd=bDhcpv6RebindWithoutAddrRcvd, bDhcpHomeSubnetUsedAddrLow=bDhcpHomeSubnetUsedAddrLow, bDhcpSPWiFiDropRelease=bDhcpSPWiFiDropRelease, bDhcpv6ServerIdNotPres=bDhcpv6ServerIdNotPres, bDhcpHomeGlobalTable=bDhcpHomeGlobalTable, bDhcpv6LeasesRelFail=bDhcpv6LeasesRelFail, bDhcpSubnetAddress=bDhcpSubnetAddress, bDhcpHomeSubnetTotalAddresses=bDhcpHomeSubnetTotalAddresses, bDhcpv6UnicastRequestRcvd=bDhcpv6UnicastRequestRcvd, bDhcpv6RenewWithoutAddrOrMoreRcvd=bDhcpv6RenewWithoutAddrOrMoreRcvd, bDhcpInformsAckSent=bDhcpInformsAckSent, bDhcpv6UnicastReleaseRcvd=bDhcpv6UnicastReleaseRcvd, bDhcpSubnetUsedAddrLow=bDhcpSubnetUsedAddrLow, bDhcpv6ReplysSent=bDhcpv6ReplysSent, bDhcpSPWiFiDeclinesRcvd=bDhcpSPWiFiDeclinesRcvd, bDhcpHomeReleasesIndSent=bDhcpHomeReleasesIndSent, bDhcpSPWiFiInformsAckSent=bDhcpSPWiFiInformsAckSent, bDhcpHomeNacksSent=bDhcpHomeNacksSent, bDhcpv6DropSolicit=bDhcpv6DropSolicit, bDhcpHomeSubnetStartAddress=bDhcpHomeSubnetStartAddress, bDhcpv6DropRebind=bDhcpv6DropRebind, bDhcpSubnetStartAddress=bDhcpSubnetStartAddress, bDhcpHomeLeasesReleased=bDhcpHomeLeasesReleased, bDhcpv6LeasesOffered=bDhcpv6LeasesOffered, bDhcpLeasesAssigned=bDhcpLeasesAssigned, bDhcpv6DropRequest=bDhcpv6DropRequest, bDhcpDeclinesRcvd=bDhcpDeclinesRcvd, bDhcpSubnetTotalAddresses=bDhcpSubnetTotalAddresses, bDhcpv6OffersSent=bDhcpv6OffersSent, bDhcpv6ClientIdNotPres=bDhcpv6ClientIdNotPres, bDhcpSubnetUsedAddrHigh=bDhcpSubnetUsedAddrHigh, bDhcpv6ReleasesRcvd=bDhcpv6ReleasesRcvd, bDhcpSubnetTable=bDhcpSubnetTable, bDhcpGlobalEntry=bDhcpGlobalEntry, bDhcpv6ConfirmsRcvd=bDhcpv6ConfirmsRcvd, bDhcpDropRequest=bDhcpDropRequest, bDhcpv6LeasesRenewFail=bDhcpv6LeasesRenewFail, bDhcpNacksSent=bDhcpNacksSent, bDhcpHomeReleasesRcvd=bDhcpHomeReleasesRcvd, bDhcpSPWiFiGlobalTable=bDhcpSPWiFiGlobalTable, bDhcpLeasesRenewed=bDhcpLeasesRenewed, bDhcpv6ReleaseIndRcvd=bDhcpv6ReleaseIndRcvd, bDhcpInformsRcvd=bDhcpInformsRcvd, bDhcpHomeLeasesExpired=bDhcpHomeLeasesExpired, bDhcpSPWiFiDropRequest=bDhcpSPWiFiDropRequest, bDhcpSubnetPeakUsedAddresses=bDhcpSubnetPeakUsedAddresses, bDhcpv6RequestsRcvd=bDhcpv6RequestsRcvd, bDhcpv6DropDupSolicit=bDhcpv6DropDupSolicit, bDhcpv4MIBObjects=bDhcpv4MIBObjects, bDhcpLeasesNotAssignFreeBuffUnavail=bDhcpLeasesNotAssignFreeBuffUnavail, bDhcpv6GlobalStatsInterval=bDhcpv6GlobalStatsInterval, bDhcpHomeDropDiscover=bDhcpHomeDropDiscover, bDhcpHomeDropRelease=bDhcpHomeDropRelease, bDhcpLeasesRenewFail=bDhcpLeasesRenewFail, bDhcpHomeGlobalStatsInterval=bDhcpHomeGlobalStatsInterval, bDhcpv6DropRelay=bDhcpv6DropRelay, bDhcpv6RebindRcvd=bDhcpv6RebindRcvd, bDhcpv6UnicastDeclineRcvd=bDhcpv6UnicastDeclineRcvd, bDhcpSPWiFiLeasesExpired=bDhcpSPWiFiLeasesExpired, bDhcpv6InformsRcvd=bDhcpv6InformsRcvd, bDhcpSPWiFiInformsRcvd=bDhcpSPWiFiInformsRcvd, bDhcpHomeInformsAckSent=bDhcpHomeInformsAckSent, bDhcpAcksSent=bDhcpAcksSent, bDhcpv6GlobalTable=bDhcpv6GlobalTable, bDhcpHomeReleasesIndRcvd=bDhcpHomeReleasesIndRcvd, bDhcpv6DropAdvertise=bDhcpv6DropAdvertise, bDhcpSPWiFiGlobalStatsInterval=bDhcpSPWiFiGlobalStatsInterval, bDhcpSubnetUsedAddrHighThreshold=bDhcpSubnetUsedAddrHighThreshold, bDhcpSPWiFiReleasesRcvd=bDhcpSPWiFiReleasesRcvd, bDhcpSubnetStatsInterval=bDhcpSubnetStatsInterval, bDhcpHomeSubnetUsedAddrHigh=bDhcpHomeSubnetUsedAddrHigh, bDhcpLeasesReleased=bDhcpLeasesReleased, bDhcpLeasesExpired=bDhcpLeasesExpired, bDhcpDropRelease=bDhcpDropRelease, bDhcpSubnetPeakFreeAddresses=bDhcpSubnetPeakFreeAddresses, bDhcpHomeLeasesAssigned=bDhcpHomeLeasesAssigned, bDhcpSubnetUsedAddrLowThreshold=bDhcpSubnetUsedAddrLowThreshold, bDhcpv6DropReconfig=bDhcpv6DropReconfig, bDhcpDropDiscover=bDhcpDropDiscover, bDhcpv6DropRelease=bDhcpv6DropRelease, bDhcpv6UnicastConfirmRcvd=bDhcpv6UnicastConfirmRcvd, bDhcpSPWiFiReleasesIndSent=bDhcpSPWiFiReleasesIndSent, bDhcpReleasesSent=bDhcpReleasesSent, bDhcpv6ServerIdPres=bDhcpv6ServerIdPres, bDhcpGlobalStatsInterval=bDhcpGlobalStatsInterval, bDhcpSubnetRangeIndex=bDhcpSubnetRangeIndex, bDhcpSPWiFiGlobalEntry=bDhcpSPWiFiGlobalEntry, bDhcpv6NotifObjects=bDhcpv6NotifObjects, bDhcpReleasesRcvd=bDhcpReleasesRcvd, bDhcpSPWiFiLeasesNotAssignFreeBuffUnavail=bDhcpSPWiFiLeasesNotAssignFreeBuffUnavail, bDhcpv6LeasesExpired=bDhcpv6LeasesExpired, bBootpRequestsRcvd=bBootpRequestsRcvd, bSPWiFiBootpRequestsRcvd=bSPWiFiBootpRequestsRcvd, bDhcpv6DeclinesRcvd=bDhcpv6DeclinesRcvd, bDhcpv6UnknownMsgsRcvd=bDhcpv6UnknownMsgsRcvd, bDhcpHomeLeasesRenewFail=bDhcpHomeLeasesRenewFail, bDhcpv6ActiveClient=bDhcpv6ActiveClient, bDhcpv6DropRenew=bDhcpv6DropRenew, bDhcpv6InternalError=bDhcpv6InternalError, bDhcpGlobalTable=bDhcpGlobalTable, bDhcpHomeSubnetHomeId=bDhcpHomeSubnetHomeId, bDhcpHomeSubnetUsedAddrLowThreshold=bDhcpHomeSubnetUsedAddrLowThreshold, bDhcpSPWiFiOffersSent=bDhcpSPWiFiOffersSent, bDhcpSubnetPeakHoldAddresses=bDhcpSubnetPeakHoldAddresses, bDhcpv6ORONotPres=bDhcpv6ORONotPres, bDhcpOffersSent=bDhcpOffersSent, bDhcpSPWiFiLeasesRelFail=bDhcpSPWiFiLeasesRelFail, bDhcpSubnetIntervalDuration=bDhcpSubnetIntervalDuration, bDhcpSPWiFiLeasesRenewed=bDhcpSPWiFiLeasesRenewed, bDhcpv6LeasesRenewed=bDhcpv6LeasesRenewed, bDhcpHomeRequestsRcvd=bDhcpHomeRequestsRcvd, bDhcpv6RenewRcvd=bDhcpv6RenewRcvd, bDhcpv6ReconfAcceptInSolicitMissing=bDhcpv6ReconfAcceptInSolicitMissing, bDhcpSPWiFiIntervalDuration=bDhcpSPWiFiIntervalDuration, bDhcpHomeSubnetEndAddress=bDhcpHomeSubnetEndAddress, bDhcpv6ReconfigsSent=bDhcpv6ReconfigsSent, bDhcpHomeInformsRcvd=bDhcpHomeInformsRcvd, bSPWiFiBootpRepliesSent=bSPWiFiBootpRepliesSent, bDhcpv4ActiveSpWiFiClients=bDhcpv4ActiveSpWiFiClients, bDhcpSPWiFiLeasesRenewFail=bDhcpSPWiFiLeasesRenewFail, bDhcpv6DropRelayReply=bDhcpv6DropRelayReply, bDhcpDiscoversRcvd=bDhcpDiscoversRcvd, bDhcpSPWiFiLeasesAssigned=bDhcpSPWiFiLeasesAssigned, bDhcpv4ActiveHomeClients=bDhcpv4ActiveHomeClients, bDhcpv6UnicastSolicitRcvd=bDhcpv6UnicastSolicitRcvd, bDhcpHomeLeasesNotAssignServIntNotConfig=bDhcpHomeLeasesNotAssignServIntNotConfig, bDhcpv6RebindWithoutAddrOrMoreRcvd=bDhcpv6RebindWithoutAddrOrMoreRcvd, bDhcpv6ConfirmWithoutAddrRcvd=bDhcpv6ConfirmWithoutAddrRcvd, bDhcpv6SolicitsRcvd=bDhcpv6SolicitsRcvd, bDhcpHomeDropRequest=bDhcpHomeDropRequest, bBootpRepliesSent=bBootpRepliesSent, bDhcpHomeLeasesRenewed=bDhcpHomeLeasesRenewed, bDhcpv6DropInform=bDhcpv6DropInform, bDhcpv6DropConfirm=bDhcpv6DropConfirm, bDhcpSubnetEndAddress=bDhcpSubnetEndAddress, bDhcpv4NotifObjects=bDhcpv4NotifObjects, bDhcpSPWiFiDiscoversRcvd=bDhcpSPWiFiDiscoversRcvd, bDhcpSPWiFiLeasesReleased=bDhcpSPWiFiLeasesReleased, bDhcpSPWiFiAcksSent=bDhcpSPWiFiAcksSent, bDhcpHomeDiscoversRcvd=bDhcpHomeDiscoversRcvd, bDhcpSPWiFiReleasesSent=bDhcpSPWiFiReleasesSent, bDhcpHomeGlobalEntry=bDhcpHomeGlobalEntry, bDhcpLeasesRelFail=bDhcpLeasesRelFail, bHomeBootpRequestsRcvd=bHomeBootpRequestsRcvd, bDhcpv6AdvertisesSent=bDhcpv6AdvertisesSent, bDhcpHomeOffersSent=bDhcpHomeOffersSent, bDhcpSPWiFiDropDiscover=bDhcpSPWiFiDropDiscover, bDhcpv6DropReply=bDhcpv6DropReply, bDhcpv6RebindFail=bDhcpv6RebindFail, bDhcpReleasesIndSent=bDhcpReleasesIndSent, bDhcpIntervalDuration=bDhcpIntervalDuration, bDhcpv6NoInterface=bDhcpv6NoInterface, bDhcpMIB=bDhcpMIB, bDhcpReleasesIndRcvd=bDhcpReleasesIndRcvd, bDhcpHomeReleasesSent=bDhcpHomeReleasesSent, bDhcpLeasesNotAssignServIntNotConfig=bDhcpLeasesNotAssignServIntNotConfig, bDhcpv6MIBObjects=bDhcpv6MIBObjects, bDhcpv6ClientIdPres=bDhcpv6ClientIdPres, bDhcpv6LeasesExpiryFail=bDhcpv6LeasesExpiryFail, bDhcpv6IntervalDuration=bDhcpv6IntervalDuration, bDhcpHomeLeasesRelFail=bDhcpHomeLeasesRelFail, bDhcpv4ActiveClient=bDhcpv4ActiveClient, bDhcpv6GlobalEntry=bDhcpv6GlobalEntry, bDhcpHomeDeclinesRcvd=bDhcpHomeDeclinesRcvd, bHomeBootpRepliesSent=bHomeBootpRepliesSent, bDhcpSPWiFiRequestsRcvd=bDhcpSPWiFiRequestsRcvd, bDhcpSPWiFiReleasesIndRcvd=bDhcpSPWiFiReleasesIndRcvd, bDhcpv6LeasesReleased=bDhcpv6LeasesReleased, bDhcpRequestsRcvd=bDhcpRequestsRcvd, bDhcpSubnetEntry=bDhcpSubnetEntry, bDhcpv6UnicastRenewRcvd=bDhcpv6UnicastRenewRcvd, bDhcpSubnetMask=bDhcpSubnetMask)
''' The sum of the primes below 10 is 2 + 3 + 5 + 7 = 17. Find the sum of all the primes below two million. ''' def prime_sum(n): if n < 2: return 0 if n == 2: return 2 if n % 2 == 0: n += 1 primes = [True] * n primes[0],primes[1] = [None] * 2 sum = 0 for ind,val in enumerate(primes): if val is True and ind > n ** 0.5 + 1: sum += ind elif val is True: primes[ind*2::ind] = [False] * (((n - 1)//ind) - 1) sum += ind return sum prime_sum(2000000)
""" The sum of the primes below 10 is 2 + 3 + 5 + 7 = 17. Find the sum of all the primes below two million. """ def prime_sum(n): if n < 2: return 0 if n == 2: return 2 if n % 2 == 0: n += 1 primes = [True] * n (primes[0], primes[1]) = [None] * 2 sum = 0 for (ind, val) in enumerate(primes): if val is True and ind > n ** 0.5 + 1: sum += ind elif val is True: primes[ind * 2::ind] = [False] * ((n - 1) // ind - 1) sum += ind return sum prime_sum(2000000)
engine_repository = [ ['https://github.com/Relintai/godot.git', 'git@github.com:Relintai/godot.git'], 'engine', '' ] module_repositories = [ [ ['https://github.com/Relintai/entity_spell_system.git', 'git@github.com:Relintai/entity_spell_system.git'], 'entity_spell_system', '' ], [ ['https://github.com/Relintai/ui_extensions.git', 'git@github.com:Relintai/ui_extensions.git'], 'ui_extensions', '' ], [ ['https://github.com/Relintai/texture_packer.git', 'git@github.com:Relintai/texture_packer.git'], 'texture_packer', '' ], [ ['https://github.com/Relintai/godot_fastnoise.git', 'git@github.com:Relintai/godot_fastnoise.git'], 'fastnoise', '' ], [ ['https://github.com/Relintai/thread_pool.git', 'git@github.com:Relintai/thread_pool.git'], 'thread_pool', '' ], [ ['https://github.com/Relintai/mesh_data_resource.git', 'git@github.com:Relintai/mesh_data_resource.git'], 'mesh_data_resource', '' ], [ ['https://github.com/Relintai/mesh_utils.git', 'git@github.com:Relintai/mesh_utils.git'], 'mesh_utils', '' ], [ ['https://github.com/Relintai/broken_seals_module.git', 'git@github.com:Relintai/broken_seals_module.git'], 'broken_seals_module', '' ], [ ['https://github.com/Relintai/rtile_map.git', 'git@github.com:Relintai/rtile_map.git'], 'rtile_map', '' ], ] removed_modules = [ [ ['https://github.com/Relintai/world_generator.git', 'git@github.com:Relintai/world_generator.git'], 'world_generator', '' ], [ ['https://github.com/Relintai/terraman_2d.git', 'git@github.com:Relintai/terraman_2d.git'], 'terraman_2d', '' ], [ ['https://github.com/Relintai/props.git', 'git@github.com:Relintai/props.git'], 'props', '' ], ] addon_repositories = [ ] third_party_addon_repositories = [ ] godot_branch = '3.x' slim_args = 'module_webm_enabled=no module_arkit_enabled=no module_visual_script_enabled=no module_gdnative_enabled=no module_mobile_vr_enabled=no module_theora_enabled=no module_xatlas_unwrap_enabled=no no_editor_splash=yes module_bullet_enabled=no module_camera_enabled=no module_csg_enabled=no module_denoise_enabled=no module_fbx_enabled=no module_gridmap_enabled=no module_hdr_enabled=no module_lightmapper_cpu_enabled=no module_raycast_enabled=no module_recast_enabled=no module_vhacd_enabled=no module_webxr_enabled=no'
engine_repository = [['https://github.com/Relintai/godot.git', 'git@github.com:Relintai/godot.git'], 'engine', ''] module_repositories = [[['https://github.com/Relintai/entity_spell_system.git', 'git@github.com:Relintai/entity_spell_system.git'], 'entity_spell_system', ''], [['https://github.com/Relintai/ui_extensions.git', 'git@github.com:Relintai/ui_extensions.git'], 'ui_extensions', ''], [['https://github.com/Relintai/texture_packer.git', 'git@github.com:Relintai/texture_packer.git'], 'texture_packer', ''], [['https://github.com/Relintai/godot_fastnoise.git', 'git@github.com:Relintai/godot_fastnoise.git'], 'fastnoise', ''], [['https://github.com/Relintai/thread_pool.git', 'git@github.com:Relintai/thread_pool.git'], 'thread_pool', ''], [['https://github.com/Relintai/mesh_data_resource.git', 'git@github.com:Relintai/mesh_data_resource.git'], 'mesh_data_resource', ''], [['https://github.com/Relintai/mesh_utils.git', 'git@github.com:Relintai/mesh_utils.git'], 'mesh_utils', ''], [['https://github.com/Relintai/broken_seals_module.git', 'git@github.com:Relintai/broken_seals_module.git'], 'broken_seals_module', ''], [['https://github.com/Relintai/rtile_map.git', 'git@github.com:Relintai/rtile_map.git'], 'rtile_map', '']] removed_modules = [[['https://github.com/Relintai/world_generator.git', 'git@github.com:Relintai/world_generator.git'], 'world_generator', ''], [['https://github.com/Relintai/terraman_2d.git', 'git@github.com:Relintai/terraman_2d.git'], 'terraman_2d', ''], [['https://github.com/Relintai/props.git', 'git@github.com:Relintai/props.git'], 'props', '']] addon_repositories = [] third_party_addon_repositories = [] godot_branch = '3.x' slim_args = 'module_webm_enabled=no module_arkit_enabled=no module_visual_script_enabled=no module_gdnative_enabled=no module_mobile_vr_enabled=no module_theora_enabled=no module_xatlas_unwrap_enabled=no no_editor_splash=yes module_bullet_enabled=no module_camera_enabled=no module_csg_enabled=no module_denoise_enabled=no module_fbx_enabled=no module_gridmap_enabled=no module_hdr_enabled=no module_lightmapper_cpu_enabled=no module_raycast_enabled=no module_recast_enabled=no module_vhacd_enabled=no module_webxr_enabled=no'
# Approach 2 - Optimized # Time: O(n) class Solution: def canPlaceFlowers(self, flowerbed: List[int], n: int) -> bool: l = len(flowerbed) flowerbed = [0] + flowerbed + [0] for i in range(1, l+1): if flowerbed[i] == flowerbed[i-1] == flowerbed[i+1] == 0: flowerbed[i] = 1 n -= 1 if n <= 0: return True return False
class Solution: def can_place_flowers(self, flowerbed: List[int], n: int) -> bool: l = len(flowerbed) flowerbed = [0] + flowerbed + [0] for i in range(1, l + 1): if flowerbed[i] == flowerbed[i - 1] == flowerbed[i + 1] == 0: flowerbed[i] = 1 n -= 1 if n <= 0: return True return False
#ENTRADA DE VALORES lista = list(map(float, input().split())) #ORGANIZANDO A LISTA PARA QUE O PRIMEIRO ELEMENTO SEJA O MAIOR VALOR lista.sort(reverse=True) a, b, c = lista[0], lista[1], lista[2] if a >= b+c: print("NAO FORMA TRIANGULO") elif a**2 == b**2 + c**2: print("TRIANGULO RETANGULO") elif a**2 > b**2 + c**2: print("TRIANGULO OBTUSANGULO") elif a**2 < b**2 + c**2: print("TRIANGULO ACUTANGULO") if a == b == c: print("TRIANGULO EQUILATERO") elif a==b or b==c or a==c: print("TRIANGULO ISOSCELES")
lista = list(map(float, input().split())) lista.sort(reverse=True) (a, b, c) = (lista[0], lista[1], lista[2]) if a >= b + c: print('NAO FORMA TRIANGULO') elif a ** 2 == b ** 2 + c ** 2: print('TRIANGULO RETANGULO') elif a ** 2 > b ** 2 + c ** 2: print('TRIANGULO OBTUSANGULO') elif a ** 2 < b ** 2 + c ** 2: print('TRIANGULO ACUTANGULO') if a == b == c: print('TRIANGULO EQUILATERO') elif a == b or b == c or a == c: print('TRIANGULO ISOSCELES')
class Game: def __init__(self, id, match_up): self.id = id self.match_up = match_up def __unicode__(self): return '{0} - {1}'.format(self.get_additional_unicode(), self.get_base_unicode()) def get_base_unicode(self): return 'id: {id} | match up: {match_up}'.format(self.id, self.match_up) def get_additional_unicode(self): raise NotImplementedError('Implement in concrete classes') class SeasonGame(Game): def __init__(self, id, match_up, season): self.season = season Game.__init__(self, id, match_up) def get_base_unicode(self): return 'season: {season} | {base_unicode}'.format(season=self.season, base_unicode=Game.get_base_unicode(self)) def get_additional_unicode(self): raise NotImplementedError('Implement in concrete classes') class LoggedGame(SeasonGame): def __init__(self, id, match_up, season, start_date, season_type, home_team_outcome): self.start_date = start_date self.season_type = season_type self.home_team_outcome = home_team_outcome SeasonGame.__init__(self, id=id, match_up=match_up, season=season) def get_additional_unicode(self): return 'start_date: {start_date} | season type: {season_type} | home team outcome: {home_team_outcome}'\ .format(date=self.start_date, season_type=self.season_type, home_team_outcome=self.home_team_outcome) class ScoreboardGame(SeasonGame): def __init__(self, id, season, start_time, match_up): self.start_time = start_time SeasonGame.__init__(self, id=id, match_up=match_up, season=season) def get_additional_unicode(self): return 'start time: {start_time}'.format(start_time=self.start_time)
class Game: def __init__(self, id, match_up): self.id = id self.match_up = match_up def __unicode__(self): return '{0} - {1}'.format(self.get_additional_unicode(), self.get_base_unicode()) def get_base_unicode(self): return 'id: {id} | match up: {match_up}'.format(self.id, self.match_up) def get_additional_unicode(self): raise not_implemented_error('Implement in concrete classes') class Seasongame(Game): def __init__(self, id, match_up, season): self.season = season Game.__init__(self, id, match_up) def get_base_unicode(self): return 'season: {season} | {base_unicode}'.format(season=self.season, base_unicode=Game.get_base_unicode(self)) def get_additional_unicode(self): raise not_implemented_error('Implement in concrete classes') class Loggedgame(SeasonGame): def __init__(self, id, match_up, season, start_date, season_type, home_team_outcome): self.start_date = start_date self.season_type = season_type self.home_team_outcome = home_team_outcome SeasonGame.__init__(self, id=id, match_up=match_up, season=season) def get_additional_unicode(self): return 'start_date: {start_date} | season type: {season_type} | home team outcome: {home_team_outcome}'.format(date=self.start_date, season_type=self.season_type, home_team_outcome=self.home_team_outcome) class Scoreboardgame(SeasonGame): def __init__(self, id, season, start_time, match_up): self.start_time = start_time SeasonGame.__init__(self, id=id, match_up=match_up, season=season) def get_additional_unicode(self): return 'start time: {start_time}'.format(start_time=self.start_time)
# # PySNMP MIB module OMNI-gx2EDFA-MIB (http://snmplabs.com/pysmi) # ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/OMNI-gx2EDFA-MIB # Produced by pysmi-0.3.4 at Wed May 1 14:33:17 2019 # On host DAVWANG4-M-1475 platform Darwin version 18.5.0 by user davwang4 # Using Python version 3.7.3 (default, Mar 27 2019, 09:23:15) # ObjectIdentifier, Integer, OctetString = mibBuilder.importSymbols("ASN1", "ObjectIdentifier", "Integer", "OctetString") NamedValues, = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues") ValueRangeConstraint, ConstraintsUnion, ConstraintsIntersection, SingleValueConstraint, ValueSizeConstraint = mibBuilder.importSymbols("ASN1-REFINEMENT", "ValueRangeConstraint", "ConstraintsUnion", "ConstraintsIntersection", "SingleValueConstraint", "ValueSizeConstraint") gx2EDFA, = mibBuilder.importSymbols("GX2HFC-MIB", "gx2EDFA") gi, motproxies = mibBuilder.importSymbols("NLS-BBNIDENT-MIB", "gi", "motproxies") trapNetworkElemModelNumber, trapPerceivedSeverity, trapNetworkElemAlarmStatus, trapNETrapLastTrapTimeStamp, trapChangedValueInteger, trapNetworkElemAvailStatus, trapNetworkElemOperState, trapChangedValueDisplayString, trapChangedObjectId, trapText, trapNetworkElemAdminState, trapIdentifier, trapNetworkElemSerialNum = mibBuilder.importSymbols("NLSBBN-TRAPS-MIB", "trapNetworkElemModelNumber", "trapPerceivedSeverity", "trapNetworkElemAlarmStatus", "trapNETrapLastTrapTimeStamp", "trapChangedValueInteger", "trapNetworkElemAvailStatus", "trapNetworkElemOperState", "trapChangedValueDisplayString", "trapChangedObjectId", "trapText", "trapNetworkElemAdminState", "trapIdentifier", "trapNetworkElemSerialNum") NotificationGroup, ModuleCompliance = mibBuilder.importSymbols("SNMPv2-CONF", "NotificationGroup", "ModuleCompliance") sysUpTime, = mibBuilder.importSymbols("SNMPv2-MIB", "sysUpTime") MibScalar, MibTable, MibTableRow, MibTableColumn, ObjectIdentity, Integer32, Counter64, MibIdentifier, IpAddress, Bits, Counter32, ModuleIdentity, Unsigned32, TimeTicks, Gauge32, NotificationType, iso, NotificationType = mibBuilder.importSymbols("SNMPv2-SMI", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "ObjectIdentity", "Integer32", "Counter64", "MibIdentifier", "IpAddress", "Bits", "Counter32", "ModuleIdentity", "Unsigned32", "TimeTicks", "Gauge32", "NotificationType", "iso", "NotificationType") DisplayString, TextualConvention = mibBuilder.importSymbols("SNMPv2-TC", "DisplayString", "TextualConvention") class Float(Counter32): pass gx2EDFADescriptor = MibIdentifier((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 1)) gx2EDFAAnalogTable = MibTable((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2), ) if mibBuilder.loadTexts: gx2EDFAAnalogTable.setStatus('mandatory') if mibBuilder.loadTexts: gx2EDFAAnalogTable.setDescription('This table contains gx2EDFA specific parameters with nominal and current values.') gx2EDFAAnalogEntry = MibTableRow((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1), ).setIndexNames((0, "OMNI-gx2EDFA-MIB", "edfagx2EDFAAnalogTableIndex")) if mibBuilder.loadTexts: gx2EDFAAnalogEntry.setStatus('mandatory') if mibBuilder.loadTexts: gx2EDFAAnalogEntry.setDescription('This list contains digital product class and the associated RF channel parameters and descriptions.') gx2EDFADigitalTable = MibTable((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 3), ) if mibBuilder.loadTexts: gx2EDFADigitalTable.setStatus('mandatory') if mibBuilder.loadTexts: gx2EDFADigitalTable.setDescription('This table contains gx2EDFA specific parameters with nominal and current values.') gx2EDFADigitalEntry = MibTableRow((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 3, 2), ).setIndexNames((0, "OMNI-gx2EDFA-MIB", "edfagx2EDFADigitalTableIndex")) if mibBuilder.loadTexts: gx2EDFADigitalEntry.setStatus('mandatory') if mibBuilder.loadTexts: gx2EDFADigitalEntry.setDescription('This list contains digital product class and the associated RF channel parameters and descriptions.') gx2EDFAStatusTable = MibTable((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4), ) if mibBuilder.loadTexts: gx2EDFAStatusTable.setStatus('mandatory') if mibBuilder.loadTexts: gx2EDFAStatusTable.setDescription('This table contains gx2EDFA specific parameters with nominal and current values.') gx2EDFAStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3), ).setIndexNames((0, "OMNI-gx2EDFA-MIB", "edfagx2EDFAStatusTableIndex")) if mibBuilder.loadTexts: gx2EDFAStatusEntry.setStatus('mandatory') if mibBuilder.loadTexts: gx2EDFAStatusEntry.setDescription('This list contains digital product class and the associated RF channel parameters and descriptions.') gx2EDFAFactoryTable = MibTable((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 5), ) if mibBuilder.loadTexts: gx2EDFAFactoryTable.setStatus('mandatory') if mibBuilder.loadTexts: gx2EDFAFactoryTable.setDescription('This table contains gx2EDFA specific parameters with nominal and current values.') gx2EDFAFactoryEntry = MibTableRow((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 5, 4), ).setIndexNames((0, "OMNI-gx2EDFA-MIB", "edfagx2EDFAFactoryTableIndex")) if mibBuilder.loadTexts: gx2EDFAFactoryEntry.setStatus('mandatory') if mibBuilder.loadTexts: gx2EDFAFactoryEntry.setDescription('This list contains digital product class and the associated RF channel parameters and descriptions.') gx2EDFAHoldTimeTable = MibTable((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 6), ) if mibBuilder.loadTexts: gx2EDFAHoldTimeTable.setStatus('mandatory') if mibBuilder.loadTexts: gx2EDFAHoldTimeTable.setDescription('This table contains gx2EDFA specific parameters with nominal and current values.') gx2EDFAHoldTimeEntry = MibTableRow((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 6, 5), ).setIndexNames((0, "OMNI-gx2EDFA-MIB", "gx2EDFAHoldTimeTableIndex"), (0, "OMNI-gx2EDFA-MIB", "gx2EDFAHoldTimeSpecIndex")) if mibBuilder.loadTexts: gx2EDFAHoldTimeEntry.setStatus('mandatory') if mibBuilder.loadTexts: gx2EDFAHoldTimeEntry.setDescription('This list contains digital product class and the associated RF channel parameters and descriptions.') edfagx2EDFAAnalogTableIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 4294967295))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfagx2EDFAAnalogTableIndex.setStatus('mandatory') if mibBuilder.loadTexts: edfagx2EDFAAnalogTableIndex.setDescription('The value of this object identifies the network element. This index is equal to the hfcCommonTableIndex for the same element.') edfalabelModTemp = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 2), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfalabelModTemp.setStatus('optional') if mibBuilder.loadTexts: edfalabelModTemp.setDescription('The value of this object provides the label of the Module Temperature Analog parameter.') edfauomModTemp = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 3), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfauomModTemp.setStatus('optional') if mibBuilder.loadTexts: edfauomModTemp.setDescription('The value of this object provides the Unit of Measure of the Module Temperature Analog parameter.') edfamajorHighModTemp = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 4), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfamajorHighModTemp.setStatus('mandatory') if mibBuilder.loadTexts: edfamajorHighModTemp.setDescription('The value of this object provides the Major High alarm value of the Module Temperature Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfamajorLowModTemp = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 5), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfamajorLowModTemp.setStatus('mandatory') if mibBuilder.loadTexts: edfamajorLowModTemp.setDescription('The value of this object provides the Major Low alarm value of the Module Temperature Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaminorHighModTemp = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 6), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaminorHighModTemp.setStatus('mandatory') if mibBuilder.loadTexts: edfaminorHighModTemp.setDescription('The value of this object provides the Minor High alarm value of the Module Temperature Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaminorLowModTemp = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 7), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaminorLowModTemp.setStatus('mandatory') if mibBuilder.loadTexts: edfaminorLowModTemp.setDescription('The value of this object provides the Minor Low alarm value of the Module Temperature Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfacurrentValueModTemp = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 8), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfacurrentValueModTemp.setStatus('mandatory') if mibBuilder.loadTexts: edfacurrentValueModTemp.setDescription('The value of this object provides the Current value of the Module Temperature Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfastateFlagModTemp = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("hidden", 1), ("read-only", 2), ("updateable", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfastateFlagModTemp.setStatus('mandatory') if mibBuilder.loadTexts: edfastateFlagModTemp.setDescription('The value of this object provides the state of the Module Temperature Analog parameter. (0-Hidden 1-Read-Only, 2-Updateable).') edfaminValueModTemp = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 10), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaminValueModTemp.setStatus('mandatory') if mibBuilder.loadTexts: edfaminValueModTemp.setDescription('The value of this object provides the minimum value of the Module Temperature Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfamaxValueModTemp = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 11), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfamaxValueModTemp.setStatus('mandatory') if mibBuilder.loadTexts: edfamaxValueModTemp.setDescription('The value of this object provides the maximum value of the Module Temperature Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaalarmStateModTemp = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 12), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("noAlarm", 1), ("majorLowAlarm", 2), ("minorLowAlarm", 3), ("minorHighAlarm", 4), ("majorHighAlarm", 5), ("informational", 6)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaalarmStateModTemp.setStatus('mandatory') if mibBuilder.loadTexts: edfaalarmStateModTemp.setDescription('The value of this object provides the curent alarm state of the Module Temperature Analog parameter.') edfalabelOptInPower = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 13), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfalabelOptInPower.setStatus('optional') if mibBuilder.loadTexts: edfalabelOptInPower.setDescription('The value of this object provides the label of the Optical Input Power Analog parameter.') edfauomOptInPower = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 14), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfauomOptInPower.setStatus('optional') if mibBuilder.loadTexts: edfauomOptInPower.setDescription('The value of this object provides the Unit of Measure of the Optical Input Power Analog parameter.') edfamajorHighOptInPower = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 15), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfamajorHighOptInPower.setStatus('mandatory') if mibBuilder.loadTexts: edfamajorHighOptInPower.setDescription('The value of this object provides the Major High alarm value of the Optical Input Power Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfamajorLowOptInPower = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 16), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfamajorLowOptInPower.setStatus('mandatory') if mibBuilder.loadTexts: edfamajorLowOptInPower.setDescription('The value of this object provides the Major Low alarm value of the Optical Input Power Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaminorHighOptInPower = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 17), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaminorHighOptInPower.setStatus('mandatory') if mibBuilder.loadTexts: edfaminorHighOptInPower.setDescription('The value of this object provides the Minor High alarm value of the Optical Input Power Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaminorLowOptInPower = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 18), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaminorLowOptInPower.setStatus('mandatory') if mibBuilder.loadTexts: edfaminorLowOptInPower.setDescription('The value of this object provides the Minor Low alarm value of the Optical Input Power Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfacurrentValueOptInPower = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 19), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfacurrentValueOptInPower.setStatus('mandatory') if mibBuilder.loadTexts: edfacurrentValueOptInPower.setDescription('The value of this object provides the Current value of the Optical Input Power Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfastateFlagOptInPower = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 20), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("hidden", 1), ("read-only", 2), ("updateable", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfastateFlagOptInPower.setStatus('mandatory') if mibBuilder.loadTexts: edfastateFlagOptInPower.setDescription('The value of this object provides the state of the Optical Input Power Analog parameter. (0-Hidden 1-Read-Only, 2-Updateable).') edfaminValueOptInPower = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 21), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaminValueOptInPower.setStatus('mandatory') if mibBuilder.loadTexts: edfaminValueOptInPower.setDescription('The value of this object provides the minimum value of the Optical Input Power Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfamaxValueOptInPower = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 22), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfamaxValueOptInPower.setStatus('mandatory') if mibBuilder.loadTexts: edfamaxValueOptInPower.setDescription('The value of this object provides the maximum value of the Optical Input Power Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaalarmStateOptInPower = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 23), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("noAlarm", 1), ("majorLowAlarm", 2), ("minorLowAlarm", 3), ("minorHighAlarm", 4), ("majorHighAlarm", 5), ("informational", 6)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaalarmStateOptInPower.setStatus('mandatory') if mibBuilder.loadTexts: edfaalarmStateOptInPower.setDescription('The value of this object provides the curent alarm state of the Optical Input Power Analog parameter.') edfalabelOptOutPower = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 24), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfalabelOptOutPower.setStatus('optional') if mibBuilder.loadTexts: edfalabelOptOutPower.setDescription('The value of this object provides the label of the Optical Output Power Analog parameter.') edfauomOptOutPower = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 25), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfauomOptOutPower.setStatus('optional') if mibBuilder.loadTexts: edfauomOptOutPower.setDescription('The value of this object provides the Unit of Measure of the Optical Output Power Analog parameter.') edfamajorHighOptOutPower = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 26), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfamajorHighOptOutPower.setStatus('mandatory') if mibBuilder.loadTexts: edfamajorHighOptOutPower.setDescription('The value of this object provides the Major High alarm value of the Optical Output Power Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfamajorLowOptOutPower = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 27), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfamajorLowOptOutPower.setStatus('mandatory') if mibBuilder.loadTexts: edfamajorLowOptOutPower.setDescription('The value of this object provides the Major Low alarm value of the Optical Output Power Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaminorHighOptOutPower = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 28), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaminorHighOptOutPower.setStatus('mandatory') if mibBuilder.loadTexts: edfaminorHighOptOutPower.setDescription('The value of this object provides the Minor High alarm value of the Optical Output Power Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaminorLowOptOutPower = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 29), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaminorLowOptOutPower.setStatus('mandatory') if mibBuilder.loadTexts: edfaminorLowOptOutPower.setDescription('The value of this object provides the Minor Low alarm value of the Optical Output Power Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfacurrentValueOptOutPower = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 30), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfacurrentValueOptOutPower.setStatus('mandatory') if mibBuilder.loadTexts: edfacurrentValueOptOutPower.setDescription('The value of this object provides the Current value of the Optical Output Power Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfastateFlagOptOutPower = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 31), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("hidden", 1), ("read-only", 2), ("updateable", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfastateFlagOptOutPower.setStatus('mandatory') if mibBuilder.loadTexts: edfastateFlagOptOutPower.setDescription('The value of this object provides the state of the Optical Output Power Analog parameter. (0-Hidden 1-Read-Only, 2-Updateable).') edfaminValueOptOutPower = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 32), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaminValueOptOutPower.setStatus('mandatory') if mibBuilder.loadTexts: edfaminValueOptOutPower.setDescription('The value of this object provides the minimum value of the Optical Output Power Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfamaxValueOptOutPower = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 33), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfamaxValueOptOutPower.setStatus('mandatory') if mibBuilder.loadTexts: edfamaxValueOptOutPower.setDescription('The value of this object provides the maximum value of the Optical Output Power Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaalarmStateOptOutPower = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 34), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("noAlarm", 1), ("majorLowAlarm", 2), ("minorLowAlarm", 3), ("minorHighAlarm", 4), ("majorHighAlarm", 5), ("informational", 6)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaalarmStateOptOutPower.setStatus('mandatory') if mibBuilder.loadTexts: edfaalarmStateOptOutPower.setDescription('The value of this object provides the curent alarm state of the Optical Output Power Analog parameter.') edfalabelTECTemp = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 35), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfalabelTECTemp.setStatus('optional') if mibBuilder.loadTexts: edfalabelTECTemp.setDescription('The value of this object provides the label of the TEC Temperature Analog parameter.') edfauomTECTemp = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 36), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfauomTECTemp.setStatus('optional') if mibBuilder.loadTexts: edfauomTECTemp.setDescription('The value of this object provides the Unit of Measure of the TEC Temperature Analog parameter.') edfamajorHighTECTemp = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 37), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfamajorHighTECTemp.setStatus('mandatory') if mibBuilder.loadTexts: edfamajorHighTECTemp.setDescription('The value of this object provides the Major High alarm value of the TEC Temperature Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfamajorLowTECTemp = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 38), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfamajorLowTECTemp.setStatus('mandatory') if mibBuilder.loadTexts: edfamajorLowTECTemp.setDescription('The value of this object provides the Major Low alarm value of the TEC Temperature Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaminorHighTECTemp = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 39), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaminorHighTECTemp.setStatus('mandatory') if mibBuilder.loadTexts: edfaminorHighTECTemp.setDescription('The value of this object provides the Minor High alarm value of the TEC Temperature Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaminorLowTECTemp = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 40), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaminorLowTECTemp.setStatus('mandatory') if mibBuilder.loadTexts: edfaminorLowTECTemp.setDescription('The value of this object provides the Minor Low alarm value of the TEC Temperature Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfacurrentValueTECTemp = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 41), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfacurrentValueTECTemp.setStatus('mandatory') if mibBuilder.loadTexts: edfacurrentValueTECTemp.setDescription('The value of this object provides the Current value of the TEC Temperature Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfastateFlagTECTemp = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 42), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("hidden", 1), ("read-only", 2), ("updateable", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfastateFlagTECTemp.setStatus('mandatory') if mibBuilder.loadTexts: edfastateFlagTECTemp.setDescription('The value of this object provides the state of the TEC Temperature Analog parameter. (0-Hidden 1-Read-Only, 2-Updateable).') edfaminValueTECTemp = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 43), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaminValueTECTemp.setStatus('mandatory') if mibBuilder.loadTexts: edfaminValueTECTemp.setDescription('The value of this object provides the minimum value of the TEC Temperature Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfamaxValueTECTemp = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 44), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfamaxValueTECTemp.setStatus('mandatory') if mibBuilder.loadTexts: edfamaxValueTECTemp.setDescription('The value of this object provides the maximum value of the TEC Temperature Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaalarmStateTECTemp = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 45), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("noAlarm", 1), ("majorLowAlarm", 2), ("minorLowAlarm", 3), ("minorHighAlarm", 4), ("majorHighAlarm", 5), ("informational", 6)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaalarmStateTECTemp.setStatus('mandatory') if mibBuilder.loadTexts: edfaalarmStateTECTemp.setDescription('The value of this object provides the curent alarm state of the TEC Temperature Analog parameter.') edfalabelTECCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 46), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfalabelTECCurrent.setStatus('optional') if mibBuilder.loadTexts: edfalabelTECCurrent.setDescription('The value of this object provides the label of the TEC Current Analog parameter.') edfauomTECCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 47), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfauomTECCurrent.setStatus('optional') if mibBuilder.loadTexts: edfauomTECCurrent.setDescription('The value of this object provides the Unit of Measure of the TEC Current Analog parameter.') edfamajorHighTECCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 48), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfamajorHighTECCurrent.setStatus('mandatory') if mibBuilder.loadTexts: edfamajorHighTECCurrent.setDescription('The value of this object provides the Major High alarm value of the TEC Current Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfamajorLowTECCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 49), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfamajorLowTECCurrent.setStatus('mandatory') if mibBuilder.loadTexts: edfamajorLowTECCurrent.setDescription('The value of this object provides the Major Low alarm value of the TEC Current Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaminorHighTECCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 50), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaminorHighTECCurrent.setStatus('mandatory') if mibBuilder.loadTexts: edfaminorHighTECCurrent.setDescription('The value of this object provides the Minor High alarm value of the TEC Current Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaminorLowTECCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 51), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaminorLowTECCurrent.setStatus('mandatory') if mibBuilder.loadTexts: edfaminorLowTECCurrent.setDescription('The value of this object provides the Minor Low alarm value of the TEC Current Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfacurrentValueTECCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 52), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfacurrentValueTECCurrent.setStatus('mandatory') if mibBuilder.loadTexts: edfacurrentValueTECCurrent.setDescription('The value of this object provides the Current value of the TEC Current Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfastateFlagTECCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 53), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("hidden", 1), ("read-only", 2), ("updateable", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfastateFlagTECCurrent.setStatus('mandatory') if mibBuilder.loadTexts: edfastateFlagTECCurrent.setDescription('The value of this object provides the state of the TEC Current Analog parameter. (0-Hidden 1-Read-Only, 2-Updateable).') edfaminValueTECCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 54), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaminValueTECCurrent.setStatus('mandatory') if mibBuilder.loadTexts: edfaminValueTECCurrent.setDescription('The value of this object provides the minimum value of the TEC Current Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfamaxValueTECCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 55), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfamaxValueTECCurrent.setStatus('mandatory') if mibBuilder.loadTexts: edfamaxValueTECCurrent.setDescription('The value of this object provides the maximum value of the TEC Current Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaalarmStateTECCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 56), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("noAlarm", 1), ("majorLowAlarm", 2), ("minorLowAlarm", 3), ("minorHighAlarm", 4), ("majorHighAlarm", 5), ("informational", 6)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaalarmStateTECCurrent.setStatus('mandatory') if mibBuilder.loadTexts: edfaalarmStateTECCurrent.setDescription('The value of this object provides the curent alarm state of the TEC Current Analog parameter.') edfalabelLaserCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 57), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfalabelLaserCurrent.setStatus('optional') if mibBuilder.loadTexts: edfalabelLaserCurrent.setDescription('The value of this object provides the label of the Laser Current Analog parameter.') edfauomLaserCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 58), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfauomLaserCurrent.setStatus('optional') if mibBuilder.loadTexts: edfauomLaserCurrent.setDescription('The value of this object provides the Unit of Measure of the Laser Current Analog parameter.') edfamajorHighLaserCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 59), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfamajorHighLaserCurrent.setStatus('mandatory') if mibBuilder.loadTexts: edfamajorHighLaserCurrent.setDescription('The value of this object provides the Major High alarm value of the Laser Current Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfamajorLowLaserCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 60), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfamajorLowLaserCurrent.setStatus('mandatory') if mibBuilder.loadTexts: edfamajorLowLaserCurrent.setDescription('The value of this object provides the Major Low alarm value of the Laser Current Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaminorHighLaserCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 61), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaminorHighLaserCurrent.setStatus('mandatory') if mibBuilder.loadTexts: edfaminorHighLaserCurrent.setDescription('The value of this object provides the Minor High alarm value of the Laser Current Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaminorLowLaserCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 62), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaminorLowLaserCurrent.setStatus('mandatory') if mibBuilder.loadTexts: edfaminorLowLaserCurrent.setDescription('The value of this object provides the Minor Low alarm value of the Laser Current Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfacurrentValueLaserCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 63), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfacurrentValueLaserCurrent.setStatus('mandatory') if mibBuilder.loadTexts: edfacurrentValueLaserCurrent.setDescription('The value of this object provides the Current value of the Laser Current Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfastateFlagLaserCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 64), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("hidden", 1), ("read-only", 2), ("updateable", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfastateFlagLaserCurrent.setStatus('mandatory') if mibBuilder.loadTexts: edfastateFlagLaserCurrent.setDescription('The value of this object provides the state of the Laser Current Analog parameter. (0-Hidden 1-Read-Only, 2-Updateable).') edfaminValueLaserCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 65), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaminValueLaserCurrent.setStatus('mandatory') if mibBuilder.loadTexts: edfaminValueLaserCurrent.setDescription('The value of this object provides the minimum value of the Laser Current Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfamaxValueLaserCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 66), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfamaxValueLaserCurrent.setStatus('mandatory') if mibBuilder.loadTexts: edfamaxValueLaserCurrent.setDescription('The value of this object provides the maximum value of the Laser Current Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaalarmStateLaserCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 67), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("noAlarm", 1), ("majorLowAlarm", 2), ("minorLowAlarm", 3), ("minorHighAlarm", 4), ("majorHighAlarm", 5), ("informational", 6)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaalarmStateLaserCurrent.setStatus('mandatory') if mibBuilder.loadTexts: edfaalarmStateLaserCurrent.setDescription('The value of this object provides the curent alarm state of the Laser Current Analog parameter.') edfalabelLaserPower = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 68), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfalabelLaserPower.setStatus('optional') if mibBuilder.loadTexts: edfalabelLaserPower.setDescription('The value of this object provides the label of the Laser Power Analog parameter.') edfauomLaserPower = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 69), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfauomLaserPower.setStatus('optional') if mibBuilder.loadTexts: edfauomLaserPower.setDescription('The value of this object provides the Unit of Measure of the Laser Power Analog parameter.') edfamajorHighLaserPower = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 70), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfamajorHighLaserPower.setStatus('mandatory') if mibBuilder.loadTexts: edfamajorHighLaserPower.setDescription('The value of this object provides the Major High alarm value of the Laser Power Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfamajorLowLaserPower = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 71), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfamajorLowLaserPower.setStatus('mandatory') if mibBuilder.loadTexts: edfamajorLowLaserPower.setDescription('The value of this object provides the Major Low alarm value of the Laser Power Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaminorHighLaserPower = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 72), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaminorHighLaserPower.setStatus('mandatory') if mibBuilder.loadTexts: edfaminorHighLaserPower.setDescription('The value of this object provides the Minor High alarm value of the Laser Power Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaminorLowLaserPower = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 73), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaminorLowLaserPower.setStatus('mandatory') if mibBuilder.loadTexts: edfaminorLowLaserPower.setDescription('The value of this object provides the Minor Low alarm value of the Laser Power Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfacurrentValueLaserPower = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 74), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfacurrentValueLaserPower.setStatus('mandatory') if mibBuilder.loadTexts: edfacurrentValueLaserPower.setDescription('The value of this object provides the Current value of the Laser Power Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfastateFlagLaserPower = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 75), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("hidden", 1), ("read-only", 2), ("updateable", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfastateFlagLaserPower.setStatus('mandatory') if mibBuilder.loadTexts: edfastateFlagLaserPower.setDescription('The value of this object provides the state of the Laser Power Analog parameter. (0-Hidden 1-Read-Only, 2-Updateable).') edfaminValueLaserPower = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 76), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaminValueLaserPower.setStatus('mandatory') if mibBuilder.loadTexts: edfaminValueLaserPower.setDescription('The value of this object provides the minimum value of the Laser Power Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfamaxValueLaserPower = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 77), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfamaxValueLaserPower.setStatus('mandatory') if mibBuilder.loadTexts: edfamaxValueLaserPower.setDescription('The value of this object provides the maximum value of the Laser Power Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaalarmStateLaserPower = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 78), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("noAlarm", 1), ("majorLowAlarm", 2), ("minorLowAlarm", 3), ("minorHighAlarm", 4), ("majorHighAlarm", 5), ("informational", 6)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaalarmStateLaserPower.setStatus('mandatory') if mibBuilder.loadTexts: edfaalarmStateLaserPower.setDescription('The value of this object provides the curent alarm state of the Laser Power Analog parameter.') edfalabel12Volt = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 79), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfalabel12Volt.setStatus('optional') if mibBuilder.loadTexts: edfalabel12Volt.setDescription('The value of this object provides the label of the 12v Current Analog parameter.') edfauom12Volt = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 80), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfauom12Volt.setStatus('optional') if mibBuilder.loadTexts: edfauom12Volt.setDescription('The value of this object provides the Unit of Measure of the 12v Current Analog parameter.') edfamajorHigh12Volt = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 81), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfamajorHigh12Volt.setStatus('mandatory') if mibBuilder.loadTexts: edfamajorHigh12Volt.setDescription('The value of this object provides the Major High alarm value of the 12 Volt Current Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfamajorLow12Volt = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 82), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfamajorLow12Volt.setStatus('mandatory') if mibBuilder.loadTexts: edfamajorLow12Volt.setDescription('The value of this object provides the Major Low alarm value of the 12 Volt Current Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaminorHigh12Volt = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 83), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaminorHigh12Volt.setStatus('mandatory') if mibBuilder.loadTexts: edfaminorHigh12Volt.setDescription('The value of this object provides the Minor High alarm value of the 12 Volt Current Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaminorLow12Volt = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 84), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaminorLow12Volt.setStatus('mandatory') if mibBuilder.loadTexts: edfaminorLow12Volt.setDescription('The value of this object provides the Minor Low alarm value of the 12 Volt Current Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfacurrentValue12Volt = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 85), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfacurrentValue12Volt.setStatus('mandatory') if mibBuilder.loadTexts: edfacurrentValue12Volt.setDescription('The value of this object provides the Current value of the 12 Volt Current Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfastateFlag12Volt = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 86), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("hidden", 1), ("read-only", 2), ("updateable", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfastateFlag12Volt.setStatus('mandatory') if mibBuilder.loadTexts: edfastateFlag12Volt.setDescription('The value of this object provides the state of the 12v Current Analog parameter. (0-Hidden 1-Read-Only, 2-Updateable).') edfaminValue12Volt = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 87), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaminValue12Volt.setStatus('mandatory') if mibBuilder.loadTexts: edfaminValue12Volt.setDescription('The value of this object provides the minimum value of the 12 Volt Current Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfamaxValue12Volt = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 88), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfamaxValue12Volt.setStatus('mandatory') if mibBuilder.loadTexts: edfamaxValue12Volt.setDescription('The value of this object provides the maximum value of the 12 Volt Current Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaalarmState12Volt = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 89), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("noAlarm", 1), ("majorLowAlarm", 2), ("minorLowAlarm", 3), ("minorHighAlarm", 4), ("majorHighAlarm", 5), ("informational", 6)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaalarmState12Volt.setStatus('mandatory') if mibBuilder.loadTexts: edfaalarmState12Volt.setDescription('The value of this object provides the curent alarm state of the 12v Current Analog parameter.') edfalabel37Volt = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 90), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfalabel37Volt.setStatus('optional') if mibBuilder.loadTexts: edfalabel37Volt.setDescription('The value of this object provides the label of the 3.7v Current Analog parameter.') edfauom37Volt = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 91), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfauom37Volt.setStatus('optional') if mibBuilder.loadTexts: edfauom37Volt.setDescription('The value of this object provides the Unit of Measure of the 3.7v Current Analog parameter.') edfamajorHigh37Volt = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 92), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfamajorHigh37Volt.setStatus('mandatory') if mibBuilder.loadTexts: edfamajorHigh37Volt.setDescription('The value of this object provides the Major High alarm value of the 3.7 Volt Current Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfamajorLow37Volt = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 93), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfamajorLow37Volt.setStatus('mandatory') if mibBuilder.loadTexts: edfamajorLow37Volt.setDescription('The value of this object provides the Major Low alarm value of the 3.7 Volt Current Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaminorHigh37Volt = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 94), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaminorHigh37Volt.setStatus('mandatory') if mibBuilder.loadTexts: edfaminorHigh37Volt.setDescription('The value of this object provides the Minor High alarm value of the 3.7 Volt Current Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaminorLow37Volt = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 95), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaminorLow37Volt.setStatus('mandatory') if mibBuilder.loadTexts: edfaminorLow37Volt.setDescription('The value of this object provides the Minor Low alarm value of the 3.7 Volt Current Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfacurrentValue37Volt = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 96), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfacurrentValue37Volt.setStatus('mandatory') if mibBuilder.loadTexts: edfacurrentValue37Volt.setDescription('The value of this object provides the Current value of the 3.7 Volt Current Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfastateFlag37Volt = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 97), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("hidden", 1), ("read-only", 2), ("updateable", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfastateFlag37Volt.setStatus('mandatory') if mibBuilder.loadTexts: edfastateFlag37Volt.setDescription('The value of this object provides the state of the 3.7v Current Analog parameter. (0-Hidden 1-Read-Only, 2-Updateable).') edfaminValue37Volt = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 98), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaminValue37Volt.setStatus('mandatory') if mibBuilder.loadTexts: edfaminValue37Volt.setDescription('The value of this object provides the minimum value of the 3.7 Volt Current Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfamaxValue37Volt = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 99), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfamaxValue37Volt.setStatus('mandatory') if mibBuilder.loadTexts: edfamaxValue37Volt.setDescription('The value of this object provides the maximum value of the 3.7 Volt Current Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaalarmState37Volt = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 100), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("noAlarm", 1), ("majorLowAlarm", 2), ("minorLowAlarm", 3), ("minorHighAlarm", 4), ("majorHighAlarm", 5), ("informational", 6)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaalarmState37Volt.setStatus('mandatory') if mibBuilder.loadTexts: edfaalarmState37Volt.setDescription('The value of this object provides the curent alarm state of the 3.7v Current Analog parameter.') edfalabelFanCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 101), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfalabelFanCurrent.setStatus('optional') if mibBuilder.loadTexts: edfalabelFanCurrent.setDescription('The value of this object provides the label of the Fan Current Analog parameter.') edfauomFanCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 102), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfauomFanCurrent.setStatus('optional') if mibBuilder.loadTexts: edfauomFanCurrent.setDescription('The value of this object provides the Unit of Measure of the Fan Current Analog parameter.') edfamajorHighFanCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 103), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfamajorHighFanCurrent.setStatus('mandatory') if mibBuilder.loadTexts: edfamajorHighFanCurrent.setDescription('The value of this object provides the Major High alarm value of the Fan Current Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfamajorLowFanCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 104), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfamajorLowFanCurrent.setStatus('mandatory') if mibBuilder.loadTexts: edfamajorLowFanCurrent.setDescription('The value of this object provides the Major Low alarm value of the Fan Current Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaminorHighFanCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 105), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaminorHighFanCurrent.setStatus('mandatory') if mibBuilder.loadTexts: edfaminorHighFanCurrent.setDescription('The value of this object provides the Minor High alarm value of the Fan Current Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaminorLowFanCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 106), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaminorLowFanCurrent.setStatus('mandatory') if mibBuilder.loadTexts: edfaminorLowFanCurrent.setDescription('The value of this object provides the Minor Low alarm value of the Fan Current Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfacurrentValueFanCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 107), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfacurrentValueFanCurrent.setStatus('mandatory') if mibBuilder.loadTexts: edfacurrentValueFanCurrent.setDescription('The value of this object provides the Current value of the Fan Current Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfastateFlagFanCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 108), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("hidden", 1), ("read-only", 2), ("updateable", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfastateFlagFanCurrent.setStatus('mandatory') if mibBuilder.loadTexts: edfastateFlagFanCurrent.setDescription('The value of this object provides the state of the Fan Current Analog parameter. (0-Hidden 1-Read-Only, 2-Updateable).') edfaminValueFanCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 109), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaminValueFanCurrent.setStatus('mandatory') if mibBuilder.loadTexts: edfaminValueFanCurrent.setDescription('The value of this object provides the minimum value of the Fan Current Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfamaxValueFanCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 110), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfamaxValueFanCurrent.setStatus('mandatory') if mibBuilder.loadTexts: edfamaxValueFanCurrent.setDescription('The value of this object provides the maximum value of the Fan Current Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaalarmStateFanCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 111), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("noAlarm", 1), ("majorLowAlarm", 2), ("minorLowAlarm", 3), ("minorHighAlarm", 4), ("majorHighAlarm", 5), ("informational", 6)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaalarmStateFanCurrent.setStatus('mandatory') if mibBuilder.loadTexts: edfaalarmStateFanCurrent.setDescription('The value of this object provides the curent alarm state of the Fan Current Analog parameter.') edfalabelOPSetting = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 112), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfalabelOPSetting.setStatus('optional') if mibBuilder.loadTexts: edfalabelOPSetting.setDescription('The value of this object provides the label of the Output Power Setting Analog parameter.') edfauomOPSetting = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 113), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfauomOPSetting.setStatus('optional') if mibBuilder.loadTexts: edfauomOPSetting.setDescription('The value of this object provides the Unit of Measure of the 12v Current Analog parameter.') edfamajorHighOPSetting = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 114), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfamajorHighOPSetting.setStatus('mandatory') if mibBuilder.loadTexts: edfamajorHighOPSetting.setDescription('The value of this object provides the Major High alarm value of the Output Power Setting Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfamajorLowOPSetting = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 115), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfamajorLowOPSetting.setStatus('mandatory') if mibBuilder.loadTexts: edfamajorLowOPSetting.setDescription('The value of this object provides the Major Low alarm value of the Output Power Setting Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaminorHighOPSetting = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 116), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaminorHighOPSetting.setStatus('mandatory') if mibBuilder.loadTexts: edfaminorHighOPSetting.setDescription('The value of this object provides the Minor High alarm value of the Output Power Setting Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaminorLowOPSetting = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 117), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaminorLowOPSetting.setStatus('mandatory') if mibBuilder.loadTexts: edfaminorLowOPSetting.setDescription('The value of this object provides the Minor Low alarm value of the Output Power Setting Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfacurrentValueOPSetting = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 118), Float()).setMaxAccess("readwrite") if mibBuilder.loadTexts: edfacurrentValueOPSetting.setStatus('mandatory') if mibBuilder.loadTexts: edfacurrentValueOPSetting.setDescription('The value of this object provides the Current value of the Output Power Setting Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfastateFlagOPSetting = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 119), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("hidden", 1), ("read-only", 2), ("updateable", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfastateFlagOPSetting.setStatus('mandatory') if mibBuilder.loadTexts: edfastateFlagOPSetting.setDescription('The value of this object provides the state of the Output Power Setting Analog parameter. (0-Hidden 1-Read-Only, 2-Updateable).') edfaminValueOPSetting = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 120), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaminValueOPSetting.setStatus('mandatory') if mibBuilder.loadTexts: edfaminValueOPSetting.setDescription('The value of this object provides the minimum value of the Output Power Setting Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfamaxValueOPSetting = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 121), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfamaxValueOPSetting.setStatus('mandatory') if mibBuilder.loadTexts: edfamaxValueOPSetting.setDescription('The value of this object provides the maximum value of the Output Power Setting Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaalarmStateOPSetting = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 122), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("noAlarm", 1), ("majorLowAlarm", 2), ("minorLowAlarm", 3), ("minorHighAlarm", 4), ("majorHighAlarm", 5), ("informational", 6)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaalarmStateOPSetting.setStatus('mandatory') if mibBuilder.loadTexts: edfaalarmStateOPSetting.setDescription('The value of this object provides the curent alarm state of the Output Power Setting Analog parameter.') edfalabelLPSetting = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 123), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfalabelLPSetting.setStatus('optional') if mibBuilder.loadTexts: edfalabelLPSetting.setDescription('The value of this object provides the label of the Laser Power Setting Analog parameter.') edfauomLPSetting = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 124), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfauomLPSetting.setStatus('optional') if mibBuilder.loadTexts: edfauomLPSetting.setDescription('The value of this object provides the Unit of Measure of the Laser Power Setting Analog parameter.') edfamajorHighLPSetting = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 125), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfamajorHighLPSetting.setStatus('mandatory') if mibBuilder.loadTexts: edfamajorHighLPSetting.setDescription('The value of this object provides the Major High alarm value of the Laser Power Setting Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfamajorLowLPSetting = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 126), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfamajorLowLPSetting.setStatus('mandatory') if mibBuilder.loadTexts: edfamajorLowLPSetting.setDescription('The value of this object provides the Major Low alarm value of the Laser Power Setting Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaminorHighLPSetting = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 127), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaminorHighLPSetting.setStatus('mandatory') if mibBuilder.loadTexts: edfaminorHighLPSetting.setDescription('The value of this object provides the Minor High alarm value of the Laser Power Setting Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaminorLowLPSetting = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 128), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaminorLowLPSetting.setStatus('mandatory') if mibBuilder.loadTexts: edfaminorLowLPSetting.setDescription('The value of this object provides the Minor Low alarm value of the Laser Power Setting Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfacurrentValueLPSetting = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 129), Float()).setMaxAccess("readwrite") if mibBuilder.loadTexts: edfacurrentValueLPSetting.setStatus('mandatory') if mibBuilder.loadTexts: edfacurrentValueLPSetting.setDescription('The value of this object provides the Current value of the Laser Power Setting Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfastateFlagLPSetting = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 130), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("hidden", 1), ("read-only", 2), ("updateable", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfastateFlagLPSetting.setStatus('mandatory') if mibBuilder.loadTexts: edfastateFlagLPSetting.setDescription('The value of this object provides the state of the Laser Power Setting Analog parameter. (0-Hidden 1-Read-Only, 2-Updateable).') edfaminValueLPSetting = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 131), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaminValueLPSetting.setStatus('mandatory') if mibBuilder.loadTexts: edfaminValueLPSetting.setDescription('The value of this object provides the minimum value of the Laser Power Setting Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfamaxValueLPSetting = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 132), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfamaxValueLPSetting.setStatus('mandatory') if mibBuilder.loadTexts: edfamaxValueLPSetting.setDescription('The value of this object provides the maximum value of the Laser Power Setting Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaalarmStateLPSetting = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 133), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("noAlarm", 1), ("majorLowAlarm", 2), ("minorLowAlarm", 3), ("minorHighAlarm", 4), ("majorHighAlarm", 5), ("informational", 6)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaalarmStateLPSetting.setStatus('mandatory') if mibBuilder.loadTexts: edfaalarmStateLPSetting.setDescription('The value of this object provides the curent alarm state of the Laser Power Setting Analog parameter.') edfalabelCGSetting = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 134), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfalabelCGSetting.setStatus('optional') if mibBuilder.loadTexts: edfalabelCGSetting.setDescription('The value of this object provides the label of the Constant Gain Setting Analog parameter.') edfauomCGSetting = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 135), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfauomCGSetting.setStatus('optional') if mibBuilder.loadTexts: edfauomCGSetting.setDescription('The value of this object provides the Unit of Measure of the Constant Gain Setting Analog parameter.') edfamajorHighCGSetting = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 136), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfamajorHighCGSetting.setStatus('mandatory') if mibBuilder.loadTexts: edfamajorHighCGSetting.setDescription('The value of this object provides the Major High alarm value of the Constant Gain Setting Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfamajorLowCGSetting = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 137), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfamajorLowCGSetting.setStatus('mandatory') if mibBuilder.loadTexts: edfamajorLowCGSetting.setDescription('The value of this object provides the Major Low alarm value of the Constant Gain Setting Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaminorHighCGSetting = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 138), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaminorHighCGSetting.setStatus('mandatory') if mibBuilder.loadTexts: edfaminorHighCGSetting.setDescription('The value of this object provides the Minor High alarm value of the Constant Gain Setting Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaminorLowCGSetting = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 139), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaminorLowCGSetting.setStatus('mandatory') if mibBuilder.loadTexts: edfaminorLowCGSetting.setDescription('The value of this object provides the Minor Low alarm value of the Constant Gain Setting Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfacurrentValueCGSetting = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 140), Float()).setMaxAccess("readwrite") if mibBuilder.loadTexts: edfacurrentValueCGSetting.setStatus('mandatory') if mibBuilder.loadTexts: edfacurrentValueCGSetting.setDescription('The value of this object provides the Current value of the Constant Gain Setting Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfastateFlagCGSetting = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 141), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("hidden", 1), ("read-only", 2), ("updateable", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfastateFlagCGSetting.setStatus('mandatory') if mibBuilder.loadTexts: edfastateFlagCGSetting.setDescription('The value of this object provides the state of the Constant Gain Setting Analog parameter. (0-Hidden 1-Read-Only, 2-Updateable).') edfaminValueCGSetting = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 142), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaminValueCGSetting.setStatus('mandatory') if mibBuilder.loadTexts: edfaminValueCGSetting.setDescription('The value of this object provides the minimum value of the Constant Gain Setting Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfamaxValueCGSetting = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 143), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfamaxValueCGSetting.setStatus('mandatory') if mibBuilder.loadTexts: edfamaxValueCGSetting.setDescription('The value of this object provides the maximum value of the Constant Gain Setting Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaalarmStateCGSetting = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 144), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("noAlarm", 1), ("majorLowAlarm", 2), ("minorLowAlarm", 3), ("minorHighAlarm", 4), ("majorHighAlarm", 5), ("informational", 6)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaalarmStateCGSetting.setStatus('mandatory') if mibBuilder.loadTexts: edfaalarmStateCGSetting.setDescription('The value of this object provides the curent alarm state of the Constant Gain Setting Analog parameter.') edfalabelOptThreshold = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 145), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfalabelOptThreshold.setStatus('optional') if mibBuilder.loadTexts: edfalabelOptThreshold.setDescription('The value of this object provides the label of the Optical Input Threshold Analog parameter.') edfauomOptThreshold = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 146), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfauomOptThreshold.setStatus('optional') if mibBuilder.loadTexts: edfauomOptThreshold.setDescription('The value of this object provides the Unit of Measure of the Optical Input Threshold Analog parameter.') edfamajorHighOptThreshold = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 147), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfamajorHighOptThreshold.setStatus('mandatory') if mibBuilder.loadTexts: edfamajorHighOptThreshold.setDescription('The value of this object provides the Major High alarm value of the Optical Input Threshold Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfamajorLowOptThreshold = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 148), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfamajorLowOptThreshold.setStatus('mandatory') if mibBuilder.loadTexts: edfamajorLowOptThreshold.setDescription('The value of this object provides the Major Low alarm value of the Optical Input Threshold Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaminorHighOptThreshold = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 149), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaminorHighOptThreshold.setStatus('mandatory') if mibBuilder.loadTexts: edfaminorHighOptThreshold.setDescription('The value of this object provides the Minor High alarm value of the Optical Input Threshold Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaminorLowOptThreshold = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 150), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaminorLowOptThreshold.setStatus('mandatory') if mibBuilder.loadTexts: edfaminorLowOptThreshold.setDescription('The value of this object provides the Minor Low alarm value of the Optical Input Threshold Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfacurrentValueOptThreshold = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 151), Float()).setMaxAccess("readwrite") if mibBuilder.loadTexts: edfacurrentValueOptThreshold.setStatus('mandatory') if mibBuilder.loadTexts: edfacurrentValueOptThreshold.setDescription('The value of this object provides the Current value of the Optical Input Threshold Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfastateFlagOptThreshold = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 152), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("hidden", 1), ("read-only", 2), ("updateable", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfastateFlagOptThreshold.setStatus('mandatory') if mibBuilder.loadTexts: edfastateFlagOptThreshold.setDescription('The value of this object provides the state of the Optical Input Threshold Analog parameter. (0-Hidden 1-Read-Only, 2-Updateable).') edfaminValueOptThreshold = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 153), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaminValueOptThreshold.setStatus('mandatory') if mibBuilder.loadTexts: edfaminValueOptThreshold.setDescription('The value of this object provides the minimum value of the Optical Input Threshold Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfamaxValueOptThreshold = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 154), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfamaxValueOptThreshold.setStatus('mandatory') if mibBuilder.loadTexts: edfamaxValueOptThreshold.setDescription('The value of this object provides the maximum value of the Optical Input Threshold Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaalarmStateOptThreshold = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 155), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("noAlarm", 1), ("majorLowAlarm", 2), ("minorLowAlarm", 3), ("minorHighAlarm", 4), ("majorHighAlarm", 5), ("informational", 6)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaalarmStateOptThreshold.setStatus('mandatory') if mibBuilder.loadTexts: edfaalarmStateOptThreshold.setDescription('The value of this object provides the curent alarm state of the Optical Input Threshold Analog parameter.') edfagx2EDFADigitalTableIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 3, 2, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 4294967295))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfagx2EDFADigitalTableIndex.setStatus('mandatory') if mibBuilder.loadTexts: edfagx2EDFADigitalTableIndex.setDescription('The value of this object identifies the network element. This index is equal to the hfcCommonTableIndex for the same element.') edfalabelModeSetting = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 3, 2, 2), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfalabelModeSetting.setStatus('optional') if mibBuilder.loadTexts: edfalabelModeSetting.setDescription("The value of this object provides the label of the EDFA's Mode Digital parameter.") edfaenumModeSetting = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 3, 2, 3), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaenumModeSetting.setStatus('optional') if mibBuilder.loadTexts: edfaenumModeSetting.setDescription('The value of this object represents the Enumeration values possible for the Digital parameter. Each Enumerated values is separated by a common. The first value has a enumerated value of 0.') edfavalueModeSetting = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 3, 2, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("power-out-preset", 1), ("power-out-set", 2), ("laser-power-preset", 3), ("laser-power-set", 4), ("constant-gain-preset", 5), ("constant-gain-set", 6)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: edfavalueModeSetting.setStatus('mandatory') if mibBuilder.loadTexts: edfavalueModeSetting.setDescription('The value of this object is the current value of the parameter. It is an integer value from 0 to 5 representing the operation mode of the module.') edfastateFlagModeSetting = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 3, 2, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("hidden", 1), ("read-only", 2), ("updateable", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfastateFlagModeSetting.setStatus('mandatory') if mibBuilder.loadTexts: edfastateFlagModeSetting.setDescription('The value of this object provides the state of the the parameter. (0-Hidden 1-Read-Only, 2-Updateable).') edfalabelModuleState = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 3, 2, 6), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfalabelModuleState.setStatus('optional') if mibBuilder.loadTexts: edfalabelModuleState.setDescription('The value of this object provides the label of the Module State Digital parameter.') edfaenumModuleState = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 3, 2, 7), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaenumModuleState.setStatus('optional') if mibBuilder.loadTexts: edfaenumModuleState.setDescription('The value of this object represents the Enumeration values possible for the Digital parameter. Each Enumerated values is separated by a common. The first value has a enumerated value of 1.') edfavalueModuleState = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 3, 2, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("off", 1), ("on", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: edfavalueModuleState.setStatus('mandatory') if mibBuilder.loadTexts: edfavalueModuleState.setDescription('The value of this object is the current value of the parameter.') edfastateFlagModuleState = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 3, 2, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("hidden", 1), ("read-only", 2), ("updateable", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfastateFlagModuleState.setStatus('mandatory') if mibBuilder.loadTexts: edfastateFlagModuleState.setDescription('The value of this object provides the state of the the parameter. (0-Hidden 1-Read-Only, 2-Updateable).') edfalabelFactoryDefault = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 3, 2, 10), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfalabelFactoryDefault.setStatus('optional') if mibBuilder.loadTexts: edfalabelFactoryDefault.setDescription('The value of this object provides the label of the Factory Default Reset Digital parameter.') edfaenumFactoryDefault = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 3, 2, 11), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaenumFactoryDefault.setStatus('optional') if mibBuilder.loadTexts: edfaenumFactoryDefault.setDescription('The value of this object represents the Enumeration values possible for the Digital parameter. Each Enumerated values is separated by a common. The first value has a enumerated value of 1.') edfavalueFactoryDefault = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 3, 2, 12), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("off", 1), ("on", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: edfavalueFactoryDefault.setStatus('mandatory') if mibBuilder.loadTexts: edfavalueFactoryDefault.setDescription('The value of this object is the current value of the parameter.') edfastateFlagFactoryDefault = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 3, 2, 13), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("hidden", 1), ("read-only", 2), ("updateable", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfastateFlagFactoryDefault.setStatus('mandatory') if mibBuilder.loadTexts: edfastateFlagFactoryDefault.setDescription('The value of this object provides the state of the the parameter. (0-Hidden 1-Read-Only, 2-Updateable).') edfagx2EDFAStatusTableIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 4294967295))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfagx2EDFAStatusTableIndex.setStatus('mandatory') if mibBuilder.loadTexts: edfagx2EDFAStatusTableIndex.setDescription('The value of this object identifies the network element. This index is equal to the hfcCommonTableIndex for the same element.') edfalabelBoot = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 2), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfalabelBoot.setStatus('optional') if mibBuilder.loadTexts: edfalabelBoot.setDescription('The value of this object provides the label of the Boot Status Status parameter.') edfavalueBoot = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("ok", 1), ("undetermined", 2), ("warning", 3), ("minor", 4), ("major", 5), ("critical", 6)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfavalueBoot.setStatus('mandatory') if mibBuilder.loadTexts: edfavalueBoot.setDescription('The value of this object provides the current state of the parameter (0-Ok, 1-Undetermined 2-Warning, 3-Minor, 4-Major, 5-Critical).') edfastateflagBoot = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("hidden", 1), ("read-only", 2), ("updateable", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfastateflagBoot.setStatus('mandatory') if mibBuilder.loadTexts: edfastateflagBoot.setDescription('The value of this object provides the state of the the parameter. (0-Hidden 1-Read-Only, 2-Updateable).') edfalabelFlash = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 5), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfalabelFlash.setStatus('optional') if mibBuilder.loadTexts: edfalabelFlash.setDescription('The value of this object provides the label of the Flash Status Status parameter.') edfavalueFlash = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("ok", 1), ("undetermined", 2), ("warning", 3), ("minor", 4), ("major", 5), ("critical", 6)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfavalueFlash.setStatus('mandatory') if mibBuilder.loadTexts: edfavalueFlash.setDescription('The value of this object provides the current state of the parameter (0-Ok, 1-Undetermined 2-Warning, 3-Minor, 4-Major, 5-Critical).') edfastateflagFlash = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("hidden", 1), ("read-only", 2), ("updateable", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfastateflagFlash.setStatus('mandatory') if mibBuilder.loadTexts: edfastateflagFlash.setDescription('The value of this object provides the state of the the parameter. (0-Hidden 1-Read-Only, 2-Updateable).') edfalabelFactoryDataCRC = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 8), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfalabelFactoryDataCRC.setStatus('optional') if mibBuilder.loadTexts: edfalabelFactoryDataCRC.setDescription('The value of this object provides the label of the Factory Data CRC Status parameter.') edfavalueFactoryDataCRC = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("ok", 1), ("undetermined", 2), ("warning", 3), ("minor", 4), ("major", 5), ("critical", 6)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfavalueFactoryDataCRC.setStatus('mandatory') if mibBuilder.loadTexts: edfavalueFactoryDataCRC.setDescription('The value of this object provides the current state of the parameter (0-Ok, 1-Undetermined 2-Warning, 3-Minor, 4-Major, 5-Critical).') edfastateflagFactoryDataCRC = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 10), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("hidden", 1), ("read-only", 2), ("updateable", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfastateflagFactoryDataCRC.setStatus('mandatory') if mibBuilder.loadTexts: edfastateflagFactoryDataCRC.setDescription('The value of this object provides the state of the the parameter. (0-Hidden 1-Read-Only, 2-Updateable).') edfalabelAlarmDataCRC = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 11), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfalabelAlarmDataCRC.setStatus('optional') if mibBuilder.loadTexts: edfalabelAlarmDataCRC.setDescription('The value of this object provides the label of the Alarm Data CRC Status parameter.') edfavalueAlarmDataCRC = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 12), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("ok", 1), ("undetermined", 2), ("warning", 3), ("minor", 4), ("major", 5), ("critical", 6)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfavalueAlarmDataCRC.setStatus('mandatory') if mibBuilder.loadTexts: edfavalueAlarmDataCRC.setDescription('The value of this object provides the current state of the parameter (0-Ok, 1-Undetermined 2-Warning, 3-Minor, 4-Major, 5-Critical).') edfastateflagAlarmDataCRC = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 13), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("hidden", 1), ("read-only", 2), ("updateable", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfastateflagAlarmDataCRC.setStatus('mandatory') if mibBuilder.loadTexts: edfastateflagAlarmDataCRC.setDescription('The value of this object provides the state of the the parameter. (0-Hidden 1-Read-Only, 2-Updateable).') edfalabelCalibrationDataCRC = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 14), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfalabelCalibrationDataCRC.setStatus('optional') if mibBuilder.loadTexts: edfalabelCalibrationDataCRC.setDescription('The value of this object provides the label of the Calibration Data CRC Status parameter.') edfavalueCalibrationDataCRC = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 15), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("ok", 1), ("undetermined", 2), ("warning", 3), ("minor", 4), ("major", 5), ("critical", 6)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfavalueCalibrationDataCRC.setStatus('mandatory') if mibBuilder.loadTexts: edfavalueCalibrationDataCRC.setDescription('The value of this object provides the current state of the parameter (0-Ok, 1-Undetermined 2-Warning, 3-Minor, 4-Major, 5-Critical).') edfastateflagCalibrationDataCRC = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 16), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("hidden", 1), ("read-only", 2), ("updateable", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfastateflagCalibrationDataCRC.setStatus('mandatory') if mibBuilder.loadTexts: edfastateflagCalibrationDataCRC.setDescription('The value of this object provides the state of the the parameter. (0-Hidden 1-Read-Only, 2-Updateable).') edfalabelOptInShutdown = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 17), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfalabelOptInShutdown.setStatus('optional') if mibBuilder.loadTexts: edfalabelOptInShutdown.setDescription('The value of this object provides the label of the Optical Input Power Shutdown Status parameter.') edfavalueOptInShutdown = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 18), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("ok", 1), ("undetermined", 2), ("warning", 3), ("minor", 4), ("major", 5), ("critical", 6)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfavalueOptInShutdown.setStatus('mandatory') if mibBuilder.loadTexts: edfavalueOptInShutdown.setDescription('The value of this object provides the current state of the parameter (0-Ok, 1-Undetermined 2-Warning, 3-Minor, 4-Major, 5-Critical).') edfastateflagOptInShutdown = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 19), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("hidden", 1), ("read-only", 2), ("updateable", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfastateflagOptInShutdown.setStatus('mandatory') if mibBuilder.loadTexts: edfastateflagOptInShutdown.setDescription('The value of this object provides the state of the the parameter. (0-Hidden 1-Read-Only, 2-Updateable).') edfalabelTECTempShutdown = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 20), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfalabelTECTempShutdown.setStatus('optional') if mibBuilder.loadTexts: edfalabelTECTempShutdown.setDescription('The value of this object provides the label of the TEC Temperature Shutdown Status parameter.') edfavalueTECTempShutdown = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 21), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("ok", 1), ("undetermined", 2), ("warning", 3), ("minor", 4), ("major", 5), ("critical", 6)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfavalueTECTempShutdown.setStatus('mandatory') if mibBuilder.loadTexts: edfavalueTECTempShutdown.setDescription('The value of this object provides the current state of the parameter (0-Ok, 1-Undetermined 2-Warning, 3-Minor, 4-Major, 5-Critical).') edfastateflagTECTempShutdown = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 22), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("hidden", 1), ("read-only", 2), ("updateable", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfastateflagTECTempShutdown.setStatus('mandatory') if mibBuilder.loadTexts: edfastateflagTECTempShutdown.setDescription('The value of this object provides the state of the the parameter. (0-Hidden 1-Read-Only, 2-Updateable).') edfalabelTECShutOverride = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 23), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfalabelTECShutOverride.setStatus('optional') if mibBuilder.loadTexts: edfalabelTECShutOverride.setDescription('The value of this object provides the label of the TEC Shutdown Override Status parameter.') edfavalueTECShutOverride = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 24), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("ok", 1), ("undetermined", 2), ("warning", 3), ("minor", 4), ("major", 5), ("critical", 6)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfavalueTECShutOverride.setStatus('mandatory') if mibBuilder.loadTexts: edfavalueTECShutOverride.setDescription('The value of this object provides the current state of the parameter (0-Ok, 1-Undetermined 2-Warning, 3-Minor, 4-Major, 5-Critical).') edfastateflagTECShutOverride = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 25), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("hidden", 1), ("read-only", 2), ("updateable", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfastateflagTECShutOverride.setStatus('mandatory') if mibBuilder.loadTexts: edfastateflagTECShutOverride.setDescription('The value of this object provides the state of the the parameter. (0-Hidden 1-Read-Only, 2-Updateable).') edfalabelPowerFail = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 26), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfalabelPowerFail.setStatus('optional') if mibBuilder.loadTexts: edfalabelPowerFail.setDescription('The value of this object provides the label of the Power Supply Fail Status parameter.') edfavaluePowerFail = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 27), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("ok", 1), ("undetermined", 2), ("warning", 3), ("minor", 4), ("major", 5), ("critical", 6)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfavaluePowerFail.setStatus('mandatory') if mibBuilder.loadTexts: edfavaluePowerFail.setDescription('The value of this object provides the current state of the parameter (0-Ok, 1-Undetermined 2-Warning, 3-Minor, 4-Major, 5-Critical).') edfastateflagPowerFail = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 28), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("hidden", 1), ("read-only", 2), ("updateable", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfastateflagPowerFail.setStatus('mandatory') if mibBuilder.loadTexts: edfastateflagPowerFail.setDescription('The value of this object provides the state of the the parameter. (0-Hidden 1-Read-Only, 2-Updateable).') edfalabelKeySwitch = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 29), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfalabelKeySwitch.setStatus('optional') if mibBuilder.loadTexts: edfalabelKeySwitch.setDescription('The value of this object provides the label of the Key Switch Setting Status parameter.') edfavalueKeySwitch = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 30), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("ok", 1), ("undetermined", 2), ("warning", 3), ("minor", 4), ("major", 5), ("critical", 6)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfavalueKeySwitch.setStatus('mandatory') if mibBuilder.loadTexts: edfavalueKeySwitch.setDescription('The value of this object provides the current state of the parameter (0-Ok, 1-Undetermined 2-Warning, 3-Minor, 4-Major, 5-Critical).') edfastateflagKeySwitch = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 31), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("hidden", 1), ("read-only", 2), ("updateable", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfastateflagKeySwitch.setStatus('mandatory') if mibBuilder.loadTexts: edfastateflagKeySwitch.setDescription('The value of this object provides the state of the the parameter. (0-Hidden 1-Read-Only, 2-Updateable).') edfalabelLaserCurrShutdown = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 32), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfalabelLaserCurrShutdown.setStatus('optional') if mibBuilder.loadTexts: edfalabelLaserCurrShutdown.setDescription('The value of this object provides the label of the Laser Current Shutdown Status parameter.') edfavalueLaserCurrShutdown = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 33), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("ok", 1), ("undetermined", 2), ("warning", 3), ("minor", 4), ("major", 5), ("critical", 6)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfavalueLaserCurrShutdown.setStatus('mandatory') if mibBuilder.loadTexts: edfavalueLaserCurrShutdown.setDescription('The value of this object provides the current state of the parameter (0-Ok, 1-Undetermined 2-Warning, 3-Minor, 4-Major, 5-Critical).') edfastateflagLaserCurrShutdown = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 34), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("hidden", 1), ("read-only", 2), ("updateable", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfastateflagLaserCurrShutdown.setStatus('mandatory') if mibBuilder.loadTexts: edfastateflagLaserCurrShutdown.setDescription('The value of this object provides the state of the the parameter. (0-Hidden 1-Read-Only, 2-Updateable).') edfalabelLaserPowShutdown = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 35), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfalabelLaserPowShutdown.setStatus('optional') if mibBuilder.loadTexts: edfalabelLaserPowShutdown.setDescription('The value of this object provides the label of the Laser Power Shutdown Status parameter.') edfavalueLaserPowShutdown = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 36), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("ok", 1), ("undetermined", 2), ("warning", 3), ("minor", 4), ("major", 5), ("critical", 6)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfavalueLaserPowShutdown.setStatus('mandatory') if mibBuilder.loadTexts: edfavalueLaserPowShutdown.setDescription('The value of this object provides the current state of the parameter (0-Ok, 1-Undetermined 2-Warning, 3-Minor, 4-Major, 5-Critical).') edfastateflagLaserPowShutdown = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 37), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("hidden", 1), ("read-only", 2), ("updateable", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfastateflagLaserPowShutdown.setStatus('mandatory') if mibBuilder.loadTexts: edfastateflagLaserPowShutdown.setDescription('The value of this object provides the state of the the parameter. (0-Hidden 1-Read-Only, 2-Updateable).') edfalabelADCStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 38), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfalabelADCStatus.setStatus('optional') if mibBuilder.loadTexts: edfalabelADCStatus.setDescription('The value of this object provides the label of the ADC Operation Status parameter.') edfavalueADCStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 39), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("ok", 1), ("undetermined", 2), ("warning", 3), ("minor", 4), ("major", 5), ("critical", 6)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfavalueADCStatus.setStatus('mandatory') if mibBuilder.loadTexts: edfavalueADCStatus.setDescription('The value of this object provides the current state of the parameter (0-Ok, 1-Undetermined 2-Warning, 3-Minor, 4-Major, 5-Critical).') edfastateflagADCStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 40), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("hidden", 1), ("read-only", 2), ("updateable", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfastateflagADCStatus.setStatus('mandatory') if mibBuilder.loadTexts: edfastateflagADCStatus.setDescription('The value of this object provides the state of the the parameter. (0-Hidden 1-Read-Only, 2-Updateable).') edfalabelConstGainStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 41), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfalabelConstGainStatus.setStatus('optional') if mibBuilder.loadTexts: edfalabelConstGainStatus.setDescription('The value of this object provides the label of the Constant Gain Status parameter.') edfavalueConstGainStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 42), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("ok", 1), ("undetermined", 2), ("warning", 3), ("minor", 4), ("major", 5), ("critical", 6)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfavalueConstGainStatus.setStatus('mandatory') if mibBuilder.loadTexts: edfavalueConstGainStatus.setDescription('The value of this object provides the current state of the parameter (0-Ok, 1-Undetermined 2-Warning, 3-Minor, 4-Major, 5-Critical).') edfastateflagConstGainStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 43), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("hidden", 1), ("read-only", 2), ("updateable", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfastateflagConstGainStatus.setStatus('mandatory') if mibBuilder.loadTexts: edfastateflagConstGainStatus.setDescription('The value of this object provides the state of the the parameter. (0-Hidden 1-Read-Only, 2-Updateable).') edfalabelStandbyStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 44), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfalabelStandbyStatus.setStatus('optional') if mibBuilder.loadTexts: edfalabelStandbyStatus.setDescription('The value of this object provides the label of the Standby Status parameter.') edfavalueStandbyStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 45), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("ok", 1), ("undetermined", 2), ("warning", 3), ("minor", 4), ("major", 5), ("critical", 6)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfavalueStandbyStatus.setStatus('mandatory') if mibBuilder.loadTexts: edfavalueStandbyStatus.setDescription('The value of this object provides the current state of the parameter (0-Ok, 1-Undetermined 2-Warning, 3-Minor, 4-Major, 5-Critical).') edfastateflagStandbyStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 46), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("hidden", 1), ("read-only", 2), ("updateable", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfastateflagStandbyStatus.setStatus('mandatory') if mibBuilder.loadTexts: edfastateflagStandbyStatus.setDescription('The value of this object provides the state of the the parameter. (0-Hidden 1-Read-Only, 2-Updateable).') edfagx2EDFAFactoryTableIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 5, 4, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 4294967295))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfagx2EDFAFactoryTableIndex.setStatus('mandatory') if mibBuilder.loadTexts: edfagx2EDFAFactoryTableIndex.setDescription('The value of this object identifies the network element. This index is equal to the hfcCommonTableIndex for the same element.') edfabootControlByte = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 5, 4, 2), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfabootControlByte.setStatus('mandatory') if mibBuilder.loadTexts: edfabootControlByte.setDescription('The value of this object indicates which bank the firmware is currently being boot from.') edfabootStatusByte = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 5, 4, 3), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfabootStatusByte.setStatus('mandatory') if mibBuilder.loadTexts: edfabootStatusByte.setDescription('This object indicates the status of the last boot') edfabank0CRC = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 5, 4, 4), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfabank0CRC.setStatus('mandatory') if mibBuilder.loadTexts: edfabank0CRC.setDescription('This object provides the CRC code of bank 0.') edfabank1CRC = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 5, 4, 5), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfabank1CRC.setStatus('mandatory') if mibBuilder.loadTexts: edfabank1CRC.setDescription('This object provides the CRC code of bank 1.') edfaprgEEPROMByte = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 5, 4, 6), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaprgEEPROMByte.setStatus('mandatory') if mibBuilder.loadTexts: edfaprgEEPROMByte.setDescription('This object indicates if the EEPROM has been programmed') edfafactoryCRC = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 5, 4, 7), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfafactoryCRC.setStatus('mandatory') if mibBuilder.loadTexts: edfafactoryCRC.setDescription('This object provides the CRC code for the Factory data.') edfacalculateCRC = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 5, 4, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("factory", 1), ("calibration", 2), ("alarmdata", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfacalculateCRC.setStatus('mandatory') if mibBuilder.loadTexts: edfacalculateCRC.setDescription('This object indicates which of the Emnums will have the CRC calculated.') edfahourMeter = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 5, 4, 9), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfahourMeter.setStatus('mandatory') if mibBuilder.loadTexts: edfahourMeter.setDescription('This object provides the hour meter reading of the module.') edfaflashPrgCntA = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 5, 4, 10), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaflashPrgCntA.setStatus('mandatory') if mibBuilder.loadTexts: edfaflashPrgCntA.setDescription('This object provides the number of times the flash has been programmed on side A.') edfaflashPrgCntB = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 5, 4, 11), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaflashPrgCntB.setStatus('mandatory') if mibBuilder.loadTexts: edfaflashPrgCntB.setDescription('This object provides the number of times the flash has been programmed on side B.') edfafwRev0 = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 5, 4, 12), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfafwRev0.setStatus('mandatory') if mibBuilder.loadTexts: edfafwRev0.setDescription('This object provides the Revision of the firmware stores in bank 0.') edfafwRev1 = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 5, 4, 13), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfafwRev1.setStatus('mandatory') if mibBuilder.loadTexts: edfafwRev1.setDescription('This object provides the Revision of the firmware stores in bank 1.') gx2EDFAHoldTimeTableIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 6, 5, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 4294967295))).setMaxAccess("readonly") if mibBuilder.loadTexts: gx2EDFAHoldTimeTableIndex.setStatus('mandatory') if mibBuilder.loadTexts: gx2EDFAHoldTimeTableIndex.setDescription('The value of this object is the index of the data object.') gx2EDFAHoldTimeSpecIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 6, 5, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 4294967295))).setMaxAccess("readonly") if mibBuilder.loadTexts: gx2EDFAHoldTimeSpecIndex.setStatus('mandatory') if mibBuilder.loadTexts: gx2EDFAHoldTimeSpecIndex.setDescription('The value of this object identifies the index of the alarm object to be modified.') gx2EDFAHoldTimeData = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 6, 5, 3), Integer32()).setMaxAccess("readwrite") if mibBuilder.loadTexts: gx2EDFAHoldTimeData.setStatus('mandatory') if mibBuilder.loadTexts: gx2EDFAHoldTimeData.setDescription('The value of this object provides access to the hold timers used to suppress nose on analog objects. This object is a 32 bit object. Validation data is entered into bytes zero and one of the object. Bytes three and four are used to entering the hold time for the specified alarm object. The Hold timer data ranges from 0 to 1300 seconds. The index of this object corresponds to the alarm object to be modified. Alarm Hold timers correspond to the index of this object as follows: Index 1 = xxx, index 2 = xxxx, Index 3 = xxxx, The hold time is represented in seconds.') trapEDFAConfigChangeInteger = NotificationType((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11) + (0,1)).setObjects(("NLSBBN-TRAPS-MIB", "trapIdentifier"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemModelNumber"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemSerialNum"), ("NLSBBN-TRAPS-MIB", "trapPerceivedSeverity"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemOperState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAlarmStatus"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAdminState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAvailStatus"), ("NLSBBN-TRAPS-MIB", "trapText"), ("NLSBBN-TRAPS-MIB", "trapChangedObjectId"), ("NLSBBN-TRAPS-MIB", "trapChangedValueInteger"), ("NLSBBN-TRAPS-MIB", "trapNETrapLastTrapTimeStamp")) if mibBuilder.loadTexts: trapEDFAConfigChangeInteger.setDescription("This trap is issued if configuration of a single variable with integer type was changed (via ANY interface). TrapChangedValueInteger variable may contain current reading of that variable. trapPerceivedSeverity - 'indeterminate'") trapEDFAConfigChangeDisplayString = NotificationType((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11) + (0,2)).setObjects(("NLSBBN-TRAPS-MIB", "trapIdentifier"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemModelNumber"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemSerialNum"), ("NLSBBN-TRAPS-MIB", "trapPerceivedSeverity"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemOperState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAlarmStatus"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAdminState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAvailStatus"), ("NLSBBN-TRAPS-MIB", "trapText"), ("NLSBBN-TRAPS-MIB", "trapChangedObjectId"), ("NLSBBN-TRAPS-MIB", "trapChangedValueDisplayString"), ("NLSBBN-TRAPS-MIB", "trapNETrapLastTrapTimeStamp")) if mibBuilder.loadTexts: trapEDFAConfigChangeDisplayString.setDescription("This trap is issued if configuration of a single variable with DispalayString type was changed (via ANY interface). TrapChangedValueDisplayString variable may contain current reading of that variable. trapPerceivedSeverity - 'indeterminate'") trapEDFAModuleTemperatureAlarm = NotificationType((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11) + (0,3)).setObjects(("NLSBBN-TRAPS-MIB", "trapIdentifier"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemModelNumber"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemSerialNum"), ("NLSBBN-TRAPS-MIB", "trapPerceivedSeverity"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemOperState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAlarmStatus"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAdminState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAvailStatus"), ("NLSBBN-TRAPS-MIB", "trapText"), ("NLSBBN-TRAPS-MIB", "trapChangedObjectId"), ("NLSBBN-TRAPS-MIB", "trapChangedValueInteger"), ("NLSBBN-TRAPS-MIB", "trapNETrapLastTrapTimeStamp")) if mibBuilder.loadTexts: trapEDFAModuleTemperatureAlarm.setDescription("This trap is issued when the EDFA Module's Temperature goes out of range.") trapEDFAOpticalInPowerAlarm = NotificationType((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11) + (0,4)).setObjects(("NLSBBN-TRAPS-MIB", "trapIdentifier"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemModelNumber"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemSerialNum"), ("NLSBBN-TRAPS-MIB", "trapPerceivedSeverity"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemOperState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAlarmStatus"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAdminState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAvailStatus"), ("NLSBBN-TRAPS-MIB", "trapText"), ("NLSBBN-TRAPS-MIB", "trapChangedObjectId"), ("NLSBBN-TRAPS-MIB", "trapChangedValueInteger"), ("NLSBBN-TRAPS-MIB", "trapNETrapLastTrapTimeStamp")) if mibBuilder.loadTexts: trapEDFAOpticalInPowerAlarm.setDescription('This trap is issued when the input Optical Input Power parameter goes out of range.') trapEDFAOpticalOutPowerAlarm = NotificationType((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11) + (0,5)).setObjects(("NLSBBN-TRAPS-MIB", "trapIdentifier"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemModelNumber"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemSerialNum"), ("NLSBBN-TRAPS-MIB", "trapPerceivedSeverity"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemOperState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAlarmStatus"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAdminState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAvailStatus"), ("NLSBBN-TRAPS-MIB", "trapText"), ("NLSBBN-TRAPS-MIB", "trapChangedObjectId"), ("NLSBBN-TRAPS-MIB", "trapChangedValueInteger"), ("NLSBBN-TRAPS-MIB", "trapNETrapLastTrapTimeStamp")) if mibBuilder.loadTexts: trapEDFAOpticalOutPowerAlarm.setDescription('This trap is issued when the input Optical Output Power parameter goes out of range.') trapEDFATECTemperatureAlarm = NotificationType((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11) + (0,6)).setObjects(("NLSBBN-TRAPS-MIB", "trapIdentifier"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemModelNumber"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemSerialNum"), ("NLSBBN-TRAPS-MIB", "trapPerceivedSeverity"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemOperState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAlarmStatus"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAdminState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAvailStatus"), ("NLSBBN-TRAPS-MIB", "trapText"), ("NLSBBN-TRAPS-MIB", "trapChangedObjectId"), ("NLSBBN-TRAPS-MIB", "trapChangedValueInteger"), ("NLSBBN-TRAPS-MIB", "trapNETrapLastTrapTimeStamp")) if mibBuilder.loadTexts: trapEDFATECTemperatureAlarm.setDescription('This trap is issued when the EDFA TEC Temperature goes out of range.') trapEDFATECCurrentAlarm = NotificationType((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11) + (0,7)).setObjects(("NLSBBN-TRAPS-MIB", "trapIdentifier"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemModelNumber"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemSerialNum"), ("NLSBBN-TRAPS-MIB", "trapPerceivedSeverity"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemOperState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAlarmStatus"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAdminState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAvailStatus"), ("NLSBBN-TRAPS-MIB", "trapText"), ("NLSBBN-TRAPS-MIB", "trapChangedObjectId"), ("NLSBBN-TRAPS-MIB", "trapChangedValueInteger"), ("NLSBBN-TRAPS-MIB", "trapNETrapLastTrapTimeStamp")) if mibBuilder.loadTexts: trapEDFATECCurrentAlarm.setDescription('This trap is issued when the EDFA TEC Current goes out of range.') trapEDFALaserCurrentAlarm = NotificationType((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11) + (0,8)).setObjects(("NLSBBN-TRAPS-MIB", "trapIdentifier"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemModelNumber"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemSerialNum"), ("NLSBBN-TRAPS-MIB", "trapPerceivedSeverity"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemOperState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAlarmStatus"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAdminState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAvailStatus"), ("NLSBBN-TRAPS-MIB", "trapText"), ("NLSBBN-TRAPS-MIB", "trapChangedObjectId"), ("NLSBBN-TRAPS-MIB", "trapChangedValueInteger"), ("NLSBBN-TRAPS-MIB", "trapNETrapLastTrapTimeStamp")) if mibBuilder.loadTexts: trapEDFALaserCurrentAlarm.setDescription('This trap is issued when the EDFA Laser Current goes out of range.') trapEDFALaserPowerAlarm = NotificationType((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11) + (0,9)).setObjects(("NLSBBN-TRAPS-MIB", "trapIdentifier"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemModelNumber"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemSerialNum"), ("NLSBBN-TRAPS-MIB", "trapPerceivedSeverity"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemOperState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAlarmStatus"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAdminState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAvailStatus"), ("NLSBBN-TRAPS-MIB", "trapText"), ("NLSBBN-TRAPS-MIB", "trapChangedObjectId"), ("NLSBBN-TRAPS-MIB", "trapChangedValueInteger"), ("NLSBBN-TRAPS-MIB", "trapNETrapLastTrapTimeStamp")) if mibBuilder.loadTexts: trapEDFALaserPowerAlarm.setDescription('This trap is issued when the EDFA Laser Power goes out of range.') trapEDFAPlus12CurrentAlarm = NotificationType((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11) + (0,10)).setObjects(("NLSBBN-TRAPS-MIB", "trapIdentifier"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemModelNumber"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemSerialNum"), ("NLSBBN-TRAPS-MIB", "trapPerceivedSeverity"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemOperState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAlarmStatus"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAdminState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAvailStatus"), ("NLSBBN-TRAPS-MIB", "trapText"), ("NLSBBN-TRAPS-MIB", "trapChangedObjectId"), ("NLSBBN-TRAPS-MIB", "trapChangedValueInteger"), ("NLSBBN-TRAPS-MIB", "trapNETrapLastTrapTimeStamp")) if mibBuilder.loadTexts: trapEDFAPlus12CurrentAlarm.setDescription('This trap is issued when the EDFA 12 volt current parameter goes out of range.') trapEDFAPlus37CurrentAlarm = NotificationType((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11) + (0,11)).setObjects(("NLSBBN-TRAPS-MIB", "trapIdentifier"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemModelNumber"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemSerialNum"), ("NLSBBN-TRAPS-MIB", "trapPerceivedSeverity"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemOperState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAlarmStatus"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAdminState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAvailStatus"), ("NLSBBN-TRAPS-MIB", "trapText"), ("NLSBBN-TRAPS-MIB", "trapChangedObjectId"), ("NLSBBN-TRAPS-MIB", "trapChangedValueInteger"), ("NLSBBN-TRAPS-MIB", "trapNETrapLastTrapTimeStamp")) if mibBuilder.loadTexts: trapEDFAPlus37CurrentAlarm.setDescription('This trap is issued when the EDFA 3.7 volt current parameter goes out of range.') trapEDFAFanCurrentAlarm = NotificationType((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11) + (0,12)).setObjects(("NLSBBN-TRAPS-MIB", "trapIdentifier"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemModelNumber"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemSerialNum"), ("NLSBBN-TRAPS-MIB", "trapPerceivedSeverity"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemOperState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAlarmStatus"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAdminState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAvailStatus"), ("NLSBBN-TRAPS-MIB", "trapText"), ("NLSBBN-TRAPS-MIB", "trapChangedObjectId"), ("NLSBBN-TRAPS-MIB", "trapChangedValueInteger"), ("NLSBBN-TRAPS-MIB", "trapNETrapLastTrapTimeStamp")) if mibBuilder.loadTexts: trapEDFAFanCurrentAlarm.setDescription("This trap is issued when the EDFA Module's Fan Currrent parameter goes out of range.") trapEDFAResetFacDefault = NotificationType((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11) + (0,13)).setObjects(("NLSBBN-TRAPS-MIB", "trapIdentifier"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemModelNumber"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemSerialNum"), ("NLSBBN-TRAPS-MIB", "trapPerceivedSeverity"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemOperState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAlarmStatus"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAdminState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAvailStatus"), ("NLSBBN-TRAPS-MIB", "trapText"), ("NLSBBN-TRAPS-MIB", "trapChangedObjectId"), ("NLSBBN-TRAPS-MIB", "trapChangedValueInteger"), ("NLSBBN-TRAPS-MIB", "trapNETrapLastTrapTimeStamp")) if mibBuilder.loadTexts: trapEDFAResetFacDefault.setDescription('This trap is issued when the EDFA resets to factory defaults') trapEDFAStandbyMode = NotificationType((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11) + (0,14)).setObjects(("NLSBBN-TRAPS-MIB", "trapIdentifier"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemModelNumber"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemSerialNum"), ("NLSBBN-TRAPS-MIB", "trapPerceivedSeverity"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemOperState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAlarmStatus"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAdminState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAvailStatus"), ("NLSBBN-TRAPS-MIB", "trapText"), ("NLSBBN-TRAPS-MIB", "trapChangedObjectId"), ("NLSBBN-TRAPS-MIB", "trapChangedValueInteger"), ("NLSBBN-TRAPS-MIB", "trapNETrapLastTrapTimeStamp")) if mibBuilder.loadTexts: trapEDFAStandbyMode.setDescription('This trap is issued when the EDFA is in Standby Mode.') trapEDFAOptInShutdown = NotificationType((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11) + (0,15)).setObjects(("NLSBBN-TRAPS-MIB", "trapIdentifier"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemModelNumber"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemSerialNum"), ("NLSBBN-TRAPS-MIB", "trapPerceivedSeverity"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemOperState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAlarmStatus"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAdminState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAvailStatus"), ("NLSBBN-TRAPS-MIB", "trapText"), ("NLSBBN-TRAPS-MIB", "trapChangedObjectId"), ("NLSBBN-TRAPS-MIB", "trapChangedValueInteger"), ("NLSBBN-TRAPS-MIB", "trapNETrapLastTrapTimeStamp")) if mibBuilder.loadTexts: trapEDFAOptInShutdown.setDescription('This trap is issued when the EDFA is in Optical Input Shutdown.') trapEDFATECTempShutdown = NotificationType((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11) + (0,16)).setObjects(("NLSBBN-TRAPS-MIB", "trapIdentifier"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemModelNumber"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemSerialNum"), ("NLSBBN-TRAPS-MIB", "trapPerceivedSeverity"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemOperState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAlarmStatus"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAdminState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAvailStatus"), ("NLSBBN-TRAPS-MIB", "trapText"), ("NLSBBN-TRAPS-MIB", "trapChangedObjectId"), ("NLSBBN-TRAPS-MIB", "trapChangedValueInteger"), ("NLSBBN-TRAPS-MIB", "trapNETrapLastTrapTimeStamp")) if mibBuilder.loadTexts: trapEDFATECTempShutdown.setDescription('This trap is issued when the EDFA is in TEC Temperature Shutdown.') trapEDFAKeySwitch = NotificationType((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11) + (0,17)).setObjects(("NLSBBN-TRAPS-MIB", "trapIdentifier"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemModelNumber"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemSerialNum"), ("NLSBBN-TRAPS-MIB", "trapPerceivedSeverity"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemOperState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAlarmStatus"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAdminState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAvailStatus"), ("NLSBBN-TRAPS-MIB", "trapText"), ("NLSBBN-TRAPS-MIB", "trapChangedObjectId"), ("NLSBBN-TRAPS-MIB", "trapChangedValueInteger"), ("NLSBBN-TRAPS-MIB", "trapNETrapLastTrapTimeStamp")) if mibBuilder.loadTexts: trapEDFAKeySwitch.setDescription('This trap is issued when the Key Switch disables the EDFA.') trapEDFAPowerFail = NotificationType((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11) + (0,18)).setObjects(("NLSBBN-TRAPS-MIB", "trapIdentifier"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemModelNumber"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemSerialNum"), ("NLSBBN-TRAPS-MIB", "trapPerceivedSeverity"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemOperState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAlarmStatus"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAdminState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAvailStatus"), ("NLSBBN-TRAPS-MIB", "trapText"), ("NLSBBN-TRAPS-MIB", "trapChangedObjectId"), ("NLSBBN-TRAPS-MIB", "trapChangedValueInteger"), ("NLSBBN-TRAPS-MIB", "trapNETrapLastTrapTimeStamp")) if mibBuilder.loadTexts: trapEDFAPowerFail.setDescription('This trap is issued when there is an EDFA Power Supply Failure.') trapEDFALasCurrShutdown = NotificationType((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11) + (0,19)).setObjects(("NLSBBN-TRAPS-MIB", "trapIdentifier"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemModelNumber"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemSerialNum"), ("NLSBBN-TRAPS-MIB", "trapPerceivedSeverity"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemOperState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAlarmStatus"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAdminState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAvailStatus"), ("NLSBBN-TRAPS-MIB", "trapText"), ("NLSBBN-TRAPS-MIB", "trapChangedObjectId"), ("NLSBBN-TRAPS-MIB", "trapChangedValueInteger"), ("NLSBBN-TRAPS-MIB", "trapNETrapLastTrapTimeStamp")) if mibBuilder.loadTexts: trapEDFALasCurrShutdown.setDescription('This trap is issued when the EDFA is in Laser Current Shutdown.') trapEDFALasPowerShutdown = NotificationType((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11) + (0,20)).setObjects(("NLSBBN-TRAPS-MIB", "trapIdentifier"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemModelNumber"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemSerialNum"), ("NLSBBN-TRAPS-MIB", "trapPerceivedSeverity"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemOperState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAlarmStatus"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAdminState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAvailStatus"), ("NLSBBN-TRAPS-MIB", "trapText"), ("NLSBBN-TRAPS-MIB", "trapChangedObjectId"), ("NLSBBN-TRAPS-MIB", "trapChangedValueInteger"), ("NLSBBN-TRAPS-MIB", "trapNETrapLastTrapTimeStamp")) if mibBuilder.loadTexts: trapEDFALasPowerShutdown.setDescription('This trap is issued when the EDFA is in Laser Power Shutdown.') trapEDFAInvalidMode = NotificationType((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11) + (0,21)).setObjects(("NLSBBN-TRAPS-MIB", "trapIdentifier"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemModelNumber"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemSerialNum"), ("NLSBBN-TRAPS-MIB", "trapPerceivedSeverity"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemOperState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAlarmStatus"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAdminState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAvailStatus"), ("NLSBBN-TRAPS-MIB", "trapText"), ("NLSBBN-TRAPS-MIB", "trapChangedObjectId"), ("NLSBBN-TRAPS-MIB", "trapChangedValueInteger"), ("NLSBBN-TRAPS-MIB", "trapNETrapLastTrapTimeStamp")) if mibBuilder.loadTexts: trapEDFAInvalidMode.setDescription('This trap is issued when the EDFA is in an invalid mode.') trapEDFAFlashAlarm = NotificationType((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11) + (0,22)).setObjects(("NLSBBN-TRAPS-MIB", "trapIdentifier"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemModelNumber"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemSerialNum"), ("NLSBBN-TRAPS-MIB", "trapPerceivedSeverity"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemOperState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAlarmStatus"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAdminState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAvailStatus"), ("NLSBBN-TRAPS-MIB", "trapText"), ("NLSBBN-TRAPS-MIB", "trapChangedObjectId"), ("NLSBBN-TRAPS-MIB", "trapChangedValueInteger"), ("NLSBBN-TRAPS-MIB", "trapNETrapLastTrapTimeStamp")) if mibBuilder.loadTexts: trapEDFAFlashAlarm.setDescription("This trap is issued when the EDFA Module's boot or flash programming sequence has detected a Flash error.") trapEDFABoot0Alarm = NotificationType((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11) + (0,23)).setObjects(("NLSBBN-TRAPS-MIB", "trapIdentifier"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemModelNumber"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemSerialNum"), ("NLSBBN-TRAPS-MIB", "trapPerceivedSeverity"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemOperState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAlarmStatus"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAdminState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAvailStatus"), ("NLSBBN-TRAPS-MIB", "trapText"), ("NLSBBN-TRAPS-MIB", "trapChangedObjectId"), ("NLSBBN-TRAPS-MIB", "trapChangedValueInteger"), ("NLSBBN-TRAPS-MIB", "trapNETrapLastTrapTimeStamp")) if mibBuilder.loadTexts: trapEDFABoot0Alarm.setDescription("This trap is issued when the EDFA Module's Bank 0 Boot sequence has detected an error.") trapEDFABoot1Alarm = NotificationType((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11) + (0,24)).setObjects(("NLSBBN-TRAPS-MIB", "trapIdentifier"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemModelNumber"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemSerialNum"), ("NLSBBN-TRAPS-MIB", "trapPerceivedSeverity"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemOperState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAlarmStatus"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAdminState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAvailStatus"), ("NLSBBN-TRAPS-MIB", "trapText"), ("NLSBBN-TRAPS-MIB", "trapChangedObjectId"), ("NLSBBN-TRAPS-MIB", "trapChangedValueInteger"), ("NLSBBN-TRAPS-MIB", "trapNETrapLastTrapTimeStamp")) if mibBuilder.loadTexts: trapEDFABoot1Alarm.setDescription("This trap is issued when the EDFA Module's Bank 1 Boot sequence has detected an error.") trapEDFAAlarmDataCRCAlarm = NotificationType((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11) + (0,25)).setObjects(("NLSBBN-TRAPS-MIB", "trapIdentifier"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemModelNumber"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemSerialNum"), ("NLSBBN-TRAPS-MIB", "trapPerceivedSeverity"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemOperState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAlarmStatus"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAdminState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAvailStatus"), ("NLSBBN-TRAPS-MIB", "trapText"), ("NLSBBN-TRAPS-MIB", "trapChangedObjectId"), ("NLSBBN-TRAPS-MIB", "trapChangedValueInteger"), ("NLSBBN-TRAPS-MIB", "trapNETrapLastTrapTimeStamp")) if mibBuilder.loadTexts: trapEDFAAlarmDataCRCAlarm.setDescription('This trap is issued when the EDFA Module detects an error calculating the alarm limit CRC.') trapEDFAFactoryDataCRCAlarm = NotificationType((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11) + (0,26)).setObjects(("NLSBBN-TRAPS-MIB", "trapIdentifier"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemModelNumber"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemSerialNum"), ("NLSBBN-TRAPS-MIB", "trapPerceivedSeverity"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemOperState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAlarmStatus"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAdminState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAvailStatus"), ("NLSBBN-TRAPS-MIB", "trapText"), ("NLSBBN-TRAPS-MIB", "trapChangedObjectId"), ("NLSBBN-TRAPS-MIB", "trapChangedValueInteger"), ("NLSBBN-TRAPS-MIB", "trapNETrapLastTrapTimeStamp")) if mibBuilder.loadTexts: trapEDFAFactoryDataCRCAlarm.setDescription('This trap is issued when the EDFA Module detects an error calculating the Factory data CRC.') trapEDFACalDataCRCAlarm = NotificationType((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11) + (0,27)).setObjects(("NLSBBN-TRAPS-MIB", "trapIdentifier"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemModelNumber"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemSerialNum"), ("NLSBBN-TRAPS-MIB", "trapPerceivedSeverity"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemOperState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAlarmStatus"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAdminState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAvailStatus"), ("NLSBBN-TRAPS-MIB", "trapText"), ("NLSBBN-TRAPS-MIB", "trapChangedObjectId"), ("NLSBBN-TRAPS-MIB", "trapChangedValueInteger"), ("NLSBBN-TRAPS-MIB", "trapNETrapLastTrapTimeStamp")) if mibBuilder.loadTexts: trapEDFACalDataCRCAlarm.setDescription('This trap is issued when the EDFA Module detects an error calculating the Calibration data CRC.') trapEDFAFacCalFloatAlarm = NotificationType((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11) + (0,28)).setObjects(("NLSBBN-TRAPS-MIB", "trapIdentifier"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemModelNumber"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemSerialNum"), ("NLSBBN-TRAPS-MIB", "trapPerceivedSeverity"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemOperState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAlarmStatus"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAdminState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAvailStatus"), ("NLSBBN-TRAPS-MIB", "trapText"), ("NLSBBN-TRAPS-MIB", "trapChangedObjectId"), ("NLSBBN-TRAPS-MIB", "trapChangedValueInteger"), ("NLSBBN-TRAPS-MIB", "trapNETrapLastTrapTimeStamp")) if mibBuilder.loadTexts: trapEDFAFacCalFloatAlarm.setDescription('This trap is issued when the EDFA Module detects factory calibration float data alarm.') trapEDFAOptInThreshAlarm = NotificationType((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11) + (0,29)).setObjects(("NLSBBN-TRAPS-MIB", "trapIdentifier"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemModelNumber"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemSerialNum"), ("NLSBBN-TRAPS-MIB", "trapPerceivedSeverity"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemOperState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAlarmStatus"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAdminState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAvailStatus"), ("NLSBBN-TRAPS-MIB", "trapText"), ("NLSBBN-TRAPS-MIB", "trapChangedObjectId"), ("NLSBBN-TRAPS-MIB", "trapChangedValueInteger"), ("NLSBBN-TRAPS-MIB", "trapNETrapLastTrapTimeStamp")) if mibBuilder.loadTexts: trapEDFAOptInThreshAlarm.setDescription('This trap is issued when the EDFA Module Optical Input drops below the user set threshold.') trapEDFAGainErrorAlarm = NotificationType((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11) + (0,30)).setObjects(("NLSBBN-TRAPS-MIB", "trapIdentifier"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemModelNumber"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemSerialNum"), ("NLSBBN-TRAPS-MIB", "trapPerceivedSeverity"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemOperState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAlarmStatus"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAdminState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAvailStatus"), ("NLSBBN-TRAPS-MIB", "trapText"), ("NLSBBN-TRAPS-MIB", "trapChangedObjectId"), ("NLSBBN-TRAPS-MIB", "trapChangedValueInteger"), ("NLSBBN-TRAPS-MIB", "trapNETrapLastTrapTimeStamp")) if mibBuilder.loadTexts: trapEDFAGainErrorAlarm.setDescription('This trap is issued when the EDFA Module cannot produce the desired user set gain in Constant Gain Set Mode.') mibBuilder.exportSymbols("OMNI-gx2EDFA-MIB", edfalabelADCStatus=edfalabelADCStatus, edfalabelLPSetting=edfalabelLPSetting, trapEDFAOpticalInPowerAlarm=trapEDFAOpticalInPowerAlarm, trapEDFAModuleTemperatureAlarm=trapEDFAModuleTemperatureAlarm, edfaminValueLaserCurrent=edfaminValueLaserCurrent, edfavalueBoot=edfavalueBoot, edfalabelPowerFail=edfalabelPowerFail, edfaminorLowLaserPower=edfaminorLowLaserPower, edfabootStatusByte=edfabootStatusByte, edfavalueFlash=edfavalueFlash, edfavalueOptInShutdown=edfavalueOptInShutdown, edfaminorHigh37Volt=edfaminorHigh37Volt, edfamaxValueOptOutPower=edfamaxValueOptOutPower, edfaminorLowTECCurrent=edfaminorLowTECCurrent, edfauomLPSetting=edfauomLPSetting, edfavalueTECTempShutdown=edfavalueTECTempShutdown, edfavalueLaserCurrShutdown=edfavalueLaserCurrShutdown, edfaminorHighOptOutPower=edfaminorHighOptOutPower, edfaalarmStateFanCurrent=edfaalarmStateFanCurrent, trapEDFALasCurrShutdown=trapEDFALasCurrShutdown, gx2EDFAStatusEntry=gx2EDFAStatusEntry, edfaminorHighLaserCurrent=edfaminorHighLaserCurrent, edfastateFlagFanCurrent=edfastateFlagFanCurrent, gx2EDFAStatusTable=gx2EDFAStatusTable, edfaminorLowOPSetting=edfaminorLowOPSetting, edfacurrentValueOptOutPower=edfacurrentValueOptOutPower, edfaalarmStateOptThreshold=edfaalarmStateOptThreshold, edfauomModTemp=edfauomModTemp, edfaminValueTECTemp=edfaminValueTECTemp, edfastateflagTECShutOverride=edfastateflagTECShutOverride, edfamaxValueModTemp=edfamaxValueModTemp, edfamajorHighOptInPower=edfamajorHighOptInPower, edfaminorLowLPSetting=edfaminorLowLPSetting, edfaminorLow37Volt=edfaminorLow37Volt, edfaminorLowModTemp=edfaminorLowModTemp, edfaminorHighCGSetting=edfaminorHighCGSetting, edfalabelTECTemp=edfalabelTECTemp, edfaminValueLaserPower=edfaminValueLaserPower, edfaminValue12Volt=edfaminValue12Volt, edfacurrentValueOPSetting=edfacurrentValueOPSetting, Float=Float, edfastateflagFactoryDataCRC=edfastateflagFactoryDataCRC, trapEDFAAlarmDataCRCAlarm=trapEDFAAlarmDataCRCAlarm, trapEDFATECCurrentAlarm=trapEDFATECCurrentAlarm, edfastateFlagLaserCurrent=edfastateFlagLaserCurrent, edfacurrentValueLaserPower=edfacurrentValueLaserPower, trapEDFAFanCurrentAlarm=trapEDFAFanCurrentAlarm, edfamajorHighCGSetting=edfamajorHighCGSetting, edfamajorLowOptOutPower=edfamajorLowOptOutPower, edfacurrentValueModTemp=edfacurrentValueModTemp, edfamaxValueFanCurrent=edfamaxValueFanCurrent, edfavalueModeSetting=edfavalueModeSetting, edfaminorHighOPSetting=edfaminorHighOPSetting, edfamajorHighOptOutPower=edfamajorHighOptOutPower, edfalabelConstGainStatus=edfalabelConstGainStatus, edfaminorLowTECTemp=edfaminorLowTECTemp, edfalabelModeSetting=edfalabelModeSetting, edfauom37Volt=edfauom37Volt, edfamaxValue12Volt=edfamaxValue12Volt, edfaalarmStateLaserCurrent=edfaalarmStateLaserCurrent, edfamaxValueCGSetting=edfamaxValueCGSetting, edfauomOptOutPower=edfauomOptOutPower, edfalabelTECTempShutdown=edfalabelTECTempShutdown, trapEDFAConfigChangeInteger=trapEDFAConfigChangeInteger, edfacurrentValue37Volt=edfacurrentValue37Volt, edfavalueConstGainStatus=edfavalueConstGainStatus, edfamaxValueTECTemp=edfamaxValueTECTemp, edfavalueLaserPowShutdown=edfavalueLaserPowShutdown, edfamajorLowCGSetting=edfamajorLowCGSetting, edfastateFlagModTemp=edfastateFlagModTemp, edfaalarmStateOptOutPower=edfaalarmStateOptOutPower, edfalabelTECCurrent=edfalabelTECCurrent, edfamajorLowLaserPower=edfamajorLowLaserPower, edfaenumFactoryDefault=edfaenumFactoryDefault, edfamaxValueLaserPower=edfamaxValueLaserPower, edfaminValueOPSetting=edfaminValueOPSetting, edfamajorLowOptInPower=edfamajorLowOptInPower, edfaminorLowOptThreshold=edfaminorLowOptThreshold, edfalabelFlash=edfalabelFlash, edfalabelFactoryDataCRC=edfalabelFactoryDataCRC, trapEDFAFacCalFloatAlarm=trapEDFAFacCalFloatAlarm, edfavalueKeySwitch=edfavalueKeySwitch, edfauomOptInPower=edfauomOptInPower, gx2EDFAAnalogTable=gx2EDFAAnalogTable, edfavalueFactoryDefault=edfavalueFactoryDefault, edfauomOPSetting=edfauomOPSetting, edfaalarmStateOPSetting=edfaalarmStateOPSetting, trapEDFALaserPowerAlarm=trapEDFALaserPowerAlarm, edfalabelFactoryDefault=edfalabelFactoryDefault, edfamajorLowModTemp=edfamajorLowModTemp, edfabank1CRC=edfabank1CRC, trapEDFAGainErrorAlarm=trapEDFAGainErrorAlarm, edfamajorHighOptThreshold=edfamajorHighOptThreshold, edfamajorHighLaserCurrent=edfamajorHighLaserCurrent, trapEDFAOpticalOutPowerAlarm=trapEDFAOpticalOutPowerAlarm, edfaminorHighModTemp=edfaminorHighModTemp, edfacurrentValueCGSetting=edfacurrentValueCGSetting, gx2EDFADigitalEntry=gx2EDFADigitalEntry, edfauomFanCurrent=edfauomFanCurrent, edfagx2EDFAAnalogTableIndex=edfagx2EDFAAnalogTableIndex, trapEDFALasPowerShutdown=trapEDFALasPowerShutdown, edfauomLaserPower=edfauomLaserPower, edfastateflagFlash=edfastateflagFlash, edfastateFlagOPSetting=edfastateFlagOPSetting, edfalabelModTemp=edfalabelModTemp, edfamajorHigh37Volt=edfamajorHigh37Volt, edfavalueCalibrationDataCRC=edfavalueCalibrationDataCRC, trapEDFATECTemperatureAlarm=trapEDFATECTemperatureAlarm, edfaminorHighLaserPower=edfaminorHighLaserPower, trapEDFAInvalidMode=trapEDFAInvalidMode, edfafwRev0=edfafwRev0, edfalabelCalibrationDataCRC=edfalabelCalibrationDataCRC, edfauomLaserCurrent=edfauomLaserCurrent, edfalabelLaserPowShutdown=edfalabelLaserPowShutdown, edfauomTECCurrent=edfauomTECCurrent, edfamaxValueLPSetting=edfamaxValueLPSetting, edfastateFlagFactoryDefault=edfastateFlagFactoryDefault, edfalabelKeySwitch=edfalabelKeySwitch, edfavalueStandbyStatus=edfavalueStandbyStatus, edfastateFlagTECTemp=edfastateFlagTECTemp, trapEDFABoot0Alarm=trapEDFABoot0Alarm, edfastateFlagOptOutPower=edfastateFlagOptOutPower, edfamajorHighTECTemp=edfamajorHighTECTemp, gx2EDFAFactoryEntry=gx2EDFAFactoryEntry, trapEDFAStandbyMode=trapEDFAStandbyMode, edfacurrentValueTECTemp=edfacurrentValueTECTemp, edfamajorHighLaserPower=edfamajorHighLaserPower, edfamajorLowFanCurrent=edfamajorLowFanCurrent, gx2EDFAHoldTimeData=gx2EDFAHoldTimeData, edfamajorLowLPSetting=edfamajorLowLPSetting, trapEDFAPowerFail=trapEDFAPowerFail, edfastateFlagOptInPower=edfastateFlagOptInPower, edfaminValueOptOutPower=edfaminValueOptOutPower, edfalabelBoot=edfalabelBoot, edfamajorHigh12Volt=edfamajorHigh12Volt, edfastateflagPowerFail=edfastateflagPowerFail, edfastateflagADCStatus=edfastateflagADCStatus, edfabootControlByte=edfabootControlByte, edfauomCGSetting=edfauomCGSetting, edfastateflagStandbyStatus=edfastateflagStandbyStatus, edfastateFlagLaserPower=edfastateFlagLaserPower, edfastateFlagModeSetting=edfastateFlagModeSetting, edfaminorLow12Volt=edfaminorLow12Volt, gx2EDFAHoldTimeTableIndex=gx2EDFAHoldTimeTableIndex, edfavalueModuleState=edfavalueModuleState, edfaminValueCGSetting=edfaminValueCGSetting, edfalabelStandbyStatus=edfalabelStandbyStatus, edfacurrentValueOptInPower=edfacurrentValueOptInPower, edfagx2EDFAStatusTableIndex=edfagx2EDFAStatusTableIndex, edfauomTECTemp=edfauomTECTemp, edfastateFlagTECCurrent=edfastateFlagTECCurrent, edfaminorHighLPSetting=edfaminorHighLPSetting, edfavalueADCStatus=edfavalueADCStatus, trapEDFABoot1Alarm=trapEDFABoot1Alarm, gx2EDFAFactoryTable=gx2EDFAFactoryTable, trapEDFAOptInThreshAlarm=trapEDFAOptInThreshAlarm, gx2EDFAAnalogEntry=gx2EDFAAnalogEntry, edfalabelOPSetting=edfalabelOPSetting, edfalabelFanCurrent=edfalabelFanCurrent, edfamajorLowOptThreshold=edfamajorLowOptThreshold, edfalabelOptThreshold=edfalabelOptThreshold, edfavalueTECShutOverride=edfavalueTECShutOverride, edfamajorHighFanCurrent=edfamajorHighFanCurrent, edfafactoryCRC=edfafactoryCRC, edfamajorHighModTemp=edfamajorHighModTemp, edfacurrentValueFanCurrent=edfacurrentValueFanCurrent, edfaenumModeSetting=edfaenumModeSetting, trapEDFAFactoryDataCRCAlarm=trapEDFAFactoryDataCRCAlarm, edfaminValue37Volt=edfaminValue37Volt, edfaflashPrgCntA=edfaflashPrgCntA, edfaalarmStateLPSetting=edfaalarmStateLPSetting, edfaalarmState12Volt=edfaalarmState12Volt, edfaminorHighFanCurrent=edfaminorHighFanCurrent, gx2EDFAHoldTimeTable=gx2EDFAHoldTimeTable, edfastateFlagModuleState=edfastateFlagModuleState, edfastateFlagOptThreshold=edfastateFlagOptThreshold, edfastateflagAlarmDataCRC=edfastateflagAlarmDataCRC, edfamaxValue37Volt=edfamaxValue37Volt, edfaminValueLPSetting=edfaminValueLPSetting, edfastateflagLaserCurrShutdown=edfastateflagLaserCurrShutdown, edfamajorLow12Volt=edfamajorLow12Volt, trapEDFAResetFacDefault=trapEDFAResetFacDefault, trapEDFALaserCurrentAlarm=trapEDFALaserCurrentAlarm, gx2EDFADescriptor=gx2EDFADescriptor, edfalabelLaserCurrShutdown=edfalabelLaserCurrShutdown, edfaalarmStateOptInPower=edfaalarmStateOptInPower, edfastateflagOptInShutdown=edfastateflagOptInShutdown, edfacurrentValue12Volt=edfacurrentValue12Volt, edfastateflagTECTempShutdown=edfastateflagTECTempShutdown, edfacurrentValueLPSetting=edfacurrentValueLPSetting, edfaminValueOptThreshold=edfaminValueOptThreshold, edfacalculateCRC=edfacalculateCRC, edfahourMeter=edfahourMeter, edfalabelOptInShutdown=edfalabelOptInShutdown, edfabank0CRC=edfabank0CRC, gx2EDFAHoldTimeEntry=gx2EDFAHoldTimeEntry, edfastateflagLaserPowShutdown=edfastateflagLaserPowShutdown, trapEDFAFlashAlarm=trapEDFAFlashAlarm, edfaminorHighTECTemp=edfaminorHighTECTemp, edfalabel37Volt=edfalabel37Volt, edfamajorHighLPSetting=edfamajorHighLPSetting, edfaminorHigh12Volt=edfaminorHigh12Volt, edfastateflagKeySwitch=edfastateflagKeySwitch, edfaalarmStateModTemp=edfaalarmStateModTemp, edfaalarmStateTECCurrent=edfaalarmStateTECCurrent, gx2EDFAHoldTimeSpecIndex=gx2EDFAHoldTimeSpecIndex, edfafwRev1=edfafwRev1, gx2EDFADigitalTable=gx2EDFADigitalTable, edfalabelLaserCurrent=edfalabelLaserCurrent, edfamaxValueLaserCurrent=edfamaxValueLaserCurrent, edfaalarmStateTECTemp=edfaalarmStateTECTemp, edfaprgEEPROMByte=edfaprgEEPROMByte, edfaminValueOptInPower=edfaminValueOptInPower, edfaminValueModTemp=edfaminValueModTemp, trapEDFAPlus12CurrentAlarm=trapEDFAPlus12CurrentAlarm, edfaminorLowOptOutPower=edfaminorLowOptOutPower, edfastateflagCalibrationDataCRC=edfastateflagCalibrationDataCRC, edfastateFlag37Volt=edfastateFlag37Volt, trapEDFATECTempShutdown=trapEDFATECTempShutdown, edfamajorLowOPSetting=edfamajorLowOPSetting, edfaminorHighOptThreshold=edfaminorHighOptThreshold, edfaalarmStateCGSetting=edfaalarmStateCGSetting, trapEDFAPlus37CurrentAlarm=trapEDFAPlus37CurrentAlarm, edfaalarmState37Volt=edfaalarmState37Volt, edfavalueFactoryDataCRC=edfavalueFactoryDataCRC, trapEDFAOptInShutdown=trapEDFAOptInShutdown, edfacurrentValueOptThreshold=edfacurrentValueOptThreshold, edfalabelOptInPower=edfalabelOptInPower, edfaminorLowFanCurrent=edfaminorLowFanCurrent, edfamaxValueOptInPower=edfamaxValueOptInPower, edfastateFlag12Volt=edfastateFlag12Volt, edfalabelCGSetting=edfalabelCGSetting, edfalabelModuleState=edfalabelModuleState, edfavalueAlarmDataCRC=edfavalueAlarmDataCRC, trapEDFAKeySwitch=trapEDFAKeySwitch, edfaminValueFanCurrent=edfaminValueFanCurrent, edfamaxValueOptThreshold=edfamaxValueOptThreshold, edfaminValueTECCurrent=edfaminValueTECCurrent, edfaminorLowCGSetting=edfaminorLowCGSetting, edfauom12Volt=edfauom12Volt, edfamajorLowLaserCurrent=edfamajorLowLaserCurrent, edfaalarmStateLaserPower=edfaalarmStateLaserPower, edfamajorLow37Volt=edfamajorLow37Volt, edfamaxValueTECCurrent=edfamaxValueTECCurrent, edfacurrentValueTECCurrent=edfacurrentValueTECCurrent, edfamajorHighOPSetting=edfamajorHighOPSetting, edfaenumModuleState=edfaenumModuleState, edfalabelLaserPower=edfalabelLaserPower, edfaminorLowOptInPower=edfaminorLowOptInPower, edfamajorLowTECCurrent=edfamajorLowTECCurrent, edfagx2EDFAFactoryTableIndex=edfagx2EDFAFactoryTableIndex, edfalabel12Volt=edfalabel12Volt, edfaflashPrgCntB=edfaflashPrgCntB, edfaminorLowLaserCurrent=edfaminorLowLaserCurrent) mibBuilder.exportSymbols("OMNI-gx2EDFA-MIB", edfavaluePowerFail=edfavaluePowerFail, edfacurrentValueLaserCurrent=edfacurrentValueLaserCurrent, edfastateflagBoot=edfastateflagBoot, edfamajorLowTECTemp=edfamajorLowTECTemp, edfamajorHighTECCurrent=edfamajorHighTECCurrent, edfastateflagConstGainStatus=edfastateflagConstGainStatus, trapEDFACalDataCRCAlarm=trapEDFACalDataCRCAlarm, edfauomOptThreshold=edfauomOptThreshold, edfastateFlagCGSetting=edfastateFlagCGSetting, edfagx2EDFADigitalTableIndex=edfagx2EDFADigitalTableIndex, edfaminorHighOptInPower=edfaminorHighOptInPower, edfaminorHighTECCurrent=edfaminorHighTECCurrent, edfamaxValueOPSetting=edfamaxValueOPSetting, edfalabelAlarmDataCRC=edfalabelAlarmDataCRC, edfastateFlagLPSetting=edfastateFlagLPSetting, edfalabelTECShutOverride=edfalabelTECShutOverride, edfalabelOptOutPower=edfalabelOptOutPower, trapEDFAConfigChangeDisplayString=trapEDFAConfigChangeDisplayString)
(object_identifier, integer, octet_string) = mibBuilder.importSymbols('ASN1', 'ObjectIdentifier', 'Integer', 'OctetString') (named_values,) = mibBuilder.importSymbols('ASN1-ENUMERATION', 'NamedValues') (value_range_constraint, constraints_union, constraints_intersection, single_value_constraint, value_size_constraint) = mibBuilder.importSymbols('ASN1-REFINEMENT', 'ValueRangeConstraint', 'ConstraintsUnion', 'ConstraintsIntersection', 'SingleValueConstraint', 'ValueSizeConstraint') (gx2_edfa,) = mibBuilder.importSymbols('GX2HFC-MIB', 'gx2EDFA') (gi, motproxies) = mibBuilder.importSymbols('NLS-BBNIDENT-MIB', 'gi', 'motproxies') (trap_network_elem_model_number, trap_perceived_severity, trap_network_elem_alarm_status, trap_ne_trap_last_trap_time_stamp, trap_changed_value_integer, trap_network_elem_avail_status, trap_network_elem_oper_state, trap_changed_value_display_string, trap_changed_object_id, trap_text, trap_network_elem_admin_state, trap_identifier, trap_network_elem_serial_num) = mibBuilder.importSymbols('NLSBBN-TRAPS-MIB', 'trapNetworkElemModelNumber', 'trapPerceivedSeverity', 'trapNetworkElemAlarmStatus', 'trapNETrapLastTrapTimeStamp', 'trapChangedValueInteger', 'trapNetworkElemAvailStatus', 'trapNetworkElemOperState', 'trapChangedValueDisplayString', 'trapChangedObjectId', 'trapText', 'trapNetworkElemAdminState', 'trapIdentifier', 'trapNetworkElemSerialNum') (notification_group, module_compliance) = mibBuilder.importSymbols('SNMPv2-CONF', 'NotificationGroup', 'ModuleCompliance') (sys_up_time,) = mibBuilder.importSymbols('SNMPv2-MIB', 'sysUpTime') (mib_scalar, mib_table, mib_table_row, mib_table_column, object_identity, integer32, counter64, mib_identifier, ip_address, bits, counter32, module_identity, unsigned32, time_ticks, gauge32, notification_type, iso, notification_type) = mibBuilder.importSymbols('SNMPv2-SMI', 'MibScalar', 'MibTable', 'MibTableRow', 'MibTableColumn', 'ObjectIdentity', 'Integer32', 'Counter64', 'MibIdentifier', 'IpAddress', 'Bits', 'Counter32', 'ModuleIdentity', 'Unsigned32', 'TimeTicks', 'Gauge32', 'NotificationType', 'iso', 'NotificationType') (display_string, textual_convention) = mibBuilder.importSymbols('SNMPv2-TC', 'DisplayString', 'TextualConvention') class Float(Counter32): pass gx2_edfa_descriptor = mib_identifier((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 1)) gx2_edfa_analog_table = mib_table((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2)) if mibBuilder.loadTexts: gx2EDFAAnalogTable.setStatus('mandatory') if mibBuilder.loadTexts: gx2EDFAAnalogTable.setDescription('This table contains gx2EDFA specific parameters with nominal and current values.') gx2_edfa_analog_entry = mib_table_row((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1)).setIndexNames((0, 'OMNI-gx2EDFA-MIB', 'edfagx2EDFAAnalogTableIndex')) if mibBuilder.loadTexts: gx2EDFAAnalogEntry.setStatus('mandatory') if mibBuilder.loadTexts: gx2EDFAAnalogEntry.setDescription('This list contains digital product class and the associated RF channel parameters and descriptions.') gx2_edfa_digital_table = mib_table((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 3)) if mibBuilder.loadTexts: gx2EDFADigitalTable.setStatus('mandatory') if mibBuilder.loadTexts: gx2EDFADigitalTable.setDescription('This table contains gx2EDFA specific parameters with nominal and current values.') gx2_edfa_digital_entry = mib_table_row((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 3, 2)).setIndexNames((0, 'OMNI-gx2EDFA-MIB', 'edfagx2EDFADigitalTableIndex')) if mibBuilder.loadTexts: gx2EDFADigitalEntry.setStatus('mandatory') if mibBuilder.loadTexts: gx2EDFADigitalEntry.setDescription('This list contains digital product class and the associated RF channel parameters and descriptions.') gx2_edfa_status_table = mib_table((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4)) if mibBuilder.loadTexts: gx2EDFAStatusTable.setStatus('mandatory') if mibBuilder.loadTexts: gx2EDFAStatusTable.setDescription('This table contains gx2EDFA specific parameters with nominal and current values.') gx2_edfa_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3)).setIndexNames((0, 'OMNI-gx2EDFA-MIB', 'edfagx2EDFAStatusTableIndex')) if mibBuilder.loadTexts: gx2EDFAStatusEntry.setStatus('mandatory') if mibBuilder.loadTexts: gx2EDFAStatusEntry.setDescription('This list contains digital product class and the associated RF channel parameters and descriptions.') gx2_edfa_factory_table = mib_table((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 5)) if mibBuilder.loadTexts: gx2EDFAFactoryTable.setStatus('mandatory') if mibBuilder.loadTexts: gx2EDFAFactoryTable.setDescription('This table contains gx2EDFA specific parameters with nominal and current values.') gx2_edfa_factory_entry = mib_table_row((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 5, 4)).setIndexNames((0, 'OMNI-gx2EDFA-MIB', 'edfagx2EDFAFactoryTableIndex')) if mibBuilder.loadTexts: gx2EDFAFactoryEntry.setStatus('mandatory') if mibBuilder.loadTexts: gx2EDFAFactoryEntry.setDescription('This list contains digital product class and the associated RF channel parameters and descriptions.') gx2_edfa_hold_time_table = mib_table((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 6)) if mibBuilder.loadTexts: gx2EDFAHoldTimeTable.setStatus('mandatory') if mibBuilder.loadTexts: gx2EDFAHoldTimeTable.setDescription('This table contains gx2EDFA specific parameters with nominal and current values.') gx2_edfa_hold_time_entry = mib_table_row((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 6, 5)).setIndexNames((0, 'OMNI-gx2EDFA-MIB', 'gx2EDFAHoldTimeTableIndex'), (0, 'OMNI-gx2EDFA-MIB', 'gx2EDFAHoldTimeSpecIndex')) if mibBuilder.loadTexts: gx2EDFAHoldTimeEntry.setStatus('mandatory') if mibBuilder.loadTexts: gx2EDFAHoldTimeEntry.setDescription('This list contains digital product class and the associated RF channel parameters and descriptions.') edfagx2_edfa_analog_table_index = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 4294967295))).setMaxAccess('readonly') if mibBuilder.loadTexts: edfagx2EDFAAnalogTableIndex.setStatus('mandatory') if mibBuilder.loadTexts: edfagx2EDFAAnalogTableIndex.setDescription('The value of this object identifies the network element. This index is equal to the hfcCommonTableIndex for the same element.') edfalabel_mod_temp = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 2), display_string().subtype(subtypeSpec=value_size_constraint(0, 80))).setMaxAccess('readonly') if mibBuilder.loadTexts: edfalabelModTemp.setStatus('optional') if mibBuilder.loadTexts: edfalabelModTemp.setDescription('The value of this object provides the label of the Module Temperature Analog parameter.') edfauom_mod_temp = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 3), display_string().subtype(subtypeSpec=value_size_constraint(0, 80))).setMaxAccess('readonly') if mibBuilder.loadTexts: edfauomModTemp.setStatus('optional') if mibBuilder.loadTexts: edfauomModTemp.setDescription('The value of this object provides the Unit of Measure of the Module Temperature Analog parameter.') edfamajor_high_mod_temp = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 4), float()).setMaxAccess('readonly') if mibBuilder.loadTexts: edfamajorHighModTemp.setStatus('mandatory') if mibBuilder.loadTexts: edfamajorHighModTemp.setDescription('The value of this object provides the Major High alarm value of the Module Temperature Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfamajor_low_mod_temp = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 5), float()).setMaxAccess('readonly') if mibBuilder.loadTexts: edfamajorLowModTemp.setStatus('mandatory') if mibBuilder.loadTexts: edfamajorLowModTemp.setDescription('The value of this object provides the Major Low alarm value of the Module Temperature Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaminor_high_mod_temp = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 6), float()).setMaxAccess('readonly') if mibBuilder.loadTexts: edfaminorHighModTemp.setStatus('mandatory') if mibBuilder.loadTexts: edfaminorHighModTemp.setDescription('The value of this object provides the Minor High alarm value of the Module Temperature Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaminor_low_mod_temp = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 7), float()).setMaxAccess('readonly') if mibBuilder.loadTexts: edfaminorLowModTemp.setStatus('mandatory') if mibBuilder.loadTexts: edfaminorLowModTemp.setDescription('The value of this object provides the Minor Low alarm value of the Module Temperature Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfacurrent_value_mod_temp = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 8), float()).setMaxAccess('readonly') if mibBuilder.loadTexts: edfacurrentValueModTemp.setStatus('mandatory') if mibBuilder.loadTexts: edfacurrentValueModTemp.setDescription('The value of this object provides the Current value of the Module Temperature Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfastate_flag_mod_temp = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 9), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('hidden', 1), ('read-only', 2), ('updateable', 3)))).setMaxAccess('readonly') if mibBuilder.loadTexts: edfastateFlagModTemp.setStatus('mandatory') if mibBuilder.loadTexts: edfastateFlagModTemp.setDescription('The value of this object provides the state of the Module Temperature Analog parameter. (0-Hidden 1-Read-Only, 2-Updateable).') edfamin_value_mod_temp = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 10), float()).setMaxAccess('readonly') if mibBuilder.loadTexts: edfaminValueModTemp.setStatus('mandatory') if mibBuilder.loadTexts: edfaminValueModTemp.setDescription('The value of this object provides the minimum value of the Module Temperature Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfamax_value_mod_temp = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 11), float()).setMaxAccess('readonly') if mibBuilder.loadTexts: edfamaxValueModTemp.setStatus('mandatory') if mibBuilder.loadTexts: edfamaxValueModTemp.setDescription('The value of this object provides the maximum value of the Module Temperature Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaalarm_state_mod_temp = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 12), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6))).clone(namedValues=named_values(('noAlarm', 1), ('majorLowAlarm', 2), ('minorLowAlarm', 3), ('minorHighAlarm', 4), ('majorHighAlarm', 5), ('informational', 6)))).setMaxAccess('readonly') if mibBuilder.loadTexts: edfaalarmStateModTemp.setStatus('mandatory') if mibBuilder.loadTexts: edfaalarmStateModTemp.setDescription('The value of this object provides the curent alarm state of the Module Temperature Analog parameter.') edfalabel_opt_in_power = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 13), display_string().subtype(subtypeSpec=value_size_constraint(0, 80))).setMaxAccess('readonly') if mibBuilder.loadTexts: edfalabelOptInPower.setStatus('optional') if mibBuilder.loadTexts: edfalabelOptInPower.setDescription('The value of this object provides the label of the Optical Input Power Analog parameter.') edfauom_opt_in_power = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 14), display_string().subtype(subtypeSpec=value_size_constraint(0, 80))).setMaxAccess('readonly') if mibBuilder.loadTexts: edfauomOptInPower.setStatus('optional') if mibBuilder.loadTexts: edfauomOptInPower.setDescription('The value of this object provides the Unit of Measure of the Optical Input Power Analog parameter.') edfamajor_high_opt_in_power = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 15), float()).setMaxAccess('readonly') if mibBuilder.loadTexts: edfamajorHighOptInPower.setStatus('mandatory') if mibBuilder.loadTexts: edfamajorHighOptInPower.setDescription('The value of this object provides the Major High alarm value of the Optical Input Power Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfamajor_low_opt_in_power = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 16), float()).setMaxAccess('readonly') if mibBuilder.loadTexts: edfamajorLowOptInPower.setStatus('mandatory') if mibBuilder.loadTexts: edfamajorLowOptInPower.setDescription('The value of this object provides the Major Low alarm value of the Optical Input Power Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaminor_high_opt_in_power = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 17), float()).setMaxAccess('readonly') if mibBuilder.loadTexts: edfaminorHighOptInPower.setStatus('mandatory') if mibBuilder.loadTexts: edfaminorHighOptInPower.setDescription('The value of this object provides the Minor High alarm value of the Optical Input Power Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaminor_low_opt_in_power = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 18), float()).setMaxAccess('readonly') if mibBuilder.loadTexts: edfaminorLowOptInPower.setStatus('mandatory') if mibBuilder.loadTexts: edfaminorLowOptInPower.setDescription('The value of this object provides the Minor Low alarm value of the Optical Input Power Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfacurrent_value_opt_in_power = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 19), float()).setMaxAccess('readonly') if mibBuilder.loadTexts: edfacurrentValueOptInPower.setStatus('mandatory') if mibBuilder.loadTexts: edfacurrentValueOptInPower.setDescription('The value of this object provides the Current value of the Optical Input Power Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfastate_flag_opt_in_power = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 20), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('hidden', 1), ('read-only', 2), ('updateable', 3)))).setMaxAccess('readonly') if mibBuilder.loadTexts: edfastateFlagOptInPower.setStatus('mandatory') if mibBuilder.loadTexts: edfastateFlagOptInPower.setDescription('The value of this object provides the state of the Optical Input Power Analog parameter. (0-Hidden 1-Read-Only, 2-Updateable).') edfamin_value_opt_in_power = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 21), float()).setMaxAccess('readonly') if mibBuilder.loadTexts: edfaminValueOptInPower.setStatus('mandatory') if mibBuilder.loadTexts: edfaminValueOptInPower.setDescription('The value of this object provides the minimum value of the Optical Input Power Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfamax_value_opt_in_power = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 22), float()).setMaxAccess('readonly') if mibBuilder.loadTexts: edfamaxValueOptInPower.setStatus('mandatory') if mibBuilder.loadTexts: edfamaxValueOptInPower.setDescription('The value of this object provides the maximum value of the Optical Input Power Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaalarm_state_opt_in_power = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 23), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6))).clone(namedValues=named_values(('noAlarm', 1), ('majorLowAlarm', 2), ('minorLowAlarm', 3), ('minorHighAlarm', 4), ('majorHighAlarm', 5), ('informational', 6)))).setMaxAccess('readonly') if mibBuilder.loadTexts: edfaalarmStateOptInPower.setStatus('mandatory') if mibBuilder.loadTexts: edfaalarmStateOptInPower.setDescription('The value of this object provides the curent alarm state of the Optical Input Power Analog parameter.') edfalabel_opt_out_power = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 24), display_string().subtype(subtypeSpec=value_size_constraint(0, 80))).setMaxAccess('readonly') if mibBuilder.loadTexts: edfalabelOptOutPower.setStatus('optional') if mibBuilder.loadTexts: edfalabelOptOutPower.setDescription('The value of this object provides the label of the Optical Output Power Analog parameter.') edfauom_opt_out_power = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 25), display_string().subtype(subtypeSpec=value_size_constraint(0, 80))).setMaxAccess('readonly') if mibBuilder.loadTexts: edfauomOptOutPower.setStatus('optional') if mibBuilder.loadTexts: edfauomOptOutPower.setDescription('The value of this object provides the Unit of Measure of the Optical Output Power Analog parameter.') edfamajor_high_opt_out_power = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 26), float()).setMaxAccess('readonly') if mibBuilder.loadTexts: edfamajorHighOptOutPower.setStatus('mandatory') if mibBuilder.loadTexts: edfamajorHighOptOutPower.setDescription('The value of this object provides the Major High alarm value of the Optical Output Power Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfamajor_low_opt_out_power = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 27), float()).setMaxAccess('readonly') if mibBuilder.loadTexts: edfamajorLowOptOutPower.setStatus('mandatory') if mibBuilder.loadTexts: edfamajorLowOptOutPower.setDescription('The value of this object provides the Major Low alarm value of the Optical Output Power Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaminor_high_opt_out_power = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 28), float()).setMaxAccess('readonly') if mibBuilder.loadTexts: edfaminorHighOptOutPower.setStatus('mandatory') if mibBuilder.loadTexts: edfaminorHighOptOutPower.setDescription('The value of this object provides the Minor High alarm value of the Optical Output Power Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaminor_low_opt_out_power = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 29), float()).setMaxAccess('readonly') if mibBuilder.loadTexts: edfaminorLowOptOutPower.setStatus('mandatory') if mibBuilder.loadTexts: edfaminorLowOptOutPower.setDescription('The value of this object provides the Minor Low alarm value of the Optical Output Power Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfacurrent_value_opt_out_power = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 30), float()).setMaxAccess('readonly') if mibBuilder.loadTexts: edfacurrentValueOptOutPower.setStatus('mandatory') if mibBuilder.loadTexts: edfacurrentValueOptOutPower.setDescription('The value of this object provides the Current value of the Optical Output Power Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfastate_flag_opt_out_power = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 31), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('hidden', 1), ('read-only', 2), ('updateable', 3)))).setMaxAccess('readonly') if mibBuilder.loadTexts: edfastateFlagOptOutPower.setStatus('mandatory') if mibBuilder.loadTexts: edfastateFlagOptOutPower.setDescription('The value of this object provides the state of the Optical Output Power Analog parameter. (0-Hidden 1-Read-Only, 2-Updateable).') edfamin_value_opt_out_power = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 32), float()).setMaxAccess('readonly') if mibBuilder.loadTexts: edfaminValueOptOutPower.setStatus('mandatory') if mibBuilder.loadTexts: edfaminValueOptOutPower.setDescription('The value of this object provides the minimum value of the Optical Output Power Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfamax_value_opt_out_power = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 33), float()).setMaxAccess('readonly') if mibBuilder.loadTexts: edfamaxValueOptOutPower.setStatus('mandatory') if mibBuilder.loadTexts: edfamaxValueOptOutPower.setDescription('The value of this object provides the maximum value of the Optical Output Power Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaalarm_state_opt_out_power = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 34), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6))).clone(namedValues=named_values(('noAlarm', 1), ('majorLowAlarm', 2), ('minorLowAlarm', 3), ('minorHighAlarm', 4), ('majorHighAlarm', 5), ('informational', 6)))).setMaxAccess('readonly') if mibBuilder.loadTexts: edfaalarmStateOptOutPower.setStatus('mandatory') if mibBuilder.loadTexts: edfaalarmStateOptOutPower.setDescription('The value of this object provides the curent alarm state of the Optical Output Power Analog parameter.') edfalabel_tec_temp = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 35), display_string().subtype(subtypeSpec=value_size_constraint(0, 80))).setMaxAccess('readonly') if mibBuilder.loadTexts: edfalabelTECTemp.setStatus('optional') if mibBuilder.loadTexts: edfalabelTECTemp.setDescription('The value of this object provides the label of the TEC Temperature Analog parameter.') edfauom_tec_temp = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 36), display_string().subtype(subtypeSpec=value_size_constraint(0, 80))).setMaxAccess('readonly') if mibBuilder.loadTexts: edfauomTECTemp.setStatus('optional') if mibBuilder.loadTexts: edfauomTECTemp.setDescription('The value of this object provides the Unit of Measure of the TEC Temperature Analog parameter.') edfamajor_high_tec_temp = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 37), float()).setMaxAccess('readonly') if mibBuilder.loadTexts: edfamajorHighTECTemp.setStatus('mandatory') if mibBuilder.loadTexts: edfamajorHighTECTemp.setDescription('The value of this object provides the Major High alarm value of the TEC Temperature Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfamajor_low_tec_temp = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 38), float()).setMaxAccess('readonly') if mibBuilder.loadTexts: edfamajorLowTECTemp.setStatus('mandatory') if mibBuilder.loadTexts: edfamajorLowTECTemp.setDescription('The value of this object provides the Major Low alarm value of the TEC Temperature Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaminor_high_tec_temp = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 39), float()).setMaxAccess('readonly') if mibBuilder.loadTexts: edfaminorHighTECTemp.setStatus('mandatory') if mibBuilder.loadTexts: edfaminorHighTECTemp.setDescription('The value of this object provides the Minor High alarm value of the TEC Temperature Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaminor_low_tec_temp = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 40), float()).setMaxAccess('readonly') if mibBuilder.loadTexts: edfaminorLowTECTemp.setStatus('mandatory') if mibBuilder.loadTexts: edfaminorLowTECTemp.setDescription('The value of this object provides the Minor Low alarm value of the TEC Temperature Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfacurrent_value_tec_temp = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 41), float()).setMaxAccess('readonly') if mibBuilder.loadTexts: edfacurrentValueTECTemp.setStatus('mandatory') if mibBuilder.loadTexts: edfacurrentValueTECTemp.setDescription('The value of this object provides the Current value of the TEC Temperature Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfastate_flag_tec_temp = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 42), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('hidden', 1), ('read-only', 2), ('updateable', 3)))).setMaxAccess('readonly') if mibBuilder.loadTexts: edfastateFlagTECTemp.setStatus('mandatory') if mibBuilder.loadTexts: edfastateFlagTECTemp.setDescription('The value of this object provides the state of the TEC Temperature Analog parameter. (0-Hidden 1-Read-Only, 2-Updateable).') edfamin_value_tec_temp = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 43), float()).setMaxAccess('readonly') if mibBuilder.loadTexts: edfaminValueTECTemp.setStatus('mandatory') if mibBuilder.loadTexts: edfaminValueTECTemp.setDescription('The value of this object provides the minimum value of the TEC Temperature Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfamax_value_tec_temp = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 44), float()).setMaxAccess('readonly') if mibBuilder.loadTexts: edfamaxValueTECTemp.setStatus('mandatory') if mibBuilder.loadTexts: edfamaxValueTECTemp.setDescription('The value of this object provides the maximum value of the TEC Temperature Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaalarm_state_tec_temp = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 45), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6))).clone(namedValues=named_values(('noAlarm', 1), ('majorLowAlarm', 2), ('minorLowAlarm', 3), ('minorHighAlarm', 4), ('majorHighAlarm', 5), ('informational', 6)))).setMaxAccess('readonly') if mibBuilder.loadTexts: edfaalarmStateTECTemp.setStatus('mandatory') if mibBuilder.loadTexts: edfaalarmStateTECTemp.setDescription('The value of this object provides the curent alarm state of the TEC Temperature Analog parameter.') edfalabel_tec_current = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 46), display_string().subtype(subtypeSpec=value_size_constraint(0, 80))).setMaxAccess('readonly') if mibBuilder.loadTexts: edfalabelTECCurrent.setStatus('optional') if mibBuilder.loadTexts: edfalabelTECCurrent.setDescription('The value of this object provides the label of the TEC Current Analog parameter.') edfauom_tec_current = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 47), display_string().subtype(subtypeSpec=value_size_constraint(0, 80))).setMaxAccess('readonly') if mibBuilder.loadTexts: edfauomTECCurrent.setStatus('optional') if mibBuilder.loadTexts: edfauomTECCurrent.setDescription('The value of this object provides the Unit of Measure of the TEC Current Analog parameter.') edfamajor_high_tec_current = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 48), float()).setMaxAccess('readonly') if mibBuilder.loadTexts: edfamajorHighTECCurrent.setStatus('mandatory') if mibBuilder.loadTexts: edfamajorHighTECCurrent.setDescription('The value of this object provides the Major High alarm value of the TEC Current Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfamajor_low_tec_current = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 49), float()).setMaxAccess('readonly') if mibBuilder.loadTexts: edfamajorLowTECCurrent.setStatus('mandatory') if mibBuilder.loadTexts: edfamajorLowTECCurrent.setDescription('The value of this object provides the Major Low alarm value of the TEC Current Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaminor_high_tec_current = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 50), float()).setMaxAccess('readonly') if mibBuilder.loadTexts: edfaminorHighTECCurrent.setStatus('mandatory') if mibBuilder.loadTexts: edfaminorHighTECCurrent.setDescription('The value of this object provides the Minor High alarm value of the TEC Current Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaminor_low_tec_current = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 51), float()).setMaxAccess('readonly') if mibBuilder.loadTexts: edfaminorLowTECCurrent.setStatus('mandatory') if mibBuilder.loadTexts: edfaminorLowTECCurrent.setDescription('The value of this object provides the Minor Low alarm value of the TEC Current Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfacurrent_value_tec_current = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 52), float()).setMaxAccess('readonly') if mibBuilder.loadTexts: edfacurrentValueTECCurrent.setStatus('mandatory') if mibBuilder.loadTexts: edfacurrentValueTECCurrent.setDescription('The value of this object provides the Current value of the TEC Current Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfastate_flag_tec_current = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 53), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('hidden', 1), ('read-only', 2), ('updateable', 3)))).setMaxAccess('readonly') if mibBuilder.loadTexts: edfastateFlagTECCurrent.setStatus('mandatory') if mibBuilder.loadTexts: edfastateFlagTECCurrent.setDescription('The value of this object provides the state of the TEC Current Analog parameter. (0-Hidden 1-Read-Only, 2-Updateable).') edfamin_value_tec_current = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 54), float()).setMaxAccess('readonly') if mibBuilder.loadTexts: edfaminValueTECCurrent.setStatus('mandatory') if mibBuilder.loadTexts: edfaminValueTECCurrent.setDescription('The value of this object provides the minimum value of the TEC Current Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfamax_value_tec_current = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 55), float()).setMaxAccess('readonly') if mibBuilder.loadTexts: edfamaxValueTECCurrent.setStatus('mandatory') if mibBuilder.loadTexts: edfamaxValueTECCurrent.setDescription('The value of this object provides the maximum value of the TEC Current Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaalarm_state_tec_current = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 56), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6))).clone(namedValues=named_values(('noAlarm', 1), ('majorLowAlarm', 2), ('minorLowAlarm', 3), ('minorHighAlarm', 4), ('majorHighAlarm', 5), ('informational', 6)))).setMaxAccess('readonly') if mibBuilder.loadTexts: edfaalarmStateTECCurrent.setStatus('mandatory') if mibBuilder.loadTexts: edfaalarmStateTECCurrent.setDescription('The value of this object provides the curent alarm state of the TEC Current Analog parameter.') edfalabel_laser_current = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 57), display_string().subtype(subtypeSpec=value_size_constraint(0, 80))).setMaxAccess('readonly') if mibBuilder.loadTexts: edfalabelLaserCurrent.setStatus('optional') if mibBuilder.loadTexts: edfalabelLaserCurrent.setDescription('The value of this object provides the label of the Laser Current Analog parameter.') edfauom_laser_current = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 58), display_string().subtype(subtypeSpec=value_size_constraint(0, 80))).setMaxAccess('readonly') if mibBuilder.loadTexts: edfauomLaserCurrent.setStatus('optional') if mibBuilder.loadTexts: edfauomLaserCurrent.setDescription('The value of this object provides the Unit of Measure of the Laser Current Analog parameter.') edfamajor_high_laser_current = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 59), float()).setMaxAccess('readonly') if mibBuilder.loadTexts: edfamajorHighLaserCurrent.setStatus('mandatory') if mibBuilder.loadTexts: edfamajorHighLaserCurrent.setDescription('The value of this object provides the Major High alarm value of the Laser Current Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfamajor_low_laser_current = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 60), float()).setMaxAccess('readonly') if mibBuilder.loadTexts: edfamajorLowLaserCurrent.setStatus('mandatory') if mibBuilder.loadTexts: edfamajorLowLaserCurrent.setDescription('The value of this object provides the Major Low alarm value of the Laser Current Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaminor_high_laser_current = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 61), float()).setMaxAccess('readonly') if mibBuilder.loadTexts: edfaminorHighLaserCurrent.setStatus('mandatory') if mibBuilder.loadTexts: edfaminorHighLaserCurrent.setDescription('The value of this object provides the Minor High alarm value of the Laser Current Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaminor_low_laser_current = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 62), float()).setMaxAccess('readonly') if mibBuilder.loadTexts: edfaminorLowLaserCurrent.setStatus('mandatory') if mibBuilder.loadTexts: edfaminorLowLaserCurrent.setDescription('The value of this object provides the Minor Low alarm value of the Laser Current Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfacurrent_value_laser_current = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 63), float()).setMaxAccess('readonly') if mibBuilder.loadTexts: edfacurrentValueLaserCurrent.setStatus('mandatory') if mibBuilder.loadTexts: edfacurrentValueLaserCurrent.setDescription('The value of this object provides the Current value of the Laser Current Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfastate_flag_laser_current = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 64), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('hidden', 1), ('read-only', 2), ('updateable', 3)))).setMaxAccess('readonly') if mibBuilder.loadTexts: edfastateFlagLaserCurrent.setStatus('mandatory') if mibBuilder.loadTexts: edfastateFlagLaserCurrent.setDescription('The value of this object provides the state of the Laser Current Analog parameter. (0-Hidden 1-Read-Only, 2-Updateable).') edfamin_value_laser_current = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 65), float()).setMaxAccess('readonly') if mibBuilder.loadTexts: edfaminValueLaserCurrent.setStatus('mandatory') if mibBuilder.loadTexts: edfaminValueLaserCurrent.setDescription('The value of this object provides the minimum value of the Laser Current Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfamax_value_laser_current = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 66), float()).setMaxAccess('readonly') if mibBuilder.loadTexts: edfamaxValueLaserCurrent.setStatus('mandatory') if mibBuilder.loadTexts: edfamaxValueLaserCurrent.setDescription('The value of this object provides the maximum value of the Laser Current Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaalarm_state_laser_current = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 67), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6))).clone(namedValues=named_values(('noAlarm', 1), ('majorLowAlarm', 2), ('minorLowAlarm', 3), ('minorHighAlarm', 4), ('majorHighAlarm', 5), ('informational', 6)))).setMaxAccess('readonly') if mibBuilder.loadTexts: edfaalarmStateLaserCurrent.setStatus('mandatory') if mibBuilder.loadTexts: edfaalarmStateLaserCurrent.setDescription('The value of this object provides the curent alarm state of the Laser Current Analog parameter.') edfalabel_laser_power = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 68), display_string().subtype(subtypeSpec=value_size_constraint(0, 80))).setMaxAccess('readonly') if mibBuilder.loadTexts: edfalabelLaserPower.setStatus('optional') if mibBuilder.loadTexts: edfalabelLaserPower.setDescription('The value of this object provides the label of the Laser Power Analog parameter.') edfauom_laser_power = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 69), display_string().subtype(subtypeSpec=value_size_constraint(0, 80))).setMaxAccess('readonly') if mibBuilder.loadTexts: edfauomLaserPower.setStatus('optional') if mibBuilder.loadTexts: edfauomLaserPower.setDescription('The value of this object provides the Unit of Measure of the Laser Power Analog parameter.') edfamajor_high_laser_power = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 70), float()).setMaxAccess('readonly') if mibBuilder.loadTexts: edfamajorHighLaserPower.setStatus('mandatory') if mibBuilder.loadTexts: edfamajorHighLaserPower.setDescription('The value of this object provides the Major High alarm value of the Laser Power Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfamajor_low_laser_power = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 71), float()).setMaxAccess('readonly') if mibBuilder.loadTexts: edfamajorLowLaserPower.setStatus('mandatory') if mibBuilder.loadTexts: edfamajorLowLaserPower.setDescription('The value of this object provides the Major Low alarm value of the Laser Power Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaminor_high_laser_power = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 72), float()).setMaxAccess('readonly') if mibBuilder.loadTexts: edfaminorHighLaserPower.setStatus('mandatory') if mibBuilder.loadTexts: edfaminorHighLaserPower.setDescription('The value of this object provides the Minor High alarm value of the Laser Power Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaminor_low_laser_power = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 73), float()).setMaxAccess('readonly') if mibBuilder.loadTexts: edfaminorLowLaserPower.setStatus('mandatory') if mibBuilder.loadTexts: edfaminorLowLaserPower.setDescription('The value of this object provides the Minor Low alarm value of the Laser Power Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfacurrent_value_laser_power = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 74), float()).setMaxAccess('readonly') if mibBuilder.loadTexts: edfacurrentValueLaserPower.setStatus('mandatory') if mibBuilder.loadTexts: edfacurrentValueLaserPower.setDescription('The value of this object provides the Current value of the Laser Power Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfastate_flag_laser_power = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 75), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('hidden', 1), ('read-only', 2), ('updateable', 3)))).setMaxAccess('readonly') if mibBuilder.loadTexts: edfastateFlagLaserPower.setStatus('mandatory') if mibBuilder.loadTexts: edfastateFlagLaserPower.setDescription('The value of this object provides the state of the Laser Power Analog parameter. (0-Hidden 1-Read-Only, 2-Updateable).') edfamin_value_laser_power = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 76), float()).setMaxAccess('readonly') if mibBuilder.loadTexts: edfaminValueLaserPower.setStatus('mandatory') if mibBuilder.loadTexts: edfaminValueLaserPower.setDescription('The value of this object provides the minimum value of the Laser Power Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfamax_value_laser_power = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 77), float()).setMaxAccess('readonly') if mibBuilder.loadTexts: edfamaxValueLaserPower.setStatus('mandatory') if mibBuilder.loadTexts: edfamaxValueLaserPower.setDescription('The value of this object provides the maximum value of the Laser Power Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaalarm_state_laser_power = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 78), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6))).clone(namedValues=named_values(('noAlarm', 1), ('majorLowAlarm', 2), ('minorLowAlarm', 3), ('minorHighAlarm', 4), ('majorHighAlarm', 5), ('informational', 6)))).setMaxAccess('readonly') if mibBuilder.loadTexts: edfaalarmStateLaserPower.setStatus('mandatory') if mibBuilder.loadTexts: edfaalarmStateLaserPower.setDescription('The value of this object provides the curent alarm state of the Laser Power Analog parameter.') edfalabel12_volt = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 79), display_string().subtype(subtypeSpec=value_size_constraint(0, 80))).setMaxAccess('readonly') if mibBuilder.loadTexts: edfalabel12Volt.setStatus('optional') if mibBuilder.loadTexts: edfalabel12Volt.setDescription('The value of this object provides the label of the 12v Current Analog parameter.') edfauom12_volt = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 80), display_string().subtype(subtypeSpec=value_size_constraint(0, 80))).setMaxAccess('readonly') if mibBuilder.loadTexts: edfauom12Volt.setStatus('optional') if mibBuilder.loadTexts: edfauom12Volt.setDescription('The value of this object provides the Unit of Measure of the 12v Current Analog parameter.') edfamajor_high12_volt = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 81), float()).setMaxAccess('readonly') if mibBuilder.loadTexts: edfamajorHigh12Volt.setStatus('mandatory') if mibBuilder.loadTexts: edfamajorHigh12Volt.setDescription('The value of this object provides the Major High alarm value of the 12 Volt Current Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfamajor_low12_volt = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 82), float()).setMaxAccess('readonly') if mibBuilder.loadTexts: edfamajorLow12Volt.setStatus('mandatory') if mibBuilder.loadTexts: edfamajorLow12Volt.setDescription('The value of this object provides the Major Low alarm value of the 12 Volt Current Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaminor_high12_volt = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 83), float()).setMaxAccess('readonly') if mibBuilder.loadTexts: edfaminorHigh12Volt.setStatus('mandatory') if mibBuilder.loadTexts: edfaminorHigh12Volt.setDescription('The value of this object provides the Minor High alarm value of the 12 Volt Current Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaminor_low12_volt = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 84), float()).setMaxAccess('readonly') if mibBuilder.loadTexts: edfaminorLow12Volt.setStatus('mandatory') if mibBuilder.loadTexts: edfaminorLow12Volt.setDescription('The value of this object provides the Minor Low alarm value of the 12 Volt Current Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfacurrent_value12_volt = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 85), float()).setMaxAccess('readonly') if mibBuilder.loadTexts: edfacurrentValue12Volt.setStatus('mandatory') if mibBuilder.loadTexts: edfacurrentValue12Volt.setDescription('The value of this object provides the Current value of the 12 Volt Current Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfastate_flag12_volt = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 86), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('hidden', 1), ('read-only', 2), ('updateable', 3)))).setMaxAccess('readonly') if mibBuilder.loadTexts: edfastateFlag12Volt.setStatus('mandatory') if mibBuilder.loadTexts: edfastateFlag12Volt.setDescription('The value of this object provides the state of the 12v Current Analog parameter. (0-Hidden 1-Read-Only, 2-Updateable).') edfamin_value12_volt = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 87), float()).setMaxAccess('readonly') if mibBuilder.loadTexts: edfaminValue12Volt.setStatus('mandatory') if mibBuilder.loadTexts: edfaminValue12Volt.setDescription('The value of this object provides the minimum value of the 12 Volt Current Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfamax_value12_volt = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 88), float()).setMaxAccess('readonly') if mibBuilder.loadTexts: edfamaxValue12Volt.setStatus('mandatory') if mibBuilder.loadTexts: edfamaxValue12Volt.setDescription('The value of this object provides the maximum value of the 12 Volt Current Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaalarm_state12_volt = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 89), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6))).clone(namedValues=named_values(('noAlarm', 1), ('majorLowAlarm', 2), ('minorLowAlarm', 3), ('minorHighAlarm', 4), ('majorHighAlarm', 5), ('informational', 6)))).setMaxAccess('readonly') if mibBuilder.loadTexts: edfaalarmState12Volt.setStatus('mandatory') if mibBuilder.loadTexts: edfaalarmState12Volt.setDescription('The value of this object provides the curent alarm state of the 12v Current Analog parameter.') edfalabel37_volt = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 90), display_string().subtype(subtypeSpec=value_size_constraint(0, 80))).setMaxAccess('readonly') if mibBuilder.loadTexts: edfalabel37Volt.setStatus('optional') if mibBuilder.loadTexts: edfalabel37Volt.setDescription('The value of this object provides the label of the 3.7v Current Analog parameter.') edfauom37_volt = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 91), display_string().subtype(subtypeSpec=value_size_constraint(0, 80))).setMaxAccess('readonly') if mibBuilder.loadTexts: edfauom37Volt.setStatus('optional') if mibBuilder.loadTexts: edfauom37Volt.setDescription('The value of this object provides the Unit of Measure of the 3.7v Current Analog parameter.') edfamajor_high37_volt = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 92), float()).setMaxAccess('readonly') if mibBuilder.loadTexts: edfamajorHigh37Volt.setStatus('mandatory') if mibBuilder.loadTexts: edfamajorHigh37Volt.setDescription('The value of this object provides the Major High alarm value of the 3.7 Volt Current Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfamajor_low37_volt = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 93), float()).setMaxAccess('readonly') if mibBuilder.loadTexts: edfamajorLow37Volt.setStatus('mandatory') if mibBuilder.loadTexts: edfamajorLow37Volt.setDescription('The value of this object provides the Major Low alarm value of the 3.7 Volt Current Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaminor_high37_volt = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 94), float()).setMaxAccess('readonly') if mibBuilder.loadTexts: edfaminorHigh37Volt.setStatus('mandatory') if mibBuilder.loadTexts: edfaminorHigh37Volt.setDescription('The value of this object provides the Minor High alarm value of the 3.7 Volt Current Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaminor_low37_volt = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 95), float()).setMaxAccess('readonly') if mibBuilder.loadTexts: edfaminorLow37Volt.setStatus('mandatory') if mibBuilder.loadTexts: edfaminorLow37Volt.setDescription('The value of this object provides the Minor Low alarm value of the 3.7 Volt Current Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfacurrent_value37_volt = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 96), float()).setMaxAccess('readonly') if mibBuilder.loadTexts: edfacurrentValue37Volt.setStatus('mandatory') if mibBuilder.loadTexts: edfacurrentValue37Volt.setDescription('The value of this object provides the Current value of the 3.7 Volt Current Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfastate_flag37_volt = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 97), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('hidden', 1), ('read-only', 2), ('updateable', 3)))).setMaxAccess('readonly') if mibBuilder.loadTexts: edfastateFlag37Volt.setStatus('mandatory') if mibBuilder.loadTexts: edfastateFlag37Volt.setDescription('The value of this object provides the state of the 3.7v Current Analog parameter. (0-Hidden 1-Read-Only, 2-Updateable).') edfamin_value37_volt = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 98), float()).setMaxAccess('readonly') if mibBuilder.loadTexts: edfaminValue37Volt.setStatus('mandatory') if mibBuilder.loadTexts: edfaminValue37Volt.setDescription('The value of this object provides the minimum value of the 3.7 Volt Current Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfamax_value37_volt = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 99), float()).setMaxAccess('readonly') if mibBuilder.loadTexts: edfamaxValue37Volt.setStatus('mandatory') if mibBuilder.loadTexts: edfamaxValue37Volt.setDescription('The value of this object provides the maximum value of the 3.7 Volt Current Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaalarm_state37_volt = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 100), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6))).clone(namedValues=named_values(('noAlarm', 1), ('majorLowAlarm', 2), ('minorLowAlarm', 3), ('minorHighAlarm', 4), ('majorHighAlarm', 5), ('informational', 6)))).setMaxAccess('readonly') if mibBuilder.loadTexts: edfaalarmState37Volt.setStatus('mandatory') if mibBuilder.loadTexts: edfaalarmState37Volt.setDescription('The value of this object provides the curent alarm state of the 3.7v Current Analog parameter.') edfalabel_fan_current = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 101), display_string().subtype(subtypeSpec=value_size_constraint(0, 80))).setMaxAccess('readonly') if mibBuilder.loadTexts: edfalabelFanCurrent.setStatus('optional') if mibBuilder.loadTexts: edfalabelFanCurrent.setDescription('The value of this object provides the label of the Fan Current Analog parameter.') edfauom_fan_current = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 102), display_string().subtype(subtypeSpec=value_size_constraint(0, 80))).setMaxAccess('readonly') if mibBuilder.loadTexts: edfauomFanCurrent.setStatus('optional') if mibBuilder.loadTexts: edfauomFanCurrent.setDescription('The value of this object provides the Unit of Measure of the Fan Current Analog parameter.') edfamajor_high_fan_current = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 103), float()).setMaxAccess('readonly') if mibBuilder.loadTexts: edfamajorHighFanCurrent.setStatus('mandatory') if mibBuilder.loadTexts: edfamajorHighFanCurrent.setDescription('The value of this object provides the Major High alarm value of the Fan Current Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfamajor_low_fan_current = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 104), float()).setMaxAccess('readonly') if mibBuilder.loadTexts: edfamajorLowFanCurrent.setStatus('mandatory') if mibBuilder.loadTexts: edfamajorLowFanCurrent.setDescription('The value of this object provides the Major Low alarm value of the Fan Current Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaminor_high_fan_current = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 105), float()).setMaxAccess('readonly') if mibBuilder.loadTexts: edfaminorHighFanCurrent.setStatus('mandatory') if mibBuilder.loadTexts: edfaminorHighFanCurrent.setDescription('The value of this object provides the Minor High alarm value of the Fan Current Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaminor_low_fan_current = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 106), float()).setMaxAccess('readonly') if mibBuilder.loadTexts: edfaminorLowFanCurrent.setStatus('mandatory') if mibBuilder.loadTexts: edfaminorLowFanCurrent.setDescription('The value of this object provides the Minor Low alarm value of the Fan Current Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfacurrent_value_fan_current = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 107), float()).setMaxAccess('readonly') if mibBuilder.loadTexts: edfacurrentValueFanCurrent.setStatus('mandatory') if mibBuilder.loadTexts: edfacurrentValueFanCurrent.setDescription('The value of this object provides the Current value of the Fan Current Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfastate_flag_fan_current = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 108), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('hidden', 1), ('read-only', 2), ('updateable', 3)))).setMaxAccess('readonly') if mibBuilder.loadTexts: edfastateFlagFanCurrent.setStatus('mandatory') if mibBuilder.loadTexts: edfastateFlagFanCurrent.setDescription('The value of this object provides the state of the Fan Current Analog parameter. (0-Hidden 1-Read-Only, 2-Updateable).') edfamin_value_fan_current = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 109), float()).setMaxAccess('readonly') if mibBuilder.loadTexts: edfaminValueFanCurrent.setStatus('mandatory') if mibBuilder.loadTexts: edfaminValueFanCurrent.setDescription('The value of this object provides the minimum value of the Fan Current Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfamax_value_fan_current = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 110), float()).setMaxAccess('readonly') if mibBuilder.loadTexts: edfamaxValueFanCurrent.setStatus('mandatory') if mibBuilder.loadTexts: edfamaxValueFanCurrent.setDescription('The value of this object provides the maximum value of the Fan Current Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaalarm_state_fan_current = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 111), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6))).clone(namedValues=named_values(('noAlarm', 1), ('majorLowAlarm', 2), ('minorLowAlarm', 3), ('minorHighAlarm', 4), ('majorHighAlarm', 5), ('informational', 6)))).setMaxAccess('readonly') if mibBuilder.loadTexts: edfaalarmStateFanCurrent.setStatus('mandatory') if mibBuilder.loadTexts: edfaalarmStateFanCurrent.setDescription('The value of this object provides the curent alarm state of the Fan Current Analog parameter.') edfalabel_op_setting = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 112), display_string().subtype(subtypeSpec=value_size_constraint(0, 80))).setMaxAccess('readonly') if mibBuilder.loadTexts: edfalabelOPSetting.setStatus('optional') if mibBuilder.loadTexts: edfalabelOPSetting.setDescription('The value of this object provides the label of the Output Power Setting Analog parameter.') edfauom_op_setting = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 113), display_string().subtype(subtypeSpec=value_size_constraint(0, 80))).setMaxAccess('readonly') if mibBuilder.loadTexts: edfauomOPSetting.setStatus('optional') if mibBuilder.loadTexts: edfauomOPSetting.setDescription('The value of this object provides the Unit of Measure of the 12v Current Analog parameter.') edfamajor_high_op_setting = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 114), float()).setMaxAccess('readonly') if mibBuilder.loadTexts: edfamajorHighOPSetting.setStatus('mandatory') if mibBuilder.loadTexts: edfamajorHighOPSetting.setDescription('The value of this object provides the Major High alarm value of the Output Power Setting Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfamajor_low_op_setting = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 115), float()).setMaxAccess('readonly') if mibBuilder.loadTexts: edfamajorLowOPSetting.setStatus('mandatory') if mibBuilder.loadTexts: edfamajorLowOPSetting.setDescription('The value of this object provides the Major Low alarm value of the Output Power Setting Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaminor_high_op_setting = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 116), float()).setMaxAccess('readonly') if mibBuilder.loadTexts: edfaminorHighOPSetting.setStatus('mandatory') if mibBuilder.loadTexts: edfaminorHighOPSetting.setDescription('The value of this object provides the Minor High alarm value of the Output Power Setting Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaminor_low_op_setting = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 117), float()).setMaxAccess('readonly') if mibBuilder.loadTexts: edfaminorLowOPSetting.setStatus('mandatory') if mibBuilder.loadTexts: edfaminorLowOPSetting.setDescription('The value of this object provides the Minor Low alarm value of the Output Power Setting Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfacurrent_value_op_setting = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 118), float()).setMaxAccess('readwrite') if mibBuilder.loadTexts: edfacurrentValueOPSetting.setStatus('mandatory') if mibBuilder.loadTexts: edfacurrentValueOPSetting.setDescription('The value of this object provides the Current value of the Output Power Setting Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfastate_flag_op_setting = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 119), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('hidden', 1), ('read-only', 2), ('updateable', 3)))).setMaxAccess('readonly') if mibBuilder.loadTexts: edfastateFlagOPSetting.setStatus('mandatory') if mibBuilder.loadTexts: edfastateFlagOPSetting.setDescription('The value of this object provides the state of the Output Power Setting Analog parameter. (0-Hidden 1-Read-Only, 2-Updateable).') edfamin_value_op_setting = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 120), float()).setMaxAccess('readonly') if mibBuilder.loadTexts: edfaminValueOPSetting.setStatus('mandatory') if mibBuilder.loadTexts: edfaminValueOPSetting.setDescription('The value of this object provides the minimum value of the Output Power Setting Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfamax_value_op_setting = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 121), float()).setMaxAccess('readonly') if mibBuilder.loadTexts: edfamaxValueOPSetting.setStatus('mandatory') if mibBuilder.loadTexts: edfamaxValueOPSetting.setDescription('The value of this object provides the maximum value of the Output Power Setting Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaalarm_state_op_setting = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 122), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6))).clone(namedValues=named_values(('noAlarm', 1), ('majorLowAlarm', 2), ('minorLowAlarm', 3), ('minorHighAlarm', 4), ('majorHighAlarm', 5), ('informational', 6)))).setMaxAccess('readonly') if mibBuilder.loadTexts: edfaalarmStateOPSetting.setStatus('mandatory') if mibBuilder.loadTexts: edfaalarmStateOPSetting.setDescription('The value of this object provides the curent alarm state of the Output Power Setting Analog parameter.') edfalabel_lp_setting = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 123), display_string().subtype(subtypeSpec=value_size_constraint(0, 80))).setMaxAccess('readonly') if mibBuilder.loadTexts: edfalabelLPSetting.setStatus('optional') if mibBuilder.loadTexts: edfalabelLPSetting.setDescription('The value of this object provides the label of the Laser Power Setting Analog parameter.') edfauom_lp_setting = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 124), display_string().subtype(subtypeSpec=value_size_constraint(0, 80))).setMaxAccess('readonly') if mibBuilder.loadTexts: edfauomLPSetting.setStatus('optional') if mibBuilder.loadTexts: edfauomLPSetting.setDescription('The value of this object provides the Unit of Measure of the Laser Power Setting Analog parameter.') edfamajor_high_lp_setting = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 125), float()).setMaxAccess('readonly') if mibBuilder.loadTexts: edfamajorHighLPSetting.setStatus('mandatory') if mibBuilder.loadTexts: edfamajorHighLPSetting.setDescription('The value of this object provides the Major High alarm value of the Laser Power Setting Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfamajor_low_lp_setting = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 126), float()).setMaxAccess('readonly') if mibBuilder.loadTexts: edfamajorLowLPSetting.setStatus('mandatory') if mibBuilder.loadTexts: edfamajorLowLPSetting.setDescription('The value of this object provides the Major Low alarm value of the Laser Power Setting Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaminor_high_lp_setting = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 127), float()).setMaxAccess('readonly') if mibBuilder.loadTexts: edfaminorHighLPSetting.setStatus('mandatory') if mibBuilder.loadTexts: edfaminorHighLPSetting.setDescription('The value of this object provides the Minor High alarm value of the Laser Power Setting Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaminor_low_lp_setting = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 128), float()).setMaxAccess('readonly') if mibBuilder.loadTexts: edfaminorLowLPSetting.setStatus('mandatory') if mibBuilder.loadTexts: edfaminorLowLPSetting.setDescription('The value of this object provides the Minor Low alarm value of the Laser Power Setting Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfacurrent_value_lp_setting = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 129), float()).setMaxAccess('readwrite') if mibBuilder.loadTexts: edfacurrentValueLPSetting.setStatus('mandatory') if mibBuilder.loadTexts: edfacurrentValueLPSetting.setDescription('The value of this object provides the Current value of the Laser Power Setting Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfastate_flag_lp_setting = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 130), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('hidden', 1), ('read-only', 2), ('updateable', 3)))).setMaxAccess('readonly') if mibBuilder.loadTexts: edfastateFlagLPSetting.setStatus('mandatory') if mibBuilder.loadTexts: edfastateFlagLPSetting.setDescription('The value of this object provides the state of the Laser Power Setting Analog parameter. (0-Hidden 1-Read-Only, 2-Updateable).') edfamin_value_lp_setting = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 131), float()).setMaxAccess('readonly') if mibBuilder.loadTexts: edfaminValueLPSetting.setStatus('mandatory') if mibBuilder.loadTexts: edfaminValueLPSetting.setDescription('The value of this object provides the minimum value of the Laser Power Setting Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfamax_value_lp_setting = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 132), float()).setMaxAccess('readonly') if mibBuilder.loadTexts: edfamaxValueLPSetting.setStatus('mandatory') if mibBuilder.loadTexts: edfamaxValueLPSetting.setDescription('The value of this object provides the maximum value of the Laser Power Setting Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaalarm_state_lp_setting = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 133), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6))).clone(namedValues=named_values(('noAlarm', 1), ('majorLowAlarm', 2), ('minorLowAlarm', 3), ('minorHighAlarm', 4), ('majorHighAlarm', 5), ('informational', 6)))).setMaxAccess('readonly') if mibBuilder.loadTexts: edfaalarmStateLPSetting.setStatus('mandatory') if mibBuilder.loadTexts: edfaalarmStateLPSetting.setDescription('The value of this object provides the curent alarm state of the Laser Power Setting Analog parameter.') edfalabel_cg_setting = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 134), display_string().subtype(subtypeSpec=value_size_constraint(0, 80))).setMaxAccess('readonly') if mibBuilder.loadTexts: edfalabelCGSetting.setStatus('optional') if mibBuilder.loadTexts: edfalabelCGSetting.setDescription('The value of this object provides the label of the Constant Gain Setting Analog parameter.') edfauom_cg_setting = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 135), display_string().subtype(subtypeSpec=value_size_constraint(0, 80))).setMaxAccess('readonly') if mibBuilder.loadTexts: edfauomCGSetting.setStatus('optional') if mibBuilder.loadTexts: edfauomCGSetting.setDescription('The value of this object provides the Unit of Measure of the Constant Gain Setting Analog parameter.') edfamajor_high_cg_setting = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 136), float()).setMaxAccess('readonly') if mibBuilder.loadTexts: edfamajorHighCGSetting.setStatus('mandatory') if mibBuilder.loadTexts: edfamajorHighCGSetting.setDescription('The value of this object provides the Major High alarm value of the Constant Gain Setting Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfamajor_low_cg_setting = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 137), float()).setMaxAccess('readonly') if mibBuilder.loadTexts: edfamajorLowCGSetting.setStatus('mandatory') if mibBuilder.loadTexts: edfamajorLowCGSetting.setDescription('The value of this object provides the Major Low alarm value of the Constant Gain Setting Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaminor_high_cg_setting = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 138), float()).setMaxAccess('readonly') if mibBuilder.loadTexts: edfaminorHighCGSetting.setStatus('mandatory') if mibBuilder.loadTexts: edfaminorHighCGSetting.setDescription('The value of this object provides the Minor High alarm value of the Constant Gain Setting Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaminor_low_cg_setting = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 139), float()).setMaxAccess('readonly') if mibBuilder.loadTexts: edfaminorLowCGSetting.setStatus('mandatory') if mibBuilder.loadTexts: edfaminorLowCGSetting.setDescription('The value of this object provides the Minor Low alarm value of the Constant Gain Setting Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfacurrent_value_cg_setting = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 140), float()).setMaxAccess('readwrite') if mibBuilder.loadTexts: edfacurrentValueCGSetting.setStatus('mandatory') if mibBuilder.loadTexts: edfacurrentValueCGSetting.setDescription('The value of this object provides the Current value of the Constant Gain Setting Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfastate_flag_cg_setting = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 141), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('hidden', 1), ('read-only', 2), ('updateable', 3)))).setMaxAccess('readonly') if mibBuilder.loadTexts: edfastateFlagCGSetting.setStatus('mandatory') if mibBuilder.loadTexts: edfastateFlagCGSetting.setDescription('The value of this object provides the state of the Constant Gain Setting Analog parameter. (0-Hidden 1-Read-Only, 2-Updateable).') edfamin_value_cg_setting = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 142), float()).setMaxAccess('readonly') if mibBuilder.loadTexts: edfaminValueCGSetting.setStatus('mandatory') if mibBuilder.loadTexts: edfaminValueCGSetting.setDescription('The value of this object provides the minimum value of the Constant Gain Setting Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfamax_value_cg_setting = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 143), float()).setMaxAccess('readonly') if mibBuilder.loadTexts: edfamaxValueCGSetting.setStatus('mandatory') if mibBuilder.loadTexts: edfamaxValueCGSetting.setDescription('The value of this object provides the maximum value of the Constant Gain Setting Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaalarm_state_cg_setting = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 144), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6))).clone(namedValues=named_values(('noAlarm', 1), ('majorLowAlarm', 2), ('minorLowAlarm', 3), ('minorHighAlarm', 4), ('majorHighAlarm', 5), ('informational', 6)))).setMaxAccess('readonly') if mibBuilder.loadTexts: edfaalarmStateCGSetting.setStatus('mandatory') if mibBuilder.loadTexts: edfaalarmStateCGSetting.setDescription('The value of this object provides the curent alarm state of the Constant Gain Setting Analog parameter.') edfalabel_opt_threshold = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 145), display_string().subtype(subtypeSpec=value_size_constraint(0, 80))).setMaxAccess('readonly') if mibBuilder.loadTexts: edfalabelOptThreshold.setStatus('optional') if mibBuilder.loadTexts: edfalabelOptThreshold.setDescription('The value of this object provides the label of the Optical Input Threshold Analog parameter.') edfauom_opt_threshold = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 146), display_string().subtype(subtypeSpec=value_size_constraint(0, 80))).setMaxAccess('readonly') if mibBuilder.loadTexts: edfauomOptThreshold.setStatus('optional') if mibBuilder.loadTexts: edfauomOptThreshold.setDescription('The value of this object provides the Unit of Measure of the Optical Input Threshold Analog parameter.') edfamajor_high_opt_threshold = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 147), float()).setMaxAccess('readonly') if mibBuilder.loadTexts: edfamajorHighOptThreshold.setStatus('mandatory') if mibBuilder.loadTexts: edfamajorHighOptThreshold.setDescription('The value of this object provides the Major High alarm value of the Optical Input Threshold Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfamajor_low_opt_threshold = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 148), float()).setMaxAccess('readonly') if mibBuilder.loadTexts: edfamajorLowOptThreshold.setStatus('mandatory') if mibBuilder.loadTexts: edfamajorLowOptThreshold.setDescription('The value of this object provides the Major Low alarm value of the Optical Input Threshold Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaminor_high_opt_threshold = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 149), float()).setMaxAccess('readonly') if mibBuilder.loadTexts: edfaminorHighOptThreshold.setStatus('mandatory') if mibBuilder.loadTexts: edfaminorHighOptThreshold.setDescription('The value of this object provides the Minor High alarm value of the Optical Input Threshold Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaminor_low_opt_threshold = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 150), float()).setMaxAccess('readonly') if mibBuilder.loadTexts: edfaminorLowOptThreshold.setStatus('mandatory') if mibBuilder.loadTexts: edfaminorLowOptThreshold.setDescription('The value of this object provides the Minor Low alarm value of the Optical Input Threshold Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfacurrent_value_opt_threshold = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 151), float()).setMaxAccess('readwrite') if mibBuilder.loadTexts: edfacurrentValueOptThreshold.setStatus('mandatory') if mibBuilder.loadTexts: edfacurrentValueOptThreshold.setDescription('The value of this object provides the Current value of the Optical Input Threshold Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfastate_flag_opt_threshold = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 152), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('hidden', 1), ('read-only', 2), ('updateable', 3)))).setMaxAccess('readonly') if mibBuilder.loadTexts: edfastateFlagOptThreshold.setStatus('mandatory') if mibBuilder.loadTexts: edfastateFlagOptThreshold.setDescription('The value of this object provides the state of the Optical Input Threshold Analog parameter. (0-Hidden 1-Read-Only, 2-Updateable).') edfamin_value_opt_threshold = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 153), float()).setMaxAccess('readonly') if mibBuilder.loadTexts: edfaminValueOptThreshold.setStatus('mandatory') if mibBuilder.loadTexts: edfaminValueOptThreshold.setDescription('The value of this object provides the minimum value of the Optical Input Threshold Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfamax_value_opt_threshold = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 154), float()).setMaxAccess('readonly') if mibBuilder.loadTexts: edfamaxValueOptThreshold.setStatus('mandatory') if mibBuilder.loadTexts: edfamaxValueOptThreshold.setDescription('The value of this object provides the maximum value of the Optical Input Threshold Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaalarm_state_opt_threshold = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 155), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6))).clone(namedValues=named_values(('noAlarm', 1), ('majorLowAlarm', 2), ('minorLowAlarm', 3), ('minorHighAlarm', 4), ('majorHighAlarm', 5), ('informational', 6)))).setMaxAccess('readonly') if mibBuilder.loadTexts: edfaalarmStateOptThreshold.setStatus('mandatory') if mibBuilder.loadTexts: edfaalarmStateOptThreshold.setDescription('The value of this object provides the curent alarm state of the Optical Input Threshold Analog parameter.') edfagx2_edfa_digital_table_index = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 3, 2, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 4294967295))).setMaxAccess('readonly') if mibBuilder.loadTexts: edfagx2EDFADigitalTableIndex.setStatus('mandatory') if mibBuilder.loadTexts: edfagx2EDFADigitalTableIndex.setDescription('The value of this object identifies the network element. This index is equal to the hfcCommonTableIndex for the same element.') edfalabel_mode_setting = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 3, 2, 2), display_string().subtype(subtypeSpec=value_size_constraint(0, 80))).setMaxAccess('readonly') if mibBuilder.loadTexts: edfalabelModeSetting.setStatus('optional') if mibBuilder.loadTexts: edfalabelModeSetting.setDescription("The value of this object provides the label of the EDFA's Mode Digital parameter.") edfaenum_mode_setting = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 3, 2, 3), display_string().subtype(subtypeSpec=value_size_constraint(0, 80))).setMaxAccess('readonly') if mibBuilder.loadTexts: edfaenumModeSetting.setStatus('optional') if mibBuilder.loadTexts: edfaenumModeSetting.setDescription('The value of this object represents the Enumeration values possible for the Digital parameter. Each Enumerated values is separated by a common. The first value has a enumerated value of 0.') edfavalue_mode_setting = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 3, 2, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6))).clone(namedValues=named_values(('power-out-preset', 1), ('power-out-set', 2), ('laser-power-preset', 3), ('laser-power-set', 4), ('constant-gain-preset', 5), ('constant-gain-set', 6)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: edfavalueModeSetting.setStatus('mandatory') if mibBuilder.loadTexts: edfavalueModeSetting.setDescription('The value of this object is the current value of the parameter. It is an integer value from 0 to 5 representing the operation mode of the module.') edfastate_flag_mode_setting = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 3, 2, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('hidden', 1), ('read-only', 2), ('updateable', 3)))).setMaxAccess('readonly') if mibBuilder.loadTexts: edfastateFlagModeSetting.setStatus('mandatory') if mibBuilder.loadTexts: edfastateFlagModeSetting.setDescription('The value of this object provides the state of the the parameter. (0-Hidden 1-Read-Only, 2-Updateable).') edfalabel_module_state = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 3, 2, 6), display_string().subtype(subtypeSpec=value_size_constraint(0, 80))).setMaxAccess('readonly') if mibBuilder.loadTexts: edfalabelModuleState.setStatus('optional') if mibBuilder.loadTexts: edfalabelModuleState.setDescription('The value of this object provides the label of the Module State Digital parameter.') edfaenum_module_state = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 3, 2, 7), display_string().subtype(subtypeSpec=value_size_constraint(0, 80))).setMaxAccess('readonly') if mibBuilder.loadTexts: edfaenumModuleState.setStatus('optional') if mibBuilder.loadTexts: edfaenumModuleState.setDescription('The value of this object represents the Enumeration values possible for the Digital parameter. Each Enumerated values is separated by a common. The first value has a enumerated value of 1.') edfavalue_module_state = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 3, 2, 8), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('off', 1), ('on', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: edfavalueModuleState.setStatus('mandatory') if mibBuilder.loadTexts: edfavalueModuleState.setDescription('The value of this object is the current value of the parameter.') edfastate_flag_module_state = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 3, 2, 9), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('hidden', 1), ('read-only', 2), ('updateable', 3)))).setMaxAccess('readonly') if mibBuilder.loadTexts: edfastateFlagModuleState.setStatus('mandatory') if mibBuilder.loadTexts: edfastateFlagModuleState.setDescription('The value of this object provides the state of the the parameter. (0-Hidden 1-Read-Only, 2-Updateable).') edfalabel_factory_default = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 3, 2, 10), display_string().subtype(subtypeSpec=value_size_constraint(0, 80))).setMaxAccess('readonly') if mibBuilder.loadTexts: edfalabelFactoryDefault.setStatus('optional') if mibBuilder.loadTexts: edfalabelFactoryDefault.setDescription('The value of this object provides the label of the Factory Default Reset Digital parameter.') edfaenum_factory_default = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 3, 2, 11), display_string().subtype(subtypeSpec=value_size_constraint(0, 80))).setMaxAccess('readonly') if mibBuilder.loadTexts: edfaenumFactoryDefault.setStatus('optional') if mibBuilder.loadTexts: edfaenumFactoryDefault.setDescription('The value of this object represents the Enumeration values possible for the Digital parameter. Each Enumerated values is separated by a common. The first value has a enumerated value of 1.') edfavalue_factory_default = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 3, 2, 12), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('off', 1), ('on', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: edfavalueFactoryDefault.setStatus('mandatory') if mibBuilder.loadTexts: edfavalueFactoryDefault.setDescription('The value of this object is the current value of the parameter.') edfastate_flag_factory_default = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 3, 2, 13), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('hidden', 1), ('read-only', 2), ('updateable', 3)))).setMaxAccess('readonly') if mibBuilder.loadTexts: edfastateFlagFactoryDefault.setStatus('mandatory') if mibBuilder.loadTexts: edfastateFlagFactoryDefault.setDescription('The value of this object provides the state of the the parameter. (0-Hidden 1-Read-Only, 2-Updateable).') edfagx2_edfa_status_table_index = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 4294967295))).setMaxAccess('readonly') if mibBuilder.loadTexts: edfagx2EDFAStatusTableIndex.setStatus('mandatory') if mibBuilder.loadTexts: edfagx2EDFAStatusTableIndex.setDescription('The value of this object identifies the network element. This index is equal to the hfcCommonTableIndex for the same element.') edfalabel_boot = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 2), display_string().subtype(subtypeSpec=value_size_constraint(0, 80))).setMaxAccess('readonly') if mibBuilder.loadTexts: edfalabelBoot.setStatus('optional') if mibBuilder.loadTexts: edfalabelBoot.setDescription('The value of this object provides the label of the Boot Status Status parameter.') edfavalue_boot = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6))).clone(namedValues=named_values(('ok', 1), ('undetermined', 2), ('warning', 3), ('minor', 4), ('major', 5), ('critical', 6)))).setMaxAccess('readonly') if mibBuilder.loadTexts: edfavalueBoot.setStatus('mandatory') if mibBuilder.loadTexts: edfavalueBoot.setDescription('The value of this object provides the current state of the parameter (0-Ok, 1-Undetermined 2-Warning, 3-Minor, 4-Major, 5-Critical).') edfastateflag_boot = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('hidden', 1), ('read-only', 2), ('updateable', 3)))).setMaxAccess('readonly') if mibBuilder.loadTexts: edfastateflagBoot.setStatus('mandatory') if mibBuilder.loadTexts: edfastateflagBoot.setDescription('The value of this object provides the state of the the parameter. (0-Hidden 1-Read-Only, 2-Updateable).') edfalabel_flash = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 5), display_string().subtype(subtypeSpec=value_size_constraint(0, 80))).setMaxAccess('readonly') if mibBuilder.loadTexts: edfalabelFlash.setStatus('optional') if mibBuilder.loadTexts: edfalabelFlash.setDescription('The value of this object provides the label of the Flash Status Status parameter.') edfavalue_flash = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6))).clone(namedValues=named_values(('ok', 1), ('undetermined', 2), ('warning', 3), ('minor', 4), ('major', 5), ('critical', 6)))).setMaxAccess('readonly') if mibBuilder.loadTexts: edfavalueFlash.setStatus('mandatory') if mibBuilder.loadTexts: edfavalueFlash.setDescription('The value of this object provides the current state of the parameter (0-Ok, 1-Undetermined 2-Warning, 3-Minor, 4-Major, 5-Critical).') edfastateflag_flash = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 7), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('hidden', 1), ('read-only', 2), ('updateable', 3)))).setMaxAccess('readonly') if mibBuilder.loadTexts: edfastateflagFlash.setStatus('mandatory') if mibBuilder.loadTexts: edfastateflagFlash.setDescription('The value of this object provides the state of the the parameter. (0-Hidden 1-Read-Only, 2-Updateable).') edfalabel_factory_data_crc = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 8), display_string().subtype(subtypeSpec=value_size_constraint(0, 80))).setMaxAccess('readonly') if mibBuilder.loadTexts: edfalabelFactoryDataCRC.setStatus('optional') if mibBuilder.loadTexts: edfalabelFactoryDataCRC.setDescription('The value of this object provides the label of the Factory Data CRC Status parameter.') edfavalue_factory_data_crc = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 9), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6))).clone(namedValues=named_values(('ok', 1), ('undetermined', 2), ('warning', 3), ('minor', 4), ('major', 5), ('critical', 6)))).setMaxAccess('readonly') if mibBuilder.loadTexts: edfavalueFactoryDataCRC.setStatus('mandatory') if mibBuilder.loadTexts: edfavalueFactoryDataCRC.setDescription('The value of this object provides the current state of the parameter (0-Ok, 1-Undetermined 2-Warning, 3-Minor, 4-Major, 5-Critical).') edfastateflag_factory_data_crc = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 10), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('hidden', 1), ('read-only', 2), ('updateable', 3)))).setMaxAccess('readonly') if mibBuilder.loadTexts: edfastateflagFactoryDataCRC.setStatus('mandatory') if mibBuilder.loadTexts: edfastateflagFactoryDataCRC.setDescription('The value of this object provides the state of the the parameter. (0-Hidden 1-Read-Only, 2-Updateable).') edfalabel_alarm_data_crc = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 11), display_string().subtype(subtypeSpec=value_size_constraint(0, 80))).setMaxAccess('readonly') if mibBuilder.loadTexts: edfalabelAlarmDataCRC.setStatus('optional') if mibBuilder.loadTexts: edfalabelAlarmDataCRC.setDescription('The value of this object provides the label of the Alarm Data CRC Status parameter.') edfavalue_alarm_data_crc = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 12), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6))).clone(namedValues=named_values(('ok', 1), ('undetermined', 2), ('warning', 3), ('minor', 4), ('major', 5), ('critical', 6)))).setMaxAccess('readonly') if mibBuilder.loadTexts: edfavalueAlarmDataCRC.setStatus('mandatory') if mibBuilder.loadTexts: edfavalueAlarmDataCRC.setDescription('The value of this object provides the current state of the parameter (0-Ok, 1-Undetermined 2-Warning, 3-Minor, 4-Major, 5-Critical).') edfastateflag_alarm_data_crc = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 13), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('hidden', 1), ('read-only', 2), ('updateable', 3)))).setMaxAccess('readonly') if mibBuilder.loadTexts: edfastateflagAlarmDataCRC.setStatus('mandatory') if mibBuilder.loadTexts: edfastateflagAlarmDataCRC.setDescription('The value of this object provides the state of the the parameter. (0-Hidden 1-Read-Only, 2-Updateable).') edfalabel_calibration_data_crc = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 14), display_string().subtype(subtypeSpec=value_size_constraint(0, 80))).setMaxAccess('readonly') if mibBuilder.loadTexts: edfalabelCalibrationDataCRC.setStatus('optional') if mibBuilder.loadTexts: edfalabelCalibrationDataCRC.setDescription('The value of this object provides the label of the Calibration Data CRC Status parameter.') edfavalue_calibration_data_crc = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 15), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6))).clone(namedValues=named_values(('ok', 1), ('undetermined', 2), ('warning', 3), ('minor', 4), ('major', 5), ('critical', 6)))).setMaxAccess('readonly') if mibBuilder.loadTexts: edfavalueCalibrationDataCRC.setStatus('mandatory') if mibBuilder.loadTexts: edfavalueCalibrationDataCRC.setDescription('The value of this object provides the current state of the parameter (0-Ok, 1-Undetermined 2-Warning, 3-Minor, 4-Major, 5-Critical).') edfastateflag_calibration_data_crc = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 16), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('hidden', 1), ('read-only', 2), ('updateable', 3)))).setMaxAccess('readonly') if mibBuilder.loadTexts: edfastateflagCalibrationDataCRC.setStatus('mandatory') if mibBuilder.loadTexts: edfastateflagCalibrationDataCRC.setDescription('The value of this object provides the state of the the parameter. (0-Hidden 1-Read-Only, 2-Updateable).') edfalabel_opt_in_shutdown = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 17), display_string().subtype(subtypeSpec=value_size_constraint(0, 80))).setMaxAccess('readonly') if mibBuilder.loadTexts: edfalabelOptInShutdown.setStatus('optional') if mibBuilder.loadTexts: edfalabelOptInShutdown.setDescription('The value of this object provides the label of the Optical Input Power Shutdown Status parameter.') edfavalue_opt_in_shutdown = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 18), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6))).clone(namedValues=named_values(('ok', 1), ('undetermined', 2), ('warning', 3), ('minor', 4), ('major', 5), ('critical', 6)))).setMaxAccess('readonly') if mibBuilder.loadTexts: edfavalueOptInShutdown.setStatus('mandatory') if mibBuilder.loadTexts: edfavalueOptInShutdown.setDescription('The value of this object provides the current state of the parameter (0-Ok, 1-Undetermined 2-Warning, 3-Minor, 4-Major, 5-Critical).') edfastateflag_opt_in_shutdown = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 19), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('hidden', 1), ('read-only', 2), ('updateable', 3)))).setMaxAccess('readonly') if mibBuilder.loadTexts: edfastateflagOptInShutdown.setStatus('mandatory') if mibBuilder.loadTexts: edfastateflagOptInShutdown.setDescription('The value of this object provides the state of the the parameter. (0-Hidden 1-Read-Only, 2-Updateable).') edfalabel_tec_temp_shutdown = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 20), display_string().subtype(subtypeSpec=value_size_constraint(0, 80))).setMaxAccess('readonly') if mibBuilder.loadTexts: edfalabelTECTempShutdown.setStatus('optional') if mibBuilder.loadTexts: edfalabelTECTempShutdown.setDescription('The value of this object provides the label of the TEC Temperature Shutdown Status parameter.') edfavalue_tec_temp_shutdown = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 21), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6))).clone(namedValues=named_values(('ok', 1), ('undetermined', 2), ('warning', 3), ('minor', 4), ('major', 5), ('critical', 6)))).setMaxAccess('readonly') if mibBuilder.loadTexts: edfavalueTECTempShutdown.setStatus('mandatory') if mibBuilder.loadTexts: edfavalueTECTempShutdown.setDescription('The value of this object provides the current state of the parameter (0-Ok, 1-Undetermined 2-Warning, 3-Minor, 4-Major, 5-Critical).') edfastateflag_tec_temp_shutdown = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 22), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('hidden', 1), ('read-only', 2), ('updateable', 3)))).setMaxAccess('readonly') if mibBuilder.loadTexts: edfastateflagTECTempShutdown.setStatus('mandatory') if mibBuilder.loadTexts: edfastateflagTECTempShutdown.setDescription('The value of this object provides the state of the the parameter. (0-Hidden 1-Read-Only, 2-Updateable).') edfalabel_tec_shut_override = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 23), display_string().subtype(subtypeSpec=value_size_constraint(0, 80))).setMaxAccess('readonly') if mibBuilder.loadTexts: edfalabelTECShutOverride.setStatus('optional') if mibBuilder.loadTexts: edfalabelTECShutOverride.setDescription('The value of this object provides the label of the TEC Shutdown Override Status parameter.') edfavalue_tec_shut_override = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 24), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6))).clone(namedValues=named_values(('ok', 1), ('undetermined', 2), ('warning', 3), ('minor', 4), ('major', 5), ('critical', 6)))).setMaxAccess('readonly') if mibBuilder.loadTexts: edfavalueTECShutOverride.setStatus('mandatory') if mibBuilder.loadTexts: edfavalueTECShutOverride.setDescription('The value of this object provides the current state of the parameter (0-Ok, 1-Undetermined 2-Warning, 3-Minor, 4-Major, 5-Critical).') edfastateflag_tec_shut_override = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 25), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('hidden', 1), ('read-only', 2), ('updateable', 3)))).setMaxAccess('readonly') if mibBuilder.loadTexts: edfastateflagTECShutOverride.setStatus('mandatory') if mibBuilder.loadTexts: edfastateflagTECShutOverride.setDescription('The value of this object provides the state of the the parameter. (0-Hidden 1-Read-Only, 2-Updateable).') edfalabel_power_fail = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 26), display_string().subtype(subtypeSpec=value_size_constraint(0, 80))).setMaxAccess('readonly') if mibBuilder.loadTexts: edfalabelPowerFail.setStatus('optional') if mibBuilder.loadTexts: edfalabelPowerFail.setDescription('The value of this object provides the label of the Power Supply Fail Status parameter.') edfavalue_power_fail = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 27), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6))).clone(namedValues=named_values(('ok', 1), ('undetermined', 2), ('warning', 3), ('minor', 4), ('major', 5), ('critical', 6)))).setMaxAccess('readonly') if mibBuilder.loadTexts: edfavaluePowerFail.setStatus('mandatory') if mibBuilder.loadTexts: edfavaluePowerFail.setDescription('The value of this object provides the current state of the parameter (0-Ok, 1-Undetermined 2-Warning, 3-Minor, 4-Major, 5-Critical).') edfastateflag_power_fail = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 28), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('hidden', 1), ('read-only', 2), ('updateable', 3)))).setMaxAccess('readonly') if mibBuilder.loadTexts: edfastateflagPowerFail.setStatus('mandatory') if mibBuilder.loadTexts: edfastateflagPowerFail.setDescription('The value of this object provides the state of the the parameter. (0-Hidden 1-Read-Only, 2-Updateable).') edfalabel_key_switch = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 29), display_string().subtype(subtypeSpec=value_size_constraint(0, 80))).setMaxAccess('readonly') if mibBuilder.loadTexts: edfalabelKeySwitch.setStatus('optional') if mibBuilder.loadTexts: edfalabelKeySwitch.setDescription('The value of this object provides the label of the Key Switch Setting Status parameter.') edfavalue_key_switch = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 30), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6))).clone(namedValues=named_values(('ok', 1), ('undetermined', 2), ('warning', 3), ('minor', 4), ('major', 5), ('critical', 6)))).setMaxAccess('readonly') if mibBuilder.loadTexts: edfavalueKeySwitch.setStatus('mandatory') if mibBuilder.loadTexts: edfavalueKeySwitch.setDescription('The value of this object provides the current state of the parameter (0-Ok, 1-Undetermined 2-Warning, 3-Minor, 4-Major, 5-Critical).') edfastateflag_key_switch = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 31), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('hidden', 1), ('read-only', 2), ('updateable', 3)))).setMaxAccess('readonly') if mibBuilder.loadTexts: edfastateflagKeySwitch.setStatus('mandatory') if mibBuilder.loadTexts: edfastateflagKeySwitch.setDescription('The value of this object provides the state of the the parameter. (0-Hidden 1-Read-Only, 2-Updateable).') edfalabel_laser_curr_shutdown = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 32), display_string().subtype(subtypeSpec=value_size_constraint(0, 80))).setMaxAccess('readonly') if mibBuilder.loadTexts: edfalabelLaserCurrShutdown.setStatus('optional') if mibBuilder.loadTexts: edfalabelLaserCurrShutdown.setDescription('The value of this object provides the label of the Laser Current Shutdown Status parameter.') edfavalue_laser_curr_shutdown = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 33), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6))).clone(namedValues=named_values(('ok', 1), ('undetermined', 2), ('warning', 3), ('minor', 4), ('major', 5), ('critical', 6)))).setMaxAccess('readonly') if mibBuilder.loadTexts: edfavalueLaserCurrShutdown.setStatus('mandatory') if mibBuilder.loadTexts: edfavalueLaserCurrShutdown.setDescription('The value of this object provides the current state of the parameter (0-Ok, 1-Undetermined 2-Warning, 3-Minor, 4-Major, 5-Critical).') edfastateflag_laser_curr_shutdown = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 34), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('hidden', 1), ('read-only', 2), ('updateable', 3)))).setMaxAccess('readonly') if mibBuilder.loadTexts: edfastateflagLaserCurrShutdown.setStatus('mandatory') if mibBuilder.loadTexts: edfastateflagLaserCurrShutdown.setDescription('The value of this object provides the state of the the parameter. (0-Hidden 1-Read-Only, 2-Updateable).') edfalabel_laser_pow_shutdown = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 35), display_string().subtype(subtypeSpec=value_size_constraint(0, 80))).setMaxAccess('readonly') if mibBuilder.loadTexts: edfalabelLaserPowShutdown.setStatus('optional') if mibBuilder.loadTexts: edfalabelLaserPowShutdown.setDescription('The value of this object provides the label of the Laser Power Shutdown Status parameter.') edfavalue_laser_pow_shutdown = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 36), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6))).clone(namedValues=named_values(('ok', 1), ('undetermined', 2), ('warning', 3), ('minor', 4), ('major', 5), ('critical', 6)))).setMaxAccess('readonly') if mibBuilder.loadTexts: edfavalueLaserPowShutdown.setStatus('mandatory') if mibBuilder.loadTexts: edfavalueLaserPowShutdown.setDescription('The value of this object provides the current state of the parameter (0-Ok, 1-Undetermined 2-Warning, 3-Minor, 4-Major, 5-Critical).') edfastateflag_laser_pow_shutdown = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 37), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('hidden', 1), ('read-only', 2), ('updateable', 3)))).setMaxAccess('readonly') if mibBuilder.loadTexts: edfastateflagLaserPowShutdown.setStatus('mandatory') if mibBuilder.loadTexts: edfastateflagLaserPowShutdown.setDescription('The value of this object provides the state of the the parameter. (0-Hidden 1-Read-Only, 2-Updateable).') edfalabel_adc_status = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 38), display_string().subtype(subtypeSpec=value_size_constraint(0, 80))).setMaxAccess('readonly') if mibBuilder.loadTexts: edfalabelADCStatus.setStatus('optional') if mibBuilder.loadTexts: edfalabelADCStatus.setDescription('The value of this object provides the label of the ADC Operation Status parameter.') edfavalue_adc_status = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 39), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6))).clone(namedValues=named_values(('ok', 1), ('undetermined', 2), ('warning', 3), ('minor', 4), ('major', 5), ('critical', 6)))).setMaxAccess('readonly') if mibBuilder.loadTexts: edfavalueADCStatus.setStatus('mandatory') if mibBuilder.loadTexts: edfavalueADCStatus.setDescription('The value of this object provides the current state of the parameter (0-Ok, 1-Undetermined 2-Warning, 3-Minor, 4-Major, 5-Critical).') edfastateflag_adc_status = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 40), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('hidden', 1), ('read-only', 2), ('updateable', 3)))).setMaxAccess('readonly') if mibBuilder.loadTexts: edfastateflagADCStatus.setStatus('mandatory') if mibBuilder.loadTexts: edfastateflagADCStatus.setDescription('The value of this object provides the state of the the parameter. (0-Hidden 1-Read-Only, 2-Updateable).') edfalabel_const_gain_status = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 41), display_string().subtype(subtypeSpec=value_size_constraint(0, 80))).setMaxAccess('readonly') if mibBuilder.loadTexts: edfalabelConstGainStatus.setStatus('optional') if mibBuilder.loadTexts: edfalabelConstGainStatus.setDescription('The value of this object provides the label of the Constant Gain Status parameter.') edfavalue_const_gain_status = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 42), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6))).clone(namedValues=named_values(('ok', 1), ('undetermined', 2), ('warning', 3), ('minor', 4), ('major', 5), ('critical', 6)))).setMaxAccess('readonly') if mibBuilder.loadTexts: edfavalueConstGainStatus.setStatus('mandatory') if mibBuilder.loadTexts: edfavalueConstGainStatus.setDescription('The value of this object provides the current state of the parameter (0-Ok, 1-Undetermined 2-Warning, 3-Minor, 4-Major, 5-Critical).') edfastateflag_const_gain_status = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 43), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('hidden', 1), ('read-only', 2), ('updateable', 3)))).setMaxAccess('readonly') if mibBuilder.loadTexts: edfastateflagConstGainStatus.setStatus('mandatory') if mibBuilder.loadTexts: edfastateflagConstGainStatus.setDescription('The value of this object provides the state of the the parameter. (0-Hidden 1-Read-Only, 2-Updateable).') edfalabel_standby_status = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 44), display_string().subtype(subtypeSpec=value_size_constraint(0, 80))).setMaxAccess('readonly') if mibBuilder.loadTexts: edfalabelStandbyStatus.setStatus('optional') if mibBuilder.loadTexts: edfalabelStandbyStatus.setDescription('The value of this object provides the label of the Standby Status parameter.') edfavalue_standby_status = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 45), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6))).clone(namedValues=named_values(('ok', 1), ('undetermined', 2), ('warning', 3), ('minor', 4), ('major', 5), ('critical', 6)))).setMaxAccess('readonly') if mibBuilder.loadTexts: edfavalueStandbyStatus.setStatus('mandatory') if mibBuilder.loadTexts: edfavalueStandbyStatus.setDescription('The value of this object provides the current state of the parameter (0-Ok, 1-Undetermined 2-Warning, 3-Minor, 4-Major, 5-Critical).') edfastateflag_standby_status = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 46), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('hidden', 1), ('read-only', 2), ('updateable', 3)))).setMaxAccess('readonly') if mibBuilder.loadTexts: edfastateflagStandbyStatus.setStatus('mandatory') if mibBuilder.loadTexts: edfastateflagStandbyStatus.setDescription('The value of this object provides the state of the the parameter. (0-Hidden 1-Read-Only, 2-Updateable).') edfagx2_edfa_factory_table_index = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 5, 4, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 4294967295))).setMaxAccess('readonly') if mibBuilder.loadTexts: edfagx2EDFAFactoryTableIndex.setStatus('mandatory') if mibBuilder.loadTexts: edfagx2EDFAFactoryTableIndex.setDescription('The value of this object identifies the network element. This index is equal to the hfcCommonTableIndex for the same element.') edfaboot_control_byte = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 5, 4, 2), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: edfabootControlByte.setStatus('mandatory') if mibBuilder.loadTexts: edfabootControlByte.setDescription('The value of this object indicates which bank the firmware is currently being boot from.') edfaboot_status_byte = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 5, 4, 3), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: edfabootStatusByte.setStatus('mandatory') if mibBuilder.loadTexts: edfabootStatusByte.setDescription('This object indicates the status of the last boot') edfabank0_crc = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 5, 4, 4), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: edfabank0CRC.setStatus('mandatory') if mibBuilder.loadTexts: edfabank0CRC.setDescription('This object provides the CRC code of bank 0.') edfabank1_crc = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 5, 4, 5), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: edfabank1CRC.setStatus('mandatory') if mibBuilder.loadTexts: edfabank1CRC.setDescription('This object provides the CRC code of bank 1.') edfaprg_eeprom_byte = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 5, 4, 6), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: edfaprgEEPROMByte.setStatus('mandatory') if mibBuilder.loadTexts: edfaprgEEPROMByte.setDescription('This object indicates if the EEPROM has been programmed') edfafactory_crc = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 5, 4, 7), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: edfafactoryCRC.setStatus('mandatory') if mibBuilder.loadTexts: edfafactoryCRC.setDescription('This object provides the CRC code for the Factory data.') edfacalculate_crc = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 5, 4, 8), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('factory', 1), ('calibration', 2), ('alarmdata', 3)))).setMaxAccess('readonly') if mibBuilder.loadTexts: edfacalculateCRC.setStatus('mandatory') if mibBuilder.loadTexts: edfacalculateCRC.setDescription('This object indicates which of the Emnums will have the CRC calculated.') edfahour_meter = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 5, 4, 9), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: edfahourMeter.setStatus('mandatory') if mibBuilder.loadTexts: edfahourMeter.setDescription('This object provides the hour meter reading of the module.') edfaflash_prg_cnt_a = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 5, 4, 10), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: edfaflashPrgCntA.setStatus('mandatory') if mibBuilder.loadTexts: edfaflashPrgCntA.setDescription('This object provides the number of times the flash has been programmed on side A.') edfaflash_prg_cnt_b = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 5, 4, 11), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: edfaflashPrgCntB.setStatus('mandatory') if mibBuilder.loadTexts: edfaflashPrgCntB.setDescription('This object provides the number of times the flash has been programmed on side B.') edfafw_rev0 = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 5, 4, 12), display_string().subtype(subtypeSpec=value_size_constraint(0, 80))).setMaxAccess('readonly') if mibBuilder.loadTexts: edfafwRev0.setStatus('mandatory') if mibBuilder.loadTexts: edfafwRev0.setDescription('This object provides the Revision of the firmware stores in bank 0.') edfafw_rev1 = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 5, 4, 13), display_string().subtype(subtypeSpec=value_size_constraint(0, 80))).setMaxAccess('readonly') if mibBuilder.loadTexts: edfafwRev1.setStatus('mandatory') if mibBuilder.loadTexts: edfafwRev1.setDescription('This object provides the Revision of the firmware stores in bank 1.') gx2_edfa_hold_time_table_index = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 6, 5, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 4294967295))).setMaxAccess('readonly') if mibBuilder.loadTexts: gx2EDFAHoldTimeTableIndex.setStatus('mandatory') if mibBuilder.loadTexts: gx2EDFAHoldTimeTableIndex.setDescription('The value of this object is the index of the data object.') gx2_edfa_hold_time_spec_index = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 6, 5, 2), integer32().subtype(subtypeSpec=value_range_constraint(1, 4294967295))).setMaxAccess('readonly') if mibBuilder.loadTexts: gx2EDFAHoldTimeSpecIndex.setStatus('mandatory') if mibBuilder.loadTexts: gx2EDFAHoldTimeSpecIndex.setDescription('The value of this object identifies the index of the alarm object to be modified.') gx2_edfa_hold_time_data = mib_table_column((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 6, 5, 3), integer32()).setMaxAccess('readwrite') if mibBuilder.loadTexts: gx2EDFAHoldTimeData.setStatus('mandatory') if mibBuilder.loadTexts: gx2EDFAHoldTimeData.setDescription('The value of this object provides access to the hold timers used to suppress nose on analog objects. This object is a 32 bit object. Validation data is entered into bytes zero and one of the object. Bytes three and four are used to entering the hold time for the specified alarm object. The Hold timer data ranges from 0 to 1300 seconds. The index of this object corresponds to the alarm object to be modified. Alarm Hold timers correspond to the index of this object as follows: Index 1 = xxx, index 2 = xxxx, Index 3 = xxxx, The hold time is represented in seconds.') trap_edfa_config_change_integer = notification_type((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11) + (0, 1)).setObjects(('NLSBBN-TRAPS-MIB', 'trapIdentifier'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemModelNumber'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemSerialNum'), ('NLSBBN-TRAPS-MIB', 'trapPerceivedSeverity'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemOperState'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAlarmStatus'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAdminState'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAvailStatus'), ('NLSBBN-TRAPS-MIB', 'trapText'), ('NLSBBN-TRAPS-MIB', 'trapChangedObjectId'), ('NLSBBN-TRAPS-MIB', 'trapChangedValueInteger'), ('NLSBBN-TRAPS-MIB', 'trapNETrapLastTrapTimeStamp')) if mibBuilder.loadTexts: trapEDFAConfigChangeInteger.setDescription("This trap is issued if configuration of a single variable with integer type was changed (via ANY interface). TrapChangedValueInteger variable may contain current reading of that variable. trapPerceivedSeverity - 'indeterminate'") trap_edfa_config_change_display_string = notification_type((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11) + (0, 2)).setObjects(('NLSBBN-TRAPS-MIB', 'trapIdentifier'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemModelNumber'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemSerialNum'), ('NLSBBN-TRAPS-MIB', 'trapPerceivedSeverity'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemOperState'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAlarmStatus'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAdminState'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAvailStatus'), ('NLSBBN-TRAPS-MIB', 'trapText'), ('NLSBBN-TRAPS-MIB', 'trapChangedObjectId'), ('NLSBBN-TRAPS-MIB', 'trapChangedValueDisplayString'), ('NLSBBN-TRAPS-MIB', 'trapNETrapLastTrapTimeStamp')) if mibBuilder.loadTexts: trapEDFAConfigChangeDisplayString.setDescription("This trap is issued if configuration of a single variable with DispalayString type was changed (via ANY interface). TrapChangedValueDisplayString variable may contain current reading of that variable. trapPerceivedSeverity - 'indeterminate'") trap_edfa_module_temperature_alarm = notification_type((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11) + (0, 3)).setObjects(('NLSBBN-TRAPS-MIB', 'trapIdentifier'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemModelNumber'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemSerialNum'), ('NLSBBN-TRAPS-MIB', 'trapPerceivedSeverity'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemOperState'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAlarmStatus'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAdminState'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAvailStatus'), ('NLSBBN-TRAPS-MIB', 'trapText'), ('NLSBBN-TRAPS-MIB', 'trapChangedObjectId'), ('NLSBBN-TRAPS-MIB', 'trapChangedValueInteger'), ('NLSBBN-TRAPS-MIB', 'trapNETrapLastTrapTimeStamp')) if mibBuilder.loadTexts: trapEDFAModuleTemperatureAlarm.setDescription("This trap is issued when the EDFA Module's Temperature goes out of range.") trap_edfa_optical_in_power_alarm = notification_type((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11) + (0, 4)).setObjects(('NLSBBN-TRAPS-MIB', 'trapIdentifier'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemModelNumber'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemSerialNum'), ('NLSBBN-TRAPS-MIB', 'trapPerceivedSeverity'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemOperState'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAlarmStatus'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAdminState'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAvailStatus'), ('NLSBBN-TRAPS-MIB', 'trapText'), ('NLSBBN-TRAPS-MIB', 'trapChangedObjectId'), ('NLSBBN-TRAPS-MIB', 'trapChangedValueInteger'), ('NLSBBN-TRAPS-MIB', 'trapNETrapLastTrapTimeStamp')) if mibBuilder.loadTexts: trapEDFAOpticalInPowerAlarm.setDescription('This trap is issued when the input Optical Input Power parameter goes out of range.') trap_edfa_optical_out_power_alarm = notification_type((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11) + (0, 5)).setObjects(('NLSBBN-TRAPS-MIB', 'trapIdentifier'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemModelNumber'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemSerialNum'), ('NLSBBN-TRAPS-MIB', 'trapPerceivedSeverity'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemOperState'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAlarmStatus'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAdminState'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAvailStatus'), ('NLSBBN-TRAPS-MIB', 'trapText'), ('NLSBBN-TRAPS-MIB', 'trapChangedObjectId'), ('NLSBBN-TRAPS-MIB', 'trapChangedValueInteger'), ('NLSBBN-TRAPS-MIB', 'trapNETrapLastTrapTimeStamp')) if mibBuilder.loadTexts: trapEDFAOpticalOutPowerAlarm.setDescription('This trap is issued when the input Optical Output Power parameter goes out of range.') trap_edfatec_temperature_alarm = notification_type((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11) + (0, 6)).setObjects(('NLSBBN-TRAPS-MIB', 'trapIdentifier'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemModelNumber'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemSerialNum'), ('NLSBBN-TRAPS-MIB', 'trapPerceivedSeverity'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemOperState'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAlarmStatus'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAdminState'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAvailStatus'), ('NLSBBN-TRAPS-MIB', 'trapText'), ('NLSBBN-TRAPS-MIB', 'trapChangedObjectId'), ('NLSBBN-TRAPS-MIB', 'trapChangedValueInteger'), ('NLSBBN-TRAPS-MIB', 'trapNETrapLastTrapTimeStamp')) if mibBuilder.loadTexts: trapEDFATECTemperatureAlarm.setDescription('This trap is issued when the EDFA TEC Temperature goes out of range.') trap_edfatec_current_alarm = notification_type((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11) + (0, 7)).setObjects(('NLSBBN-TRAPS-MIB', 'trapIdentifier'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemModelNumber'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemSerialNum'), ('NLSBBN-TRAPS-MIB', 'trapPerceivedSeverity'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemOperState'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAlarmStatus'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAdminState'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAvailStatus'), ('NLSBBN-TRAPS-MIB', 'trapText'), ('NLSBBN-TRAPS-MIB', 'trapChangedObjectId'), ('NLSBBN-TRAPS-MIB', 'trapChangedValueInteger'), ('NLSBBN-TRAPS-MIB', 'trapNETrapLastTrapTimeStamp')) if mibBuilder.loadTexts: trapEDFATECCurrentAlarm.setDescription('This trap is issued when the EDFA TEC Current goes out of range.') trap_edfa_laser_current_alarm = notification_type((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11) + (0, 8)).setObjects(('NLSBBN-TRAPS-MIB', 'trapIdentifier'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemModelNumber'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemSerialNum'), ('NLSBBN-TRAPS-MIB', 'trapPerceivedSeverity'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemOperState'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAlarmStatus'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAdminState'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAvailStatus'), ('NLSBBN-TRAPS-MIB', 'trapText'), ('NLSBBN-TRAPS-MIB', 'trapChangedObjectId'), ('NLSBBN-TRAPS-MIB', 'trapChangedValueInteger'), ('NLSBBN-TRAPS-MIB', 'trapNETrapLastTrapTimeStamp')) if mibBuilder.loadTexts: trapEDFALaserCurrentAlarm.setDescription('This trap is issued when the EDFA Laser Current goes out of range.') trap_edfa_laser_power_alarm = notification_type((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11) + (0, 9)).setObjects(('NLSBBN-TRAPS-MIB', 'trapIdentifier'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemModelNumber'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemSerialNum'), ('NLSBBN-TRAPS-MIB', 'trapPerceivedSeverity'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemOperState'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAlarmStatus'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAdminState'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAvailStatus'), ('NLSBBN-TRAPS-MIB', 'trapText'), ('NLSBBN-TRAPS-MIB', 'trapChangedObjectId'), ('NLSBBN-TRAPS-MIB', 'trapChangedValueInteger'), ('NLSBBN-TRAPS-MIB', 'trapNETrapLastTrapTimeStamp')) if mibBuilder.loadTexts: trapEDFALaserPowerAlarm.setDescription('This trap is issued when the EDFA Laser Power goes out of range.') trap_edfa_plus12_current_alarm = notification_type((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11) + (0, 10)).setObjects(('NLSBBN-TRAPS-MIB', 'trapIdentifier'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemModelNumber'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemSerialNum'), ('NLSBBN-TRAPS-MIB', 'trapPerceivedSeverity'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemOperState'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAlarmStatus'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAdminState'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAvailStatus'), ('NLSBBN-TRAPS-MIB', 'trapText'), ('NLSBBN-TRAPS-MIB', 'trapChangedObjectId'), ('NLSBBN-TRAPS-MIB', 'trapChangedValueInteger'), ('NLSBBN-TRAPS-MIB', 'trapNETrapLastTrapTimeStamp')) if mibBuilder.loadTexts: trapEDFAPlus12CurrentAlarm.setDescription('This trap is issued when the EDFA 12 volt current parameter goes out of range.') trap_edfa_plus37_current_alarm = notification_type((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11) + (0, 11)).setObjects(('NLSBBN-TRAPS-MIB', 'trapIdentifier'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemModelNumber'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemSerialNum'), ('NLSBBN-TRAPS-MIB', 'trapPerceivedSeverity'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemOperState'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAlarmStatus'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAdminState'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAvailStatus'), ('NLSBBN-TRAPS-MIB', 'trapText'), ('NLSBBN-TRAPS-MIB', 'trapChangedObjectId'), ('NLSBBN-TRAPS-MIB', 'trapChangedValueInteger'), ('NLSBBN-TRAPS-MIB', 'trapNETrapLastTrapTimeStamp')) if mibBuilder.loadTexts: trapEDFAPlus37CurrentAlarm.setDescription('This trap is issued when the EDFA 3.7 volt current parameter goes out of range.') trap_edfa_fan_current_alarm = notification_type((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11) + (0, 12)).setObjects(('NLSBBN-TRAPS-MIB', 'trapIdentifier'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemModelNumber'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemSerialNum'), ('NLSBBN-TRAPS-MIB', 'trapPerceivedSeverity'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemOperState'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAlarmStatus'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAdminState'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAvailStatus'), ('NLSBBN-TRAPS-MIB', 'trapText'), ('NLSBBN-TRAPS-MIB', 'trapChangedObjectId'), ('NLSBBN-TRAPS-MIB', 'trapChangedValueInteger'), ('NLSBBN-TRAPS-MIB', 'trapNETrapLastTrapTimeStamp')) if mibBuilder.loadTexts: trapEDFAFanCurrentAlarm.setDescription("This trap is issued when the EDFA Module's Fan Currrent parameter goes out of range.") trap_edfa_reset_fac_default = notification_type((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11) + (0, 13)).setObjects(('NLSBBN-TRAPS-MIB', 'trapIdentifier'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemModelNumber'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemSerialNum'), ('NLSBBN-TRAPS-MIB', 'trapPerceivedSeverity'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemOperState'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAlarmStatus'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAdminState'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAvailStatus'), ('NLSBBN-TRAPS-MIB', 'trapText'), ('NLSBBN-TRAPS-MIB', 'trapChangedObjectId'), ('NLSBBN-TRAPS-MIB', 'trapChangedValueInteger'), ('NLSBBN-TRAPS-MIB', 'trapNETrapLastTrapTimeStamp')) if mibBuilder.loadTexts: trapEDFAResetFacDefault.setDescription('This trap is issued when the EDFA resets to factory defaults') trap_edfa_standby_mode = notification_type((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11) + (0, 14)).setObjects(('NLSBBN-TRAPS-MIB', 'trapIdentifier'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemModelNumber'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemSerialNum'), ('NLSBBN-TRAPS-MIB', 'trapPerceivedSeverity'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemOperState'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAlarmStatus'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAdminState'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAvailStatus'), ('NLSBBN-TRAPS-MIB', 'trapText'), ('NLSBBN-TRAPS-MIB', 'trapChangedObjectId'), ('NLSBBN-TRAPS-MIB', 'trapChangedValueInteger'), ('NLSBBN-TRAPS-MIB', 'trapNETrapLastTrapTimeStamp')) if mibBuilder.loadTexts: trapEDFAStandbyMode.setDescription('This trap is issued when the EDFA is in Standby Mode.') trap_edfa_opt_in_shutdown = notification_type((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11) + (0, 15)).setObjects(('NLSBBN-TRAPS-MIB', 'trapIdentifier'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemModelNumber'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemSerialNum'), ('NLSBBN-TRAPS-MIB', 'trapPerceivedSeverity'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemOperState'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAlarmStatus'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAdminState'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAvailStatus'), ('NLSBBN-TRAPS-MIB', 'trapText'), ('NLSBBN-TRAPS-MIB', 'trapChangedObjectId'), ('NLSBBN-TRAPS-MIB', 'trapChangedValueInteger'), ('NLSBBN-TRAPS-MIB', 'trapNETrapLastTrapTimeStamp')) if mibBuilder.loadTexts: trapEDFAOptInShutdown.setDescription('This trap is issued when the EDFA is in Optical Input Shutdown.') trap_edfatec_temp_shutdown = notification_type((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11) + (0, 16)).setObjects(('NLSBBN-TRAPS-MIB', 'trapIdentifier'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemModelNumber'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemSerialNum'), ('NLSBBN-TRAPS-MIB', 'trapPerceivedSeverity'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemOperState'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAlarmStatus'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAdminState'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAvailStatus'), ('NLSBBN-TRAPS-MIB', 'trapText'), ('NLSBBN-TRAPS-MIB', 'trapChangedObjectId'), ('NLSBBN-TRAPS-MIB', 'trapChangedValueInteger'), ('NLSBBN-TRAPS-MIB', 'trapNETrapLastTrapTimeStamp')) if mibBuilder.loadTexts: trapEDFATECTempShutdown.setDescription('This trap is issued when the EDFA is in TEC Temperature Shutdown.') trap_edfa_key_switch = notification_type((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11) + (0, 17)).setObjects(('NLSBBN-TRAPS-MIB', 'trapIdentifier'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemModelNumber'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemSerialNum'), ('NLSBBN-TRAPS-MIB', 'trapPerceivedSeverity'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemOperState'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAlarmStatus'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAdminState'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAvailStatus'), ('NLSBBN-TRAPS-MIB', 'trapText'), ('NLSBBN-TRAPS-MIB', 'trapChangedObjectId'), ('NLSBBN-TRAPS-MIB', 'trapChangedValueInteger'), ('NLSBBN-TRAPS-MIB', 'trapNETrapLastTrapTimeStamp')) if mibBuilder.loadTexts: trapEDFAKeySwitch.setDescription('This trap is issued when the Key Switch disables the EDFA.') trap_edfa_power_fail = notification_type((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11) + (0, 18)).setObjects(('NLSBBN-TRAPS-MIB', 'trapIdentifier'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemModelNumber'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemSerialNum'), ('NLSBBN-TRAPS-MIB', 'trapPerceivedSeverity'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemOperState'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAlarmStatus'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAdminState'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAvailStatus'), ('NLSBBN-TRAPS-MIB', 'trapText'), ('NLSBBN-TRAPS-MIB', 'trapChangedObjectId'), ('NLSBBN-TRAPS-MIB', 'trapChangedValueInteger'), ('NLSBBN-TRAPS-MIB', 'trapNETrapLastTrapTimeStamp')) if mibBuilder.loadTexts: trapEDFAPowerFail.setDescription('This trap is issued when there is an EDFA Power Supply Failure.') trap_edfa_las_curr_shutdown = notification_type((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11) + (0, 19)).setObjects(('NLSBBN-TRAPS-MIB', 'trapIdentifier'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemModelNumber'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemSerialNum'), ('NLSBBN-TRAPS-MIB', 'trapPerceivedSeverity'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemOperState'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAlarmStatus'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAdminState'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAvailStatus'), ('NLSBBN-TRAPS-MIB', 'trapText'), ('NLSBBN-TRAPS-MIB', 'trapChangedObjectId'), ('NLSBBN-TRAPS-MIB', 'trapChangedValueInteger'), ('NLSBBN-TRAPS-MIB', 'trapNETrapLastTrapTimeStamp')) if mibBuilder.loadTexts: trapEDFALasCurrShutdown.setDescription('This trap is issued when the EDFA is in Laser Current Shutdown.') trap_edfa_las_power_shutdown = notification_type((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11) + (0, 20)).setObjects(('NLSBBN-TRAPS-MIB', 'trapIdentifier'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemModelNumber'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemSerialNum'), ('NLSBBN-TRAPS-MIB', 'trapPerceivedSeverity'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemOperState'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAlarmStatus'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAdminState'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAvailStatus'), ('NLSBBN-TRAPS-MIB', 'trapText'), ('NLSBBN-TRAPS-MIB', 'trapChangedObjectId'), ('NLSBBN-TRAPS-MIB', 'trapChangedValueInteger'), ('NLSBBN-TRAPS-MIB', 'trapNETrapLastTrapTimeStamp')) if mibBuilder.loadTexts: trapEDFALasPowerShutdown.setDescription('This trap is issued when the EDFA is in Laser Power Shutdown.') trap_edfa_invalid_mode = notification_type((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11) + (0, 21)).setObjects(('NLSBBN-TRAPS-MIB', 'trapIdentifier'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemModelNumber'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemSerialNum'), ('NLSBBN-TRAPS-MIB', 'trapPerceivedSeverity'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemOperState'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAlarmStatus'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAdminState'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAvailStatus'), ('NLSBBN-TRAPS-MIB', 'trapText'), ('NLSBBN-TRAPS-MIB', 'trapChangedObjectId'), ('NLSBBN-TRAPS-MIB', 'trapChangedValueInteger'), ('NLSBBN-TRAPS-MIB', 'trapNETrapLastTrapTimeStamp')) if mibBuilder.loadTexts: trapEDFAInvalidMode.setDescription('This trap is issued when the EDFA is in an invalid mode.') trap_edfa_flash_alarm = notification_type((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11) + (0, 22)).setObjects(('NLSBBN-TRAPS-MIB', 'trapIdentifier'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemModelNumber'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemSerialNum'), ('NLSBBN-TRAPS-MIB', 'trapPerceivedSeverity'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemOperState'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAlarmStatus'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAdminState'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAvailStatus'), ('NLSBBN-TRAPS-MIB', 'trapText'), ('NLSBBN-TRAPS-MIB', 'trapChangedObjectId'), ('NLSBBN-TRAPS-MIB', 'trapChangedValueInteger'), ('NLSBBN-TRAPS-MIB', 'trapNETrapLastTrapTimeStamp')) if mibBuilder.loadTexts: trapEDFAFlashAlarm.setDescription("This trap is issued when the EDFA Module's boot or flash programming sequence has detected a Flash error.") trap_edfa_boot0_alarm = notification_type((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11) + (0, 23)).setObjects(('NLSBBN-TRAPS-MIB', 'trapIdentifier'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemModelNumber'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemSerialNum'), ('NLSBBN-TRAPS-MIB', 'trapPerceivedSeverity'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemOperState'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAlarmStatus'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAdminState'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAvailStatus'), ('NLSBBN-TRAPS-MIB', 'trapText'), ('NLSBBN-TRAPS-MIB', 'trapChangedObjectId'), ('NLSBBN-TRAPS-MIB', 'trapChangedValueInteger'), ('NLSBBN-TRAPS-MIB', 'trapNETrapLastTrapTimeStamp')) if mibBuilder.loadTexts: trapEDFABoot0Alarm.setDescription("This trap is issued when the EDFA Module's Bank 0 Boot sequence has detected an error.") trap_edfa_boot1_alarm = notification_type((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11) + (0, 24)).setObjects(('NLSBBN-TRAPS-MIB', 'trapIdentifier'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemModelNumber'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemSerialNum'), ('NLSBBN-TRAPS-MIB', 'trapPerceivedSeverity'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemOperState'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAlarmStatus'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAdminState'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAvailStatus'), ('NLSBBN-TRAPS-MIB', 'trapText'), ('NLSBBN-TRAPS-MIB', 'trapChangedObjectId'), ('NLSBBN-TRAPS-MIB', 'trapChangedValueInteger'), ('NLSBBN-TRAPS-MIB', 'trapNETrapLastTrapTimeStamp')) if mibBuilder.loadTexts: trapEDFABoot1Alarm.setDescription("This trap is issued when the EDFA Module's Bank 1 Boot sequence has detected an error.") trap_edfa_alarm_data_crc_alarm = notification_type((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11) + (0, 25)).setObjects(('NLSBBN-TRAPS-MIB', 'trapIdentifier'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemModelNumber'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemSerialNum'), ('NLSBBN-TRAPS-MIB', 'trapPerceivedSeverity'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemOperState'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAlarmStatus'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAdminState'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAvailStatus'), ('NLSBBN-TRAPS-MIB', 'trapText'), ('NLSBBN-TRAPS-MIB', 'trapChangedObjectId'), ('NLSBBN-TRAPS-MIB', 'trapChangedValueInteger'), ('NLSBBN-TRAPS-MIB', 'trapNETrapLastTrapTimeStamp')) if mibBuilder.loadTexts: trapEDFAAlarmDataCRCAlarm.setDescription('This trap is issued when the EDFA Module detects an error calculating the alarm limit CRC.') trap_edfa_factory_data_crc_alarm = notification_type((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11) + (0, 26)).setObjects(('NLSBBN-TRAPS-MIB', 'trapIdentifier'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemModelNumber'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemSerialNum'), ('NLSBBN-TRAPS-MIB', 'trapPerceivedSeverity'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemOperState'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAlarmStatus'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAdminState'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAvailStatus'), ('NLSBBN-TRAPS-MIB', 'trapText'), ('NLSBBN-TRAPS-MIB', 'trapChangedObjectId'), ('NLSBBN-TRAPS-MIB', 'trapChangedValueInteger'), ('NLSBBN-TRAPS-MIB', 'trapNETrapLastTrapTimeStamp')) if mibBuilder.loadTexts: trapEDFAFactoryDataCRCAlarm.setDescription('This trap is issued when the EDFA Module detects an error calculating the Factory data CRC.') trap_edfa_cal_data_crc_alarm = notification_type((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11) + (0, 27)).setObjects(('NLSBBN-TRAPS-MIB', 'trapIdentifier'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemModelNumber'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemSerialNum'), ('NLSBBN-TRAPS-MIB', 'trapPerceivedSeverity'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemOperState'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAlarmStatus'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAdminState'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAvailStatus'), ('NLSBBN-TRAPS-MIB', 'trapText'), ('NLSBBN-TRAPS-MIB', 'trapChangedObjectId'), ('NLSBBN-TRAPS-MIB', 'trapChangedValueInteger'), ('NLSBBN-TRAPS-MIB', 'trapNETrapLastTrapTimeStamp')) if mibBuilder.loadTexts: trapEDFACalDataCRCAlarm.setDescription('This trap is issued when the EDFA Module detects an error calculating the Calibration data CRC.') trap_edfa_fac_cal_float_alarm = notification_type((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11) + (0, 28)).setObjects(('NLSBBN-TRAPS-MIB', 'trapIdentifier'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemModelNumber'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemSerialNum'), ('NLSBBN-TRAPS-MIB', 'trapPerceivedSeverity'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemOperState'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAlarmStatus'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAdminState'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAvailStatus'), ('NLSBBN-TRAPS-MIB', 'trapText'), ('NLSBBN-TRAPS-MIB', 'trapChangedObjectId'), ('NLSBBN-TRAPS-MIB', 'trapChangedValueInteger'), ('NLSBBN-TRAPS-MIB', 'trapNETrapLastTrapTimeStamp')) if mibBuilder.loadTexts: trapEDFAFacCalFloatAlarm.setDescription('This trap is issued when the EDFA Module detects factory calibration float data alarm.') trap_edfa_opt_in_thresh_alarm = notification_type((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11) + (0, 29)).setObjects(('NLSBBN-TRAPS-MIB', 'trapIdentifier'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemModelNumber'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemSerialNum'), ('NLSBBN-TRAPS-MIB', 'trapPerceivedSeverity'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemOperState'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAlarmStatus'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAdminState'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAvailStatus'), ('NLSBBN-TRAPS-MIB', 'trapText'), ('NLSBBN-TRAPS-MIB', 'trapChangedObjectId'), ('NLSBBN-TRAPS-MIB', 'trapChangedValueInteger'), ('NLSBBN-TRAPS-MIB', 'trapNETrapLastTrapTimeStamp')) if mibBuilder.loadTexts: trapEDFAOptInThreshAlarm.setDescription('This trap is issued when the EDFA Module Optical Input drops below the user set threshold.') trap_edfa_gain_error_alarm = notification_type((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11) + (0, 30)).setObjects(('NLSBBN-TRAPS-MIB', 'trapIdentifier'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemModelNumber'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemSerialNum'), ('NLSBBN-TRAPS-MIB', 'trapPerceivedSeverity'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemOperState'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAlarmStatus'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAdminState'), ('NLSBBN-TRAPS-MIB', 'trapNetworkElemAvailStatus'), ('NLSBBN-TRAPS-MIB', 'trapText'), ('NLSBBN-TRAPS-MIB', 'trapChangedObjectId'), ('NLSBBN-TRAPS-MIB', 'trapChangedValueInteger'), ('NLSBBN-TRAPS-MIB', 'trapNETrapLastTrapTimeStamp')) if mibBuilder.loadTexts: trapEDFAGainErrorAlarm.setDescription('This trap is issued when the EDFA Module cannot produce the desired user set gain in Constant Gain Set Mode.') mibBuilder.exportSymbols('OMNI-gx2EDFA-MIB', edfalabelADCStatus=edfalabelADCStatus, edfalabelLPSetting=edfalabelLPSetting, trapEDFAOpticalInPowerAlarm=trapEDFAOpticalInPowerAlarm, trapEDFAModuleTemperatureAlarm=trapEDFAModuleTemperatureAlarm, edfaminValueLaserCurrent=edfaminValueLaserCurrent, edfavalueBoot=edfavalueBoot, edfalabelPowerFail=edfalabelPowerFail, edfaminorLowLaserPower=edfaminorLowLaserPower, edfabootStatusByte=edfabootStatusByte, edfavalueFlash=edfavalueFlash, edfavalueOptInShutdown=edfavalueOptInShutdown, edfaminorHigh37Volt=edfaminorHigh37Volt, edfamaxValueOptOutPower=edfamaxValueOptOutPower, edfaminorLowTECCurrent=edfaminorLowTECCurrent, edfauomLPSetting=edfauomLPSetting, edfavalueTECTempShutdown=edfavalueTECTempShutdown, edfavalueLaserCurrShutdown=edfavalueLaserCurrShutdown, edfaminorHighOptOutPower=edfaminorHighOptOutPower, edfaalarmStateFanCurrent=edfaalarmStateFanCurrent, trapEDFALasCurrShutdown=trapEDFALasCurrShutdown, gx2EDFAStatusEntry=gx2EDFAStatusEntry, edfaminorHighLaserCurrent=edfaminorHighLaserCurrent, edfastateFlagFanCurrent=edfastateFlagFanCurrent, gx2EDFAStatusTable=gx2EDFAStatusTable, edfaminorLowOPSetting=edfaminorLowOPSetting, edfacurrentValueOptOutPower=edfacurrentValueOptOutPower, edfaalarmStateOptThreshold=edfaalarmStateOptThreshold, edfauomModTemp=edfauomModTemp, edfaminValueTECTemp=edfaminValueTECTemp, edfastateflagTECShutOverride=edfastateflagTECShutOverride, edfamaxValueModTemp=edfamaxValueModTemp, edfamajorHighOptInPower=edfamajorHighOptInPower, edfaminorLowLPSetting=edfaminorLowLPSetting, edfaminorLow37Volt=edfaminorLow37Volt, edfaminorLowModTemp=edfaminorLowModTemp, edfaminorHighCGSetting=edfaminorHighCGSetting, edfalabelTECTemp=edfalabelTECTemp, edfaminValueLaserPower=edfaminValueLaserPower, edfaminValue12Volt=edfaminValue12Volt, edfacurrentValueOPSetting=edfacurrentValueOPSetting, Float=Float, edfastateflagFactoryDataCRC=edfastateflagFactoryDataCRC, trapEDFAAlarmDataCRCAlarm=trapEDFAAlarmDataCRCAlarm, trapEDFATECCurrentAlarm=trapEDFATECCurrentAlarm, edfastateFlagLaserCurrent=edfastateFlagLaserCurrent, edfacurrentValueLaserPower=edfacurrentValueLaserPower, trapEDFAFanCurrentAlarm=trapEDFAFanCurrentAlarm, edfamajorHighCGSetting=edfamajorHighCGSetting, edfamajorLowOptOutPower=edfamajorLowOptOutPower, edfacurrentValueModTemp=edfacurrentValueModTemp, edfamaxValueFanCurrent=edfamaxValueFanCurrent, edfavalueModeSetting=edfavalueModeSetting, edfaminorHighOPSetting=edfaminorHighOPSetting, edfamajorHighOptOutPower=edfamajorHighOptOutPower, edfalabelConstGainStatus=edfalabelConstGainStatus, edfaminorLowTECTemp=edfaminorLowTECTemp, edfalabelModeSetting=edfalabelModeSetting, edfauom37Volt=edfauom37Volt, edfamaxValue12Volt=edfamaxValue12Volt, edfaalarmStateLaserCurrent=edfaalarmStateLaserCurrent, edfamaxValueCGSetting=edfamaxValueCGSetting, edfauomOptOutPower=edfauomOptOutPower, edfalabelTECTempShutdown=edfalabelTECTempShutdown, trapEDFAConfigChangeInteger=trapEDFAConfigChangeInteger, edfacurrentValue37Volt=edfacurrentValue37Volt, edfavalueConstGainStatus=edfavalueConstGainStatus, edfamaxValueTECTemp=edfamaxValueTECTemp, edfavalueLaserPowShutdown=edfavalueLaserPowShutdown, edfamajorLowCGSetting=edfamajorLowCGSetting, edfastateFlagModTemp=edfastateFlagModTemp, edfaalarmStateOptOutPower=edfaalarmStateOptOutPower, edfalabelTECCurrent=edfalabelTECCurrent, edfamajorLowLaserPower=edfamajorLowLaserPower, edfaenumFactoryDefault=edfaenumFactoryDefault, edfamaxValueLaserPower=edfamaxValueLaserPower, edfaminValueOPSetting=edfaminValueOPSetting, edfamajorLowOptInPower=edfamajorLowOptInPower, edfaminorLowOptThreshold=edfaminorLowOptThreshold, edfalabelFlash=edfalabelFlash, edfalabelFactoryDataCRC=edfalabelFactoryDataCRC, trapEDFAFacCalFloatAlarm=trapEDFAFacCalFloatAlarm, edfavalueKeySwitch=edfavalueKeySwitch, edfauomOptInPower=edfauomOptInPower, gx2EDFAAnalogTable=gx2EDFAAnalogTable, edfavalueFactoryDefault=edfavalueFactoryDefault, edfauomOPSetting=edfauomOPSetting, edfaalarmStateOPSetting=edfaalarmStateOPSetting, trapEDFALaserPowerAlarm=trapEDFALaserPowerAlarm, edfalabelFactoryDefault=edfalabelFactoryDefault, edfamajorLowModTemp=edfamajorLowModTemp, edfabank1CRC=edfabank1CRC, trapEDFAGainErrorAlarm=trapEDFAGainErrorAlarm, edfamajorHighOptThreshold=edfamajorHighOptThreshold, edfamajorHighLaserCurrent=edfamajorHighLaserCurrent, trapEDFAOpticalOutPowerAlarm=trapEDFAOpticalOutPowerAlarm, edfaminorHighModTemp=edfaminorHighModTemp, edfacurrentValueCGSetting=edfacurrentValueCGSetting, gx2EDFADigitalEntry=gx2EDFADigitalEntry, edfauomFanCurrent=edfauomFanCurrent, edfagx2EDFAAnalogTableIndex=edfagx2EDFAAnalogTableIndex, trapEDFALasPowerShutdown=trapEDFALasPowerShutdown, edfauomLaserPower=edfauomLaserPower, edfastateflagFlash=edfastateflagFlash, edfastateFlagOPSetting=edfastateFlagOPSetting, edfalabelModTemp=edfalabelModTemp, edfamajorHigh37Volt=edfamajorHigh37Volt, edfavalueCalibrationDataCRC=edfavalueCalibrationDataCRC, trapEDFATECTemperatureAlarm=trapEDFATECTemperatureAlarm, edfaminorHighLaserPower=edfaminorHighLaserPower, trapEDFAInvalidMode=trapEDFAInvalidMode, edfafwRev0=edfafwRev0, edfalabelCalibrationDataCRC=edfalabelCalibrationDataCRC, edfauomLaserCurrent=edfauomLaserCurrent, edfalabelLaserPowShutdown=edfalabelLaserPowShutdown, edfauomTECCurrent=edfauomTECCurrent, edfamaxValueLPSetting=edfamaxValueLPSetting, edfastateFlagFactoryDefault=edfastateFlagFactoryDefault, edfalabelKeySwitch=edfalabelKeySwitch, edfavalueStandbyStatus=edfavalueStandbyStatus, edfastateFlagTECTemp=edfastateFlagTECTemp, trapEDFABoot0Alarm=trapEDFABoot0Alarm, edfastateFlagOptOutPower=edfastateFlagOptOutPower, edfamajorHighTECTemp=edfamajorHighTECTemp, gx2EDFAFactoryEntry=gx2EDFAFactoryEntry, trapEDFAStandbyMode=trapEDFAStandbyMode, edfacurrentValueTECTemp=edfacurrentValueTECTemp, edfamajorHighLaserPower=edfamajorHighLaserPower, edfamajorLowFanCurrent=edfamajorLowFanCurrent, gx2EDFAHoldTimeData=gx2EDFAHoldTimeData, edfamajorLowLPSetting=edfamajorLowLPSetting, trapEDFAPowerFail=trapEDFAPowerFail, edfastateFlagOptInPower=edfastateFlagOptInPower, edfaminValueOptOutPower=edfaminValueOptOutPower, edfalabelBoot=edfalabelBoot, edfamajorHigh12Volt=edfamajorHigh12Volt, edfastateflagPowerFail=edfastateflagPowerFail, edfastateflagADCStatus=edfastateflagADCStatus, edfabootControlByte=edfabootControlByte, edfauomCGSetting=edfauomCGSetting, edfastateflagStandbyStatus=edfastateflagStandbyStatus, edfastateFlagLaserPower=edfastateFlagLaserPower, edfastateFlagModeSetting=edfastateFlagModeSetting, edfaminorLow12Volt=edfaminorLow12Volt, gx2EDFAHoldTimeTableIndex=gx2EDFAHoldTimeTableIndex, edfavalueModuleState=edfavalueModuleState, edfaminValueCGSetting=edfaminValueCGSetting, edfalabelStandbyStatus=edfalabelStandbyStatus, edfacurrentValueOptInPower=edfacurrentValueOptInPower, edfagx2EDFAStatusTableIndex=edfagx2EDFAStatusTableIndex, edfauomTECTemp=edfauomTECTemp, edfastateFlagTECCurrent=edfastateFlagTECCurrent, edfaminorHighLPSetting=edfaminorHighLPSetting, edfavalueADCStatus=edfavalueADCStatus, trapEDFABoot1Alarm=trapEDFABoot1Alarm, gx2EDFAFactoryTable=gx2EDFAFactoryTable, trapEDFAOptInThreshAlarm=trapEDFAOptInThreshAlarm, gx2EDFAAnalogEntry=gx2EDFAAnalogEntry, edfalabelOPSetting=edfalabelOPSetting, edfalabelFanCurrent=edfalabelFanCurrent, edfamajorLowOptThreshold=edfamajorLowOptThreshold, edfalabelOptThreshold=edfalabelOptThreshold, edfavalueTECShutOverride=edfavalueTECShutOverride, edfamajorHighFanCurrent=edfamajorHighFanCurrent, edfafactoryCRC=edfafactoryCRC, edfamajorHighModTemp=edfamajorHighModTemp, edfacurrentValueFanCurrent=edfacurrentValueFanCurrent, edfaenumModeSetting=edfaenumModeSetting, trapEDFAFactoryDataCRCAlarm=trapEDFAFactoryDataCRCAlarm, edfaminValue37Volt=edfaminValue37Volt, edfaflashPrgCntA=edfaflashPrgCntA, edfaalarmStateLPSetting=edfaalarmStateLPSetting, edfaalarmState12Volt=edfaalarmState12Volt, edfaminorHighFanCurrent=edfaminorHighFanCurrent, gx2EDFAHoldTimeTable=gx2EDFAHoldTimeTable, edfastateFlagModuleState=edfastateFlagModuleState, edfastateFlagOptThreshold=edfastateFlagOptThreshold, edfastateflagAlarmDataCRC=edfastateflagAlarmDataCRC, edfamaxValue37Volt=edfamaxValue37Volt, edfaminValueLPSetting=edfaminValueLPSetting, edfastateflagLaserCurrShutdown=edfastateflagLaserCurrShutdown, edfamajorLow12Volt=edfamajorLow12Volt, trapEDFAResetFacDefault=trapEDFAResetFacDefault, trapEDFALaserCurrentAlarm=trapEDFALaserCurrentAlarm, gx2EDFADescriptor=gx2EDFADescriptor, edfalabelLaserCurrShutdown=edfalabelLaserCurrShutdown, edfaalarmStateOptInPower=edfaalarmStateOptInPower, edfastateflagOptInShutdown=edfastateflagOptInShutdown, edfacurrentValue12Volt=edfacurrentValue12Volt, edfastateflagTECTempShutdown=edfastateflagTECTempShutdown, edfacurrentValueLPSetting=edfacurrentValueLPSetting, edfaminValueOptThreshold=edfaminValueOptThreshold, edfacalculateCRC=edfacalculateCRC, edfahourMeter=edfahourMeter, edfalabelOptInShutdown=edfalabelOptInShutdown, edfabank0CRC=edfabank0CRC, gx2EDFAHoldTimeEntry=gx2EDFAHoldTimeEntry, edfastateflagLaserPowShutdown=edfastateflagLaserPowShutdown, trapEDFAFlashAlarm=trapEDFAFlashAlarm, edfaminorHighTECTemp=edfaminorHighTECTemp, edfalabel37Volt=edfalabel37Volt, edfamajorHighLPSetting=edfamajorHighLPSetting, edfaminorHigh12Volt=edfaminorHigh12Volt, edfastateflagKeySwitch=edfastateflagKeySwitch, edfaalarmStateModTemp=edfaalarmStateModTemp, edfaalarmStateTECCurrent=edfaalarmStateTECCurrent, gx2EDFAHoldTimeSpecIndex=gx2EDFAHoldTimeSpecIndex, edfafwRev1=edfafwRev1, gx2EDFADigitalTable=gx2EDFADigitalTable, edfalabelLaserCurrent=edfalabelLaserCurrent, edfamaxValueLaserCurrent=edfamaxValueLaserCurrent, edfaalarmStateTECTemp=edfaalarmStateTECTemp, edfaprgEEPROMByte=edfaprgEEPROMByte, edfaminValueOptInPower=edfaminValueOptInPower, edfaminValueModTemp=edfaminValueModTemp, trapEDFAPlus12CurrentAlarm=trapEDFAPlus12CurrentAlarm, edfaminorLowOptOutPower=edfaminorLowOptOutPower, edfastateflagCalibrationDataCRC=edfastateflagCalibrationDataCRC, edfastateFlag37Volt=edfastateFlag37Volt, trapEDFATECTempShutdown=trapEDFATECTempShutdown, edfamajorLowOPSetting=edfamajorLowOPSetting, edfaminorHighOptThreshold=edfaminorHighOptThreshold, edfaalarmStateCGSetting=edfaalarmStateCGSetting, trapEDFAPlus37CurrentAlarm=trapEDFAPlus37CurrentAlarm, edfaalarmState37Volt=edfaalarmState37Volt, edfavalueFactoryDataCRC=edfavalueFactoryDataCRC, trapEDFAOptInShutdown=trapEDFAOptInShutdown, edfacurrentValueOptThreshold=edfacurrentValueOptThreshold, edfalabelOptInPower=edfalabelOptInPower, edfaminorLowFanCurrent=edfaminorLowFanCurrent, edfamaxValueOptInPower=edfamaxValueOptInPower, edfastateFlag12Volt=edfastateFlag12Volt, edfalabelCGSetting=edfalabelCGSetting, edfalabelModuleState=edfalabelModuleState, edfavalueAlarmDataCRC=edfavalueAlarmDataCRC, trapEDFAKeySwitch=trapEDFAKeySwitch, edfaminValueFanCurrent=edfaminValueFanCurrent, edfamaxValueOptThreshold=edfamaxValueOptThreshold, edfaminValueTECCurrent=edfaminValueTECCurrent, edfaminorLowCGSetting=edfaminorLowCGSetting, edfauom12Volt=edfauom12Volt, edfamajorLowLaserCurrent=edfamajorLowLaserCurrent, edfaalarmStateLaserPower=edfaalarmStateLaserPower, edfamajorLow37Volt=edfamajorLow37Volt, edfamaxValueTECCurrent=edfamaxValueTECCurrent, edfacurrentValueTECCurrent=edfacurrentValueTECCurrent, edfamajorHighOPSetting=edfamajorHighOPSetting, edfaenumModuleState=edfaenumModuleState, edfalabelLaserPower=edfalabelLaserPower, edfaminorLowOptInPower=edfaminorLowOptInPower, edfamajorLowTECCurrent=edfamajorLowTECCurrent, edfagx2EDFAFactoryTableIndex=edfagx2EDFAFactoryTableIndex, edfalabel12Volt=edfalabel12Volt, edfaflashPrgCntB=edfaflashPrgCntB, edfaminorLowLaserCurrent=edfaminorLowLaserCurrent) mibBuilder.exportSymbols('OMNI-gx2EDFA-MIB', edfavaluePowerFail=edfavaluePowerFail, edfacurrentValueLaserCurrent=edfacurrentValueLaserCurrent, edfastateflagBoot=edfastateflagBoot, edfamajorLowTECTemp=edfamajorLowTECTemp, edfamajorHighTECCurrent=edfamajorHighTECCurrent, edfastateflagConstGainStatus=edfastateflagConstGainStatus, trapEDFACalDataCRCAlarm=trapEDFACalDataCRCAlarm, edfauomOptThreshold=edfauomOptThreshold, edfastateFlagCGSetting=edfastateFlagCGSetting, edfagx2EDFADigitalTableIndex=edfagx2EDFADigitalTableIndex, edfaminorHighOptInPower=edfaminorHighOptInPower, edfaminorHighTECCurrent=edfaminorHighTECCurrent, edfamaxValueOPSetting=edfamaxValueOPSetting, edfalabelAlarmDataCRC=edfalabelAlarmDataCRC, edfastateFlagLPSetting=edfastateFlagLPSetting, edfalabelTECShutOverride=edfalabelTECShutOverride, edfalabelOptOutPower=edfalabelOptOutPower, trapEDFAConfigChangeDisplayString=trapEDFAConfigChangeDisplayString)
class Config(object): #Google API keys OAUTH2_SCOPE = 'https://www.googleapis.com/auth/drive' DRIVE_CLIENT_ID = 'your drive client id' DRIVE_CLIENT_SECRET = 'your drive client secret' DRIVE_REDIRECT_URI = 'your redirect uri'
class Config(object): oauth2_scope = 'https://www.googleapis.com/auth/drive' drive_client_id = 'your drive client id' drive_client_secret = 'your drive client secret' drive_redirect_uri = 'your redirect uri'
nome = 'fazenda', 'caro', 'notebook', 'agua', 'helicoptero', 'aviao' for n in nome: print(f'\no nome {n} tem as vogais:', end=' ') for vogal in n: if vogal.lower() in 'aeiou': print(vogal, end=' ')
nome = ('fazenda', 'caro', 'notebook', 'agua', 'helicoptero', 'aviao') for n in nome: print(f'\no nome {n} tem as vogais:', end=' ') for vogal in n: if vogal.lower() in 'aeiou': print(vogal, end=' ')
load("@rules_vulkan//glsl:repositories.bzl", "glsl_repositories") load("@rules_vulkan//vulkan/platform:windows.bzl", "vulkan_windows") load("@rules_vulkan//vulkan/platform:linux.bzl", "vulkan_linux") def vulkan_repositories(): """Loads the required repositories into the workspace """ vulkan_windows( name = "vulkan_windows" ) vulkan_linux( name = "vulkan_linux" ) glsl_repositories()
load('@rules_vulkan//glsl:repositories.bzl', 'glsl_repositories') load('@rules_vulkan//vulkan/platform:windows.bzl', 'vulkan_windows') load('@rules_vulkan//vulkan/platform:linux.bzl', 'vulkan_linux') def vulkan_repositories(): """Loads the required repositories into the workspace """ vulkan_windows(name='vulkan_windows') vulkan_linux(name='vulkan_linux') glsl_repositories()
# # PySNMP MIB module RFC1382-MIB (http://snmplabs.com/pysmi) # ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/RFC1382-MIB # Produced by pysmi-0.3.4 at Mon Apr 29 17:32:43 2019 # On host DAVWANG4-M-1475 platform Darwin version 18.5.0 by user davwang4 # Using Python version 3.7.3 (default, Mar 27 2019, 09:23:15) # Integer, OctetString, ObjectIdentifier = mibBuilder.importSymbols("ASN1", "Integer", "OctetString", "ObjectIdentifier") NamedValues, = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues") SingleValueConstraint, ConstraintsUnion, ValueSizeConstraint, ValueRangeConstraint, ConstraintsIntersection = mibBuilder.importSymbols("ASN1-REFINEMENT", "SingleValueConstraint", "ConstraintsUnion", "ValueSizeConstraint", "ValueRangeConstraint", "ConstraintsIntersection") PositiveInteger, = mibBuilder.importSymbols("RFC1253-MIB", "PositiveInteger") EntryStatus, = mibBuilder.importSymbols("RFC1271-MIB", "EntryStatus") IfIndexType, = mibBuilder.importSymbols("RFC1381-MIB", "IfIndexType") ModuleCompliance, NotificationGroup = mibBuilder.importSymbols("SNMPv2-CONF", "ModuleCompliance", "NotificationGroup") NotificationType, NotificationType, ObjectIdentity, IpAddress, TimeTicks, MibIdentifier, Unsigned32, Counter32, transmission, Gauge32, iso, ModuleIdentity, MibScalar, MibTable, MibTableRow, MibTableColumn, Integer32, Counter64, Bits = mibBuilder.importSymbols("SNMPv2-SMI", "NotificationType", "NotificationType", "ObjectIdentity", "IpAddress", "TimeTicks", "MibIdentifier", "Unsigned32", "Counter32", "transmission", "Gauge32", "iso", "ModuleIdentity", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "Integer32", "Counter64", "Bits") DisplayString, TextualConvention = mibBuilder.importSymbols("SNMPv2-TC", "DisplayString", "TextualConvention") x25 = MibIdentifier((1, 3, 6, 1, 2, 1, 10, 5)) class X121Address(OctetString): subtypeSpec = OctetString.subtypeSpec + ValueSizeConstraint(0, 17) x25AdmnTable = MibTable((1, 3, 6, 1, 2, 1, 10, 5, 1), ) if mibBuilder.loadTexts: x25AdmnTable.setStatus('mandatory') x25AdmnEntry = MibTableRow((1, 3, 6, 1, 2, 1, 10, 5, 1, 1), ).setIndexNames((0, "RFC1382-MIB", "x25AdmnIndex")) if mibBuilder.loadTexts: x25AdmnEntry.setStatus('mandatory') x25AdmnIndex = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 1, 1, 1), IfIndexType()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25AdmnIndex.setStatus('mandatory') x25AdmnInterfaceMode = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 1, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("dte", 1), ("dce", 2), ("dxe", 3)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25AdmnInterfaceMode.setStatus('mandatory') x25AdmnMaxActiveCircuits = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 1, 1, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 4096))).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25AdmnMaxActiveCircuits.setStatus('mandatory') x25AdmnPacketSequencing = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 1, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("modulo8", 1), ("modulo128", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25AdmnPacketSequencing.setStatus('mandatory') x25AdmnRestartTimer = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 1, 1, 5), PositiveInteger()).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25AdmnRestartTimer.setStatus('mandatory') x25AdmnCallTimer = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 1, 1, 6), PositiveInteger()).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25AdmnCallTimer.setStatus('mandatory') x25AdmnResetTimer = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 1, 1, 7), PositiveInteger()).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25AdmnResetTimer.setStatus('mandatory') x25AdmnClearTimer = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 1, 1, 8), PositiveInteger()).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25AdmnClearTimer.setStatus('mandatory') x25AdmnWindowTimer = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 1, 1, 9), PositiveInteger()).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25AdmnWindowTimer.setStatus('mandatory') x25AdmnDataRxmtTimer = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 1, 1, 10), PositiveInteger()).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25AdmnDataRxmtTimer.setStatus('mandatory') x25AdmnInterruptTimer = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 1, 1, 11), PositiveInteger()).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25AdmnInterruptTimer.setStatus('mandatory') x25AdmnRejectTimer = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 1, 1, 12), PositiveInteger()).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25AdmnRejectTimer.setStatus('mandatory') x25AdmnRegistrationRequestTimer = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 1, 1, 13), PositiveInteger()).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25AdmnRegistrationRequestTimer.setStatus('mandatory') x25AdmnMinimumRecallTimer = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 1, 1, 14), PositiveInteger()).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25AdmnMinimumRecallTimer.setStatus('mandatory') x25AdmnRestartCount = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 1, 1, 15), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25AdmnRestartCount.setStatus('mandatory') x25AdmnResetCount = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 1, 1, 16), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25AdmnResetCount.setStatus('mandatory') x25AdmnClearCount = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 1, 1, 17), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25AdmnClearCount.setStatus('mandatory') x25AdmnDataRxmtCount = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 1, 1, 18), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25AdmnDataRxmtCount.setStatus('mandatory') x25AdmnRejectCount = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 1, 1, 19), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25AdmnRejectCount.setStatus('mandatory') x25AdmnRegistrationRequestCount = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 1, 1, 20), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25AdmnRegistrationRequestCount.setStatus('mandatory') x25AdmnNumberPVCs = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 1, 1, 21), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 4096))).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25AdmnNumberPVCs.setStatus('mandatory') x25AdmnDefCallParamId = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 1, 1, 22), ObjectIdentifier()).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25AdmnDefCallParamId.setStatus('mandatory') x25AdmnLocalAddress = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 1, 1, 23), X121Address()).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25AdmnLocalAddress.setStatus('mandatory') x25AdmnProtocolVersionSupported = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 1, 1, 24), ObjectIdentifier()).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25AdmnProtocolVersionSupported.setStatus('mandatory') x25OperTable = MibTable((1, 3, 6, 1, 2, 1, 10, 5, 2), ) if mibBuilder.loadTexts: x25OperTable.setStatus('mandatory') x25OperEntry = MibTableRow((1, 3, 6, 1, 2, 1, 10, 5, 2, 1), ).setIndexNames((0, "RFC1382-MIB", "x25OperIndex")) if mibBuilder.loadTexts: x25OperEntry.setStatus('mandatory') x25OperIndex = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 2, 1, 1), IfIndexType()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25OperIndex.setStatus('mandatory') x25OperInterfaceMode = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 2, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("dte", 1), ("dce", 2), ("dxe", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: x25OperInterfaceMode.setStatus('mandatory') x25OperMaxActiveCircuits = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 2, 1, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 4096))).setMaxAccess("readonly") if mibBuilder.loadTexts: x25OperMaxActiveCircuits.setStatus('mandatory') x25OperPacketSequencing = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 2, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("modulo8", 1), ("modulo128", 2)))).setMaxAccess("readonly") if mibBuilder.loadTexts: x25OperPacketSequencing.setStatus('mandatory') x25OperRestartTimer = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 2, 1, 5), PositiveInteger()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25OperRestartTimer.setStatus('mandatory') x25OperCallTimer = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 2, 1, 6), PositiveInteger()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25OperCallTimer.setStatus('mandatory') x25OperResetTimer = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 2, 1, 7), PositiveInteger()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25OperResetTimer.setStatus('mandatory') x25OperClearTimer = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 2, 1, 8), PositiveInteger()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25OperClearTimer.setStatus('mandatory') x25OperWindowTimer = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 2, 1, 9), PositiveInteger()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25OperWindowTimer.setStatus('mandatory') x25OperDataRxmtTimer = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 2, 1, 10), PositiveInteger()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25OperDataRxmtTimer.setStatus('mandatory') x25OperInterruptTimer = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 2, 1, 11), PositiveInteger()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25OperInterruptTimer.setStatus('mandatory') x25OperRejectTimer = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 2, 1, 12), PositiveInteger()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25OperRejectTimer.setStatus('mandatory') x25OperRegistrationRequestTimer = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 2, 1, 13), PositiveInteger()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25OperRegistrationRequestTimer.setStatus('mandatory') x25OperMinimumRecallTimer = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 2, 1, 14), PositiveInteger()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25OperMinimumRecallTimer.setStatus('mandatory') x25OperRestartCount = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 2, 1, 15), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readonly") if mibBuilder.loadTexts: x25OperRestartCount.setStatus('mandatory') x25OperResetCount = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 2, 1, 16), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readonly") if mibBuilder.loadTexts: x25OperResetCount.setStatus('mandatory') x25OperClearCount = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 2, 1, 17), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readonly") if mibBuilder.loadTexts: x25OperClearCount.setStatus('mandatory') x25OperDataRxmtCount = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 2, 1, 18), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readonly") if mibBuilder.loadTexts: x25OperDataRxmtCount.setStatus('mandatory') x25OperRejectCount = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 2, 1, 19), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readonly") if mibBuilder.loadTexts: x25OperRejectCount.setStatus('mandatory') x25OperRegistrationRequestCount = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 2, 1, 20), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readonly") if mibBuilder.loadTexts: x25OperRegistrationRequestCount.setStatus('mandatory') x25OperNumberPVCs = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 2, 1, 21), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 4096))).setMaxAccess("readonly") if mibBuilder.loadTexts: x25OperNumberPVCs.setStatus('mandatory') x25OperDefCallParamId = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 2, 1, 22), ObjectIdentifier()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25OperDefCallParamId.setStatus('mandatory') x25OperLocalAddress = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 2, 1, 23), X121Address()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25OperLocalAddress.setStatus('mandatory') x25OperDataLinkId = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 2, 1, 24), ObjectIdentifier()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25OperDataLinkId.setStatus('mandatory') x25OperProtocolVersionSupported = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 2, 1, 25), ObjectIdentifier()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25OperProtocolVersionSupported.setStatus('mandatory') x25StatTable = MibTable((1, 3, 6, 1, 2, 1, 10, 5, 3), ) if mibBuilder.loadTexts: x25StatTable.setStatus('mandatory') x25StatEntry = MibTableRow((1, 3, 6, 1, 2, 1, 10, 5, 3, 1), ).setIndexNames((0, "RFC1382-MIB", "x25StatIndex")) if mibBuilder.loadTexts: x25StatEntry.setStatus('mandatory') x25StatIndex = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 3, 1, 1), IfIndexType()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25StatIndex.setStatus('mandatory') x25StatInCalls = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 3, 1, 2), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25StatInCalls.setStatus('mandatory') x25StatInCallRefusals = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 3, 1, 3), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25StatInCallRefusals.setStatus('mandatory') x25StatInProviderInitiatedClears = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 3, 1, 4), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25StatInProviderInitiatedClears.setStatus('mandatory') x25StatInRemotelyInitiatedResets = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 3, 1, 5), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25StatInRemotelyInitiatedResets.setStatus('mandatory') x25StatInProviderInitiatedResets = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 3, 1, 6), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25StatInProviderInitiatedResets.setStatus('mandatory') x25StatInRestarts = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 3, 1, 7), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25StatInRestarts.setStatus('mandatory') x25StatInDataPackets = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 3, 1, 8), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25StatInDataPackets.setStatus('mandatory') x25StatInAccusedOfProtocolErrors = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 3, 1, 9), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25StatInAccusedOfProtocolErrors.setStatus('mandatory') x25StatInInterrupts = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 3, 1, 10), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25StatInInterrupts.setStatus('mandatory') x25StatOutCallAttempts = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 3, 1, 11), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25StatOutCallAttempts.setStatus('mandatory') x25StatOutCallFailures = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 3, 1, 12), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25StatOutCallFailures.setStatus('mandatory') x25StatOutInterrupts = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 3, 1, 13), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25StatOutInterrupts.setStatus('mandatory') x25StatOutDataPackets = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 3, 1, 14), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25StatOutDataPackets.setStatus('mandatory') x25StatOutgoingCircuits = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 3, 1, 15), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25StatOutgoingCircuits.setStatus('mandatory') x25StatIncomingCircuits = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 3, 1, 16), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25StatIncomingCircuits.setStatus('mandatory') x25StatTwowayCircuits = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 3, 1, 17), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25StatTwowayCircuits.setStatus('mandatory') x25StatRestartTimeouts = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 3, 1, 18), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25StatRestartTimeouts.setStatus('mandatory') x25StatCallTimeouts = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 3, 1, 19), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25StatCallTimeouts.setStatus('mandatory') x25StatResetTimeouts = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 3, 1, 20), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25StatResetTimeouts.setStatus('mandatory') x25StatClearTimeouts = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 3, 1, 21), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25StatClearTimeouts.setStatus('mandatory') x25StatDataRxmtTimeouts = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 3, 1, 22), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25StatDataRxmtTimeouts.setStatus('mandatory') x25StatInterruptTimeouts = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 3, 1, 23), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25StatInterruptTimeouts.setStatus('mandatory') x25StatRetryCountExceededs = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 3, 1, 24), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25StatRetryCountExceededs.setStatus('mandatory') x25StatClearCountExceededs = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 3, 1, 25), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25StatClearCountExceededs.setStatus('mandatory') x25ChannelTable = MibTable((1, 3, 6, 1, 2, 1, 10, 5, 4), ) if mibBuilder.loadTexts: x25ChannelTable.setStatus('mandatory') x25ChannelEntry = MibTableRow((1, 3, 6, 1, 2, 1, 10, 5, 4, 1), ).setIndexNames((0, "RFC1382-MIB", "x25ChannelIndex")) if mibBuilder.loadTexts: x25ChannelEntry.setStatus('mandatory') x25ChannelIndex = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 4, 1, 1), IfIndexType()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25ChannelIndex.setStatus('mandatory') x25ChannelLIC = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 4, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 4095))).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25ChannelLIC.setStatus('mandatory') x25ChannelHIC = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 4, 1, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 4095))).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25ChannelHIC.setStatus('mandatory') x25ChannelLTC = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 4, 1, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 4095))).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25ChannelLTC.setStatus('mandatory') x25ChannelHTC = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 4, 1, 5), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 4095))).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25ChannelHTC.setStatus('mandatory') x25ChannelLOC = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 4, 1, 6), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 4095))).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25ChannelLOC.setStatus('mandatory') x25ChannelHOC = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 4, 1, 7), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 4095))).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25ChannelHOC.setStatus('mandatory') x25CircuitTable = MibTable((1, 3, 6, 1, 2, 1, 10, 5, 5), ) if mibBuilder.loadTexts: x25CircuitTable.setStatus('mandatory') x25CircuitEntry = MibTableRow((1, 3, 6, 1, 2, 1, 10, 5, 5, 1), ).setIndexNames((0, "RFC1382-MIB", "x25CircuitIndex"), (0, "RFC1382-MIB", "x25CircuitChannel")) if mibBuilder.loadTexts: x25CircuitEntry.setStatus('mandatory') x25CircuitIndex = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 5, 1, 1), IfIndexType()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25CircuitIndex.setStatus('mandatory') x25CircuitChannel = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 5, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 4095))).setMaxAccess("readonly") if mibBuilder.loadTexts: x25CircuitChannel.setStatus('mandatory') x25CircuitStatus = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 5, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10))).clone(namedValues=NamedValues(("invalid", 1), ("closed", 2), ("calling", 3), ("open", 4), ("clearing", 5), ("pvc", 6), ("pvcResetting", 7), ("startClear", 8), ("startPvcResetting", 9), ("other", 10)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25CircuitStatus.setStatus('mandatory') x25CircuitEstablishTime = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 5, 1, 4), TimeTicks()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25CircuitEstablishTime.setStatus('mandatory') x25CircuitDirection = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 5, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("incoming", 1), ("outgoing", 2), ("pvc", 3))).clone('pvc')).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25CircuitDirection.setStatus('mandatory') x25CircuitInOctets = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 5, 1, 6), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25CircuitInOctets.setStatus('mandatory') x25CircuitInPdus = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 5, 1, 7), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25CircuitInPdus.setStatus('mandatory') x25CircuitInRemotelyInitiatedResets = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 5, 1, 8), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25CircuitInRemotelyInitiatedResets.setStatus('mandatory') x25CircuitInProviderInitiatedResets = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 5, 1, 9), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25CircuitInProviderInitiatedResets.setStatus('mandatory') x25CircuitInInterrupts = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 5, 1, 10), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25CircuitInInterrupts.setStatus('mandatory') x25CircuitOutOctets = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 5, 1, 11), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25CircuitOutOctets.setStatus('mandatory') x25CircuitOutPdus = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 5, 1, 12), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25CircuitOutPdus.setStatus('mandatory') x25CircuitOutInterrupts = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 5, 1, 13), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25CircuitOutInterrupts.setStatus('mandatory') x25CircuitDataRetransmissionTimeouts = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 5, 1, 14), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25CircuitDataRetransmissionTimeouts.setStatus('mandatory') x25CircuitResetTimeouts = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 5, 1, 15), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25CircuitResetTimeouts.setStatus('mandatory') x25CircuitInterruptTimeouts = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 5, 1, 16), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25CircuitInterruptTimeouts.setStatus('mandatory') x25CircuitCallParamId = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 5, 1, 17), ObjectIdentifier()).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25CircuitCallParamId.setStatus('mandatory') x25CircuitCalledDteAddress = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 5, 1, 18), X121Address().clone(hexValue="")).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25CircuitCalledDteAddress.setStatus('mandatory') x25CircuitCallingDteAddress = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 5, 1, 19), X121Address().clone(hexValue="")).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25CircuitCallingDteAddress.setStatus('mandatory') x25CircuitOriginallyCalledAddress = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 5, 1, 20), X121Address().clone(hexValue="")).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25CircuitOriginallyCalledAddress.setStatus('mandatory') x25CircuitDescr = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 5, 1, 21), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255)).clone(hexValue="")).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25CircuitDescr.setStatus('mandatory') x25ClearedCircuitEntriesRequested = MibScalar((1, 3, 6, 1, 2, 1, 10, 5, 6), PositiveInteger()).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25ClearedCircuitEntriesRequested.setStatus('mandatory') x25ClearedCircuitEntriesGranted = MibScalar((1, 3, 6, 1, 2, 1, 10, 5, 7), PositiveInteger()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25ClearedCircuitEntriesGranted.setStatus('mandatory') x25ClearedCircuitTable = MibTable((1, 3, 6, 1, 2, 1, 10, 5, 8), ) if mibBuilder.loadTexts: x25ClearedCircuitTable.setStatus('mandatory') x25ClearedCircuitEntry = MibTableRow((1, 3, 6, 1, 2, 1, 10, 5, 8, 1), ).setIndexNames((0, "RFC1382-MIB", "x25ClearedCircuitIndex")) if mibBuilder.loadTexts: x25ClearedCircuitEntry.setStatus('mandatory') x25ClearedCircuitIndex = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 8, 1, 1), PositiveInteger()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25ClearedCircuitIndex.setStatus('mandatory') x25ClearedCircuitPleIndex = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 8, 1, 2), IfIndexType()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25ClearedCircuitPleIndex.setStatus('mandatory') x25ClearedCircuitTimeEstablished = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 8, 1, 3), TimeTicks()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25ClearedCircuitTimeEstablished.setStatus('mandatory') x25ClearedCircuitTimeCleared = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 8, 1, 4), TimeTicks()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25ClearedCircuitTimeCleared.setStatus('mandatory') x25ClearedCircuitChannel = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 8, 1, 5), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 4095))).setMaxAccess("readonly") if mibBuilder.loadTexts: x25ClearedCircuitChannel.setStatus('mandatory') x25ClearedCircuitClearingCause = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 8, 1, 6), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 255))).setMaxAccess("readonly") if mibBuilder.loadTexts: x25ClearedCircuitClearingCause.setStatus('mandatory') x25ClearedCircuitDiagnosticCode = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 8, 1, 7), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 255))).setMaxAccess("readonly") if mibBuilder.loadTexts: x25ClearedCircuitDiagnosticCode.setStatus('mandatory') x25ClearedCircuitInPdus = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 8, 1, 8), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25ClearedCircuitInPdus.setStatus('mandatory') x25ClearedCircuitOutPdus = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 8, 1, 9), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25ClearedCircuitOutPdus.setStatus('mandatory') x25ClearedCircuitCalledAddress = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 8, 1, 10), X121Address()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25ClearedCircuitCalledAddress.setStatus('mandatory') x25ClearedCircuitCallingAddress = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 8, 1, 11), X121Address()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25ClearedCircuitCallingAddress.setStatus('mandatory') x25ClearedCircuitClearFacilities = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 8, 1, 12), OctetString().subtype(subtypeSpec=ValueSizeConstraint(0, 109))).setMaxAccess("readonly") if mibBuilder.loadTexts: x25ClearedCircuitClearFacilities.setStatus('mandatory') x25CallParmTable = MibTable((1, 3, 6, 1, 2, 1, 10, 5, 9), ) if mibBuilder.loadTexts: x25CallParmTable.setStatus('mandatory') x25CallParmEntry = MibTableRow((1, 3, 6, 1, 2, 1, 10, 5, 9, 1), ).setIndexNames((0, "RFC1382-MIB", "x25CallParmIndex")) if mibBuilder.loadTexts: x25CallParmEntry.setStatus('mandatory') x25CallParmIndex = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 9, 1, 1), PositiveInteger()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25CallParmIndex.setStatus('mandatory') x25CallParmStatus = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 9, 1, 2), EntryStatus()).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25CallParmStatus.setStatus('mandatory') x25CallParmRefCount = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 9, 1, 3), PositiveInteger()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25CallParmRefCount.setStatus('mandatory') x25CallParmInPacketSize = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 9, 1, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 4096)).clone(128)).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25CallParmInPacketSize.setStatus('mandatory') x25CallParmOutPacketSize = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 9, 1, 5), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 4096)).clone(128)).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25CallParmOutPacketSize.setStatus('mandatory') x25CallParmInWindowSize = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 9, 1, 6), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 127)).clone(2)).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25CallParmInWindowSize.setStatus('mandatory') x25CallParmOutWindowSize = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 9, 1, 7), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 127)).clone(2)).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25CallParmOutWindowSize.setStatus('mandatory') x25CallParmAcceptReverseCharging = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 9, 1, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("default", 1), ("accept", 2), ("refuse", 3), ("neverAccept", 4))).clone('refuse')).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25CallParmAcceptReverseCharging.setStatus('mandatory') x25CallParmProposeReverseCharging = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 9, 1, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("default", 1), ("reverse", 2), ("local", 3))).clone('local')).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25CallParmProposeReverseCharging.setStatus('mandatory') x25CallParmFastSelect = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 9, 1, 10), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("default", 1), ("notSpecified", 2), ("fastSelect", 3), ("restrictedFastResponse", 4), ("noFastSelect", 5), ("noRestrictedFastResponse", 6))).clone('noFastSelect')).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25CallParmFastSelect.setStatus('mandatory') x25CallParmInThruPutClasSize = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 9, 1, 11), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18))).clone(namedValues=NamedValues(("tcReserved1", 1), ("tcReserved2", 2), ("tc75", 3), ("tc150", 4), ("tc300", 5), ("tc600", 6), ("tc1200", 7), ("tc2400", 8), ("tc4800", 9), ("tc9600", 10), ("tc19200", 11), ("tc48000", 12), ("tc64000", 13), ("tcReserved14", 14), ("tcReserved15", 15), ("tcReserved0", 16), ("tcNone", 17), ("tcDefault", 18))).clone('tcNone')).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25CallParmInThruPutClasSize.setStatus('mandatory') x25CallParmOutThruPutClasSize = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 9, 1, 12), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18))).clone(namedValues=NamedValues(("tcReserved1", 1), ("tcReserved2", 2), ("tc75", 3), ("tc150", 4), ("tc300", 5), ("tc600", 6), ("tc1200", 7), ("tc2400", 8), ("tc4800", 9), ("tc9600", 10), ("tc19200", 11), ("tc48000", 12), ("tc64000", 13), ("tcReserved14", 14), ("tcReserved15", 15), ("tcReserved0", 16), ("tcNone", 17), ("tcDefault", 18))).clone('tcNone')).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25CallParmOutThruPutClasSize.setStatus('mandatory') x25CallParmCug = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 9, 1, 13), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 4)).clone(hexValue="")).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25CallParmCug.setStatus('mandatory') x25CallParmCugoa = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 9, 1, 14), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 4)).clone(hexValue="")).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25CallParmCugoa.setStatus('mandatory') x25CallParmBcug = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 9, 1, 15), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 3)).clone(hexValue="")).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25CallParmBcug.setStatus('mandatory') x25CallParmNui = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 9, 1, 16), OctetString().subtype(subtypeSpec=ValueSizeConstraint(0, 108)).clone(hexValue="")).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25CallParmNui.setStatus('mandatory') x25CallParmChargingInfo = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 9, 1, 17), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("default", 1), ("noFacility", 2), ("noChargingInfo", 3), ("chargingInfo", 4))).clone('noFacility')).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25CallParmChargingInfo.setStatus('mandatory') x25CallParmRpoa = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 9, 1, 18), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 108)).clone(hexValue="")).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25CallParmRpoa.setStatus('mandatory') x25CallParmTrnstDly = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 9, 1, 19), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65537)).clone(65536)).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25CallParmTrnstDly.setStatus('mandatory') x25CallParmCallingExt = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 9, 1, 20), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 40)).clone(hexValue="")).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25CallParmCallingExt.setStatus('mandatory') x25CallParmCalledExt = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 9, 1, 21), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 40)).clone(hexValue="")).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25CallParmCalledExt.setStatus('mandatory') x25CallParmInMinThuPutCls = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 9, 1, 22), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 17)).clone(17)).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25CallParmInMinThuPutCls.setStatus('mandatory') x25CallParmOutMinThuPutCls = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 9, 1, 23), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 17)).clone(17)).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25CallParmOutMinThuPutCls.setStatus('mandatory') x25CallParmEndTrnsDly = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 9, 1, 24), OctetString().subtype(subtypeSpec=ValueSizeConstraint(0, 6)).clone(hexValue="")).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25CallParmEndTrnsDly.setStatus('mandatory') x25CallParmPriority = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 9, 1, 25), OctetString().subtype(subtypeSpec=ValueSizeConstraint(0, 6)).clone(hexValue="")).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25CallParmPriority.setStatus('mandatory') x25CallParmProtection = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 9, 1, 26), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 108)).clone(hexValue="")).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25CallParmProtection.setStatus('mandatory') x25CallParmExptData = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 9, 1, 27), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("default", 1), ("noExpeditedData", 2), ("expeditedData", 3))).clone('noExpeditedData')).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25CallParmExptData.setStatus('mandatory') x25CallParmUserData = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 9, 1, 28), OctetString().subtype(subtypeSpec=ValueSizeConstraint(0, 128)).clone(hexValue="")).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25CallParmUserData.setStatus('mandatory') x25CallParmCallingNetworkFacilities = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 9, 1, 29), OctetString().subtype(subtypeSpec=ValueSizeConstraint(0, 108)).clone(hexValue="")).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25CallParmCallingNetworkFacilities.setStatus('mandatory') x25CallParmCalledNetworkFacilities = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 9, 1, 30), OctetString().subtype(subtypeSpec=ValueSizeConstraint(0, 108)).clone(hexValue="")).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25CallParmCalledNetworkFacilities.setStatus('mandatory') x25Restart = NotificationType((1, 3, 6, 1, 2, 1, 10, 5) + (0,1)).setObjects(("RFC1382-MIB", "x25OperIndex")) x25Reset = NotificationType((1, 3, 6, 1, 2, 1, 10, 5) + (0,2)).setObjects(("RFC1382-MIB", "x25CircuitIndex"), ("RFC1382-MIB", "x25CircuitChannel")) x25ProtocolVersion = MibIdentifier((1, 3, 6, 1, 2, 1, 10, 5, 10)) x25protocolCcittV1976 = MibIdentifier((1, 3, 6, 1, 2, 1, 10, 5, 10, 1)) x25protocolCcittV1980 = MibIdentifier((1, 3, 6, 1, 2, 1, 10, 5, 10, 2)) x25protocolCcittV1984 = MibIdentifier((1, 3, 6, 1, 2, 1, 10, 5, 10, 3)) x25protocolCcittV1988 = MibIdentifier((1, 3, 6, 1, 2, 1, 10, 5, 10, 4)) x25protocolIso8208V1987 = MibIdentifier((1, 3, 6, 1, 2, 1, 10, 5, 10, 5)) x25protocolIso8208V1989 = MibIdentifier((1, 3, 6, 1, 2, 1, 10, 5, 10, 6)) mibBuilder.exportSymbols("RFC1382-MIB", x25CallParmInPacketSize=x25CallParmInPacketSize, x25OperInterruptTimer=x25OperInterruptTimer, x25CallParmTable=x25CallParmTable, x25CallParmExptData=x25CallParmExptData, x25StatOutDataPackets=x25StatOutDataPackets, x25AdmnDefCallParamId=x25AdmnDefCallParamId, x25AdmnCallTimer=x25AdmnCallTimer, x25AdmnNumberPVCs=x25AdmnNumberPVCs, x25ClearedCircuitEntry=x25ClearedCircuitEntry, x25ClearedCircuitChannel=x25ClearedCircuitChannel, x25ClearedCircuitClearingCause=x25ClearedCircuitClearingCause, x25CallParmCallingExt=x25CallParmCallingExt, x25Restart=x25Restart, x25CircuitTable=x25CircuitTable, x25CircuitInterruptTimeouts=x25CircuitInterruptTimeouts, x25OperRestartCount=x25OperRestartCount, x25OperWindowTimer=x25OperWindowTimer, x25StatInCallRefusals=x25StatInCallRefusals, x25StatInInterrupts=x25StatInInterrupts, x25StatEntry=x25StatEntry, x25AdmnRegistrationRequestTimer=x25AdmnRegistrationRequestTimer, x25CircuitOutPdus=x25CircuitOutPdus, x25AdmnRestartCount=x25AdmnRestartCount, x25CallParmCalledExt=x25CallParmCalledExt, x25AdmnResetTimer=x25AdmnResetTimer, x25ClearedCircuitEntriesGranted=x25ClearedCircuitEntriesGranted, x25AdmnRejectCount=x25AdmnRejectCount, x25OperRejectCount=x25OperRejectCount, x25StatTwowayCircuits=x25StatTwowayCircuits, x25ClearedCircuitCallingAddress=x25ClearedCircuitCallingAddress, x25StatRestartTimeouts=x25StatRestartTimeouts, x25StatClearCountExceededs=x25StatClearCountExceededs, x25AdmnMaxActiveCircuits=x25AdmnMaxActiveCircuits, x25StatClearTimeouts=x25StatClearTimeouts, x25StatInCalls=x25StatInCalls, x25CallParmUserData=x25CallParmUserData, x25Reset=x25Reset, x25AdmnLocalAddress=x25AdmnLocalAddress, x25StatIndex=x25StatIndex, x25ProtocolVersion=x25ProtocolVersion, x25ChannelEntry=x25ChannelEntry, x25=x25, x25CallParmIndex=x25CallParmIndex, x25CallParmFastSelect=x25CallParmFastSelect, x25StatTable=x25StatTable, x25AdmnPacketSequencing=x25AdmnPacketSequencing, x25ChannelLOC=x25ChannelLOC, x25CallParmInMinThuPutCls=x25CallParmInMinThuPutCls, x25OperTable=x25OperTable, x25StatInProviderInitiatedResets=x25StatInProviderInitiatedResets, x25protocolCcittV1984=x25protocolCcittV1984, x25ClearedCircuitPleIndex=x25ClearedCircuitPleIndex, x25CircuitDescr=x25CircuitDescr, x25AdmnDataRxmtTimer=x25AdmnDataRxmtTimer, x25protocolIso8208V1989=x25protocolIso8208V1989, x25CircuitEstablishTime=x25CircuitEstablishTime, x25CallParmStatus=x25CallParmStatus, x25CircuitChannel=x25CircuitChannel, x25StatInRestarts=x25StatInRestarts, x25OperClearCount=x25OperClearCount, x25OperEntry=x25OperEntry, x25OperIndex=x25OperIndex, x25CircuitDataRetransmissionTimeouts=x25CircuitDataRetransmissionTimeouts, x25ClearedCircuitDiagnosticCode=x25ClearedCircuitDiagnosticCode, x25CallParmEntry=x25CallParmEntry, x25ChannelHOC=x25ChannelHOC, x25OperProtocolVersionSupported=x25OperProtocolVersionSupported, x25StatCallTimeouts=x25StatCallTimeouts, x25ChannelHTC=x25ChannelHTC, x25CircuitResetTimeouts=x25CircuitResetTimeouts, x25ClearedCircuitTimeEstablished=x25ClearedCircuitTimeEstablished, x25CallParmOutPacketSize=x25CallParmOutPacketSize, x25protocolIso8208V1987=x25protocolIso8208V1987, x25StatInProviderInitiatedClears=x25StatInProviderInitiatedClears, X121Address=X121Address, x25OperResetTimer=x25OperResetTimer, x25OperRegistrationRequestCount=x25OperRegistrationRequestCount, x25OperLocalAddress=x25OperLocalAddress, x25AdmnInterruptTimer=x25AdmnInterruptTimer, x25CircuitOutInterrupts=x25CircuitOutInterrupts, x25OperResetCount=x25OperResetCount, x25CircuitInProviderInitiatedResets=x25CircuitInProviderInitiatedResets, x25ClearedCircuitIndex=x25ClearedCircuitIndex, x25CallParmCugoa=x25CallParmCugoa, x25CallParmNui=x25CallParmNui, x25AdmnMinimumRecallTimer=x25AdmnMinimumRecallTimer, x25OperDataRxmtCount=x25OperDataRxmtCount, x25CircuitInPdus=x25CircuitInPdus, x25protocolCcittV1976=x25protocolCcittV1976, x25ClearedCircuitClearFacilities=x25ClearedCircuitClearFacilities, x25AdmnClearCount=x25AdmnClearCount, x25AdmnProtocolVersionSupported=x25AdmnProtocolVersionSupported, x25CallParmBcug=x25CallParmBcug, x25CallParmProposeReverseCharging=x25CallParmProposeReverseCharging, x25AdmnIndex=x25AdmnIndex, x25CallParmRpoa=x25CallParmRpoa, x25StatOutInterrupts=x25StatOutInterrupts, x25CircuitIndex=x25CircuitIndex, x25ClearedCircuitOutPdus=x25ClearedCircuitOutPdus, x25CallParmCallingNetworkFacilities=x25CallParmCallingNetworkFacilities, x25ChannelLIC=x25ChannelLIC, x25CircuitStatus=x25CircuitStatus, x25OperDataLinkId=x25OperDataLinkId, x25StatInRemotelyInitiatedResets=x25StatInRemotelyInitiatedResets, x25ChannelTable=x25ChannelTable, x25protocolCcittV1980=x25protocolCcittV1980, x25CallParmRefCount=x25CallParmRefCount, x25CallParmPriority=x25CallParmPriority, x25ClearedCircuitCalledAddress=x25ClearedCircuitCalledAddress, x25AdmnTable=x25AdmnTable, x25ChannelLTC=x25ChannelLTC, x25OperDefCallParamId=x25OperDefCallParamId, x25CallParmTrnstDly=x25CallParmTrnstDly, x25protocolCcittV1988=x25protocolCcittV1988, x25StatIncomingCircuits=x25StatIncomingCircuits, x25CircuitInInterrupts=x25CircuitInInterrupts, x25CallParmProtection=x25CallParmProtection, x25OperInterfaceMode=x25OperInterfaceMode, x25OperClearTimer=x25OperClearTimer, x25ClearedCircuitEntriesRequested=x25ClearedCircuitEntriesRequested, x25StatOutCallAttempts=x25StatOutCallAttempts, x25CallParmCalledNetworkFacilities=x25CallParmCalledNetworkFacilities, x25CircuitCalledDteAddress=x25CircuitCalledDteAddress, x25StatInDataPackets=x25StatInDataPackets, x25OperRestartTimer=x25OperRestartTimer, x25AdmnDataRxmtCount=x25AdmnDataRxmtCount, x25CallParmAcceptReverseCharging=x25CallParmAcceptReverseCharging, x25AdmnClearTimer=x25AdmnClearTimer, x25ChannelHIC=x25ChannelHIC, x25CircuitOutOctets=x25CircuitOutOctets, x25CallParmInWindowSize=x25CallParmInWindowSize, x25CallParmOutWindowSize=x25CallParmOutWindowSize, x25StatInterruptTimeouts=x25StatInterruptTimeouts, x25OperNumberPVCs=x25OperNumberPVCs, x25CircuitOriginallyCalledAddress=x25CircuitOriginallyCalledAddress, x25CallParmChargingInfo=x25CallParmChargingInfo, x25OperPacketSequencing=x25OperPacketSequencing, x25CircuitInOctets=x25CircuitInOctets, x25ChannelIndex=x25ChannelIndex, x25StatInAccusedOfProtocolErrors=x25StatInAccusedOfProtocolErrors, x25CircuitCallParamId=x25CircuitCallParamId, x25AdmnRestartTimer=x25AdmnRestartTimer, x25CallParmOutThruPutClasSize=x25CallParmOutThruPutClasSize, x25OperCallTimer=x25OperCallTimer, x25StatOutCallFailures=x25StatOutCallFailures, x25AdmnRejectTimer=x25AdmnRejectTimer, x25AdmnEntry=x25AdmnEntry, x25StatDataRxmtTimeouts=x25StatDataRxmtTimeouts, x25OperRejectTimer=x25OperRejectTimer, x25CallParmInThruPutClasSize=x25CallParmInThruPutClasSize, x25OperMaxActiveCircuits=x25OperMaxActiveCircuits, x25ClearedCircuitInPdus=x25ClearedCircuitInPdus, x25CallParmOutMinThuPutCls=x25CallParmOutMinThuPutCls, x25AdmnWindowTimer=x25AdmnWindowTimer, x25CallParmCug=x25CallParmCug, x25AdmnRegistrationRequestCount=x25AdmnRegistrationRequestCount, x25CircuitEntry=x25CircuitEntry, x25CircuitInRemotelyInitiatedResets=x25CircuitInRemotelyInitiatedResets, x25OperMinimumRecallTimer=x25OperMinimumRecallTimer, x25CircuitDirection=x25CircuitDirection, x25ClearedCircuitTimeCleared=x25ClearedCircuitTimeCleared, x25ClearedCircuitTable=x25ClearedCircuitTable, x25OperRegistrationRequestTimer=x25OperRegistrationRequestTimer, x25CallParmEndTrnsDly=x25CallParmEndTrnsDly, x25StatRetryCountExceededs=x25StatRetryCountExceededs, x25OperDataRxmtTimer=x25OperDataRxmtTimer, x25AdmnInterfaceMode=x25AdmnInterfaceMode, x25StatOutgoingCircuits=x25StatOutgoingCircuits, x25AdmnResetCount=x25AdmnResetCount, x25StatResetTimeouts=x25StatResetTimeouts, x25CircuitCallingDteAddress=x25CircuitCallingDteAddress)
(integer, octet_string, object_identifier) = mibBuilder.importSymbols('ASN1', 'Integer', 'OctetString', 'ObjectIdentifier') (named_values,) = mibBuilder.importSymbols('ASN1-ENUMERATION', 'NamedValues') (single_value_constraint, constraints_union, value_size_constraint, value_range_constraint, constraints_intersection) = mibBuilder.importSymbols('ASN1-REFINEMENT', 'SingleValueConstraint', 'ConstraintsUnion', 'ValueSizeConstraint', 'ValueRangeConstraint', 'ConstraintsIntersection') (positive_integer,) = mibBuilder.importSymbols('RFC1253-MIB', 'PositiveInteger') (entry_status,) = mibBuilder.importSymbols('RFC1271-MIB', 'EntryStatus') (if_index_type,) = mibBuilder.importSymbols('RFC1381-MIB', 'IfIndexType') (module_compliance, notification_group) = mibBuilder.importSymbols('SNMPv2-CONF', 'ModuleCompliance', 'NotificationGroup') (notification_type, notification_type, object_identity, ip_address, time_ticks, mib_identifier, unsigned32, counter32, transmission, gauge32, iso, module_identity, mib_scalar, mib_table, mib_table_row, mib_table_column, integer32, counter64, bits) = mibBuilder.importSymbols('SNMPv2-SMI', 'NotificationType', 'NotificationType', 'ObjectIdentity', 'IpAddress', 'TimeTicks', 'MibIdentifier', 'Unsigned32', 'Counter32', 'transmission', 'Gauge32', 'iso', 'ModuleIdentity', 'MibScalar', 'MibTable', 'MibTableRow', 'MibTableColumn', 'Integer32', 'Counter64', 'Bits') (display_string, textual_convention) = mibBuilder.importSymbols('SNMPv2-TC', 'DisplayString', 'TextualConvention') x25 = mib_identifier((1, 3, 6, 1, 2, 1, 10, 5)) class X121Address(OctetString): subtype_spec = OctetString.subtypeSpec + value_size_constraint(0, 17) x25_admn_table = mib_table((1, 3, 6, 1, 2, 1, 10, 5, 1)) if mibBuilder.loadTexts: x25AdmnTable.setStatus('mandatory') x25_admn_entry = mib_table_row((1, 3, 6, 1, 2, 1, 10, 5, 1, 1)).setIndexNames((0, 'RFC1382-MIB', 'x25AdmnIndex')) if mibBuilder.loadTexts: x25AdmnEntry.setStatus('mandatory') x25_admn_index = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 1, 1, 1), if_index_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: x25AdmnIndex.setStatus('mandatory') x25_admn_interface_mode = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 1, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('dte', 1), ('dce', 2), ('dxe', 3)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: x25AdmnInterfaceMode.setStatus('mandatory') x25_admn_max_active_circuits = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 1, 1, 3), integer32().subtype(subtypeSpec=value_range_constraint(0, 4096))).setMaxAccess('readwrite') if mibBuilder.loadTexts: x25AdmnMaxActiveCircuits.setStatus('mandatory') x25_admn_packet_sequencing = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 1, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('modulo8', 1), ('modulo128', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: x25AdmnPacketSequencing.setStatus('mandatory') x25_admn_restart_timer = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 1, 1, 5), positive_integer()).setMaxAccess('readwrite') if mibBuilder.loadTexts: x25AdmnRestartTimer.setStatus('mandatory') x25_admn_call_timer = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 1, 1, 6), positive_integer()).setMaxAccess('readwrite') if mibBuilder.loadTexts: x25AdmnCallTimer.setStatus('mandatory') x25_admn_reset_timer = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 1, 1, 7), positive_integer()).setMaxAccess('readwrite') if mibBuilder.loadTexts: x25AdmnResetTimer.setStatus('mandatory') x25_admn_clear_timer = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 1, 1, 8), positive_integer()).setMaxAccess('readwrite') if mibBuilder.loadTexts: x25AdmnClearTimer.setStatus('mandatory') x25_admn_window_timer = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 1, 1, 9), positive_integer()).setMaxAccess('readwrite') if mibBuilder.loadTexts: x25AdmnWindowTimer.setStatus('mandatory') x25_admn_data_rxmt_timer = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 1, 1, 10), positive_integer()).setMaxAccess('readwrite') if mibBuilder.loadTexts: x25AdmnDataRxmtTimer.setStatus('mandatory') x25_admn_interrupt_timer = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 1, 1, 11), positive_integer()).setMaxAccess('readwrite') if mibBuilder.loadTexts: x25AdmnInterruptTimer.setStatus('mandatory') x25_admn_reject_timer = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 1, 1, 12), positive_integer()).setMaxAccess('readwrite') if mibBuilder.loadTexts: x25AdmnRejectTimer.setStatus('mandatory') x25_admn_registration_request_timer = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 1, 1, 13), positive_integer()).setMaxAccess('readwrite') if mibBuilder.loadTexts: x25AdmnRegistrationRequestTimer.setStatus('mandatory') x25_admn_minimum_recall_timer = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 1, 1, 14), positive_integer()).setMaxAccess('readwrite') if mibBuilder.loadTexts: x25AdmnMinimumRecallTimer.setStatus('mandatory') x25_admn_restart_count = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 1, 1, 15), integer32().subtype(subtypeSpec=value_range_constraint(0, 65535))).setMaxAccess('readwrite') if mibBuilder.loadTexts: x25AdmnRestartCount.setStatus('mandatory') x25_admn_reset_count = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 1, 1, 16), integer32().subtype(subtypeSpec=value_range_constraint(0, 65535))).setMaxAccess('readwrite') if mibBuilder.loadTexts: x25AdmnResetCount.setStatus('mandatory') x25_admn_clear_count = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 1, 1, 17), integer32().subtype(subtypeSpec=value_range_constraint(0, 65535))).setMaxAccess('readwrite') if mibBuilder.loadTexts: x25AdmnClearCount.setStatus('mandatory') x25_admn_data_rxmt_count = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 1, 1, 18), integer32().subtype(subtypeSpec=value_range_constraint(0, 65535))).setMaxAccess('readwrite') if mibBuilder.loadTexts: x25AdmnDataRxmtCount.setStatus('mandatory') x25_admn_reject_count = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 1, 1, 19), integer32().subtype(subtypeSpec=value_range_constraint(0, 65535))).setMaxAccess('readwrite') if mibBuilder.loadTexts: x25AdmnRejectCount.setStatus('mandatory') x25_admn_registration_request_count = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 1, 1, 20), integer32().subtype(subtypeSpec=value_range_constraint(0, 65535))).setMaxAccess('readwrite') if mibBuilder.loadTexts: x25AdmnRegistrationRequestCount.setStatus('mandatory') x25_admn_number_pv_cs = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 1, 1, 21), integer32().subtype(subtypeSpec=value_range_constraint(0, 4096))).setMaxAccess('readwrite') if mibBuilder.loadTexts: x25AdmnNumberPVCs.setStatus('mandatory') x25_admn_def_call_param_id = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 1, 1, 22), object_identifier()).setMaxAccess('readwrite') if mibBuilder.loadTexts: x25AdmnDefCallParamId.setStatus('mandatory') x25_admn_local_address = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 1, 1, 23), x121_address()).setMaxAccess('readwrite') if mibBuilder.loadTexts: x25AdmnLocalAddress.setStatus('mandatory') x25_admn_protocol_version_supported = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 1, 1, 24), object_identifier()).setMaxAccess('readwrite') if mibBuilder.loadTexts: x25AdmnProtocolVersionSupported.setStatus('mandatory') x25_oper_table = mib_table((1, 3, 6, 1, 2, 1, 10, 5, 2)) if mibBuilder.loadTexts: x25OperTable.setStatus('mandatory') x25_oper_entry = mib_table_row((1, 3, 6, 1, 2, 1, 10, 5, 2, 1)).setIndexNames((0, 'RFC1382-MIB', 'x25OperIndex')) if mibBuilder.loadTexts: x25OperEntry.setStatus('mandatory') x25_oper_index = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 2, 1, 1), if_index_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: x25OperIndex.setStatus('mandatory') x25_oper_interface_mode = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 2, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('dte', 1), ('dce', 2), ('dxe', 3)))).setMaxAccess('readonly') if mibBuilder.loadTexts: x25OperInterfaceMode.setStatus('mandatory') x25_oper_max_active_circuits = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 2, 1, 3), integer32().subtype(subtypeSpec=value_range_constraint(0, 4096))).setMaxAccess('readonly') if mibBuilder.loadTexts: x25OperMaxActiveCircuits.setStatus('mandatory') x25_oper_packet_sequencing = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 2, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('modulo8', 1), ('modulo128', 2)))).setMaxAccess('readonly') if mibBuilder.loadTexts: x25OperPacketSequencing.setStatus('mandatory') x25_oper_restart_timer = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 2, 1, 5), positive_integer()).setMaxAccess('readonly') if mibBuilder.loadTexts: x25OperRestartTimer.setStatus('mandatory') x25_oper_call_timer = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 2, 1, 6), positive_integer()).setMaxAccess('readonly') if mibBuilder.loadTexts: x25OperCallTimer.setStatus('mandatory') x25_oper_reset_timer = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 2, 1, 7), positive_integer()).setMaxAccess('readonly') if mibBuilder.loadTexts: x25OperResetTimer.setStatus('mandatory') x25_oper_clear_timer = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 2, 1, 8), positive_integer()).setMaxAccess('readonly') if mibBuilder.loadTexts: x25OperClearTimer.setStatus('mandatory') x25_oper_window_timer = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 2, 1, 9), positive_integer()).setMaxAccess('readonly') if mibBuilder.loadTexts: x25OperWindowTimer.setStatus('mandatory') x25_oper_data_rxmt_timer = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 2, 1, 10), positive_integer()).setMaxAccess('readonly') if mibBuilder.loadTexts: x25OperDataRxmtTimer.setStatus('mandatory') x25_oper_interrupt_timer = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 2, 1, 11), positive_integer()).setMaxAccess('readonly') if mibBuilder.loadTexts: x25OperInterruptTimer.setStatus('mandatory') x25_oper_reject_timer = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 2, 1, 12), positive_integer()).setMaxAccess('readonly') if mibBuilder.loadTexts: x25OperRejectTimer.setStatus('mandatory') x25_oper_registration_request_timer = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 2, 1, 13), positive_integer()).setMaxAccess('readonly') if mibBuilder.loadTexts: x25OperRegistrationRequestTimer.setStatus('mandatory') x25_oper_minimum_recall_timer = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 2, 1, 14), positive_integer()).setMaxAccess('readonly') if mibBuilder.loadTexts: x25OperMinimumRecallTimer.setStatus('mandatory') x25_oper_restart_count = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 2, 1, 15), integer32().subtype(subtypeSpec=value_range_constraint(0, 65535))).setMaxAccess('readonly') if mibBuilder.loadTexts: x25OperRestartCount.setStatus('mandatory') x25_oper_reset_count = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 2, 1, 16), integer32().subtype(subtypeSpec=value_range_constraint(0, 65535))).setMaxAccess('readonly') if mibBuilder.loadTexts: x25OperResetCount.setStatus('mandatory') x25_oper_clear_count = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 2, 1, 17), integer32().subtype(subtypeSpec=value_range_constraint(0, 65535))).setMaxAccess('readonly') if mibBuilder.loadTexts: x25OperClearCount.setStatus('mandatory') x25_oper_data_rxmt_count = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 2, 1, 18), integer32().subtype(subtypeSpec=value_range_constraint(0, 65535))).setMaxAccess('readonly') if mibBuilder.loadTexts: x25OperDataRxmtCount.setStatus('mandatory') x25_oper_reject_count = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 2, 1, 19), integer32().subtype(subtypeSpec=value_range_constraint(0, 65535))).setMaxAccess('readonly') if mibBuilder.loadTexts: x25OperRejectCount.setStatus('mandatory') x25_oper_registration_request_count = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 2, 1, 20), integer32().subtype(subtypeSpec=value_range_constraint(0, 65535))).setMaxAccess('readonly') if mibBuilder.loadTexts: x25OperRegistrationRequestCount.setStatus('mandatory') x25_oper_number_pv_cs = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 2, 1, 21), integer32().subtype(subtypeSpec=value_range_constraint(0, 4096))).setMaxAccess('readonly') if mibBuilder.loadTexts: x25OperNumberPVCs.setStatus('mandatory') x25_oper_def_call_param_id = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 2, 1, 22), object_identifier()).setMaxAccess('readonly') if mibBuilder.loadTexts: x25OperDefCallParamId.setStatus('mandatory') x25_oper_local_address = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 2, 1, 23), x121_address()).setMaxAccess('readonly') if mibBuilder.loadTexts: x25OperLocalAddress.setStatus('mandatory') x25_oper_data_link_id = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 2, 1, 24), object_identifier()).setMaxAccess('readonly') if mibBuilder.loadTexts: x25OperDataLinkId.setStatus('mandatory') x25_oper_protocol_version_supported = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 2, 1, 25), object_identifier()).setMaxAccess('readonly') if mibBuilder.loadTexts: x25OperProtocolVersionSupported.setStatus('mandatory') x25_stat_table = mib_table((1, 3, 6, 1, 2, 1, 10, 5, 3)) if mibBuilder.loadTexts: x25StatTable.setStatus('mandatory') x25_stat_entry = mib_table_row((1, 3, 6, 1, 2, 1, 10, 5, 3, 1)).setIndexNames((0, 'RFC1382-MIB', 'x25StatIndex')) if mibBuilder.loadTexts: x25StatEntry.setStatus('mandatory') x25_stat_index = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 3, 1, 1), if_index_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: x25StatIndex.setStatus('mandatory') x25_stat_in_calls = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 3, 1, 2), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: x25StatInCalls.setStatus('mandatory') x25_stat_in_call_refusals = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 3, 1, 3), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: x25StatInCallRefusals.setStatus('mandatory') x25_stat_in_provider_initiated_clears = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 3, 1, 4), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: x25StatInProviderInitiatedClears.setStatus('mandatory') x25_stat_in_remotely_initiated_resets = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 3, 1, 5), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: x25StatInRemotelyInitiatedResets.setStatus('mandatory') x25_stat_in_provider_initiated_resets = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 3, 1, 6), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: x25StatInProviderInitiatedResets.setStatus('mandatory') x25_stat_in_restarts = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 3, 1, 7), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: x25StatInRestarts.setStatus('mandatory') x25_stat_in_data_packets = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 3, 1, 8), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: x25StatInDataPackets.setStatus('mandatory') x25_stat_in_accused_of_protocol_errors = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 3, 1, 9), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: x25StatInAccusedOfProtocolErrors.setStatus('mandatory') x25_stat_in_interrupts = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 3, 1, 10), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: x25StatInInterrupts.setStatus('mandatory') x25_stat_out_call_attempts = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 3, 1, 11), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: x25StatOutCallAttempts.setStatus('mandatory') x25_stat_out_call_failures = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 3, 1, 12), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: x25StatOutCallFailures.setStatus('mandatory') x25_stat_out_interrupts = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 3, 1, 13), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: x25StatOutInterrupts.setStatus('mandatory') x25_stat_out_data_packets = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 3, 1, 14), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: x25StatOutDataPackets.setStatus('mandatory') x25_stat_outgoing_circuits = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 3, 1, 15), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: x25StatOutgoingCircuits.setStatus('mandatory') x25_stat_incoming_circuits = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 3, 1, 16), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: x25StatIncomingCircuits.setStatus('mandatory') x25_stat_twoway_circuits = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 3, 1, 17), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: x25StatTwowayCircuits.setStatus('mandatory') x25_stat_restart_timeouts = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 3, 1, 18), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: x25StatRestartTimeouts.setStatus('mandatory') x25_stat_call_timeouts = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 3, 1, 19), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: x25StatCallTimeouts.setStatus('mandatory') x25_stat_reset_timeouts = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 3, 1, 20), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: x25StatResetTimeouts.setStatus('mandatory') x25_stat_clear_timeouts = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 3, 1, 21), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: x25StatClearTimeouts.setStatus('mandatory') x25_stat_data_rxmt_timeouts = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 3, 1, 22), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: x25StatDataRxmtTimeouts.setStatus('mandatory') x25_stat_interrupt_timeouts = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 3, 1, 23), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: x25StatInterruptTimeouts.setStatus('mandatory') x25_stat_retry_count_exceededs = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 3, 1, 24), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: x25StatRetryCountExceededs.setStatus('mandatory') x25_stat_clear_count_exceededs = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 3, 1, 25), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: x25StatClearCountExceededs.setStatus('mandatory') x25_channel_table = mib_table((1, 3, 6, 1, 2, 1, 10, 5, 4)) if mibBuilder.loadTexts: x25ChannelTable.setStatus('mandatory') x25_channel_entry = mib_table_row((1, 3, 6, 1, 2, 1, 10, 5, 4, 1)).setIndexNames((0, 'RFC1382-MIB', 'x25ChannelIndex')) if mibBuilder.loadTexts: x25ChannelEntry.setStatus('mandatory') x25_channel_index = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 4, 1, 1), if_index_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: x25ChannelIndex.setStatus('mandatory') x25_channel_lic = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 4, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(0, 4095))).setMaxAccess('readwrite') if mibBuilder.loadTexts: x25ChannelLIC.setStatus('mandatory') x25_channel_hic = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 4, 1, 3), integer32().subtype(subtypeSpec=value_range_constraint(0, 4095))).setMaxAccess('readwrite') if mibBuilder.loadTexts: x25ChannelHIC.setStatus('mandatory') x25_channel_ltc = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 4, 1, 4), integer32().subtype(subtypeSpec=value_range_constraint(0, 4095))).setMaxAccess('readwrite') if mibBuilder.loadTexts: x25ChannelLTC.setStatus('mandatory') x25_channel_htc = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 4, 1, 5), integer32().subtype(subtypeSpec=value_range_constraint(0, 4095))).setMaxAccess('readwrite') if mibBuilder.loadTexts: x25ChannelHTC.setStatus('mandatory') x25_channel_loc = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 4, 1, 6), integer32().subtype(subtypeSpec=value_range_constraint(0, 4095))).setMaxAccess('readwrite') if mibBuilder.loadTexts: x25ChannelLOC.setStatus('mandatory') x25_channel_hoc = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 4, 1, 7), integer32().subtype(subtypeSpec=value_range_constraint(0, 4095))).setMaxAccess('readwrite') if mibBuilder.loadTexts: x25ChannelHOC.setStatus('mandatory') x25_circuit_table = mib_table((1, 3, 6, 1, 2, 1, 10, 5, 5)) if mibBuilder.loadTexts: x25CircuitTable.setStatus('mandatory') x25_circuit_entry = mib_table_row((1, 3, 6, 1, 2, 1, 10, 5, 5, 1)).setIndexNames((0, 'RFC1382-MIB', 'x25CircuitIndex'), (0, 'RFC1382-MIB', 'x25CircuitChannel')) if mibBuilder.loadTexts: x25CircuitEntry.setStatus('mandatory') x25_circuit_index = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 5, 1, 1), if_index_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: x25CircuitIndex.setStatus('mandatory') x25_circuit_channel = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 5, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(0, 4095))).setMaxAccess('readonly') if mibBuilder.loadTexts: x25CircuitChannel.setStatus('mandatory') x25_circuit_status = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 5, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10))).clone(namedValues=named_values(('invalid', 1), ('closed', 2), ('calling', 3), ('open', 4), ('clearing', 5), ('pvc', 6), ('pvcResetting', 7), ('startClear', 8), ('startPvcResetting', 9), ('other', 10)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: x25CircuitStatus.setStatus('mandatory') x25_circuit_establish_time = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 5, 1, 4), time_ticks()).setMaxAccess('readonly') if mibBuilder.loadTexts: x25CircuitEstablishTime.setStatus('mandatory') x25_circuit_direction = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 5, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('incoming', 1), ('outgoing', 2), ('pvc', 3))).clone('pvc')).setMaxAccess('readwrite') if mibBuilder.loadTexts: x25CircuitDirection.setStatus('mandatory') x25_circuit_in_octets = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 5, 1, 6), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: x25CircuitInOctets.setStatus('mandatory') x25_circuit_in_pdus = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 5, 1, 7), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: x25CircuitInPdus.setStatus('mandatory') x25_circuit_in_remotely_initiated_resets = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 5, 1, 8), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: x25CircuitInRemotelyInitiatedResets.setStatus('mandatory') x25_circuit_in_provider_initiated_resets = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 5, 1, 9), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: x25CircuitInProviderInitiatedResets.setStatus('mandatory') x25_circuit_in_interrupts = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 5, 1, 10), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: x25CircuitInInterrupts.setStatus('mandatory') x25_circuit_out_octets = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 5, 1, 11), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: x25CircuitOutOctets.setStatus('mandatory') x25_circuit_out_pdus = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 5, 1, 12), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: x25CircuitOutPdus.setStatus('mandatory') x25_circuit_out_interrupts = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 5, 1, 13), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: x25CircuitOutInterrupts.setStatus('mandatory') x25_circuit_data_retransmission_timeouts = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 5, 1, 14), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: x25CircuitDataRetransmissionTimeouts.setStatus('mandatory') x25_circuit_reset_timeouts = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 5, 1, 15), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: x25CircuitResetTimeouts.setStatus('mandatory') x25_circuit_interrupt_timeouts = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 5, 1, 16), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: x25CircuitInterruptTimeouts.setStatus('mandatory') x25_circuit_call_param_id = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 5, 1, 17), object_identifier()).setMaxAccess('readwrite') if mibBuilder.loadTexts: x25CircuitCallParamId.setStatus('mandatory') x25_circuit_called_dte_address = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 5, 1, 18), x121_address().clone(hexValue='')).setMaxAccess('readwrite') if mibBuilder.loadTexts: x25CircuitCalledDteAddress.setStatus('mandatory') x25_circuit_calling_dte_address = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 5, 1, 19), x121_address().clone(hexValue='')).setMaxAccess('readwrite') if mibBuilder.loadTexts: x25CircuitCallingDteAddress.setStatus('mandatory') x25_circuit_originally_called_address = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 5, 1, 20), x121_address().clone(hexValue='')).setMaxAccess('readwrite') if mibBuilder.loadTexts: x25CircuitOriginallyCalledAddress.setStatus('mandatory') x25_circuit_descr = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 5, 1, 21), display_string().subtype(subtypeSpec=value_size_constraint(0, 255)).clone(hexValue='')).setMaxAccess('readwrite') if mibBuilder.loadTexts: x25CircuitDescr.setStatus('mandatory') x25_cleared_circuit_entries_requested = mib_scalar((1, 3, 6, 1, 2, 1, 10, 5, 6), positive_integer()).setMaxAccess('readwrite') if mibBuilder.loadTexts: x25ClearedCircuitEntriesRequested.setStatus('mandatory') x25_cleared_circuit_entries_granted = mib_scalar((1, 3, 6, 1, 2, 1, 10, 5, 7), positive_integer()).setMaxAccess('readonly') if mibBuilder.loadTexts: x25ClearedCircuitEntriesGranted.setStatus('mandatory') x25_cleared_circuit_table = mib_table((1, 3, 6, 1, 2, 1, 10, 5, 8)) if mibBuilder.loadTexts: x25ClearedCircuitTable.setStatus('mandatory') x25_cleared_circuit_entry = mib_table_row((1, 3, 6, 1, 2, 1, 10, 5, 8, 1)).setIndexNames((0, 'RFC1382-MIB', 'x25ClearedCircuitIndex')) if mibBuilder.loadTexts: x25ClearedCircuitEntry.setStatus('mandatory') x25_cleared_circuit_index = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 8, 1, 1), positive_integer()).setMaxAccess('readonly') if mibBuilder.loadTexts: x25ClearedCircuitIndex.setStatus('mandatory') x25_cleared_circuit_ple_index = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 8, 1, 2), if_index_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: x25ClearedCircuitPleIndex.setStatus('mandatory') x25_cleared_circuit_time_established = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 8, 1, 3), time_ticks()).setMaxAccess('readonly') if mibBuilder.loadTexts: x25ClearedCircuitTimeEstablished.setStatus('mandatory') x25_cleared_circuit_time_cleared = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 8, 1, 4), time_ticks()).setMaxAccess('readonly') if mibBuilder.loadTexts: x25ClearedCircuitTimeCleared.setStatus('mandatory') x25_cleared_circuit_channel = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 8, 1, 5), integer32().subtype(subtypeSpec=value_range_constraint(0, 4095))).setMaxAccess('readonly') if mibBuilder.loadTexts: x25ClearedCircuitChannel.setStatus('mandatory') x25_cleared_circuit_clearing_cause = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 8, 1, 6), integer32().subtype(subtypeSpec=value_range_constraint(0, 255))).setMaxAccess('readonly') if mibBuilder.loadTexts: x25ClearedCircuitClearingCause.setStatus('mandatory') x25_cleared_circuit_diagnostic_code = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 8, 1, 7), integer32().subtype(subtypeSpec=value_range_constraint(0, 255))).setMaxAccess('readonly') if mibBuilder.loadTexts: x25ClearedCircuitDiagnosticCode.setStatus('mandatory') x25_cleared_circuit_in_pdus = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 8, 1, 8), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: x25ClearedCircuitInPdus.setStatus('mandatory') x25_cleared_circuit_out_pdus = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 8, 1, 9), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: x25ClearedCircuitOutPdus.setStatus('mandatory') x25_cleared_circuit_called_address = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 8, 1, 10), x121_address()).setMaxAccess('readonly') if mibBuilder.loadTexts: x25ClearedCircuitCalledAddress.setStatus('mandatory') x25_cleared_circuit_calling_address = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 8, 1, 11), x121_address()).setMaxAccess('readonly') if mibBuilder.loadTexts: x25ClearedCircuitCallingAddress.setStatus('mandatory') x25_cleared_circuit_clear_facilities = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 8, 1, 12), octet_string().subtype(subtypeSpec=value_size_constraint(0, 109))).setMaxAccess('readonly') if mibBuilder.loadTexts: x25ClearedCircuitClearFacilities.setStatus('mandatory') x25_call_parm_table = mib_table((1, 3, 6, 1, 2, 1, 10, 5, 9)) if mibBuilder.loadTexts: x25CallParmTable.setStatus('mandatory') x25_call_parm_entry = mib_table_row((1, 3, 6, 1, 2, 1, 10, 5, 9, 1)).setIndexNames((0, 'RFC1382-MIB', 'x25CallParmIndex')) if mibBuilder.loadTexts: x25CallParmEntry.setStatus('mandatory') x25_call_parm_index = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 9, 1, 1), positive_integer()).setMaxAccess('readonly') if mibBuilder.loadTexts: x25CallParmIndex.setStatus('mandatory') x25_call_parm_status = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 9, 1, 2), entry_status()).setMaxAccess('readwrite') if mibBuilder.loadTexts: x25CallParmStatus.setStatus('mandatory') x25_call_parm_ref_count = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 9, 1, 3), positive_integer()).setMaxAccess('readonly') if mibBuilder.loadTexts: x25CallParmRefCount.setStatus('mandatory') x25_call_parm_in_packet_size = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 9, 1, 4), integer32().subtype(subtypeSpec=value_range_constraint(0, 4096)).clone(128)).setMaxAccess('readwrite') if mibBuilder.loadTexts: x25CallParmInPacketSize.setStatus('mandatory') x25_call_parm_out_packet_size = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 9, 1, 5), integer32().subtype(subtypeSpec=value_range_constraint(0, 4096)).clone(128)).setMaxAccess('readwrite') if mibBuilder.loadTexts: x25CallParmOutPacketSize.setStatus('mandatory') x25_call_parm_in_window_size = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 9, 1, 6), integer32().subtype(subtypeSpec=value_range_constraint(0, 127)).clone(2)).setMaxAccess('readwrite') if mibBuilder.loadTexts: x25CallParmInWindowSize.setStatus('mandatory') x25_call_parm_out_window_size = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 9, 1, 7), integer32().subtype(subtypeSpec=value_range_constraint(0, 127)).clone(2)).setMaxAccess('readwrite') if mibBuilder.loadTexts: x25CallParmOutWindowSize.setStatus('mandatory') x25_call_parm_accept_reverse_charging = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 9, 1, 8), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('default', 1), ('accept', 2), ('refuse', 3), ('neverAccept', 4))).clone('refuse')).setMaxAccess('readwrite') if mibBuilder.loadTexts: x25CallParmAcceptReverseCharging.setStatus('mandatory') x25_call_parm_propose_reverse_charging = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 9, 1, 9), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('default', 1), ('reverse', 2), ('local', 3))).clone('local')).setMaxAccess('readwrite') if mibBuilder.loadTexts: x25CallParmProposeReverseCharging.setStatus('mandatory') x25_call_parm_fast_select = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 9, 1, 10), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6))).clone(namedValues=named_values(('default', 1), ('notSpecified', 2), ('fastSelect', 3), ('restrictedFastResponse', 4), ('noFastSelect', 5), ('noRestrictedFastResponse', 6))).clone('noFastSelect')).setMaxAccess('readwrite') if mibBuilder.loadTexts: x25CallParmFastSelect.setStatus('mandatory') x25_call_parm_in_thru_put_clas_size = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 9, 1, 11), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18))).clone(namedValues=named_values(('tcReserved1', 1), ('tcReserved2', 2), ('tc75', 3), ('tc150', 4), ('tc300', 5), ('tc600', 6), ('tc1200', 7), ('tc2400', 8), ('tc4800', 9), ('tc9600', 10), ('tc19200', 11), ('tc48000', 12), ('tc64000', 13), ('tcReserved14', 14), ('tcReserved15', 15), ('tcReserved0', 16), ('tcNone', 17), ('tcDefault', 18))).clone('tcNone')).setMaxAccess('readwrite') if mibBuilder.loadTexts: x25CallParmInThruPutClasSize.setStatus('mandatory') x25_call_parm_out_thru_put_clas_size = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 9, 1, 12), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18))).clone(namedValues=named_values(('tcReserved1', 1), ('tcReserved2', 2), ('tc75', 3), ('tc150', 4), ('tc300', 5), ('tc600', 6), ('tc1200', 7), ('tc2400', 8), ('tc4800', 9), ('tc9600', 10), ('tc19200', 11), ('tc48000', 12), ('tc64000', 13), ('tcReserved14', 14), ('tcReserved15', 15), ('tcReserved0', 16), ('tcNone', 17), ('tcDefault', 18))).clone('tcNone')).setMaxAccess('readwrite') if mibBuilder.loadTexts: x25CallParmOutThruPutClasSize.setStatus('mandatory') x25_call_parm_cug = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 9, 1, 13), display_string().subtype(subtypeSpec=value_size_constraint(0, 4)).clone(hexValue='')).setMaxAccess('readwrite') if mibBuilder.loadTexts: x25CallParmCug.setStatus('mandatory') x25_call_parm_cugoa = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 9, 1, 14), display_string().subtype(subtypeSpec=value_size_constraint(0, 4)).clone(hexValue='')).setMaxAccess('readwrite') if mibBuilder.loadTexts: x25CallParmCugoa.setStatus('mandatory') x25_call_parm_bcug = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 9, 1, 15), display_string().subtype(subtypeSpec=value_size_constraint(0, 3)).clone(hexValue='')).setMaxAccess('readwrite') if mibBuilder.loadTexts: x25CallParmBcug.setStatus('mandatory') x25_call_parm_nui = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 9, 1, 16), octet_string().subtype(subtypeSpec=value_size_constraint(0, 108)).clone(hexValue='')).setMaxAccess('readwrite') if mibBuilder.loadTexts: x25CallParmNui.setStatus('mandatory') x25_call_parm_charging_info = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 9, 1, 17), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('default', 1), ('noFacility', 2), ('noChargingInfo', 3), ('chargingInfo', 4))).clone('noFacility')).setMaxAccess('readwrite') if mibBuilder.loadTexts: x25CallParmChargingInfo.setStatus('mandatory') x25_call_parm_rpoa = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 9, 1, 18), display_string().subtype(subtypeSpec=value_size_constraint(0, 108)).clone(hexValue='')).setMaxAccess('readwrite') if mibBuilder.loadTexts: x25CallParmRpoa.setStatus('mandatory') x25_call_parm_trnst_dly = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 9, 1, 19), integer32().subtype(subtypeSpec=value_range_constraint(0, 65537)).clone(65536)).setMaxAccess('readwrite') if mibBuilder.loadTexts: x25CallParmTrnstDly.setStatus('mandatory') x25_call_parm_calling_ext = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 9, 1, 20), display_string().subtype(subtypeSpec=value_size_constraint(0, 40)).clone(hexValue='')).setMaxAccess('readwrite') if mibBuilder.loadTexts: x25CallParmCallingExt.setStatus('mandatory') x25_call_parm_called_ext = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 9, 1, 21), display_string().subtype(subtypeSpec=value_size_constraint(0, 40)).clone(hexValue='')).setMaxAccess('readwrite') if mibBuilder.loadTexts: x25CallParmCalledExt.setStatus('mandatory') x25_call_parm_in_min_thu_put_cls = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 9, 1, 22), integer32().subtype(subtypeSpec=value_range_constraint(0, 17)).clone(17)).setMaxAccess('readwrite') if mibBuilder.loadTexts: x25CallParmInMinThuPutCls.setStatus('mandatory') x25_call_parm_out_min_thu_put_cls = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 9, 1, 23), integer32().subtype(subtypeSpec=value_range_constraint(0, 17)).clone(17)).setMaxAccess('readwrite') if mibBuilder.loadTexts: x25CallParmOutMinThuPutCls.setStatus('mandatory') x25_call_parm_end_trns_dly = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 9, 1, 24), octet_string().subtype(subtypeSpec=value_size_constraint(0, 6)).clone(hexValue='')).setMaxAccess('readwrite') if mibBuilder.loadTexts: x25CallParmEndTrnsDly.setStatus('mandatory') x25_call_parm_priority = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 9, 1, 25), octet_string().subtype(subtypeSpec=value_size_constraint(0, 6)).clone(hexValue='')).setMaxAccess('readwrite') if mibBuilder.loadTexts: x25CallParmPriority.setStatus('mandatory') x25_call_parm_protection = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 9, 1, 26), display_string().subtype(subtypeSpec=value_size_constraint(0, 108)).clone(hexValue='')).setMaxAccess('readwrite') if mibBuilder.loadTexts: x25CallParmProtection.setStatus('mandatory') x25_call_parm_expt_data = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 9, 1, 27), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('default', 1), ('noExpeditedData', 2), ('expeditedData', 3))).clone('noExpeditedData')).setMaxAccess('readwrite') if mibBuilder.loadTexts: x25CallParmExptData.setStatus('mandatory') x25_call_parm_user_data = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 9, 1, 28), octet_string().subtype(subtypeSpec=value_size_constraint(0, 128)).clone(hexValue='')).setMaxAccess('readwrite') if mibBuilder.loadTexts: x25CallParmUserData.setStatus('mandatory') x25_call_parm_calling_network_facilities = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 9, 1, 29), octet_string().subtype(subtypeSpec=value_size_constraint(0, 108)).clone(hexValue='')).setMaxAccess('readwrite') if mibBuilder.loadTexts: x25CallParmCallingNetworkFacilities.setStatus('mandatory') x25_call_parm_called_network_facilities = mib_table_column((1, 3, 6, 1, 2, 1, 10, 5, 9, 1, 30), octet_string().subtype(subtypeSpec=value_size_constraint(0, 108)).clone(hexValue='')).setMaxAccess('readwrite') if mibBuilder.loadTexts: x25CallParmCalledNetworkFacilities.setStatus('mandatory') x25_restart = notification_type((1, 3, 6, 1, 2, 1, 10, 5) + (0, 1)).setObjects(('RFC1382-MIB', 'x25OperIndex')) x25_reset = notification_type((1, 3, 6, 1, 2, 1, 10, 5) + (0, 2)).setObjects(('RFC1382-MIB', 'x25CircuitIndex'), ('RFC1382-MIB', 'x25CircuitChannel')) x25_protocol_version = mib_identifier((1, 3, 6, 1, 2, 1, 10, 5, 10)) x25protocol_ccitt_v1976 = mib_identifier((1, 3, 6, 1, 2, 1, 10, 5, 10, 1)) x25protocol_ccitt_v1980 = mib_identifier((1, 3, 6, 1, 2, 1, 10, 5, 10, 2)) x25protocol_ccitt_v1984 = mib_identifier((1, 3, 6, 1, 2, 1, 10, 5, 10, 3)) x25protocol_ccitt_v1988 = mib_identifier((1, 3, 6, 1, 2, 1, 10, 5, 10, 4)) x25protocol_iso8208_v1987 = mib_identifier((1, 3, 6, 1, 2, 1, 10, 5, 10, 5)) x25protocol_iso8208_v1989 = mib_identifier((1, 3, 6, 1, 2, 1, 10, 5, 10, 6)) mibBuilder.exportSymbols('RFC1382-MIB', x25CallParmInPacketSize=x25CallParmInPacketSize, x25OperInterruptTimer=x25OperInterruptTimer, x25CallParmTable=x25CallParmTable, x25CallParmExptData=x25CallParmExptData, x25StatOutDataPackets=x25StatOutDataPackets, x25AdmnDefCallParamId=x25AdmnDefCallParamId, x25AdmnCallTimer=x25AdmnCallTimer, x25AdmnNumberPVCs=x25AdmnNumberPVCs, x25ClearedCircuitEntry=x25ClearedCircuitEntry, x25ClearedCircuitChannel=x25ClearedCircuitChannel, x25ClearedCircuitClearingCause=x25ClearedCircuitClearingCause, x25CallParmCallingExt=x25CallParmCallingExt, x25Restart=x25Restart, x25CircuitTable=x25CircuitTable, x25CircuitInterruptTimeouts=x25CircuitInterruptTimeouts, x25OperRestartCount=x25OperRestartCount, x25OperWindowTimer=x25OperWindowTimer, x25StatInCallRefusals=x25StatInCallRefusals, x25StatInInterrupts=x25StatInInterrupts, x25StatEntry=x25StatEntry, x25AdmnRegistrationRequestTimer=x25AdmnRegistrationRequestTimer, x25CircuitOutPdus=x25CircuitOutPdus, x25AdmnRestartCount=x25AdmnRestartCount, x25CallParmCalledExt=x25CallParmCalledExt, x25AdmnResetTimer=x25AdmnResetTimer, x25ClearedCircuitEntriesGranted=x25ClearedCircuitEntriesGranted, x25AdmnRejectCount=x25AdmnRejectCount, x25OperRejectCount=x25OperRejectCount, x25StatTwowayCircuits=x25StatTwowayCircuits, x25ClearedCircuitCallingAddress=x25ClearedCircuitCallingAddress, x25StatRestartTimeouts=x25StatRestartTimeouts, x25StatClearCountExceededs=x25StatClearCountExceededs, x25AdmnMaxActiveCircuits=x25AdmnMaxActiveCircuits, x25StatClearTimeouts=x25StatClearTimeouts, x25StatInCalls=x25StatInCalls, x25CallParmUserData=x25CallParmUserData, x25Reset=x25Reset, x25AdmnLocalAddress=x25AdmnLocalAddress, x25StatIndex=x25StatIndex, x25ProtocolVersion=x25ProtocolVersion, x25ChannelEntry=x25ChannelEntry, x25=x25, x25CallParmIndex=x25CallParmIndex, x25CallParmFastSelect=x25CallParmFastSelect, x25StatTable=x25StatTable, x25AdmnPacketSequencing=x25AdmnPacketSequencing, x25ChannelLOC=x25ChannelLOC, x25CallParmInMinThuPutCls=x25CallParmInMinThuPutCls, x25OperTable=x25OperTable, x25StatInProviderInitiatedResets=x25StatInProviderInitiatedResets, x25protocolCcittV1984=x25protocolCcittV1984, x25ClearedCircuitPleIndex=x25ClearedCircuitPleIndex, x25CircuitDescr=x25CircuitDescr, x25AdmnDataRxmtTimer=x25AdmnDataRxmtTimer, x25protocolIso8208V1989=x25protocolIso8208V1989, x25CircuitEstablishTime=x25CircuitEstablishTime, x25CallParmStatus=x25CallParmStatus, x25CircuitChannel=x25CircuitChannel, x25StatInRestarts=x25StatInRestarts, x25OperClearCount=x25OperClearCount, x25OperEntry=x25OperEntry, x25OperIndex=x25OperIndex, x25CircuitDataRetransmissionTimeouts=x25CircuitDataRetransmissionTimeouts, x25ClearedCircuitDiagnosticCode=x25ClearedCircuitDiagnosticCode, x25CallParmEntry=x25CallParmEntry, x25ChannelHOC=x25ChannelHOC, x25OperProtocolVersionSupported=x25OperProtocolVersionSupported, x25StatCallTimeouts=x25StatCallTimeouts, x25ChannelHTC=x25ChannelHTC, x25CircuitResetTimeouts=x25CircuitResetTimeouts, x25ClearedCircuitTimeEstablished=x25ClearedCircuitTimeEstablished, x25CallParmOutPacketSize=x25CallParmOutPacketSize, x25protocolIso8208V1987=x25protocolIso8208V1987, x25StatInProviderInitiatedClears=x25StatInProviderInitiatedClears, X121Address=X121Address, x25OperResetTimer=x25OperResetTimer, x25OperRegistrationRequestCount=x25OperRegistrationRequestCount, x25OperLocalAddress=x25OperLocalAddress, x25AdmnInterruptTimer=x25AdmnInterruptTimer, x25CircuitOutInterrupts=x25CircuitOutInterrupts, x25OperResetCount=x25OperResetCount, x25CircuitInProviderInitiatedResets=x25CircuitInProviderInitiatedResets, x25ClearedCircuitIndex=x25ClearedCircuitIndex, x25CallParmCugoa=x25CallParmCugoa, x25CallParmNui=x25CallParmNui, x25AdmnMinimumRecallTimer=x25AdmnMinimumRecallTimer, x25OperDataRxmtCount=x25OperDataRxmtCount, x25CircuitInPdus=x25CircuitInPdus, x25protocolCcittV1976=x25protocolCcittV1976, x25ClearedCircuitClearFacilities=x25ClearedCircuitClearFacilities, x25AdmnClearCount=x25AdmnClearCount, x25AdmnProtocolVersionSupported=x25AdmnProtocolVersionSupported, x25CallParmBcug=x25CallParmBcug, x25CallParmProposeReverseCharging=x25CallParmProposeReverseCharging, x25AdmnIndex=x25AdmnIndex, x25CallParmRpoa=x25CallParmRpoa, x25StatOutInterrupts=x25StatOutInterrupts, x25CircuitIndex=x25CircuitIndex, x25ClearedCircuitOutPdus=x25ClearedCircuitOutPdus, x25CallParmCallingNetworkFacilities=x25CallParmCallingNetworkFacilities, x25ChannelLIC=x25ChannelLIC, x25CircuitStatus=x25CircuitStatus, x25OperDataLinkId=x25OperDataLinkId, x25StatInRemotelyInitiatedResets=x25StatInRemotelyInitiatedResets, x25ChannelTable=x25ChannelTable, x25protocolCcittV1980=x25protocolCcittV1980, x25CallParmRefCount=x25CallParmRefCount, x25CallParmPriority=x25CallParmPriority, x25ClearedCircuitCalledAddress=x25ClearedCircuitCalledAddress, x25AdmnTable=x25AdmnTable, x25ChannelLTC=x25ChannelLTC, x25OperDefCallParamId=x25OperDefCallParamId, x25CallParmTrnstDly=x25CallParmTrnstDly, x25protocolCcittV1988=x25protocolCcittV1988, x25StatIncomingCircuits=x25StatIncomingCircuits, x25CircuitInInterrupts=x25CircuitInInterrupts, x25CallParmProtection=x25CallParmProtection, x25OperInterfaceMode=x25OperInterfaceMode, x25OperClearTimer=x25OperClearTimer, x25ClearedCircuitEntriesRequested=x25ClearedCircuitEntriesRequested, x25StatOutCallAttempts=x25StatOutCallAttempts, x25CallParmCalledNetworkFacilities=x25CallParmCalledNetworkFacilities, x25CircuitCalledDteAddress=x25CircuitCalledDteAddress, x25StatInDataPackets=x25StatInDataPackets, x25OperRestartTimer=x25OperRestartTimer, x25AdmnDataRxmtCount=x25AdmnDataRxmtCount, x25CallParmAcceptReverseCharging=x25CallParmAcceptReverseCharging, x25AdmnClearTimer=x25AdmnClearTimer, x25ChannelHIC=x25ChannelHIC, x25CircuitOutOctets=x25CircuitOutOctets, x25CallParmInWindowSize=x25CallParmInWindowSize, x25CallParmOutWindowSize=x25CallParmOutWindowSize, x25StatInterruptTimeouts=x25StatInterruptTimeouts, x25OperNumberPVCs=x25OperNumberPVCs, x25CircuitOriginallyCalledAddress=x25CircuitOriginallyCalledAddress, x25CallParmChargingInfo=x25CallParmChargingInfo, x25OperPacketSequencing=x25OperPacketSequencing, x25CircuitInOctets=x25CircuitInOctets, x25ChannelIndex=x25ChannelIndex, x25StatInAccusedOfProtocolErrors=x25StatInAccusedOfProtocolErrors, x25CircuitCallParamId=x25CircuitCallParamId, x25AdmnRestartTimer=x25AdmnRestartTimer, x25CallParmOutThruPutClasSize=x25CallParmOutThruPutClasSize, x25OperCallTimer=x25OperCallTimer, x25StatOutCallFailures=x25StatOutCallFailures, x25AdmnRejectTimer=x25AdmnRejectTimer, x25AdmnEntry=x25AdmnEntry, x25StatDataRxmtTimeouts=x25StatDataRxmtTimeouts, x25OperRejectTimer=x25OperRejectTimer, x25CallParmInThruPutClasSize=x25CallParmInThruPutClasSize, x25OperMaxActiveCircuits=x25OperMaxActiveCircuits, x25ClearedCircuitInPdus=x25ClearedCircuitInPdus, x25CallParmOutMinThuPutCls=x25CallParmOutMinThuPutCls, x25AdmnWindowTimer=x25AdmnWindowTimer, x25CallParmCug=x25CallParmCug, x25AdmnRegistrationRequestCount=x25AdmnRegistrationRequestCount, x25CircuitEntry=x25CircuitEntry, x25CircuitInRemotelyInitiatedResets=x25CircuitInRemotelyInitiatedResets, x25OperMinimumRecallTimer=x25OperMinimumRecallTimer, x25CircuitDirection=x25CircuitDirection, x25ClearedCircuitTimeCleared=x25ClearedCircuitTimeCleared, x25ClearedCircuitTable=x25ClearedCircuitTable, x25OperRegistrationRequestTimer=x25OperRegistrationRequestTimer, x25CallParmEndTrnsDly=x25CallParmEndTrnsDly, x25StatRetryCountExceededs=x25StatRetryCountExceededs, x25OperDataRxmtTimer=x25OperDataRxmtTimer, x25AdmnInterfaceMode=x25AdmnInterfaceMode, x25StatOutgoingCircuits=x25StatOutgoingCircuits, x25AdmnResetCount=x25AdmnResetCount, x25StatResetTimeouts=x25StatResetTimeouts, x25CircuitCallingDteAddress=x25CircuitCallingDteAddress)
class ResponseStatusError(Exception): status: int def __init__(self, message: str, status: int): super().__init__(message) self.status = status def __reduce__(self): # pragma: no cover return (type(self), (*self.args, self.status)) class ConfigDependencyError(Exception): pass class XmlLoadError(Exception): pass class XmlSchemaError(Exception): pass class ReaderError(Exception): pass class TypeAlreadyLoadedError(Exception): pass
class Responsestatuserror(Exception): status: int def __init__(self, message: str, status: int): super().__init__(message) self.status = status def __reduce__(self): return (type(self), (*self.args, self.status)) class Configdependencyerror(Exception): pass class Xmlloaderror(Exception): pass class Xmlschemaerror(Exception): pass class Readererror(Exception): pass class Typealreadyloadederror(Exception): pass
input = [16, 11, 15, 0, 1, 7] x = input.pop() seen = {v: i for (i, v) in enumerate(input)} target = 30000000 for i in range(len(input), target - 1): s = seen.get(x) seen[x] = i x = 0 if s is not None: x = i - s print(x) # 0 # 8 # 14 # 8 # 2 # 165 # 1811 # 15075 # 182867 # 623065 # 0 # 10 # 65 # 2095 # 16 # 94 # 2228 # 80680 # 814903 # 0 # 9 # 91 # 181 # 1023 # 7249 # 6368 # 76878 # 66861 # 1311263 # 0 # 10 # 19 # 184 # 5834 # 39203 # 148935 # 2083996 # 0 # 8 # 35 # 614 # 576 # 7998 # 86813 # 153058 # 1867414 # 0 # 9 # 27 # 1518 # 906 # 23793 # 173873 # 874677 # 0 # 8 # 17 # 476 # 6439 # 84939 # 381816 # 3164173 # 0 # 8 # 8 # 1 # 98 # 1405 # 45015 # 60927 # 959333 # 0 # 9 # 25 # 210 # 1536 # 35921 # 1910139
input = [16, 11, 15, 0, 1, 7] x = input.pop() seen = {v: i for (i, v) in enumerate(input)} target = 30000000 for i in range(len(input), target - 1): s = seen.get(x) seen[x] = i x = 0 if s is not None: x = i - s print(x)
def ispangram(str): alphabet = "abcdefghijklmnopqrstuvwxyz" for char in alphabet: if char not in str.lower(): return False return True str = input("enter a sentence :\n ") if ispangram(str): print('contains all alphabets') else: print('does not contain all alphabets')
def ispangram(str): alphabet = 'abcdefghijklmnopqrstuvwxyz' for char in alphabet: if char not in str.lower(): return False return True str = input('enter a sentence :\n ') if ispangram(str): print('contains all alphabets') else: print('does not contain all alphabets')
def bit_floor(n: int) -> int: """Calculate the largest power of two not greater than n. If zero, returns zero.""" if n: # see https://stackoverflow.com/a/14267825/17332200 exp = (n // 2).bit_length() res = 1 << exp return res else: return 0
def bit_floor(n: int) -> int: """Calculate the largest power of two not greater than n. If zero, returns zero.""" if n: exp = (n // 2).bit_length() res = 1 << exp return res else: return 0
html = """ <!DOCTYPE html> <html> <head> <script src="qrc:///qtwebchannel/qwebchannel.js"></script> <meta name="viewport" content="initial-scale=1.0, user-scalable=no"> <meta charset="utf-8"> <style> #map { height: 100%; } html, body { height: 100%; margin: 0; padding: 0; } </style> </head> <body> <div id="map"></div> <script async> var jshelper; new QWebChannel(qt.webChannelTransport, function(channel) { jshelper = channel.objects.jshelper; }); let map; let markers = {}; let polylines = {}; let allow_marker_dragging = true; let map_draggable = true; let map_zoomControl = false; let map_scrollwheel = true; let map_disableDoubleClickZoom = false; window.addEventListener('load', (event) => { jshelper.pageIsLoaded(); }); window.addEventListener('resize', (event) => { jshelper.pageIsResized(); }); const image = "https://developers.google.com/maps/documentation/javascript/examples/full/images/beachflag.png"; var customStyle = [ { "featureType": "water", "elementType": "geometry", "stylers": [ { "color": "COLOR_BACKGROUND_1" } ] }, { "featureType": "landscape", "elementType": "geometry", "stylers": [ { "color": "COLOR_BACKGROUND_5" } ] }, { "featureType": "road", "elementType": "geometry", "stylers": [ { "color": "COLOR_BACKGROUND_3" }, { "lightness": -37 } ] }, { "featureType": "poi", "elementType": "geometry", "stylers": [ { "color": "COLOR_BACKGROUND_3" } ] }, { "featureType": "transit", "elementType": "geometry", "stylers": [ { "color": "COLOR_BACKGROUND_3" } ] }, { "elementType": "labels.text.stroke", "stylers": [ { "visibility": "off" }, { "color": "COLOR_ACCENT_4" }, { "weight": 2 }, { "gamma": 0.84 } ] }, { "elementType": "labels.text.fill", "stylers": [ { "color": "COLOR_TEXT_1" } ] }, { "elementType": "labels.icon", "stylers": [ { "visibility": "off" } ] }, ] function initMap() { map = new google.maps.Map(document.getElementById('map'), { zoom: 0, center: {lat: 50, lng: 0}, disableDefaultUI: true, mapTypeId: google.maps.MapTypeId.ROADMAP, styles: customStyle, restriction: { latLngBounds: { north: 85.0, south: -85.0, west: -179.9999, east: 179.9999 }, strictBounds: true } }); map.setOptions({minZoom: 0, maxZoom: 50, draggable: map_draggable, zoomControl: map_zoomControl, scrollwheel: map_scrollwheel, disableDoubleClickZoom: map_disableDoubleClickZoom}); google.maps.event.addListener(map, "rightclick", function (event) { jshelper.mapIsRightClicked(event.latLng.lat(), event.latLng.lng()) }); google.maps.event.addListener(map, 'dragend', function () { var center = map.getCenter(); jshelper.mapIsMoved(center.lat(), center.lng()); }); google.maps.event.addListener(map, 'click', function (event) { jshelper.mapIsClicked(event.latLng.lat(), event.latLng.lng()); }); google.maps.event.addListener(map, 'dblclick', function (event) { jshelper.mapIsDoubleClicked(event.latLng.lat(), event.latLng.lng()); }); google.maps.event.addListenerOnce(map, 'idle', function (){ jshelper.mapIsFullyLoaded(); }); google.maps.event.addListener(map, 'tilesloaded', function () { jshelper.tilesAreFullyLoaded(); }); console.log("Setup compeleted!"); } function addMarker(marker_id, latitude, longitude, params) { console.log("Creating new marker: " + marker_id) const location = new google.maps.LatLng(latitude, longitude); if (marker_id in markers) { return updateMarker(marker_id, {position:location}) } const marker = new google.maps.Marker(Object.assign({}, {position: location, map: map, draggable: allow_marker_dragging, id: marker_id, polylines: []}, params)); google.maps.event.addListener(marker, 'click', function () { jshelper.markerIsClicked(marker_id, marker.position.lat(), marker.position.lng()) }); google.maps.event.addListener(marker, 'dblclick', function () { jshelper.markerIsDoubleClicked(marker_id, marker.position.lat(), marker.position.lng()) }); google.maps.event.addListener(marker, 'rightclick', function () { jshelper.markerIsRightClicked(marker_id, marker.position.lat(), marker.position.lng()) }); google.maps.event.addListener(marker, 'dragend', function () { jshelper.markerIsMoved(marker_id, marker.position.lat(), marker.position.lng()) }); markers[marker_id] = marker; } function addPolyline(polyline_id, coordsArray) { console.log("Creating new polyline: " + polyline_id) for (var i = 0; i < coordsArray.length; i++) { coordsArray[i]["lat"] = parseFloat(coordsArray[i]["lat"]); coordsArray[i]["lng"] = parseFloat(coordsArray[i]["lng"]); } const connection = new google.maps.Polyline({ path: coordsArray, geodesic: true, strokeColor: "#FF0000", strokeOpacity: 1.0, strokeWeight: 2, map: map, markers: [], }); google.maps.event.addListener(connection, 'click', function () { jshelper.polylineIsClicked(polyline_id, connection.getPath().getArray()) }); google.maps.event.addListener(connection, 'dblclick', function () { jshelper.polylineIsDoubleClicked(polyline_id, connection.getPath().getArray()) }); google.maps.event.addListener(connection, 'rightclick', function () { jshelper.polylineIsRightClicked(polyline_id, connection.getPath().getArray()) }); polylines[polyline_id] = connection; } function addPolylineBetweenMarkers(polyline_id, markersArray) { let cordsArray = []; for (let marker_id in markersArray) { cordsArray.push(markers[marker_id].getPosition()); } addPolyline(polyline_id, cordsArray) } function deletePolyline(polyline_id) { polylines[polyline_id].setMap(null); delete polylines[polyline_id]; } function getMarkers() { let resp = {}; for (var mid in markers) { resp[mid] = {lat: markers[mid].position.lat(), lng: markers[mid].position.lng()}; } return resp; } function moveMarker(marker_id, latitude, longitude) { let cords = new google.maps.LatLng(latitude, longitude); markers[marker_id].setPosition(cords); } function deleteMarker(marker_id) { markers[marker_id].setMap(null); delete markers[marker_id]; } function updateMarker(marker_id, extras) { if (!(marker_id in markers)) { return; } markers[marker_id].setOptions(extras); } function enableMarkersDragging(value) { allow_marker_dragging = value; for (var marker_id in markers) { updateMarker(marker_id, {draggable: value}); } } function disableMapDragging(value) { map_draggable = value; map.setOptions({draggable: value}); } function showZoomControl(value) { map_zoomControl = value; map.setOptions({zoomControl: value}); } function disableScrollWheel(value) { map_scrollwheel = value; map.setOptions({scrollwheel: value}); } function disableDoubleClickToZoom(value) { map_disableDoubleClickZoom = value; map.setOptions({disableDoubleClickZoom: value}); } function panToCenter() { map.panTo(map.getCenter()); } </script> <script async src="https://maps.googleapis.com/maps/api/js?key=API_KEY_GOES_HERE&callback=initMap"> </script> </body> </html> """
html = '\n<!DOCTYPE html>\n<html>\n<head>\n <script src="qrc:///qtwebchannel/qwebchannel.js"></script>\n <meta name="viewport" content="initial-scale=1.0, user-scalable=no">\n <meta charset="utf-8">\n <style>\n #map {\n height: 100%;\n }\n\n html, body {\n height: 100%;\n margin: 0;\n padding: 0;\n }\n </style>\n</head>\n<body>\n<div id="map"></div>\n\n<script async>\n\n var jshelper;\n new QWebChannel(qt.webChannelTransport,\n function(channel) { jshelper = channel.objects.jshelper; });\n let map;\n let markers = {};\n let polylines = {};\n let allow_marker_dragging = true;\n let map_draggable = true;\n let map_zoomControl = false;\n let map_scrollwheel = true;\n let map_disableDoubleClickZoom = false;\n\n window.addEventListener(\'load\', (event) => {\n jshelper.pageIsLoaded();\n });\n\n window.addEventListener(\'resize\', (event) => {\n jshelper.pageIsResized();\n });\n\n const image = "https://developers.google.com/maps/documentation/javascript/examples/full/images/beachflag.png";\n var customStyle = [\n {\n "featureType": "water",\n "elementType": "geometry",\n "stylers": [\n {\n "color": "COLOR_BACKGROUND_1"\n }\n ]\n },\n {\n "featureType": "landscape",\n "elementType": "geometry",\n "stylers": [\n {\n "color": "COLOR_BACKGROUND_5"\n }\n ]\n },\n {\n "featureType": "road",\n "elementType": "geometry",\n "stylers": [\n {\n "color": "COLOR_BACKGROUND_3"\n },\n {\n "lightness": -37\n }\n ]\n },\n {\n "featureType": "poi",\n "elementType": "geometry",\n "stylers": [\n {\n "color": "COLOR_BACKGROUND_3"\n }\n ]\n },\n {\n "featureType": "transit",\n "elementType": "geometry",\n "stylers": [\n {\n "color": "COLOR_BACKGROUND_3"\n }\n ]\n },\n {\n "elementType": "labels.text.stroke",\n "stylers": [\n {\n "visibility": "off"\n },\n {\n "color": "COLOR_ACCENT_4"\n },\n {\n "weight": 2\n },\n {\n "gamma": 0.84\n }\n ]\n },\n {\n "elementType": "labels.text.fill",\n "stylers": [\n {\n "color": "COLOR_TEXT_1"\n }\n ]\n },\n {\n "elementType": "labels.icon",\n "stylers": [\n {\n "visibility": "off"\n }\n ]\n },\n ]\n\n function initMap() {\n map = new google.maps.Map(document.getElementById(\'map\'), {\n zoom: 0,\n center: {lat: 50, lng: 0},\n disableDefaultUI: true,\n mapTypeId: google.maps.MapTypeId.ROADMAP,\n styles: customStyle,\n restriction: {\n latLngBounds: {\n north: 85.0,\n south: -85.0,\n west: -179.9999,\n east: 179.9999\n },\n strictBounds: true\n }\n });\n map.setOptions({minZoom: 0, maxZoom: 50, draggable: map_draggable, zoomControl: map_zoomControl, scrollwheel: map_scrollwheel, disableDoubleClickZoom: map_disableDoubleClickZoom});\n\n google.maps.event.addListener(map, "rightclick", function (event) {\n jshelper.mapIsRightClicked(event.latLng.lat(), event.latLng.lng())\n });\n\n google.maps.event.addListener(map, \'dragend\', function () {\n var center = map.getCenter();\n jshelper.mapIsMoved(center.lat(), center.lng());\n });\n\n google.maps.event.addListener(map, \'click\', function (event) {\n jshelper.mapIsClicked(event.latLng.lat(), event.latLng.lng());\n });\n\n google.maps.event.addListener(map, \'dblclick\', function (event) {\n jshelper.mapIsDoubleClicked(event.latLng.lat(), event.latLng.lng());\n });\n\n google.maps.event.addListenerOnce(map, \'idle\', function (){\n jshelper.mapIsFullyLoaded();\n });\n\n google.maps.event.addListener(map, \'tilesloaded\', function () {\n jshelper.tilesAreFullyLoaded();\n });\n\n console.log("Setup compeleted!");\n }\n\n\nfunction addMarker(marker_id, latitude, longitude, params) {\n console.log("Creating new marker: " + marker_id)\n const location = new google.maps.LatLng(latitude, longitude);\n\n if (marker_id in markers) {\n return updateMarker(marker_id, {position:location})\n }\n\n const marker = new google.maps.Marker(Object.assign({},\n {position: location,\n map: map,\n draggable: allow_marker_dragging,\n id: marker_id,\n polylines: []},\n params));\n\n google.maps.event.addListener(marker, \'click\', function () {\n jshelper.markerIsClicked(marker_id, marker.position.lat(), marker.position.lng())\n });\n google.maps.event.addListener(marker, \'dblclick\', function () {\n jshelper.markerIsDoubleClicked(marker_id, marker.position.lat(), marker.position.lng())\n });\n google.maps.event.addListener(marker, \'rightclick\', function () {\n jshelper.markerIsRightClicked(marker_id, marker.position.lat(), marker.position.lng())\n });\n google.maps.event.addListener(marker, \'dragend\', function () {\n jshelper.markerIsMoved(marker_id, marker.position.lat(), marker.position.lng())\n });\n markers[marker_id] = marker;\n}\n\nfunction addPolyline(polyline_id, coordsArray) {\n console.log("Creating new polyline: " + polyline_id)\n for (var i = 0; i < coordsArray.length; i++) {\n coordsArray[i]["lat"] = parseFloat(coordsArray[i]["lat"]);\n coordsArray[i]["lng"] = parseFloat(coordsArray[i]["lng"]);\n }\n\n const connection = new google.maps.Polyline({\n path: coordsArray,\n geodesic: true,\n strokeColor: "#FF0000",\n strokeOpacity: 1.0,\n strokeWeight: 2,\n map: map,\n markers: [],\n });\n\n google.maps.event.addListener(connection, \'click\', function () {\n jshelper.polylineIsClicked(polyline_id, connection.getPath().getArray())\n });\n google.maps.event.addListener(connection, \'dblclick\', function () {\n jshelper.polylineIsDoubleClicked(polyline_id, connection.getPath().getArray())\n });\n google.maps.event.addListener(connection, \'rightclick\', function () {\n jshelper.polylineIsRightClicked(polyline_id, connection.getPath().getArray())\n });\n polylines[polyline_id] = connection;\n}\n\nfunction addPolylineBetweenMarkers(polyline_id, markersArray) {\n let cordsArray = [];\n for (let marker_id in markersArray) {\n cordsArray.push(markers[marker_id].getPosition());\n }\n addPolyline(polyline_id, cordsArray)\n}\n\nfunction deletePolyline(polyline_id) {\n polylines[polyline_id].setMap(null);\n delete polylines[polyline_id];\n}\n\nfunction getMarkers() {\n let resp = {};\n for (var mid in markers) {\n resp[mid] = {lat: markers[mid].position.lat(), lng: markers[mid].position.lng()};\n }\n return resp;\n}\n\nfunction moveMarker(marker_id, latitude, longitude) {\n let cords = new google.maps.LatLng(latitude, longitude);\n markers[marker_id].setPosition(cords);\n}\n\nfunction deleteMarker(marker_id) {\n markers[marker_id].setMap(null);\n delete markers[marker_id];\n}\n\nfunction updateMarker(marker_id, extras) {\n if (!(marker_id in markers)) {\n return;\n }\n markers[marker_id].setOptions(extras);\n}\n\nfunction enableMarkersDragging(value) {\n allow_marker_dragging = value;\n for (var marker_id in markers) {\n updateMarker(marker_id, {draggable: value});\n }\n}\n\nfunction disableMapDragging(value) {\n map_draggable = value;\n map.setOptions({draggable: value});\n}\n\nfunction showZoomControl(value) {\n map_zoomControl = value;\n map.setOptions({zoomControl: value});\n}\n\nfunction disableScrollWheel(value) {\n map_scrollwheel = value;\n map.setOptions({scrollwheel: value});\n}\n\nfunction disableDoubleClickToZoom(value) {\n map_disableDoubleClickZoom = value;\n map.setOptions({disableDoubleClickZoom: value});\n}\n\nfunction panToCenter() {\n map.panTo(map.getCenter());\n}\n\n</script>\n<script async\n src="https://maps.googleapis.com/maps/api/js?key=API_KEY_GOES_HERE&callback=initMap">\n</script>\n</body>\n</html>\n'
print("Select operation.") print("1.Add") print("2.Subtract") print("3.Multiply") print("4.Divide") while True: # take input from the user choice = int(input("Enter choice(1/2/3/4): ")) # check if choice is one of the four options if choice in (1, 2, 3, 4): num1 = float(input("Enter first number: ")) num2 = float(input("Enter second number: ")) if choice == 1: print("{} + {} = ".format(num1, num2), (num1 + num2)) elif choice == 2: print("{} - {} = ".format(num1, num2), (num1 - num2)) elif choice == 3: print("{} * {} = ".format(num1, num2), (num1 * num2)) elif choice == 4: print("{} / {} = ".format(num1, num2), (num1 / num2)) # check if user wants another calculation # break the while loop if answer is no next_calculation = input("Let's do next calculation? (yes/no): ") if next_calculation == "no": break else: continue else: print("Invalid Input")
print('Select operation.') print('1.Add') print('2.Subtract') print('3.Multiply') print('4.Divide') while True: choice = int(input('Enter choice(1/2/3/4): ')) if choice in (1, 2, 3, 4): num1 = float(input('Enter first number: ')) num2 = float(input('Enter second number: ')) if choice == 1: print('{} + {} = '.format(num1, num2), num1 + num2) elif choice == 2: print('{} - {} = '.format(num1, num2), num1 - num2) elif choice == 3: print('{} * {} = '.format(num1, num2), num1 * num2) elif choice == 4: print('{} / {} = '.format(num1, num2), num1 / num2) next_calculation = input("Let's do next calculation? (yes/no): ") if next_calculation == 'no': break else: continue else: print('Invalid Input')
def test_home_retorna_status_code_200(client): response = client.get("/") assert response.status_code == 200 def test_home_retorna_texto_ola(client): response = client.get("/") assert response.text == "ola" def test_echo_retorna_status_code_200(client): response = client.get("/echo") assert response.status_code == 200 def test_home_retorna_texto_echo_man(client): response = client.get("/echo") assert response.text == "echo man!"
def test_home_retorna_status_code_200(client): response = client.get('/') assert response.status_code == 200 def test_home_retorna_texto_ola(client): response = client.get('/') assert response.text == 'ola' def test_echo_retorna_status_code_200(client): response = client.get('/echo') assert response.status_code == 200 def test_home_retorna_texto_echo_man(client): response = client.get('/echo') assert response.text == 'echo man!'
#!/usr/bin/python2.4 # # Copyright 2011 Google Inc. All Rights Reserved. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. """Builds the test tables. See class comment for more details.""" __author__ = 'bmcquade@google.com (Bryan McQuade)' class TestTableBuilder(object): """Builds a list of test cases based on the public suffix list.""" def __init__(self): self._test_table = [] def BuildTestTable(self, rules): """Generates tuples that contains a test entry hostname,registry. Each test hostname has a registry, which is the part of a hostname that cookies cannot be set on, as well as a hostname, which is the part that comes before the registry. For instance example.co.uk would have a host 'example' and a registry 'co.uk'. Most entries will use a default host, except for exception rules, which use the exception as the host (since cookies can be set on exception rules). """ for rule in rules: parts = rule.split('.') first = parts[0] host = 'example' if first == '*': # Special case: if the first part is '*', generate two tests, # one with 'wc' as the first part, another with 'wildcard' as # the first part. We use strings of differing lengths to make # sure there is no string length specific parsing of # wildcards. parts[0] = 'wildcard' registry = '.'.join(parts) self._test_table.append((host, registry, 0)) parts[0] = 'wc' registry = '.'.join(parts) self._test_table.append((host, registry, 0)) continue is_exception_rule = 0 if first[0] == '!': # This is an exception rule. Strip the leading exclamation and # use the remaining part as the hostname. Everything after is # the registry. host = first[1:] registry = '.'.join(parts[1:]) is_exception_rule = 1 else: registry = '.'.join(parts) self._test_table.append((host, registry, is_exception_rule)) def GetTestTable(self): """Return the test table of (host, registry) tuples.""" return self._test_table
"""Builds the test tables. See class comment for more details.""" __author__ = 'bmcquade@google.com (Bryan McQuade)' class Testtablebuilder(object): """Builds a list of test cases based on the public suffix list.""" def __init__(self): self._test_table = [] def build_test_table(self, rules): """Generates tuples that contains a test entry hostname,registry. Each test hostname has a registry, which is the part of a hostname that cookies cannot be set on, as well as a hostname, which is the part that comes before the registry. For instance example.co.uk would have a host 'example' and a registry 'co.uk'. Most entries will use a default host, except for exception rules, which use the exception as the host (since cookies can be set on exception rules). """ for rule in rules: parts = rule.split('.') first = parts[0] host = 'example' if first == '*': parts[0] = 'wildcard' registry = '.'.join(parts) self._test_table.append((host, registry, 0)) parts[0] = 'wc' registry = '.'.join(parts) self._test_table.append((host, registry, 0)) continue is_exception_rule = 0 if first[0] == '!': host = first[1:] registry = '.'.join(parts[1:]) is_exception_rule = 1 else: registry = '.'.join(parts) self._test_table.append((host, registry, is_exception_rule)) def get_test_table(self): """Return the test table of (host, registry) tuples.""" return self._test_table
bool_one = 5 != 7 bool_two = 1 + 1 != 2 bool_three = 3 * 3 == 9 print(bool_one) #True print(bool_two) #False print(bool_three) #True my_bool = "true" print(type(my_bool)) #<class 'str'> my_bool_two = True print(type(my_bool_two)) #<class 'bool'> my_bool_three = 452 print(type(my_bool_three)) #<class 'int'>
bool_one = 5 != 7 bool_two = 1 + 1 != 2 bool_three = 3 * 3 == 9 print(bool_one) print(bool_two) print(bool_three) my_bool = 'true' print(type(my_bool)) my_bool_two = True print(type(my_bool_two)) my_bool_three = 452 print(type(my_bool_three))
a = int(input()) b = int(input()) range = range(a, b + 1) list = list(filter(lambda x: x % 3 == 0, range)) print(sum(list) / len(list))
a = int(input()) b = int(input()) range = range(a, b + 1) list = list(filter(lambda x: x % 3 == 0, range)) print(sum(list) / len(list))
# angle.py: A class describing an angle between three atoms. class Angle: atom1 = "" atom2 = "" atom3 = "" angle = 0.0 def __init__(self, atom1, atom2, atom3, angle): self.atom1 = atom1 self.atom2 = atom2 self.atom3 = atom3 self.angle = angle
class Angle: atom1 = '' atom2 = '' atom3 = '' angle = 0.0 def __init__(self, atom1, atom2, atom3, angle): self.atom1 = atom1 self.atom2 = atom2 self.atom3 = atom3 self.angle = angle
#!/usr/bin/env python3 # Each new term in the Fibonacci sequence is generated by adding the previous two terms. By starting with 1 and 2, # the first 10 terms will be: 1, 2, 3, 5, 8, 13, 21, 34, 55, 89, ... By considering the terms in the Fibonacci # sequence whose values do not exceed four million, find the sum of the even-valued terms. def find_even_sum_fib() -> int: a, b = 1, 2 result = 0 while b < 4e6: if b % 2 == 0: result += b b = a + b a = b - a return result if __name__ == "__main__": assert find_even_sum_fib() == 4613732
def find_even_sum_fib() -> int: (a, b) = (1, 2) result = 0 while b < 4000000.0: if b % 2 == 0: result += b b = a + b a = b - a return result if __name__ == '__main__': assert find_even_sum_fib() == 4613732
def solve(data): X, Y, N, W, P1, P2 = data for _ in range(int(input())): data = [int(num) for num in input().split(" ")] print(solve(data))
def solve(data): (x, y, n, w, p1, p2) = data for _ in range(int(input())): data = [int(num) for num in input().split(' ')] print(solve(data))
# -*- coding: utf-8 -*- def main(): n = int(input()) h = int(input()) w = int(input()) print((n - w + 1) * (n - h + 1)) if __name__ == '__main__': main()
def main(): n = int(input()) h = int(input()) w = int(input()) print((n - w + 1) * (n - h + 1)) if __name__ == '__main__': main()
class NoInteractionsFound(Exception): def __init__(self, description: str = None, hint: str = None): super(NoInteractionsFound, self).__init__('No CellPhoneDB interacions found in this input.') self.description = description self.hint = hint
class Nointeractionsfound(Exception): def __init__(self, description: str=None, hint: str=None): super(NoInteractionsFound, self).__init__('No CellPhoneDB interacions found in this input.') self.description = description self.hint = hint
# Definition for a binary tree node. # class TreeNode: # def __init__(self, val=0, left=None, right=None): # self.val = val # self.left = left # self.right = right class Solution: def findSecondMinimumValue(self, root: TreeNode) -> int: small = root.val res = [] def rec(root): if root: rec(root.left) res.append(root.val) rec(root.right) rec(root) res = set(res) if len(res)==1: return -1 res = [i for i in res] print(res) res = [i-small for i in res] print(res) max = 0 for i in res: if i==0: res.remove(i) print(res) return min(res)+small
class Solution: def find_second_minimum_value(self, root: TreeNode) -> int: small = root.val res = [] def rec(root): if root: rec(root.left) res.append(root.val) rec(root.right) rec(root) res = set(res) if len(res) == 1: return -1 res = [i for i in res] print(res) res = [i - small for i in res] print(res) max = 0 for i in res: if i == 0: res.remove(i) print(res) return min(res) + small
#encoding:utf-8 subreddit = 'Genshin_Impact' t_channel = '@Genshin_Impact_reddit' def send_post(submission, r2t): return r2t.send_simple(submission)
subreddit = 'Genshin_Impact' t_channel = '@Genshin_Impact_reddit' def send_post(submission, r2t): return r2t.send_simple(submission)
# # PySNMP MIB module DEC-ATM-SIGNALLING-MIB (http://snmplabs.com/pysmi) # ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/DEC-ATM-SIGNALLING-MIB # Produced by pysmi-0.3.4 at Wed May 1 12:37:24 2019 # On host DAVWANG4-M-1475 platform Darwin version 18.5.0 by user davwang4 # Using Python version 3.7.3 (default, Mar 27 2019, 09:23:15) # Integer, OctetString, ObjectIdentifier = mibBuilder.importSymbols("ASN1", "Integer", "OctetString", "ObjectIdentifier") NamedValues, = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues") ValueSizeConstraint, ConstraintsIntersection, ValueRangeConstraint, SingleValueConstraint, ConstraintsUnion = mibBuilder.importSymbols("ASN1-REFINEMENT", "ValueSizeConstraint", "ConstraintsIntersection", "ValueRangeConstraint", "SingleValueConstraint", "ConstraintsUnion") decMIBextension, = mibBuilder.importSymbols("DECATM-MIB", "decMIBextension") ifIndex, = mibBuilder.importSymbols("IF-MIB", "ifIndex") NotificationGroup, ModuleCompliance = mibBuilder.importSymbols("SNMPv2-CONF", "NotificationGroup", "ModuleCompliance") TimeTicks, ObjectIdentity, ModuleIdentity, IpAddress, MibScalar, MibTable, MibTableRow, MibTableColumn, Bits, Unsigned32, Integer32, Counter32, Gauge32, iso, NotificationType, MibIdentifier, Counter64 = mibBuilder.importSymbols("SNMPv2-SMI", "TimeTicks", "ObjectIdentity", "ModuleIdentity", "IpAddress", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "Bits", "Unsigned32", "Integer32", "Counter32", "Gauge32", "iso", "NotificationType", "MibIdentifier", "Counter64") DisplayString, TextualConvention = mibBuilder.importSymbols("SNMPv2-TC", "DisplayString", "TextualConvention") decAtmSignallingMIB = MibIdentifier((1, 3, 6, 1, 4, 1, 36, 2, 18, 34)) decAtmSignallingMIBObjects = MibIdentifier((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1)) decSignallingGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 1)) decSignallingConfigTable = MibTable((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 1, 1), ) if mibBuilder.loadTexts: decSignallingConfigTable.setStatus('mandatory') if mibBuilder.loadTexts: decSignallingConfigTable.setDescription('') decSignallingConfigEntry = MibTableRow((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 1, 1, 1), ).setIndexNames((0, "IF-MIB", "ifIndex"), (0, "DEC-ATM-SIGNALLING-MIB", "decAtmSignallingIndex")) if mibBuilder.loadTexts: decSignallingConfigEntry.setStatus('mandatory') if mibBuilder.loadTexts: decSignallingConfigEntry.setDescription("Each entry describes one UNI / NNI. Note that the table is indexed by 'atm' interfaces, rather than 'aal5' entities.") decAtmSignallingIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 1, 1, 1, 1), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: decAtmSignallingIndex.setStatus('mandatory') if mibBuilder.loadTexts: decAtmSignallingIndex.setDescription('An arbitrary integer index that can be used to distinguish among multiple signalling entities for the same (physical) interface.') decAtmSignallingMode = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 1, 1, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("autoConfigure", 1), ("pnni", 2), ("uni30", 3), ("uni31", 4), ("uni40", 5)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: decAtmSignallingMode.setStatus('mandatory') if mibBuilder.loadTexts: decAtmSignallingMode.setDescription('Indicates the mode in which the port is configured to run.') decQ2931Group = MibIdentifier((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2)) decQ2931MsgTable = MibTable((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 1), ) if mibBuilder.loadTexts: decQ2931MsgTable.setStatus('mandatory') if mibBuilder.loadTexts: decQ2931MsgTable.setDescription('Describes the number of call/connection processing messages sent and received on each UNI or NNI.') decQ2931MsgEntry = MibTableRow((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 1, 1), ).setIndexNames((0, "IF-MIB", "ifIndex"), (0, "DEC-ATM-SIGNALLING-MIB", "decAtmSignallingIndex")) if mibBuilder.loadTexts: decQ2931MsgEntry.setStatus('mandatory') if mibBuilder.loadTexts: decQ2931MsgEntry.setDescription("Each entry contains signalling statistics for one UNI / NNI. Note that the table is indexed by ATM ports (ifType = 'atm') as opposed to AAL5 entities (ifType = 'aal5').") callProceedingTx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 1, 1, 1), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: callProceedingTx.setStatus('mandatory') if mibBuilder.loadTexts: callProceedingTx.setDescription('The number of CALL PROCEEDING messages transmitted on this interface.') callProceedingRx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 1, 1, 2), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: callProceedingRx.setStatus('mandatory') if mibBuilder.loadTexts: callProceedingRx.setDescription('The number of CALL PROCEEDING messages received on this interface.') connectTx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 1, 1, 3), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: connectTx.setStatus('mandatory') if mibBuilder.loadTexts: connectTx.setDescription('The number of CONNECT messages transmitted on this interface.') connectRx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 1, 1, 4), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: connectRx.setStatus('mandatory') if mibBuilder.loadTexts: connectRx.setDescription('The number of CONNECT messages received on this interface.') connectAcknowledgeTx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 1, 1, 5), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: connectAcknowledgeTx.setStatus('mandatory') if mibBuilder.loadTexts: connectAcknowledgeTx.setDescription('The number of CONNECT ACKNOWLEDGE messages transmitted on this interface.') connectAcknowledgeRx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 1, 1, 6), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: connectAcknowledgeRx.setStatus('mandatory') if mibBuilder.loadTexts: connectAcknowledgeRx.setDescription('The number of CONNECT ACKNOWLEDGE messages received on this interface.') setupTx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 1, 1, 7), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: setupTx.setStatus('mandatory') if mibBuilder.loadTexts: setupTx.setDescription('The number of SETUP messages transmitted on this interface.') setupRx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 1, 1, 8), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: setupRx.setStatus('mandatory') if mibBuilder.loadTexts: setupRx.setDescription('The number of SETUP messages received on this interface.') releaseTx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 1, 1, 9), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: releaseTx.setStatus('mandatory') if mibBuilder.loadTexts: releaseTx.setDescription('The number of RELEASE messages transmitted on this interface.') releaseRx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 1, 1, 10), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: releaseRx.setStatus('mandatory') if mibBuilder.loadTexts: releaseRx.setDescription('The number of RELEASE messages received on this interface.') releaseCompleteTx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 1, 1, 11), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: releaseCompleteTx.setStatus('mandatory') if mibBuilder.loadTexts: releaseCompleteTx.setDescription('The number of RELEASE COMPLETE messages transmitted on this interface.') releaseCompleteRx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 1, 1, 12), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: releaseCompleteRx.setStatus('mandatory') if mibBuilder.loadTexts: releaseCompleteRx.setDescription('The number of RELEASE COMPLETE messages received on this interface.') restartTx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 1, 1, 13), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: restartTx.setStatus('mandatory') if mibBuilder.loadTexts: restartTx.setDescription('The number of RESTART messages transmitted on this interface.') restartRx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 1, 1, 14), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: restartRx.setStatus('mandatory') if mibBuilder.loadTexts: restartRx.setDescription('The number of RESTART messages received on this interface.') restartAcknowledgeTx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 1, 1, 15), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: restartAcknowledgeTx.setStatus('mandatory') if mibBuilder.loadTexts: restartAcknowledgeTx.setDescription('The number of RESTART ACKNOWLEDGE messages transmitted on this interface.') restartAcknowledgeRx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 1, 1, 16), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: restartAcknowledgeRx.setStatus('mandatory') if mibBuilder.loadTexts: restartAcknowledgeRx.setDescription('The number of RESTART ACKNOWLEDGE messages received on this interface.') statusTx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 1, 1, 17), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: statusTx.setStatus('mandatory') if mibBuilder.loadTexts: statusTx.setDescription('The number of STATUS messages transmitted on this interface.') statusRx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 1, 1, 18), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: statusRx.setStatus('mandatory') if mibBuilder.loadTexts: statusRx.setDescription('The number of STATUS messages received on this interface.') statusEnquiryTx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 1, 1, 19), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: statusEnquiryTx.setStatus('mandatory') if mibBuilder.loadTexts: statusEnquiryTx.setDescription('The number of STATUS ENQUIRY messages transmitted on this interface.') statusEnquiryRx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 1, 1, 20), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: statusEnquiryRx.setStatus('mandatory') if mibBuilder.loadTexts: statusEnquiryRx.setDescription('The number of STATUS ENQUIRY messages received on this interface.') addPartyTx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 1, 1, 21), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: addPartyTx.setStatus('mandatory') if mibBuilder.loadTexts: addPartyTx.setDescription('The number of ADD PARTY messages transmitted on this interface.') addPartyRx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 1, 1, 22), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: addPartyRx.setStatus('mandatory') if mibBuilder.loadTexts: addPartyRx.setDescription('The number of ADD PARTY messages received on this interface.') addPartyAcknowledgeTx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 1, 1, 23), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: addPartyAcknowledgeTx.setStatus('mandatory') if mibBuilder.loadTexts: addPartyAcknowledgeTx.setDescription('The number of ADD PARTY ACKNOWLEDGE messages transmitted on this interface.') addPartyAcknowledgeRx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 1, 1, 24), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: addPartyAcknowledgeRx.setStatus('mandatory') if mibBuilder.loadTexts: addPartyAcknowledgeRx.setDescription('The number of ADD PARTY ACKNOWLEDGE messages received on this interface.') addPartyRejectTx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 1, 1, 25), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: addPartyRejectTx.setStatus('mandatory') if mibBuilder.loadTexts: addPartyRejectTx.setDescription('The number of ADD PARTY REJECT messages transmitted on this interface.') addPartyRejectRx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 1, 1, 26), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: addPartyRejectRx.setStatus('mandatory') if mibBuilder.loadTexts: addPartyRejectRx.setDescription('The number of ADD PARTY REJECT messages received on this interface.') dropPartyTx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 1, 1, 27), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dropPartyTx.setStatus('mandatory') if mibBuilder.loadTexts: dropPartyTx.setDescription('The number of DROP PARTY messages transmitted on this interface.') dropPartyRx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 1, 1, 28), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dropPartyRx.setStatus('mandatory') if mibBuilder.loadTexts: dropPartyRx.setDescription('The number of DROP PARTY messages received on this interface.') dropPartyAcknowledgeTx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 1, 1, 29), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dropPartyAcknowledgeTx.setStatus('mandatory') if mibBuilder.loadTexts: dropPartyAcknowledgeTx.setDescription('The number of DROP PARTY ACKNOWLEDGE messages transmitted on this interface.') dropPartyAcknowledgeRx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 1, 1, 30), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dropPartyAcknowledgeRx.setStatus('mandatory') if mibBuilder.loadTexts: dropPartyAcknowledgeRx.setDescription('The number of DROP PARTY ACKNOWLEDGE messages received on this interface.') decQ2931StatusTable = MibTable((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 2), ) if mibBuilder.loadTexts: decQ2931StatusTable.setStatus('mandatory') if mibBuilder.loadTexts: decQ2931StatusTable.setDescription('Contains additional Q2931 signalling statistics.') decQ2931StatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 2, 1), ).setIndexNames((0, "IF-MIB", "ifIndex"), (0, "DEC-ATM-SIGNALLING-MIB", "decAtmSignallingIndex")) if mibBuilder.loadTexts: decQ2931StatusEntry.setStatus('mandatory') if mibBuilder.loadTexts: decQ2931StatusEntry.setDescription("Each entry contains signalling statistics for one UNI / NNI. Note that the table is indexed by ATM ports (ifType = 'atm') as opposed to AAL5 entities (ifType = 'aal5').") totalConns = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 2, 1, 1), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: totalConns.setStatus('mandatory') if mibBuilder.loadTexts: totalConns.setDescription('The total number of connections established so far.') activeConns = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 2, 1, 2), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: activeConns.setStatus('mandatory') if mibBuilder.loadTexts: activeConns.setDescription('The number of currently-active connections.') lastTxCause = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 2, 1, 3), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: lastTxCause.setStatus('mandatory') if mibBuilder.loadTexts: lastTxCause.setDescription('The most recently transmitted cause code.') lastTxDiagnostic = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 2, 1, 4), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: lastTxDiagnostic.setStatus('mandatory') if mibBuilder.loadTexts: lastTxDiagnostic.setDescription('The most recently transmitted diagnostic code.') lastRxCause = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 2, 1, 5), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: lastRxCause.setStatus('mandatory') if mibBuilder.loadTexts: lastRxCause.setDescription('The most recently received cause code.') lastRxDiagnostic = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 2, 1, 6), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: lastRxDiagnostic.setStatus('mandatory') if mibBuilder.loadTexts: lastRxDiagnostic.setDescription('The most recently received diagnostic code.') decQ2931TimerTable = MibTable((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 3), ) if mibBuilder.loadTexts: decQ2931TimerTable.setStatus('mandatory') if mibBuilder.loadTexts: decQ2931TimerTable.setDescription('Allows network managers to examine and configure the timers used for Q.2931 call processing.') decQ2931TimerEntry = MibTableRow((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 3, 1), ).setIndexNames((0, "IF-MIB", "ifIndex"), (0, "DEC-ATM-SIGNALLING-MIB", "decAtmSignallingIndex")) if mibBuilder.loadTexts: decQ2931TimerEntry.setStatus('mandatory') if mibBuilder.loadTexts: decQ2931TimerEntry.setDescription("Each entry contains timers for one UNI / NNI. Note that the table is indexed by ATM ports (ifType = 'atm') as opposed to AAL5 entities (ifType = 'aal5'). Sorry about the cryptic timer names, but that's what the ATM Forum calls these timers in the UNI V3.0 Specification.") t303 = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 3, 1, 1), Integer32().clone(4)).setMaxAccess("readonly") if mibBuilder.loadTexts: t303.setStatus('mandatory') if mibBuilder.loadTexts: t303.setDescription('SETUP message timeout, in seconds.') t308 = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 3, 1, 2), Integer32().clone(30)).setMaxAccess("readonly") if mibBuilder.loadTexts: t308.setStatus('mandatory') if mibBuilder.loadTexts: t308.setDescription('RELEASE message timeout, in seconds.') t309 = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 3, 1, 3), Integer32().clone(90)).setMaxAccess("readonly") if mibBuilder.loadTexts: t309.setStatus('mandatory') if mibBuilder.loadTexts: t309.setDescription('SAAL disconnection timeout, in seconds.') t310 = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 3, 1, 4), Integer32().clone(10)).setMaxAccess("readonly") if mibBuilder.loadTexts: t310.setStatus('mandatory') if mibBuilder.loadTexts: t310.setDescription('CALL PROCEEDING timeout, in seconds.') t313 = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 3, 1, 5), Integer32().clone(4)).setMaxAccess("readonly") if mibBuilder.loadTexts: t313.setStatus('mandatory') if mibBuilder.loadTexts: t313.setDescription('CONNECT timeout, in seconds. This timer is only used on the User side of a UNI.') t316 = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 3, 1, 6), Integer32().clone(120)).setMaxAccess("readonly") if mibBuilder.loadTexts: t316.setStatus('mandatory') if mibBuilder.loadTexts: t316.setDescription('RESTART timeout, in seconds.') t317 = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 3, 1, 7), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: t317.setStatus('mandatory') if mibBuilder.loadTexts: t317.setDescription("RESTART reply timeout, in seconds. This should be less than the value for timer 't316'.") t322 = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 3, 1, 8), Integer32().clone(4)).setMaxAccess("readonly") if mibBuilder.loadTexts: t322.setStatus('mandatory') if mibBuilder.loadTexts: t322.setDescription('STATUS ENQUIRY timeout, in seconds.') t398 = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 3, 1, 9), Integer32().clone(4)).setMaxAccess("readonly") if mibBuilder.loadTexts: t398.setStatus('mandatory') if mibBuilder.loadTexts: t398.setDescription('DROP PARTY timeout, in seconds.') t399 = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 3, 1, 10), Integer32().clone(14)).setMaxAccess("readonly") if mibBuilder.loadTexts: t399.setStatus('mandatory') if mibBuilder.loadTexts: t399.setDescription('ADD PARTY timeout, in seconds.') decQSaalGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3)) decQSaalMsgTable = MibTable((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3, 1), ) if mibBuilder.loadTexts: decQSaalMsgTable.setStatus('mandatory') if mibBuilder.loadTexts: decQSaalMsgTable.setDescription('') decQSaalMsgEntry = MibTableRow((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3, 1, 1), ).setIndexNames((0, "IF-MIB", "ifIndex"), (0, "DEC-ATM-SIGNALLING-MIB", "decAtmSignallingIndex")) if mibBuilder.loadTexts: decQSaalMsgEntry.setStatus('mandatory') if mibBuilder.loadTexts: decQSaalMsgEntry.setDescription("Each entry contains signalling statistics for one UNI / NNI. Note that the table is indexed by ATM ports (ifType = 'atm') as opposed to AAL5 entities (ifType = 'aal5').") txDiscardedSdus = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3, 1, 1, 1), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: txDiscardedSdus.setStatus('mandatory') if mibBuilder.loadTexts: txDiscardedSdus.setDescription('The number of outgoing SDUs which were discarded.') rxErrorPdus = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3, 1, 1, 2), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: rxErrorPdus.setStatus('mandatory') if mibBuilder.loadTexts: rxErrorPdus.setDescription('The number of incoming PDUs which could not be received due to errors.') txErrorPdus = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3, 1, 1, 3), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: txErrorPdus.setStatus('mandatory') if mibBuilder.loadTexts: txErrorPdus.setDescription('The number of transmission errors for outgoing PDUs.') rxDiscardedPdus = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3, 1, 1, 4), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: rxDiscardedPdus.setStatus('mandatory') if mibBuilder.loadTexts: rxDiscardedPdus.setDescription('The number of incoming PDUs which were discarded.') txDiscardedPdus = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3, 1, 1, 5), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: txDiscardedPdus.setStatus('mandatory') if mibBuilder.loadTexts: txDiscardedPdus.setDescription('The number of outgoing PDUs which were discarded.') bgnTx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3, 1, 1, 6), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bgnTx.setStatus('mandatory') if mibBuilder.loadTexts: bgnTx.setDescription('The number of BGN (Request Initialization) messages transmitted over the interface.') bgnRx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3, 1, 1, 7), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bgnRx.setStatus('mandatory') if mibBuilder.loadTexts: bgnRx.setDescription('The number of BGN (Request Initialization) messages received over the interface.') bgakTx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3, 1, 1, 8), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bgakTx.setStatus('mandatory') if mibBuilder.loadTexts: bgakTx.setDescription('The number of BGAK (Request Acknowledgement) messages transmitted over the interface.') bgakRx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3, 1, 1, 9), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bgakRx.setStatus('mandatory') if mibBuilder.loadTexts: bgakRx.setDescription('The number of BGAK (Request Acknowledgement) messages received over the interface.') endTx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3, 1, 1, 10), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: endTx.setStatus('mandatory') if mibBuilder.loadTexts: endTx.setDescription('The number of END (Disconnect Command) messages transmitted over the interface.') endRx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3, 1, 1, 11), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: endRx.setStatus('mandatory') if mibBuilder.loadTexts: endRx.setDescription('The number of END (Disconnect Command) messages received over the interface.') endakTx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3, 1, 1, 12), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: endakTx.setStatus('mandatory') if mibBuilder.loadTexts: endakTx.setDescription('The number of ENDAK (Disconnect Acknowledgement) messages transmitted over the interface.') endakRx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3, 1, 1, 13), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: endakRx.setStatus('mandatory') if mibBuilder.loadTexts: endakRx.setDescription('The number of ENDAK (Disconnect Acknowledgement) messages received over the interface.') rsTx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3, 1, 1, 14), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: rsTx.setStatus('mandatory') if mibBuilder.loadTexts: rsTx.setDescription('The number of RS (Resynchronization Command) messages transmitted over the interface.') rsRx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3, 1, 1, 15), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: rsRx.setStatus('mandatory') if mibBuilder.loadTexts: rsRx.setDescription('The number of RS (Resynchronization Command) messages received over the interface.') rsakTx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3, 1, 1, 16), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: rsakTx.setStatus('mandatory') if mibBuilder.loadTexts: rsakTx.setDescription('The number of RSAK (Resynchronization Acknowledgement) messages transmitted over the interface.') rsakRx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3, 1, 1, 17), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: rsakRx.setStatus('mandatory') if mibBuilder.loadTexts: rsakRx.setDescription('The number of RSAK (Resynchronization Acknowledgement) messages received over the interface.') bgrejTx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3, 1, 1, 18), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bgrejTx.setStatus('mandatory') if mibBuilder.loadTexts: bgrejTx.setDescription('The number of BGREJ (Connection Reject) messages transmitted over the interface.') bgrejRx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3, 1, 1, 19), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bgrejRx.setStatus('mandatory') if mibBuilder.loadTexts: bgrejRx.setDescription('The number of BGREJ (Connection Reject) messages received over the interface.') sdTx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3, 1, 1, 20), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: sdTx.setStatus('mandatory') if mibBuilder.loadTexts: sdTx.setDescription('The number of SD (Sequenced Connection-Mode Data) messages transmitted over the interface.') sdRx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3, 1, 1, 21), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: sdRx.setStatus('mandatory') if mibBuilder.loadTexts: sdRx.setDescription('The number of SD (Sequenced Connection-Mode Data) messages received over the interface.') sdpTx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3, 1, 1, 22), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: sdpTx.setStatus('mandatory') if mibBuilder.loadTexts: sdpTx.setDescription('The number of SDP (Sequenced Connection-Mode Data with request for Receive State Information) messages transmitted over the interface. This object only applies to UNI 3.0.') sdpRx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3, 1, 1, 23), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: sdpRx.setStatus('mandatory') if mibBuilder.loadTexts: sdpRx.setDescription('The number of SDP (Sequenced Connection-Mode Data with request for Receive State Information) messages received over the interface. This object only applies to UNI 3.0.') erTx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3, 1, 1, 24), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: erTx.setStatus('mandatory') if mibBuilder.loadTexts: erTx.setDescription('The number of ER (Recovery Command) messages transmitted over the interface. This object is not applicable to UNI 3.0.') erRx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3, 1, 1, 25), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: erRx.setStatus('mandatory') if mibBuilder.loadTexts: erRx.setDescription('The number of ER (Recovery Command) messages received over the interface. This object is not applicable to UNI 3.0.') pollTx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3, 1, 1, 26), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: pollTx.setStatus('mandatory') if mibBuilder.loadTexts: pollTx.setDescription('The number of POLL (Transmitter State Information with request for Receive State Information) messages transmitted over the interface.') pollRx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3, 1, 1, 27), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: pollRx.setStatus('mandatory') if mibBuilder.loadTexts: pollRx.setDescription('The number of POLL (Transmitter State Information with request for Receive State Information) messages received over the interface.') statTx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3, 1, 1, 28), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: statTx.setStatus('mandatory') if mibBuilder.loadTexts: statTx.setDescription('The number of STAT (Solicited Receiver State Information) messages transmitted over the interface.') statRx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3, 1, 1, 29), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: statRx.setStatus('mandatory') if mibBuilder.loadTexts: statRx.setDescription('The number of STAT (Solicited Receiver State Information) messages received over the interface.') ustatTx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3, 1, 1, 30), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ustatTx.setStatus('mandatory') if mibBuilder.loadTexts: ustatTx.setDescription('The number of USTAT (Unsolicited Receiver State Info) messages transmitted over the interface.') ustatRx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3, 1, 1, 31), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ustatRx.setStatus('mandatory') if mibBuilder.loadTexts: ustatRx.setDescription('The number of USTAT (Unsolicited Receiver State Info) messages received over the interface.') udTx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3, 1, 1, 32), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: udTx.setStatus('mandatory') if mibBuilder.loadTexts: udTx.setDescription('The number of UD (Unnumbered User Data) messages transmitted over the interface.') udRx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3, 1, 1, 33), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: udRx.setStatus('mandatory') if mibBuilder.loadTexts: udRx.setDescription('The number of UD (Unnumbered User Data) messages received over the interface.') mdTx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3, 1, 1, 34), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: mdTx.setStatus('mandatory') if mibBuilder.loadTexts: mdTx.setDescription('The number of MD (Unnumbered Management Data) messages transmitted over the interface.') mdRx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3, 1, 1, 35), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: mdRx.setStatus('mandatory') if mibBuilder.loadTexts: mdRx.setDescription('The number of MD (Unnumbered Management Data) messages received over the interface.') erakTx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3, 1, 1, 36), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: erakTx.setStatus('mandatory') if mibBuilder.loadTexts: erakTx.setDescription('The number of ERAK (Recovery Acknowledgement) messages transmitted over the interface. This object is not applicable to UNI 3.0.') erakRx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3, 1, 1, 37), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: erakRx.setStatus('mandatory') if mibBuilder.loadTexts: erakRx.setDescription('The number of ERAK (Recovery Acknowledgement) messages received over the interface. This object is not applicable to UNI 3.0.') mibBuilder.exportSymbols("DEC-ATM-SIGNALLING-MIB", t322=t322, ustatTx=ustatTx, rsakTx=rsakTx, addPartyAcknowledgeTx=addPartyAcknowledgeTx, restartRx=restartRx, pollRx=pollRx, txDiscardedPdus=txDiscardedPdus, activeConns=activeConns, sdpTx=sdpTx, restartAcknowledgeTx=restartAcknowledgeTx, sdRx=sdRx, decSignallingConfigTable=decSignallingConfigTable, decQ2931StatusEntry=decQ2931StatusEntry, t317=t317, connectTx=connectTx, t309=t309, dropPartyTx=dropPartyTx, t313=t313, erakTx=erakTx, t303=t303, releaseTx=releaseTx, pollTx=pollTx, lastTxDiagnostic=lastTxDiagnostic, restartTx=restartTx, sdpRx=sdpRx, dropPartyAcknowledgeTx=dropPartyAcknowledgeTx, decAtmSignallingMIB=decAtmSignallingMIB, mdRx=mdRx, releaseCompleteRx=releaseCompleteRx, t316=t316, endRx=endRx, endakRx=endakRx, sdTx=sdTx, decSignallingConfigEntry=decSignallingConfigEntry, lastRxCause=lastRxCause, statTx=statTx, lastTxCause=lastTxCause, connectRx=connectRx, decQ2931TimerEntry=decQ2931TimerEntry, statusEnquiryRx=statusEnquiryRx, decAtmSignallingMIBObjects=decAtmSignallingMIBObjects, bgakTx=bgakTx, decQSaalMsgEntry=decQSaalMsgEntry, connectAcknowledgeRx=connectAcknowledgeRx, rsRx=rsRx, t310=t310, t398=t398, addPartyRejectTx=addPartyRejectTx, rxErrorPdus=rxErrorPdus, statusEnquiryTx=statusEnquiryTx, rxDiscardedPdus=rxDiscardedPdus, statusTx=statusTx, decAtmSignallingIndex=decAtmSignallingIndex, addPartyRejectRx=addPartyRejectRx, ustatRx=ustatRx, t399=t399, decQ2931MsgEntry=decQ2931MsgEntry, txDiscardedSdus=txDiscardedSdus, erRx=erRx, txErrorPdus=txErrorPdus, releaseCompleteTx=releaseCompleteTx, decAtmSignallingMode=decAtmSignallingMode, decQ2931MsgTable=decQ2931MsgTable, connectAcknowledgeTx=connectAcknowledgeTx, statRx=statRx, bgrejTx=bgrejTx, decQ2931Group=decQ2931Group, setupTx=setupTx, callProceedingTx=callProceedingTx, dropPartyAcknowledgeRx=dropPartyAcknowledgeRx, t308=t308, addPartyTx=addPartyTx, decQ2931StatusTable=decQ2931StatusTable, endakTx=endakTx, statusRx=statusRx, rsakRx=rsakRx, udRx=udRx, addPartyAcknowledgeRx=addPartyAcknowledgeRx, decQ2931TimerTable=decQ2931TimerTable, bgnTx=bgnTx, decSignallingGroup=decSignallingGroup, releaseRx=releaseRx, bgrejRx=bgrejRx, dropPartyRx=dropPartyRx, bgakRx=bgakRx, erakRx=erakRx, mdTx=mdTx, restartAcknowledgeRx=restartAcknowledgeRx, lastRxDiagnostic=lastRxDiagnostic, totalConns=totalConns, erTx=erTx, decQSaalMsgTable=decQSaalMsgTable, addPartyRx=addPartyRx, udTx=udTx, decQSaalGroup=decQSaalGroup, endTx=endTx, bgnRx=bgnRx, setupRx=setupRx, callProceedingRx=callProceedingRx, rsTx=rsTx)
(integer, octet_string, object_identifier) = mibBuilder.importSymbols('ASN1', 'Integer', 'OctetString', 'ObjectIdentifier') (named_values,) = mibBuilder.importSymbols('ASN1-ENUMERATION', 'NamedValues') (value_size_constraint, constraints_intersection, value_range_constraint, single_value_constraint, constraints_union) = mibBuilder.importSymbols('ASN1-REFINEMENT', 'ValueSizeConstraint', 'ConstraintsIntersection', 'ValueRangeConstraint', 'SingleValueConstraint', 'ConstraintsUnion') (dec_mi_bextension,) = mibBuilder.importSymbols('DECATM-MIB', 'decMIBextension') (if_index,) = mibBuilder.importSymbols('IF-MIB', 'ifIndex') (notification_group, module_compliance) = mibBuilder.importSymbols('SNMPv2-CONF', 'NotificationGroup', 'ModuleCompliance') (time_ticks, object_identity, module_identity, ip_address, mib_scalar, mib_table, mib_table_row, mib_table_column, bits, unsigned32, integer32, counter32, gauge32, iso, notification_type, mib_identifier, counter64) = mibBuilder.importSymbols('SNMPv2-SMI', 'TimeTicks', 'ObjectIdentity', 'ModuleIdentity', 'IpAddress', 'MibScalar', 'MibTable', 'MibTableRow', 'MibTableColumn', 'Bits', 'Unsigned32', 'Integer32', 'Counter32', 'Gauge32', 'iso', 'NotificationType', 'MibIdentifier', 'Counter64') (display_string, textual_convention) = mibBuilder.importSymbols('SNMPv2-TC', 'DisplayString', 'TextualConvention') dec_atm_signalling_mib = mib_identifier((1, 3, 6, 1, 4, 1, 36, 2, 18, 34)) dec_atm_signalling_mib_objects = mib_identifier((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1)) dec_signalling_group = mib_identifier((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 1)) dec_signalling_config_table = mib_table((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 1, 1)) if mibBuilder.loadTexts: decSignallingConfigTable.setStatus('mandatory') if mibBuilder.loadTexts: decSignallingConfigTable.setDescription('') dec_signalling_config_entry = mib_table_row((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 1, 1, 1)).setIndexNames((0, 'IF-MIB', 'ifIndex'), (0, 'DEC-ATM-SIGNALLING-MIB', 'decAtmSignallingIndex')) if mibBuilder.loadTexts: decSignallingConfigEntry.setStatus('mandatory') if mibBuilder.loadTexts: decSignallingConfigEntry.setDescription("Each entry describes one UNI / NNI. Note that the table is indexed by 'atm' interfaces, rather than 'aal5' entities.") dec_atm_signalling_index = mib_table_column((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 1, 1, 1, 1), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: decAtmSignallingIndex.setStatus('mandatory') if mibBuilder.loadTexts: decAtmSignallingIndex.setDescription('An arbitrary integer index that can be used to distinguish among multiple signalling entities for the same (physical) interface.') dec_atm_signalling_mode = mib_table_column((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 1, 1, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5))).clone(namedValues=named_values(('autoConfigure', 1), ('pnni', 2), ('uni30', 3), ('uni31', 4), ('uni40', 5)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: decAtmSignallingMode.setStatus('mandatory') if mibBuilder.loadTexts: decAtmSignallingMode.setDescription('Indicates the mode in which the port is configured to run.') dec_q2931_group = mib_identifier((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2)) dec_q2931_msg_table = mib_table((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 1)) if mibBuilder.loadTexts: decQ2931MsgTable.setStatus('mandatory') if mibBuilder.loadTexts: decQ2931MsgTable.setDescription('Describes the number of call/connection processing messages sent and received on each UNI or NNI.') dec_q2931_msg_entry = mib_table_row((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 1, 1)).setIndexNames((0, 'IF-MIB', 'ifIndex'), (0, 'DEC-ATM-SIGNALLING-MIB', 'decAtmSignallingIndex')) if mibBuilder.loadTexts: decQ2931MsgEntry.setStatus('mandatory') if mibBuilder.loadTexts: decQ2931MsgEntry.setDescription("Each entry contains signalling statistics for one UNI / NNI. Note that the table is indexed by ATM ports (ifType = 'atm') as opposed to AAL5 entities (ifType = 'aal5').") call_proceeding_tx = mib_table_column((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 1, 1, 1), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: callProceedingTx.setStatus('mandatory') if mibBuilder.loadTexts: callProceedingTx.setDescription('The number of CALL PROCEEDING messages transmitted on this interface.') call_proceeding_rx = mib_table_column((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 1, 1, 2), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: callProceedingRx.setStatus('mandatory') if mibBuilder.loadTexts: callProceedingRx.setDescription('The number of CALL PROCEEDING messages received on this interface.') connect_tx = mib_table_column((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 1, 1, 3), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: connectTx.setStatus('mandatory') if mibBuilder.loadTexts: connectTx.setDescription('The number of CONNECT messages transmitted on this interface.') connect_rx = mib_table_column((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 1, 1, 4), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: connectRx.setStatus('mandatory') if mibBuilder.loadTexts: connectRx.setDescription('The number of CONNECT messages received on this interface.') connect_acknowledge_tx = mib_table_column((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 1, 1, 5), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: connectAcknowledgeTx.setStatus('mandatory') if mibBuilder.loadTexts: connectAcknowledgeTx.setDescription('The number of CONNECT ACKNOWLEDGE messages transmitted on this interface.') connect_acknowledge_rx = mib_table_column((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 1, 1, 6), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: connectAcknowledgeRx.setStatus('mandatory') if mibBuilder.loadTexts: connectAcknowledgeRx.setDescription('The number of CONNECT ACKNOWLEDGE messages received on this interface.') setup_tx = mib_table_column((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 1, 1, 7), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: setupTx.setStatus('mandatory') if mibBuilder.loadTexts: setupTx.setDescription('The number of SETUP messages transmitted on this interface.') setup_rx = mib_table_column((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 1, 1, 8), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: setupRx.setStatus('mandatory') if mibBuilder.loadTexts: setupRx.setDescription('The number of SETUP messages received on this interface.') release_tx = mib_table_column((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 1, 1, 9), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: releaseTx.setStatus('mandatory') if mibBuilder.loadTexts: releaseTx.setDescription('The number of RELEASE messages transmitted on this interface.') release_rx = mib_table_column((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 1, 1, 10), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: releaseRx.setStatus('mandatory') if mibBuilder.loadTexts: releaseRx.setDescription('The number of RELEASE messages received on this interface.') release_complete_tx = mib_table_column((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 1, 1, 11), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: releaseCompleteTx.setStatus('mandatory') if mibBuilder.loadTexts: releaseCompleteTx.setDescription('The number of RELEASE COMPLETE messages transmitted on this interface.') release_complete_rx = mib_table_column((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 1, 1, 12), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: releaseCompleteRx.setStatus('mandatory') if mibBuilder.loadTexts: releaseCompleteRx.setDescription('The number of RELEASE COMPLETE messages received on this interface.') restart_tx = mib_table_column((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 1, 1, 13), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: restartTx.setStatus('mandatory') if mibBuilder.loadTexts: restartTx.setDescription('The number of RESTART messages transmitted on this interface.') restart_rx = mib_table_column((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 1, 1, 14), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: restartRx.setStatus('mandatory') if mibBuilder.loadTexts: restartRx.setDescription('The number of RESTART messages received on this interface.') restart_acknowledge_tx = mib_table_column((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 1, 1, 15), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: restartAcknowledgeTx.setStatus('mandatory') if mibBuilder.loadTexts: restartAcknowledgeTx.setDescription('The number of RESTART ACKNOWLEDGE messages transmitted on this interface.') restart_acknowledge_rx = mib_table_column((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 1, 1, 16), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: restartAcknowledgeRx.setStatus('mandatory') if mibBuilder.loadTexts: restartAcknowledgeRx.setDescription('The number of RESTART ACKNOWLEDGE messages received on this interface.') status_tx = mib_table_column((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 1, 1, 17), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: statusTx.setStatus('mandatory') if mibBuilder.loadTexts: statusTx.setDescription('The number of STATUS messages transmitted on this interface.') status_rx = mib_table_column((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 1, 1, 18), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: statusRx.setStatus('mandatory') if mibBuilder.loadTexts: statusRx.setDescription('The number of STATUS messages received on this interface.') status_enquiry_tx = mib_table_column((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 1, 1, 19), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: statusEnquiryTx.setStatus('mandatory') if mibBuilder.loadTexts: statusEnquiryTx.setDescription('The number of STATUS ENQUIRY messages transmitted on this interface.') status_enquiry_rx = mib_table_column((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 1, 1, 20), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: statusEnquiryRx.setStatus('mandatory') if mibBuilder.loadTexts: statusEnquiryRx.setDescription('The number of STATUS ENQUIRY messages received on this interface.') add_party_tx = mib_table_column((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 1, 1, 21), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: addPartyTx.setStatus('mandatory') if mibBuilder.loadTexts: addPartyTx.setDescription('The number of ADD PARTY messages transmitted on this interface.') add_party_rx = mib_table_column((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 1, 1, 22), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: addPartyRx.setStatus('mandatory') if mibBuilder.loadTexts: addPartyRx.setDescription('The number of ADD PARTY messages received on this interface.') add_party_acknowledge_tx = mib_table_column((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 1, 1, 23), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: addPartyAcknowledgeTx.setStatus('mandatory') if mibBuilder.loadTexts: addPartyAcknowledgeTx.setDescription('The number of ADD PARTY ACKNOWLEDGE messages transmitted on this interface.') add_party_acknowledge_rx = mib_table_column((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 1, 1, 24), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: addPartyAcknowledgeRx.setStatus('mandatory') if mibBuilder.loadTexts: addPartyAcknowledgeRx.setDescription('The number of ADD PARTY ACKNOWLEDGE messages received on this interface.') add_party_reject_tx = mib_table_column((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 1, 1, 25), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: addPartyRejectTx.setStatus('mandatory') if mibBuilder.loadTexts: addPartyRejectTx.setDescription('The number of ADD PARTY REJECT messages transmitted on this interface.') add_party_reject_rx = mib_table_column((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 1, 1, 26), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: addPartyRejectRx.setStatus('mandatory') if mibBuilder.loadTexts: addPartyRejectRx.setDescription('The number of ADD PARTY REJECT messages received on this interface.') drop_party_tx = mib_table_column((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 1, 1, 27), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dropPartyTx.setStatus('mandatory') if mibBuilder.loadTexts: dropPartyTx.setDescription('The number of DROP PARTY messages transmitted on this interface.') drop_party_rx = mib_table_column((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 1, 1, 28), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dropPartyRx.setStatus('mandatory') if mibBuilder.loadTexts: dropPartyRx.setDescription('The number of DROP PARTY messages received on this interface.') drop_party_acknowledge_tx = mib_table_column((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 1, 1, 29), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dropPartyAcknowledgeTx.setStatus('mandatory') if mibBuilder.loadTexts: dropPartyAcknowledgeTx.setDescription('The number of DROP PARTY ACKNOWLEDGE messages transmitted on this interface.') drop_party_acknowledge_rx = mib_table_column((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 1, 1, 30), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dropPartyAcknowledgeRx.setStatus('mandatory') if mibBuilder.loadTexts: dropPartyAcknowledgeRx.setDescription('The number of DROP PARTY ACKNOWLEDGE messages received on this interface.') dec_q2931_status_table = mib_table((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 2)) if mibBuilder.loadTexts: decQ2931StatusTable.setStatus('mandatory') if mibBuilder.loadTexts: decQ2931StatusTable.setDescription('Contains additional Q2931 signalling statistics.') dec_q2931_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 2, 1)).setIndexNames((0, 'IF-MIB', 'ifIndex'), (0, 'DEC-ATM-SIGNALLING-MIB', 'decAtmSignallingIndex')) if mibBuilder.loadTexts: decQ2931StatusEntry.setStatus('mandatory') if mibBuilder.loadTexts: decQ2931StatusEntry.setDescription("Each entry contains signalling statistics for one UNI / NNI. Note that the table is indexed by ATM ports (ifType = 'atm') as opposed to AAL5 entities (ifType = 'aal5').") total_conns = mib_table_column((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 2, 1, 1), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: totalConns.setStatus('mandatory') if mibBuilder.loadTexts: totalConns.setDescription('The total number of connections established so far.') active_conns = mib_table_column((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 2, 1, 2), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: activeConns.setStatus('mandatory') if mibBuilder.loadTexts: activeConns.setDescription('The number of currently-active connections.') last_tx_cause = mib_table_column((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 2, 1, 3), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: lastTxCause.setStatus('mandatory') if mibBuilder.loadTexts: lastTxCause.setDescription('The most recently transmitted cause code.') last_tx_diagnostic = mib_table_column((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 2, 1, 4), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: lastTxDiagnostic.setStatus('mandatory') if mibBuilder.loadTexts: lastTxDiagnostic.setDescription('The most recently transmitted diagnostic code.') last_rx_cause = mib_table_column((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 2, 1, 5), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: lastRxCause.setStatus('mandatory') if mibBuilder.loadTexts: lastRxCause.setDescription('The most recently received cause code.') last_rx_diagnostic = mib_table_column((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 2, 1, 6), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: lastRxDiagnostic.setStatus('mandatory') if mibBuilder.loadTexts: lastRxDiagnostic.setDescription('The most recently received diagnostic code.') dec_q2931_timer_table = mib_table((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 3)) if mibBuilder.loadTexts: decQ2931TimerTable.setStatus('mandatory') if mibBuilder.loadTexts: decQ2931TimerTable.setDescription('Allows network managers to examine and configure the timers used for Q.2931 call processing.') dec_q2931_timer_entry = mib_table_row((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 3, 1)).setIndexNames((0, 'IF-MIB', 'ifIndex'), (0, 'DEC-ATM-SIGNALLING-MIB', 'decAtmSignallingIndex')) if mibBuilder.loadTexts: decQ2931TimerEntry.setStatus('mandatory') if mibBuilder.loadTexts: decQ2931TimerEntry.setDescription("Each entry contains timers for one UNI / NNI. Note that the table is indexed by ATM ports (ifType = 'atm') as opposed to AAL5 entities (ifType = 'aal5'). Sorry about the cryptic timer names, but that's what the ATM Forum calls these timers in the UNI V3.0 Specification.") t303 = mib_table_column((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 3, 1, 1), integer32().clone(4)).setMaxAccess('readonly') if mibBuilder.loadTexts: t303.setStatus('mandatory') if mibBuilder.loadTexts: t303.setDescription('SETUP message timeout, in seconds.') t308 = mib_table_column((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 3, 1, 2), integer32().clone(30)).setMaxAccess('readonly') if mibBuilder.loadTexts: t308.setStatus('mandatory') if mibBuilder.loadTexts: t308.setDescription('RELEASE message timeout, in seconds.') t309 = mib_table_column((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 3, 1, 3), integer32().clone(90)).setMaxAccess('readonly') if mibBuilder.loadTexts: t309.setStatus('mandatory') if mibBuilder.loadTexts: t309.setDescription('SAAL disconnection timeout, in seconds.') t310 = mib_table_column((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 3, 1, 4), integer32().clone(10)).setMaxAccess('readonly') if mibBuilder.loadTexts: t310.setStatus('mandatory') if mibBuilder.loadTexts: t310.setDescription('CALL PROCEEDING timeout, in seconds.') t313 = mib_table_column((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 3, 1, 5), integer32().clone(4)).setMaxAccess('readonly') if mibBuilder.loadTexts: t313.setStatus('mandatory') if mibBuilder.loadTexts: t313.setDescription('CONNECT timeout, in seconds. This timer is only used on the User side of a UNI.') t316 = mib_table_column((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 3, 1, 6), integer32().clone(120)).setMaxAccess('readonly') if mibBuilder.loadTexts: t316.setStatus('mandatory') if mibBuilder.loadTexts: t316.setDescription('RESTART timeout, in seconds.') t317 = mib_table_column((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 3, 1, 7), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: t317.setStatus('mandatory') if mibBuilder.loadTexts: t317.setDescription("RESTART reply timeout, in seconds. This should be less than the value for timer 't316'.") t322 = mib_table_column((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 3, 1, 8), integer32().clone(4)).setMaxAccess('readonly') if mibBuilder.loadTexts: t322.setStatus('mandatory') if mibBuilder.loadTexts: t322.setDescription('STATUS ENQUIRY timeout, in seconds.') t398 = mib_table_column((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 3, 1, 9), integer32().clone(4)).setMaxAccess('readonly') if mibBuilder.loadTexts: t398.setStatus('mandatory') if mibBuilder.loadTexts: t398.setDescription('DROP PARTY timeout, in seconds.') t399 = mib_table_column((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 3, 1, 10), integer32().clone(14)).setMaxAccess('readonly') if mibBuilder.loadTexts: t399.setStatus('mandatory') if mibBuilder.loadTexts: t399.setDescription('ADD PARTY timeout, in seconds.') dec_q_saal_group = mib_identifier((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3)) dec_q_saal_msg_table = mib_table((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3, 1)) if mibBuilder.loadTexts: decQSaalMsgTable.setStatus('mandatory') if mibBuilder.loadTexts: decQSaalMsgTable.setDescription('') dec_q_saal_msg_entry = mib_table_row((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3, 1, 1)).setIndexNames((0, 'IF-MIB', 'ifIndex'), (0, 'DEC-ATM-SIGNALLING-MIB', 'decAtmSignallingIndex')) if mibBuilder.loadTexts: decQSaalMsgEntry.setStatus('mandatory') if mibBuilder.loadTexts: decQSaalMsgEntry.setDescription("Each entry contains signalling statistics for one UNI / NNI. Note that the table is indexed by ATM ports (ifType = 'atm') as opposed to AAL5 entities (ifType = 'aal5').") tx_discarded_sdus = mib_table_column((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3, 1, 1, 1), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: txDiscardedSdus.setStatus('mandatory') if mibBuilder.loadTexts: txDiscardedSdus.setDescription('The number of outgoing SDUs which were discarded.') rx_error_pdus = mib_table_column((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3, 1, 1, 2), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: rxErrorPdus.setStatus('mandatory') if mibBuilder.loadTexts: rxErrorPdus.setDescription('The number of incoming PDUs which could not be received due to errors.') tx_error_pdus = mib_table_column((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3, 1, 1, 3), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: txErrorPdus.setStatus('mandatory') if mibBuilder.loadTexts: txErrorPdus.setDescription('The number of transmission errors for outgoing PDUs.') rx_discarded_pdus = mib_table_column((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3, 1, 1, 4), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: rxDiscardedPdus.setStatus('mandatory') if mibBuilder.loadTexts: rxDiscardedPdus.setDescription('The number of incoming PDUs which were discarded.') tx_discarded_pdus = mib_table_column((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3, 1, 1, 5), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: txDiscardedPdus.setStatus('mandatory') if mibBuilder.loadTexts: txDiscardedPdus.setDescription('The number of outgoing PDUs which were discarded.') bgn_tx = mib_table_column((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3, 1, 1, 6), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bgnTx.setStatus('mandatory') if mibBuilder.loadTexts: bgnTx.setDescription('The number of BGN (Request Initialization) messages transmitted over the interface.') bgn_rx = mib_table_column((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3, 1, 1, 7), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bgnRx.setStatus('mandatory') if mibBuilder.loadTexts: bgnRx.setDescription('The number of BGN (Request Initialization) messages received over the interface.') bgak_tx = mib_table_column((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3, 1, 1, 8), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bgakTx.setStatus('mandatory') if mibBuilder.loadTexts: bgakTx.setDescription('The number of BGAK (Request Acknowledgement) messages transmitted over the interface.') bgak_rx = mib_table_column((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3, 1, 1, 9), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bgakRx.setStatus('mandatory') if mibBuilder.loadTexts: bgakRx.setDescription('The number of BGAK (Request Acknowledgement) messages received over the interface.') end_tx = mib_table_column((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3, 1, 1, 10), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: endTx.setStatus('mandatory') if mibBuilder.loadTexts: endTx.setDescription('The number of END (Disconnect Command) messages transmitted over the interface.') end_rx = mib_table_column((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3, 1, 1, 11), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: endRx.setStatus('mandatory') if mibBuilder.loadTexts: endRx.setDescription('The number of END (Disconnect Command) messages received over the interface.') endak_tx = mib_table_column((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3, 1, 1, 12), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: endakTx.setStatus('mandatory') if mibBuilder.loadTexts: endakTx.setDescription('The number of ENDAK (Disconnect Acknowledgement) messages transmitted over the interface.') endak_rx = mib_table_column((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3, 1, 1, 13), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: endakRx.setStatus('mandatory') if mibBuilder.loadTexts: endakRx.setDescription('The number of ENDAK (Disconnect Acknowledgement) messages received over the interface.') rs_tx = mib_table_column((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3, 1, 1, 14), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: rsTx.setStatus('mandatory') if mibBuilder.loadTexts: rsTx.setDescription('The number of RS (Resynchronization Command) messages transmitted over the interface.') rs_rx = mib_table_column((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3, 1, 1, 15), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: rsRx.setStatus('mandatory') if mibBuilder.loadTexts: rsRx.setDescription('The number of RS (Resynchronization Command) messages received over the interface.') rsak_tx = mib_table_column((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3, 1, 1, 16), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: rsakTx.setStatus('mandatory') if mibBuilder.loadTexts: rsakTx.setDescription('The number of RSAK (Resynchronization Acknowledgement) messages transmitted over the interface.') rsak_rx = mib_table_column((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3, 1, 1, 17), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: rsakRx.setStatus('mandatory') if mibBuilder.loadTexts: rsakRx.setDescription('The number of RSAK (Resynchronization Acknowledgement) messages received over the interface.') bgrej_tx = mib_table_column((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3, 1, 1, 18), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bgrejTx.setStatus('mandatory') if mibBuilder.loadTexts: bgrejTx.setDescription('The number of BGREJ (Connection Reject) messages transmitted over the interface.') bgrej_rx = mib_table_column((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3, 1, 1, 19), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: bgrejRx.setStatus('mandatory') if mibBuilder.loadTexts: bgrejRx.setDescription('The number of BGREJ (Connection Reject) messages received over the interface.') sd_tx = mib_table_column((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3, 1, 1, 20), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sdTx.setStatus('mandatory') if mibBuilder.loadTexts: sdTx.setDescription('The number of SD (Sequenced Connection-Mode Data) messages transmitted over the interface.') sd_rx = mib_table_column((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3, 1, 1, 21), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sdRx.setStatus('mandatory') if mibBuilder.loadTexts: sdRx.setDescription('The number of SD (Sequenced Connection-Mode Data) messages received over the interface.') sdp_tx = mib_table_column((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3, 1, 1, 22), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sdpTx.setStatus('mandatory') if mibBuilder.loadTexts: sdpTx.setDescription('The number of SDP (Sequenced Connection-Mode Data with request for Receive State Information) messages transmitted over the interface. This object only applies to UNI 3.0.') sdp_rx = mib_table_column((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3, 1, 1, 23), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sdpRx.setStatus('mandatory') if mibBuilder.loadTexts: sdpRx.setDescription('The number of SDP (Sequenced Connection-Mode Data with request for Receive State Information) messages received over the interface. This object only applies to UNI 3.0.') er_tx = mib_table_column((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3, 1, 1, 24), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: erTx.setStatus('mandatory') if mibBuilder.loadTexts: erTx.setDescription('The number of ER (Recovery Command) messages transmitted over the interface. This object is not applicable to UNI 3.0.') er_rx = mib_table_column((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3, 1, 1, 25), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: erRx.setStatus('mandatory') if mibBuilder.loadTexts: erRx.setDescription('The number of ER (Recovery Command) messages received over the interface. This object is not applicable to UNI 3.0.') poll_tx = mib_table_column((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3, 1, 1, 26), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: pollTx.setStatus('mandatory') if mibBuilder.loadTexts: pollTx.setDescription('The number of POLL (Transmitter State Information with request for Receive State Information) messages transmitted over the interface.') poll_rx = mib_table_column((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3, 1, 1, 27), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: pollRx.setStatus('mandatory') if mibBuilder.loadTexts: pollRx.setDescription('The number of POLL (Transmitter State Information with request for Receive State Information) messages received over the interface.') stat_tx = mib_table_column((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3, 1, 1, 28), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: statTx.setStatus('mandatory') if mibBuilder.loadTexts: statTx.setDescription('The number of STAT (Solicited Receiver State Information) messages transmitted over the interface.') stat_rx = mib_table_column((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3, 1, 1, 29), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: statRx.setStatus('mandatory') if mibBuilder.loadTexts: statRx.setDescription('The number of STAT (Solicited Receiver State Information) messages received over the interface.') ustat_tx = mib_table_column((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3, 1, 1, 30), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ustatTx.setStatus('mandatory') if mibBuilder.loadTexts: ustatTx.setDescription('The number of USTAT (Unsolicited Receiver State Info) messages transmitted over the interface.') ustat_rx = mib_table_column((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3, 1, 1, 31), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ustatRx.setStatus('mandatory') if mibBuilder.loadTexts: ustatRx.setDescription('The number of USTAT (Unsolicited Receiver State Info) messages received over the interface.') ud_tx = mib_table_column((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3, 1, 1, 32), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: udTx.setStatus('mandatory') if mibBuilder.loadTexts: udTx.setDescription('The number of UD (Unnumbered User Data) messages transmitted over the interface.') ud_rx = mib_table_column((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3, 1, 1, 33), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: udRx.setStatus('mandatory') if mibBuilder.loadTexts: udRx.setDescription('The number of UD (Unnumbered User Data) messages received over the interface.') md_tx = mib_table_column((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3, 1, 1, 34), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: mdTx.setStatus('mandatory') if mibBuilder.loadTexts: mdTx.setDescription('The number of MD (Unnumbered Management Data) messages transmitted over the interface.') md_rx = mib_table_column((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3, 1, 1, 35), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: mdRx.setStatus('mandatory') if mibBuilder.loadTexts: mdRx.setDescription('The number of MD (Unnumbered Management Data) messages received over the interface.') erak_tx = mib_table_column((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3, 1, 1, 36), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: erakTx.setStatus('mandatory') if mibBuilder.loadTexts: erakTx.setDescription('The number of ERAK (Recovery Acknowledgement) messages transmitted over the interface. This object is not applicable to UNI 3.0.') erak_rx = mib_table_column((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3, 1, 1, 37), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: erakRx.setStatus('mandatory') if mibBuilder.loadTexts: erakRx.setDescription('The number of ERAK (Recovery Acknowledgement) messages received over the interface. This object is not applicable to UNI 3.0.') mibBuilder.exportSymbols('DEC-ATM-SIGNALLING-MIB', t322=t322, ustatTx=ustatTx, rsakTx=rsakTx, addPartyAcknowledgeTx=addPartyAcknowledgeTx, restartRx=restartRx, pollRx=pollRx, txDiscardedPdus=txDiscardedPdus, activeConns=activeConns, sdpTx=sdpTx, restartAcknowledgeTx=restartAcknowledgeTx, sdRx=sdRx, decSignallingConfigTable=decSignallingConfigTable, decQ2931StatusEntry=decQ2931StatusEntry, t317=t317, connectTx=connectTx, t309=t309, dropPartyTx=dropPartyTx, t313=t313, erakTx=erakTx, t303=t303, releaseTx=releaseTx, pollTx=pollTx, lastTxDiagnostic=lastTxDiagnostic, restartTx=restartTx, sdpRx=sdpRx, dropPartyAcknowledgeTx=dropPartyAcknowledgeTx, decAtmSignallingMIB=decAtmSignallingMIB, mdRx=mdRx, releaseCompleteRx=releaseCompleteRx, t316=t316, endRx=endRx, endakRx=endakRx, sdTx=sdTx, decSignallingConfigEntry=decSignallingConfigEntry, lastRxCause=lastRxCause, statTx=statTx, lastTxCause=lastTxCause, connectRx=connectRx, decQ2931TimerEntry=decQ2931TimerEntry, statusEnquiryRx=statusEnquiryRx, decAtmSignallingMIBObjects=decAtmSignallingMIBObjects, bgakTx=bgakTx, decQSaalMsgEntry=decQSaalMsgEntry, connectAcknowledgeRx=connectAcknowledgeRx, rsRx=rsRx, t310=t310, t398=t398, addPartyRejectTx=addPartyRejectTx, rxErrorPdus=rxErrorPdus, statusEnquiryTx=statusEnquiryTx, rxDiscardedPdus=rxDiscardedPdus, statusTx=statusTx, decAtmSignallingIndex=decAtmSignallingIndex, addPartyRejectRx=addPartyRejectRx, ustatRx=ustatRx, t399=t399, decQ2931MsgEntry=decQ2931MsgEntry, txDiscardedSdus=txDiscardedSdus, erRx=erRx, txErrorPdus=txErrorPdus, releaseCompleteTx=releaseCompleteTx, decAtmSignallingMode=decAtmSignallingMode, decQ2931MsgTable=decQ2931MsgTable, connectAcknowledgeTx=connectAcknowledgeTx, statRx=statRx, bgrejTx=bgrejTx, decQ2931Group=decQ2931Group, setupTx=setupTx, callProceedingTx=callProceedingTx, dropPartyAcknowledgeRx=dropPartyAcknowledgeRx, t308=t308, addPartyTx=addPartyTx, decQ2931StatusTable=decQ2931StatusTable, endakTx=endakTx, statusRx=statusRx, rsakRx=rsakRx, udRx=udRx, addPartyAcknowledgeRx=addPartyAcknowledgeRx, decQ2931TimerTable=decQ2931TimerTable, bgnTx=bgnTx, decSignallingGroup=decSignallingGroup, releaseRx=releaseRx, bgrejRx=bgrejRx, dropPartyRx=dropPartyRx, bgakRx=bgakRx, erakRx=erakRx, mdTx=mdTx, restartAcknowledgeRx=restartAcknowledgeRx, lastRxDiagnostic=lastRxDiagnostic, totalConns=totalConns, erTx=erTx, decQSaalMsgTable=decQSaalMsgTable, addPartyRx=addPartyRx, udTx=udTx, decQSaalGroup=decQSaalGroup, endTx=endTx, bgnRx=bgnRx, setupRx=setupRx, callProceedingRx=callProceedingRx, rsTx=rsTx)
#!/usr/bin/python print("Hello world") print("GOD LOVES YOU") print("John 3:16\n") print("CHRIST JESUS: EMMANUEL...") print("Full of TRUTH & GRACE") print("John 1:17\n") print("Love God: with ALL you are... + the kitchen sink!") print("Love ya Neighbour: as you already love ya self...") print("ENJOY THE DISCIPLESHIP PROCESS") print("HALLELUJAH!!!\n") print("just another pilgrim: Edmund Muzoora BISHANGA") print("#TeamEMMANUELForever") print("#YNWA")
print('Hello world') print('GOD LOVES YOU') print('John 3:16\n') print('CHRIST JESUS: EMMANUEL...') print('Full of TRUTH & GRACE') print('John 1:17\n') print('Love God: with ALL you are... + the kitchen sink!') print('Love ya Neighbour: as you already love ya self...') print('ENJOY THE DISCIPLESHIP PROCESS') print('HALLELUJAH!!!\n') print('just another pilgrim: Edmund Muzoora BISHANGA') print('#TeamEMMANUELForever') print('#YNWA')
class Category: ANTIQUES_COLLECTABLES = '/for-sale/antiques-collectables/66/' ANTIQUES_COLLECTABLES__AUTOGRAPHS = '/for-sale/antiques-collectables/autographs/984/' ANTIQUES_COLLECTABLES__BOTTLES = '/for-sale/antiques-collectables/bottles/985/' ANTIQUES_COLLECTABLES__CALL_CARDS = '/for-sale/antiques-collectables/call-cards/986/' ANTIQUES_COLLECTABLES__CERAMICS = '/for-sale/antiques-collectables/ceramics/987/' ANTIQUES_COLLECTABLES__CLOCKS_SCIENTIFIC_INSTRUMENTS = '/for-sale/antiques-collectables/clocks-scientific-instruments/988/' ANTIQUES_COLLECTABLES__COINS_NOTES = '/for-sale/antiques-collectables/coins-notes/67/' ANTIQUES_COLLECTABLES__COINS_NOTES__COINS = '/for-sale/antiques-collectables/coins-notes/coins/978/' ANTIQUES_COLLECTABLES__COINS_NOTES__NOTES = '/for-sale/antiques-collectables/coins-notes/notes/979/' ANTIQUES_COLLECTABLES__DOCUMENTS_MAPS = '/for-sale/antiques-collectables/documents-maps/989/' ANTIQUES_COLLECTABLES__FURNITURE = '/for-sale/antiques-collectables/furniture/68/' ANTIQUES_COLLECTABLES__FURNITURE__CHAIRS = '/for-sale/antiques-collectables/furniture/chairs/980/' ANTIQUES_COLLECTABLES__FURNITURE__CHESTS = '/for-sale/antiques-collectables/furniture/chests/981/' ANTIQUES_COLLECTABLES__FURNITURE__TABLES = '/for-sale/antiques-collectables/furniture/tables/982/' ANTIQUES_COLLECTABLES__FURNITURE__OTHER_FURNITURE = '/for-sale/antiques-collectables/furniture/other-furniture/983/' ANTIQUES_COLLECTABLES__JEWELLERY = '/for-sale/antiques-collectables/jewellery/69/' ANTIQUES_COLLECTABLES__MEMORABILIA = '/for-sale/antiques-collectables/memorabilia/70/' ANTIQUES_COLLECTABLES__ORNAMENTS_FIGURINES = '/for-sale/antiques-collectables/ornaments-figurines/303345/' ANTIQUES_COLLECTABLES__POSTCARDS = '/for-sale/antiques-collectables/postcards/990/' ANTIQUES_COLLECTABLES__POSTERS = '/for-sale/antiques-collectables/posters/991/' ANTIQUES_COLLECTABLES__SIGNS = '/for-sale/antiques-collectables/signs/993/' ANTIQUES_COLLECTABLES__SILVER_METAL_WARE = '/for-sale/antiques-collectables/silver-metal-ware/992/' ANTIQUES_COLLECTABLES__STAMPS = '/for-sale/antiques-collectables/stamps/994/' ANTIQUES_COLLECTABLES__OTHER_ANTIQUES_COLLECTABLES = '/for-sale/antiques-collectables/other-antiques-collectables/71/' ART_CRAFT = '/for-sale/art-craft/72/' ART_CRAFT__ART_SUPPLIES_EQUIPMENT = '/for-sale/art-craft/art-supplies-equipment/73/' ART_CRAFT__ARTISAN_FOOD = '/for-sale/art-craft/artisan-food/350/' ART_CRAFT__ARTS_AND_CRAFTS_KITS = '/for-sale/art-craft/arts-and-crafts-kits/346/' ART_CRAFT__CRAFT_SUPPLIES_AND_EQUIPMENT = '/for-sale/art-craft/craft-supplies-and-equipment/349/' ART_CRAFT__FABRIC_TEXTILE = '/for-sale/art-craft/fabric-textile/303346/' ART_CRAFT__PICTURES_PAINTINGS = '/for-sale/art-craft/pictures-paintings/74/' ART_CRAFT__POTTERY_CERAMICS = '/for-sale/art-craft/pottery-ceramics/75/' ART_CRAFT__SCRAPBOOKING = '/for-sale/art-craft/scrapbooking/347/' ART_CRAFT__SCULPTURES_AND_WOODWORK = '/for-sale/art-craft/sculptures-and-woodwork/345/' ART_CRAFT__SEWING_AND_KNITTING = '/for-sale/art-craft/sewing-and-knitting/344/' ART_CRAFT__STATIONERY = '/for-sale/art-craft/stationery/348/' ART_CRAFT__OTHER_ART_CRAFT = '/for-sale/art-craft/other-art-craft/76/' BABY_NURSERY = '/for-sale/baby-nursery/77/' BABY_NURSERY__BABY_GIFTS = '/for-sale/baby-nursery/baby-gifts/479/' BABY_NURSERY__BABY_GIFTS__BOYS = '/for-sale/baby-nursery/baby-gifts/boys/1010/' BABY_NURSERY__BABY_GIFTS__GIRLS = '/for-sale/baby-nursery/baby-gifts/girls/1011/' BABY_NURSERY__BABYROOM_FURNITURE = '/for-sale/baby-nursery/babyroom-furniture/78/' BABY_NURSERY__BABYROOM_FURNITURE__COTS = '/for-sale/baby-nursery/babyroom-furniture/cots/1012/' BABY_NURSERY__BABYROOM_FURNITURE__DRAWERS = '/for-sale/baby-nursery/babyroom-furniture/drawers/1013/' BABY_NURSERY__BABYROOM_FURNITURE__MOBILES = '/for-sale/baby-nursery/babyroom-furniture/mobiles/1015/' BABY_NURSERY__BABYROOM_FURNITURE__MOSES_BASKETS = '/for-sale/baby-nursery/babyroom-furniture/moses-baskets/1014/' BABY_NURSERY__BABYROOM_FURNITURE__TRAVEL_COTS = '/for-sale/baby-nursery/babyroom-furniture/travel-cots/1016/' BABY_NURSERY__CAR_SEATS_TRAVEL = '/for-sale/baby-nursery/car-seats-travel/79/' BABY_NURSERY__CAR_SEATS_TRAVEL__BOOSTER_SEATS = '/for-sale/baby-nursery/car-seats-travel/booster-seats/1018/' BABY_NURSERY__CAR_SEATS_TRAVEL__INFANT_SEATS = '/for-sale/baby-nursery/car-seats-travel/infant-seats/1017/' BABY_NURSERY__CAR_SEATS_TRAVEL__TRAVEL_ACCESSORIES = '/for-sale/baby-nursery/car-seats-travel/travel-accessories/1019/' BABY_NURSERY__CHANGING_BATH_TIME = '/for-sale/baby-nursery/changing-bath-time/80/' BABY_NURSERY__CHANGING_BATH_TIME__CHANGING_BAGS = '/for-sale/baby-nursery/changing-bath-time/changing-bags/1022/' BABY_NURSERY__CHANGING_BATH_TIME__CHANGING_TABLES = '/for-sale/baby-nursery/changing-bath-time/changing-tables/1020/' BABY_NURSERY__CHANGING_BATH_TIME__MATS = '/for-sale/baby-nursery/changing-bath-time/mats/1021/' BABY_NURSERY__CHANGING_BATH_TIME__OTHER = '/for-sale/baby-nursery/changing-bath-time/other/1023/' BABY_NURSERY__CLOTHING_BLANKETS_COVERS = '/for-sale/baby-nursery/clothing-blankets-covers/81/' BABY_NURSERY__CLOTHING_BLANKETS_COVERS__ALL_IN_ONES = '/for-sale/baby-nursery/clothing-blankets-covers/all-in-ones/1024/' BABY_NURSERY__CLOTHING_BLANKETS_COVERS__BLANKETS_COVERS = '/for-sale/baby-nursery/clothing-blankets-covers/blankets-covers/1031/' BABY_NURSERY__CLOTHING_BLANKETS_COVERS__BOTTOMS_TROUSERS = '/for-sale/baby-nursery/clothing-blankets-covers/bottoms-trousers/1127/' BABY_NURSERY__CLOTHING_BLANKETS_COVERS__DRESSES_SKIRTS = '/for-sale/baby-nursery/clothing-blankets-covers/dresses-skirts/1030/' BABY_NURSERY__CLOTHING_BLANKETS_COVERS__FOOTWEAR = '/for-sale/baby-nursery/clothing-blankets-covers/footwear/1028/' BABY_NURSERY__CLOTHING_BLANKETS_COVERS__HATS = '/for-sale/baby-nursery/clothing-blankets-covers/hats/1029/' BABY_NURSERY__CLOTHING_BLANKETS_COVERS__JACKETS = '/for-sale/baby-nursery/clothing-blankets-covers/jackets/1026/' BABY_NURSERY__CLOTHING_BLANKETS_COVERS__TOPS = '/for-sale/baby-nursery/clothing-blankets-covers/tops/1027/' BABY_NURSERY__CLOTHING_BLANKETS_COVERS__VESTS = '/for-sale/baby-nursery/clothing-blankets-covers/vests/1025/' BABY_NURSERY__FEEDING = '/for-sale/baby-nursery/feeding/82/' BABY_NURSERY__FEEDING__BOTTLES_STERILISERS = '/for-sale/baby-nursery/feeding/bottles-sterilisers/1033/' BABY_NURSERY__FEEDING__FEEDING_EQUIPMENT = '/for-sale/baby-nursery/feeding/feeding-equipment/1034/' BABY_NURSERY__FEEDING__HIGH_CHAIRS = '/for-sale/baby-nursery/feeding/high-chairs/1032/' BABY_NURSERY__PREGNANCY_MATERNITY = '/for-sale/baby-nursery/pregnancy-maternity/267/' BABY_NURSERY__PREGNANCY_MATERNITY__DRESSES = '/for-sale/baby-nursery/pregnancy-maternity/dresses/1035/' BABY_NURSERY__PREGNANCY_MATERNITY__NURSING_BRAS = '/for-sale/baby-nursery/pregnancy-maternity/nursing-bras/1038/' BABY_NURSERY__PREGNANCY_MATERNITY__TOPS = '/for-sale/baby-nursery/pregnancy-maternity/tops/1036/' BABY_NURSERY__PREGNANCY_MATERNITY__TROUSERS = '/for-sale/baby-nursery/pregnancy-maternity/trousers/1037/' BABY_NURSERY__PREGNANCY_MATERNITY__OTHER = '/for-sale/baby-nursery/pregnancy-maternity/other/1039/' BABY_NURSERY__PUSHCHAIRS_PRAMS = '/for-sale/baby-nursery/pushchairs-prams/83/' BABY_NURSERY__PUSHCHAIRS_PRAMS__ACCESSORIES = '/for-sale/baby-nursery/pushchairs-prams/accessories/1044/' BABY_NURSERY__PUSHCHAIRS_PRAMS__BUGGIES = '/for-sale/baby-nursery/pushchairs-prams/buggies/1041/' BABY_NURSERY__PUSHCHAIRS_PRAMS__PRAMS = '/for-sale/baby-nursery/pushchairs-prams/prams/1040/' BABY_NURSERY__PUSHCHAIRS_PRAMS__TRAVEL_SYSTEMS = '/for-sale/baby-nursery/pushchairs-prams/travel-systems/1043/' BABY_NURSERY__PUSHCHAIRS_PRAMS__TWIN_DOUBLE_BUGGIES = '/for-sale/baby-nursery/pushchairs-prams/twin-double-buggies/1042/' BABY_NURSERY__SAFETY_MONITORS = '/for-sale/baby-nursery/safety-monitors/84/' BABY_NURSERY__SAFETY_MONITORS__GATES = '/for-sale/baby-nursery/safety-monitors/gates/1045/' BABY_NURSERY__SAFETY_MONITORS__MONITORS = '/for-sale/baby-nursery/safety-monitors/monitors/1046/' BABY_NURSERY__SAFETY_MONITORS__SAFETY_ACCESSORIES = '/for-sale/baby-nursery/safety-monitors/safety-accessories/1047/' BABY_NURSERY__TOYS = '/for-sale/baby-nursery/toys/85/' BABY_NURSERY__TOYS__ACTIVITY_MATS = '/for-sale/baby-nursery/toys/activity-mats/1048/' BABY_NURSERY__TOYS__DOLLS = '/for-sale/baby-nursery/toys/dolls/1049/' BABY_NURSERY__TOYS__MUSICAL_TOYS = '/for-sale/baby-nursery/toys/musical-toys/1052/' BABY_NURSERY__TOYS__RATTLES = '/for-sale/baby-nursery/toys/rattles/1050/' BABY_NURSERY__TOYS__SOFT_TOYS = '/for-sale/baby-nursery/toys/soft-toys/1051/' BABY_NURSERY__TOYS__OTHER_BABY_TOYS = '/for-sale/baby-nursery/toys/other-baby-toys/1053/' BABY_NURSERY__WALKERS_BOUNCERS = '/for-sale/baby-nursery/walkers-bouncers/303347/' BABY_NURSERY__WALKERS_BOUNCERS__BOUNCERS = '/for-sale/baby-nursery/walkers-bouncers/bouncers/1055/' BABY_NURSERY__WALKERS_BOUNCERS__SWINGS = '/for-sale/baby-nursery/walkers-bouncers/swings/1056/' BABY_NURSERY__WALKERS_BOUNCERS__WALKERS = '/for-sale/baby-nursery/walkers-bouncers/walkers/1054/' BABY_NURSERY__OTHER_BABY_NURSERY = '/for-sale/baby-nursery/other-baby-nursery/86/' BOOKS_MAGAZINES = '/for-sale/books-magazines/87/' BOOKS_MAGAZINES__ART_ARCHITECTURE_AND_PHOTOGRAPHY = '/for-sale/books-magazines/art-architecture-and-photography/567/' BOOKS_MAGAZINES__AUDIOBOOKS = '/for-sale/books-magazines/audiobooks/568/' BOOKS_MAGAZINES__BIOGRAPHIES = '/for-sale/books-magazines/biographies/569/' BOOKS_MAGAZINES__BULK = '/for-sale/books-magazines/bulk/88/' BOOKS_MAGAZINES__CHILDREN_BABIES = '/for-sale/books-magazines/children-babies/89/' BOOKS_MAGAZINES__DIY_GARDENING = '/for-sale/books-magazines/diy-gardening/571/' BOOKS_MAGAZINES__FICTION = '/for-sale/books-magazines/fiction/90/' BOOKS_MAGAZINES__FOOD_AND_DRINK = '/for-sale/books-magazines/food-and-drink/570/' BOOKS_MAGAZINES__MAGAZINES_COMICS = '/for-sale/books-magazines/magazines-comics/91/' BOOKS_MAGAZINES__NON_FICTION = '/for-sale/books-magazines/non-fiction/92/' BOOKS_MAGAZINES__SCHOOL_COLLEGE_BOOKS = '/for-sale/books-magazines/school-college-books/93/' BOOKS_MAGAZINES__TRAVEL = '/for-sale/books-magazines/travel/303348/' BOOKS_MAGAZINES__OTHER_BOOKS_MAGAZINES = '/for-sale/books-magazines/other-books-magazines/36/' BUSINESS_OFFICE = '/for-sale/business-office/94/' BUSINESS_OFFICE__BUSINESS_SHOP_FITTINGS = '/for-sale//business-office/business-shop-fittings/890/' BUSINESS_OFFICE__BUSINESS_STOCK = '/for-sale//business-office/business-stock/891/' BUSINESS_OFFICE__BUSINESSES_FOR_SALE = '/for-sale/business-office/businesses-for-sale/268/' BUSINESS_OFFICE__BUSINESSES_FOR_SALE__BUSINESS_SERVICES = '/for-sale/business-office/businesses-for-sale/business-services/881/' BUSINESS_OFFICE__BUSINESSES_FOR_SALE__MANUFACTURING = '/for-sale/business-office/businesses-for-sale/manufacturing/880/' BUSINESS_OFFICE__BUSINESSES_FOR_SALE__RETAIL = '/for-sale/business-office/businesses-for-sale/retail/879/' BUSINESS_OFFICE__BUSINESSES_FOR_SALE__TAXI_PLATES = '/for-sale/business-office/businesses-for-sale/taxi-plates/882/' BUSINESS_OFFICE__OFFICE_EQUIPMENT_SUPPLIES = '/for-sale/business-office/office-equipment-supplies/95/' BUSINESS_OFFICE__OFFICE_EQUIPMENT_SUPPLIES__CATERING_EQUIPMENT = '/for-sale/business-office/office-equipment-supplies/catering-equipment/885/' BUSINESS_OFFICE__OFFICE_EQUIPMENT_SUPPLIES__INDUSTRIAL_EQUIPMENT = '/for-sale/business-office/office-equipment-supplies/industrial-equipment/884/' BUSINESS_OFFICE__OFFICE_EQUIPMENT_SUPPLIES__STATIONERY_SUPPLIES = '/for-sale/business-office/office-equipment-supplies/stationery-supplies/883/' BUSINESS_OFFICE__OFFICE_FURNITURE = '/for-sale/business-office/office-furniture/96/' BUSINESS_OFFICE__OFFICE_FURNITURE__OFFICE_CABINETS = '/for-sale/business-office/office-furniture/office-cabinets/887/' BUSINESS_OFFICE__OFFICE_FURNITURE__OFFICE_DESKS = '/for-sale/business-office/office-furniture/office-desks/889/' BUSINESS_OFFICE__OFFICE_FURNITURE__OFFICE_SHELVING = '/for-sale/business-office/office-furniture/office-shelving/888/' BUSINESS_OFFICE__OFFICE_FURNITURE__OFFICE_TABLES_CHAIRS = '/for-sale/business-office/office-furniture/office-tables-chairs/886/' BUSINESS_OFFICE__OTHER_BUSINESS_OFFICE = '/for-sale/business-office/other-business-office/97/' CARS_MOTORBIKES_BOATS = '/for-sale/cars-motorbikes-boats/46/' CARS_MOTORBIKES_BOATS__BOATS_ACCESSORIES = '/for-sale/cars-motorbikes-boats/boats-accessories/98/' CARS_MOTORBIKES_BOATS__BOATS_ACCESSORIES__BOATS = '/for-sale/cars-motorbikes-boats/boats-accessories/boats/1128/' CARS_MOTORBIKES_BOATS__BOATS_ACCESSORIES__PARTS_ACCESSORIES = '/for-sale/cars-motorbikes-boats/boats-accessories/parts-accessories/1129/' CARS_MOTORBIKES_BOATS__CAMPERS_MOTORHOMES = '/for-sale/cars-motorbikes-boats/campers-motorhomes/477/' CARS_MOTORBIKES_BOATS__CAR_PARTS_ACCESSORIES = '/for-sale/cars-motorbikes-boats/car-parts-accessories/45/' CARS_MOTORBIKES_BOATS__CAR_PARTS_ACCESSORIES__ALARMS_SECURITY = '/for-sale/cars-motorbikes-boats/car-parts-accessories/alarms-security/1131/' CARS_MOTORBIKES_BOATS__CAR_PARTS_ACCESSORIES__ALLOYS_WHEELS = '/for-sale/cars-motorbikes-boats/car-parts-accessories/alloys-wheels/1130/' CARS_MOTORBIKES_BOATS__CAR_PARTS_ACCESSORIES__AUDIO = '/for-sale/cars-motorbikes-boats/car-parts-accessories/audio/1134/' CARS_MOTORBIKES_BOATS__CAR_PARTS_ACCESSORIES__CARS_FOR_BREAKING = '/for-sale/cars-motorbikes-boats/car-parts-accessories/cars-for-breaking/1135/' CARS_MOTORBIKES_BOATS__CAR_PARTS_ACCESSORIES__ENGINE_PARTS = '/for-sale/cars-motorbikes-boats/car-parts-accessories/engine-parts/1137/' CARS_MOTORBIKES_BOATS__CAR_PARTS_ACCESSORIES__EXTERIOR_PARTS = '/for-sale/cars-motorbikes-boats/car-parts-accessories/exterior-parts/1133/' CARS_MOTORBIKES_BOATS__CAR_PARTS_ACCESSORIES__INTERIORS_PARTS = '/for-sale/cars-motorbikes-boats/car-parts-accessories/interiors-parts/1132/' CARS_MOTORBIKES_BOATS__CAR_PARTS_ACCESSORIES__TYRES = '/for-sale/cars-motorbikes-boats/car-parts-accessories/tyres/1136/' CARS_MOTORBIKES_BOATS__CAR_PARTS_ACCESSORIES__OTHER = '/for-sale/cars-motorbikes-boats/car-parts-accessories/other/1138/' CARS_MOTORBIKES_BOATS__CARAVANS_MOBILE_HOMES = '/for-sale/cars-motorbikes-boats/caravans-mobile-homes/99/' CARS_MOTORBIKES_BOATS__CARAVANS_MOBILE_HOMES__CARAVANS = '/for-sale/cars-motorbikes-boats/caravans-mobile-homes/caravans/1139/' CARS_MOTORBIKES_BOATS__CARAVANS_MOBILE_HOMES__MOBILE_HOMES = '/for-sale/cars-motorbikes-boats/caravans-mobile-homes/mobile-homes/1140/' CARS_MOTORBIKES_BOATS__CARAVANS_MOBILE_HOMES__PARTS_ACCESSORIES = '/for-sale/cars-motorbikes-boats/caravans-mobile-homes/parts-accessories/1141/' CARS_MOTORBIKES_BOATS__CARS = '/for-sale/cars-motorbikes-boats/cars/2/' CARS_MOTORBIKES_BOATS__COACHES_BUSES = '/for-sale/cars-motorbikes-boats/coaches-buses/100/' CARS_MOTORBIKES_BOATS__MOTORBIKE_PARTS_ACCESSORIES = '/for-sale/cars-motorbikes-boats/motorbike-parts-accessories/101/' CARS_MOTORBIKES_BOATS__MOTORBIKE_PARTS_ACCESSORIES__ACCESSORIES = '/for-sale/cars-motorbikes-boats/motorbike-parts-accessories/accessories/1146/' CARS_MOTORBIKES_BOATS__MOTORBIKE_PARTS_ACCESSORIES__CLOTHING_BOOTS = '/for-sale/cars-motorbikes-boats/motorbike-parts-accessories/clothing-boots/1143/' CARS_MOTORBIKES_BOATS__MOTORBIKE_PARTS_ACCESSORIES__HELMETS = '/for-sale/cars-motorbikes-boats/motorbike-parts-accessories/helmets/1145/' CARS_MOTORBIKES_BOATS__MOTORBIKE_PARTS_ACCESSORIES__PARTS = '/for-sale/cars-motorbikes-boats/motorbike-parts-accessories/parts/1144/' CARS_MOTORBIKES_BOATS__MOTORBIKE_PARTS_ACCESSORIES__WHEELS_TYRES = '/for-sale/cars-motorbikes-boats/motorbike-parts-accessories/wheels-tyres/1142/' CARS_MOTORBIKES_BOATS__MOTORBIKES = '/for-sale/cars-motorbikes-boats/motorbikes/47/' CARS_MOTORBIKES_BOATS__PLANT_MACHINERY = '/for-sale/cars-motorbikes-boats/plant-machinery/892/' CARS_MOTORBIKES_BOATS__QUADS = '/for-sale/cars-motorbikes-boats/quads/102/' CARS_MOTORBIKES_BOATS__QUADS__PARTS_ACCESSORIES = '/for-sale/cars-motorbikes-boats/quads/parts-accessories/1148/' CARS_MOTORBIKES_BOATS__QUADS__QUADS = '/for-sale/cars-motorbikes-boats/quads/quads/1147/' CARS_MOTORBIKES_BOATS__SCOOTERS = '/for-sale/cars-motorbikes-boats/scooters/893/' CARS_MOTORBIKES_BOATS__SCOOTERS__MOBILITY_SCOOTERS = '/for-sale/cars-motorbikes-boats/scooters/mobility-scooters/1150/' CARS_MOTORBIKES_BOATS__SCOOTERS__PARTS_ACCESSORIES = '/for-sale/cars-motorbikes-boats/scooters/parts-accessories/1151/' CARS_MOTORBIKES_BOATS__SCOOTERS__SCOOTERS = '/for-sale/cars-motorbikes-boats/scooters/scooters/1149/' CARS_MOTORBIKES_BOATS__TRAILERS = '/for-sale/cars-motorbikes-boats/trailers/104/' CARS_MOTORBIKES_BOATS__TRAILERS__PARTS_ACCESSORIES = '/for-sale/cars-motorbikes-boats/trailers/parts-accessories/1153/' CARS_MOTORBIKES_BOATS__TRAILERS__TRAILERS = '/for-sale/cars-motorbikes-boats/trailers/trailers/1152/' CARS_MOTORBIKES_BOATS__TRUCKS_COMMERCIAL = '/for-sale/cars-motorbikes-boats/trucks-commercial/105/' CARS_MOTORBIKES_BOATS__TRUCKS_COMMERCIAL__COMMERCIAL_4_X_4S = '/for-sale/cars-motorbikes-boats/trucks-commercial/commercial-4-x-4s/1156/' CARS_MOTORBIKES_BOATS__TRUCKS_COMMERCIAL__COMMERCIAL_VANS = '/for-sale/cars-motorbikes-boats/trucks-commercial/commercial-vans/1155/' CARS_MOTORBIKES_BOATS__TRUCKS_COMMERCIAL__PARTS_ACCESSORIES = '/for-sale/cars-motorbikes-boats/trucks-commercial/parts-accessories/1157/' CARS_MOTORBIKES_BOATS__TRUCKS_COMMERCIAL__TRUCKS = '/for-sale/cars-motorbikes-boats/trucks-commercial/trucks/1154/' CARS_MOTORBIKES_BOATS__TRUCKS_COMMERCIAL__OTHER = '/for-sale/cars-motorbikes-boats/trucks-commercial/other/1158/' CARS_MOTORBIKES_BOATS__VINTAGE_CLASSIC = '/for-sale/cars-motorbikes-boats/vintage-classic/106/' CARS_MOTORBIKES_BOATS__VINTAGE_CLASSIC__PARTS_ACCESSORIES = '/for-sale/cars-motorbikes-boats/vintage-classic/parts-accessories/1160/' CARS_MOTORBIKES_BOATS__VINTAGE_CLASSIC__VEHICLES = '/for-sale/cars-motorbikes-boats/vintage-classic/vehicles/1159/' CARS_MOTORBIKES_BOATS__OTHER_CARS_MOTORBIKES_BOATS = '/for-sale/cars-motorbikes-boats/other-cars-motorbikes-boats/107/' CLOTHES_SHOES_ACCESSORIES = '/for-sale/clothes-shoes-accessories/114/' CLOTHES_SHOES_ACCESSORIES__ACCESSORIES = '/for-sale/clothes-shoes-accessories/accessories/115/' CLOTHES_SHOES_ACCESSORIES__ACCESSORIES__BELTS = '/for-sale/clothes-shoes-accessories/accessories/belts/352/' CLOTHES_SHOES_ACCESSORIES__ACCESSORIES__GLASSES_SUNGLASSES = '/for-sale/clothes-shoes-accessories/accessories/glasses-sunglasses/355/' CLOTHES_SHOES_ACCESSORIES__ACCESSORIES__GLASSES_SUNGLASSES__READING_GLASSES = '/for-sale/clothes-shoes-accessories/accessories/glasses-sunglasses/reading-glasses/647/' CLOTHES_SHOES_ACCESSORIES__ACCESSORIES__GLASSES_SUNGLASSES__SUN_GLASSES = '/for-sale/clothes-shoes-accessories/accessories/glasses-sunglasses/sun-glasses/648/' CLOTHES_SHOES_ACCESSORIES__ACCESSORIES__GLASSES_SUNGLASSES__OTHER_GLASSES = '/for-sale/clothes-shoes-accessories/accessories/glasses-sunglasses/other-glasses/649/' CLOTHES_SHOES_ACCESSORIES__ACCESSORIES__GLOVES_SCARVES = '/for-sale/clothes-shoes-accessories/accessories/gloves-scarves/353/' CLOTHES_SHOES_ACCESSORIES__ACCESSORIES__GLOVES_SCARVES__GLOVES = '/for-sale/clothes-shoes-accessories/accessories/gloves-scarves/gloves/650/' CLOTHES_SHOES_ACCESSORIES__ACCESSORIES__GLOVES_SCARVES__SCARVES = '/for-sale/clothes-shoes-accessories/accessories/gloves-scarves/scarves/651/' CLOTHES_SHOES_ACCESSORIES__ACCESSORIES__GLOVES_SCARVES__OTHER_GLOVES_SCARVES = '/for-sale/clothes-shoes-accessories/accessories/gloves-scarves/other-gloves-scarves/652/' CLOTHES_SHOES_ACCESSORIES__ACCESSORIES__HATS_CAPS = '/for-sale/clothes-shoes-accessories/accessories/hats-caps/354/' CLOTHES_SHOES_ACCESSORIES__ACCESSORIES__HATS_CAPS__CAPS = '/for-sale/clothes-shoes-accessories/accessories/hats-caps/caps/655/' CLOTHES_SHOES_ACCESSORIES__ACCESSORIES__HATS_CAPS__MENS_HATS = '/for-sale/clothes-shoes-accessories/accessories/hats-caps/mens-hats/653/' CLOTHES_SHOES_ACCESSORIES__ACCESSORIES__HATS_CAPS__WOMENS_HATS = '/for-sale/clothes-shoes-accessories/accessories/hats-caps/womens-hats/654/' CLOTHES_SHOES_ACCESSORIES__ACCESSORIES__HATS_CAPS__OTHER_HATS_CAPS = '/for-sale/clothes-shoes-accessories/accessories/hats-caps/other-hats-caps/656/' CLOTHES_SHOES_ACCESSORIES__ACCESSORIES__WALLETS_PURSES = '/for-sale/clothes-shoes-accessories/accessories/wallets-purses/356/' CLOTHES_SHOES_ACCESSORIES__ACCESSORIES__WALLETS_PURSES__PURSES = '/for-sale/clothes-shoes-accessories/accessories/wallets-purses/purses/658/' CLOTHES_SHOES_ACCESSORIES__ACCESSORIES__WALLETS_PURSES__WALLETS = '/for-sale/clothes-shoes-accessories/accessories/wallets-purses/wallets/657/' CLOTHES_SHOES_ACCESSORIES__ACCESSORIES__WALLETS_PURSES__OTHER_WALLETS_PURSES = '/for-sale/clothes-shoes-accessories/accessories/wallets-purses/other-wallets-purses/659/' CLOTHES_SHOES_ACCESSORIES__ACCESSORIES__OTHER_ACCESSORIES = '/for-sale/clothes-shoes-accessories/accessories/other-accessories/357/' CLOTHES_SHOES_ACCESSORIES__BAGS = '/for-sale/clothes-shoes-accessories/bags/116/' CLOTHES_SHOES_ACCESSORIES__BAGS__BACKPACK_RUCKSACK = '/for-sale/clothes-shoes-accessories/bags/backpack-rucksack/666/' CLOTHES_SHOES_ACCESSORIES__BAGS__CLUTCH = '/for-sale/clothes-shoes-accessories/bags/clutch/664/' CLOTHES_SHOES_ACCESSORIES__BAGS__MENS_BAGS = '/for-sale/clothes-shoes-accessories/bags/mens-bags/660/' CLOTHES_SHOES_ACCESSORIES__BAGS__SHOPPER = '/for-sale/clothes-shoes-accessories/bags/shopper/665/' CLOTHES_SHOES_ACCESSORIES__BAGS__SHOULDER = '/for-sale/clothes-shoes-accessories/bags/shoulder/662/' CLOTHES_SHOES_ACCESSORIES__BAGS__SUITCASES = '/for-sale/clothes-shoes-accessories/bags/suitcases/667/' CLOTHES_SHOES_ACCESSORIES__BAGS__TOTES = '/for-sale/clothes-shoes-accessories/bags/totes/663/' CLOTHES_SHOES_ACCESSORIES__BAGS__TRAVEL = '/for-sale/clothes-shoes-accessories/bags/travel/248/' CLOTHES_SHOES_ACCESSORIES__BAGS__WOMENS_BAGS = '/for-sale/clothes-shoes-accessories/bags/womens-bags/661/' CLOTHES_SHOES_ACCESSORIES__BAGS__OTHER_BAGS = '/for-sale/clothes-shoes-accessories/bags/other-bags/668/' CLOTHES_SHOES_ACCESSORIES__BOYSWEAR = '/for-sale/clothes-shoes-accessories/boyswear/246/' CLOTHES_SHOES_ACCESSORIES__BOYSWEAR__COATS_JACKETS = '/for-sale/clothes-shoes-accessories/boyswear/coats-jackets/358/' CLOTHES_SHOES_ACCESSORIES__BOYSWEAR__COATS_JACKETS__GILETS = '/for-sale/clothes-shoes-accessories/boyswear/coats-jackets/gilets/672/' CLOTHES_SHOES_ACCESSORIES__BOYSWEAR__COATS_JACKETS__RAINCOATS = '/for-sale/clothes-shoes-accessories/boyswear/coats-jackets/raincoats/671/' CLOTHES_SHOES_ACCESSORIES__BOYSWEAR__COATS_JACKETS__SUMMER_COATS = '/for-sale/clothes-shoes-accessories/boyswear/coats-jackets/summer-coats/670/' CLOTHES_SHOES_ACCESSORIES__BOYSWEAR__COATS_JACKETS__WINTER_COATS = '/for-sale/clothes-shoes-accessories/boyswear/coats-jackets/winter-coats/669/' CLOTHES_SHOES_ACCESSORIES__BOYSWEAR__COATS_JACKETS__OTHER_COATS_JACKETS = '/for-sale/clothes-shoes-accessories/boyswear/coats-jackets/other-coats-jackets/673/' CLOTHES_SHOES_ACCESSORIES__BOYSWEAR__COMMUNION_OUTFITS = '/for-sale/clothes-shoes-accessories/boyswear/communion-outfits/366/' CLOTHES_SHOES_ACCESSORIES__BOYSWEAR__COMMUNION_OUTFITS__JACKETS = '/for-sale/clothes-shoes-accessories/boyswear/communion-outfits/jackets/675/' CLOTHES_SHOES_ACCESSORIES__BOYSWEAR__COMMUNION_OUTFITS__SUITS = '/for-sale/clothes-shoes-accessories/boyswear/communion-outfits/suits/674/' CLOTHES_SHOES_ACCESSORIES__BOYSWEAR__COMMUNION_OUTFITS__OTHER_COMMUNION = '/for-sale/clothes-shoes-accessories/boyswear/communion-outfits/other-communion/676/' CLOTHES_SHOES_ACCESSORIES__BOYSWEAR__JEANS_TROUSERS = '/for-sale/clothes-shoes-accessories/boyswear/jeans-trousers/359/' CLOTHES_SHOES_ACCESSORIES__BOYSWEAR__JEANS_TROUSERS__JEANS = '/for-sale/clothes-shoes-accessories/boyswear/jeans-trousers/jeans/677/' CLOTHES_SHOES_ACCESSORIES__BOYSWEAR__JEANS_TROUSERS__TROUSERS = '/for-sale/clothes-shoes-accessories/boyswear/jeans-trousers/trousers/678/' CLOTHES_SHOES_ACCESSORIES__BOYSWEAR__JEANS_TROUSERS__OTHER_JEANS_TROUSERS = '/for-sale/clothes-shoes-accessories/boyswear/jeans-trousers/other-jeans-trousers/679/' CLOTHES_SHOES_ACCESSORIES__BOYSWEAR__JUMPERS_KNITWEAR = '/for-sale/clothes-shoes-accessories/boyswear/jumpers-knitwear/369/' CLOTHES_SHOES_ACCESSORIES__BOYSWEAR__JUMPERS_KNITWEAR__CARDIGANS = '/for-sale/clothes-shoes-accessories/boyswear/jumpers-knitwear/cardigans/680/' CLOTHES_SHOES_ACCESSORIES__BOYSWEAR__JUMPERS_KNITWEAR__HOODIES = '/for-sale/clothes-shoes-accessories/boyswear/jumpers-knitwear/hoodies/682/' CLOTHES_SHOES_ACCESSORIES__BOYSWEAR__JUMPERS_KNITWEAR__JUMPERS = '/for-sale/clothes-shoes-accessories/boyswear/jumpers-knitwear/jumpers/681/' CLOTHES_SHOES_ACCESSORIES__BOYSWEAR__JUMPERS_KNITWEAR__OTHER_JUMPERS_KNITWEAR = '/for-sale/clothes-shoes-accessories/boyswear/jumpers-knitwear/other-jumpers-knitwear/683/' CLOTHES_SHOES_ACCESSORIES__BOYSWEAR__PYJAMAS = '/for-sale/clothes-shoes-accessories/boyswear/pyjamas/361/' CLOTHES_SHOES_ACCESSORIES__BOYSWEAR__SHIRTS = '/for-sale/clothes-shoes-accessories/boyswear/shirts/367/' CLOTHES_SHOES_ACCESSORIES__BOYSWEAR__SHIRTS__LONG_SLEEVE_SHIRTS = '/for-sale/clothes-shoes-accessories/boyswear/shirts/long-sleeve-shirts/685/' CLOTHES_SHOES_ACCESSORIES__BOYSWEAR__SHIRTS__SHORT_SLEEVE_SHIRTS = '/for-sale/clothes-shoes-accessories/boyswear/shirts/short-sleeve-shirts/684/' CLOTHES_SHOES_ACCESSORIES__BOYSWEAR__SHIRTS__OTHER_SHIRTS = '/for-sale/clothes-shoes-accessories/boyswear/shirts/other-shirts/686/' CLOTHES_SHOES_ACCESSORIES__BOYSWEAR__SHORTS = '/for-sale/clothes-shoes-accessories/boyswear/shorts/362/' CLOTHES_SHOES_ACCESSORIES__BOYSWEAR__SPORTSWEAR = '/for-sale/clothes-shoes-accessories/boyswear/sportswear/368/' CLOTHES_SHOES_ACCESSORIES__BOYSWEAR__SPORTSWEAR__FOOTBALL_SPORTSWEAR = '/for-sale/clothes-shoes-accessories/boyswear/sportswear/football-sportswear/687/' CLOTHES_SHOES_ACCESSORIES__BOYSWEAR__SPORTSWEAR__RUGBY_SPORTSWEAR = '/for-sale/clothes-shoes-accessories/boyswear/sportswear/rugby-sportswear/688/' CLOTHES_SHOES_ACCESSORIES__BOYSWEAR__SPORTSWEAR__TRACKSUITS = '/for-sale/clothes-shoes-accessories/boyswear/sportswear/tracksuits/689/' CLOTHES_SHOES_ACCESSORIES__BOYSWEAR__SPORTSWEAR__OTHER_SPORTSWEAR = '/for-sale/clothes-shoes-accessories/boyswear/sportswear/other-sportswear/690/' CLOTHES_SHOES_ACCESSORIES__BOYSWEAR__SWIMWEAR = '/for-sale/clothes-shoes-accessories/boyswear/swimwear/364/' CLOTHES_SHOES_ACCESSORIES__BOYSWEAR__SWIMWEAR__BERMUDA = '/for-sale/clothes-shoes-accessories/boyswear/swimwear/bermuda/693/' CLOTHES_SHOES_ACCESSORIES__BOYSWEAR__SWIMWEAR__SWIM_SHOES = '/for-sale/clothes-shoes-accessories/boyswear/swimwear/swim-shoes/694/' CLOTHES_SHOES_ACCESSORIES__BOYSWEAR__SWIMWEAR__SWIM_SUIT = '/for-sale/clothes-shoes-accessories/boyswear/swimwear/swim-suit/691/' CLOTHES_SHOES_ACCESSORIES__BOYSWEAR__SWIMWEAR__SWIM_TOGS = '/for-sale/clothes-shoes-accessories/boyswear/swimwear/swim-togs/692/' CLOTHES_SHOES_ACCESSORIES__BOYSWEAR__SWIMWEAR__OTHER_SWIMWEAR = '/for-sale/clothes-shoes-accessories/boyswear/swimwear/other-swimwear/695/' CLOTHES_SHOES_ACCESSORIES__BOYSWEAR__TOPS_TEE_SHIRTS = '/for-sale/clothes-shoes-accessories/boyswear/tops-tee-shirts/360/' CLOTHES_SHOES_ACCESSORIES__BOYSWEAR__TOPS_TEE_SHIRTS__LONG_SLEEVE_TEE_SHIRTS = '/for-sale/clothes-shoes-accessories/boyswear/tops-tee-shirts/long-sleeve-tee-shirts/696/' CLOTHES_SHOES_ACCESSORIES__BOYSWEAR__TOPS_TEE_SHIRTS__SHORT_SLEEVE_TEE_SHIRTS = '/for-sale/clothes-shoes-accessories/boyswear/tops-tee-shirts/short-sleeve-tee-shirts/697/' CLOTHES_SHOES_ACCESSORIES__BOYSWEAR__TOPS_TEE_SHIRTS__OTHER_TOPS_TEE_SHIRTS = '/for-sale/clothes-shoes-accessories/boyswear/tops-tee-shirts/other-tops-tee-shirts/698/' CLOTHES_SHOES_ACCESSORIES__BOYSWEAR__UNDERWEAR_SOCKS = '/for-sale/clothes-shoes-accessories/boyswear/underwear-socks/363/' CLOTHES_SHOES_ACCESSORIES__BOYSWEAR__UNIFORM = '/for-sale/clothes-shoes-accessories/boyswear/uniform/365/' CLOTHES_SHOES_ACCESSORIES__BOYSWEAR__UNIFORM__JUMPERS = '/for-sale/clothes-shoes-accessories/boyswear/uniform/jumpers/699/' CLOTHES_SHOES_ACCESSORIES__BOYSWEAR__UNIFORM__SHIRTS = '/for-sale/clothes-shoes-accessories/boyswear/uniform/shirts/701/' CLOTHES_SHOES_ACCESSORIES__BOYSWEAR__UNIFORM__TROUSERS = '/for-sale/clothes-shoes-accessories/boyswear/uniform/trousers/700/' CLOTHES_SHOES_ACCESSORIES__BOYSWEAR__UNIFORM__OTHER_UNIFORM = '/for-sale/clothes-shoes-accessories/boyswear/uniform/other-uniform/702/' CLOTHES_SHOES_ACCESSORIES__BOYSWEAR__OTHER_BOYSWEAR = '/for-sale/clothes-shoes-accessories/boyswear/other-boyswear/370/' CLOTHES_SHOES_ACCESSORIES__FANCY_DRESS = '/for-sale/clothes-shoes-accessories/fancy-dress/303349/' CLOTHES_SHOES_ACCESSORIES__FANCY_DRESS__BOYS = '/for-sale/clothes-shoes-accessories/fancy-dress/boys/703/' CLOTHES_SHOES_ACCESSORIES__FANCY_DRESS__GIRLS = '/for-sale/clothes-shoes-accessories/fancy-dress/girls/704/' CLOTHES_SHOES_ACCESSORIES__FANCY_DRESS__MEN = '/for-sale/clothes-shoes-accessories/fancy-dress/men/705/' CLOTHES_SHOES_ACCESSORIES__FANCY_DRESS__UNISEX = '/for-sale/clothes-shoes-accessories/fancy-dress/unisex/1384/' CLOTHES_SHOES_ACCESSORIES__FANCY_DRESS__WOMEN = '/for-sale/clothes-shoes-accessories/fancy-dress/women/706/' CLOTHES_SHOES_ACCESSORIES__GIRLSWEAR = '/for-sale/clothes-shoes-accessories/girlswear/247/' CLOTHES_SHOES_ACCESSORIES__GIRLSWEAR__COATS_JACKETS = '/for-sale/clothes-shoes-accessories/girlswear/coats-jackets/371/' CLOTHES_SHOES_ACCESSORIES__GIRLSWEAR__COATS_JACKETS__GILETS = '/for-sale/clothes-shoes-accessories/girlswear/coats-jackets/gilets/710/' CLOTHES_SHOES_ACCESSORIES__GIRLSWEAR__COATS_JACKETS__RAINCOAT = '/for-sale/clothes-shoes-accessories/girlswear/coats-jackets/raincoat/709/' CLOTHES_SHOES_ACCESSORIES__GIRLSWEAR__COATS_JACKETS__SUMMER = '/for-sale/clothes-shoes-accessories/girlswear/coats-jackets/summer/708/' CLOTHES_SHOES_ACCESSORIES__GIRLSWEAR__COATS_JACKETS__WINTER = '/for-sale/clothes-shoes-accessories/girlswear/coats-jackets/winter/707/' CLOTHES_SHOES_ACCESSORIES__GIRLSWEAR__COATS_JACKETS__OTHER_COATS_JACKETS = '/for-sale/clothes-shoes-accessories/girlswear/coats-jackets/other-coats-jackets/711/' CLOTHES_SHOES_ACCESSORIES__GIRLSWEAR__COMMUNION_OUTFITS = '/for-sale/clothes-shoes-accessories/girlswear/communion-outfits/380/' CLOTHES_SHOES_ACCESSORIES__GIRLSWEAR__COMMUNION_OUTFITS__ACCESSORIES = '/for-sale/clothes-shoes-accessories/girlswear/communion-outfits/accessories/713/' CLOTHES_SHOES_ACCESSORIES__GIRLSWEAR__COMMUNION_OUTFITS__DRESSES = '/for-sale/clothes-shoes-accessories/girlswear/communion-outfits/dresses/712/' CLOTHES_SHOES_ACCESSORIES__GIRLSWEAR__COMMUNION_OUTFITS__OTHER_COMMUNION = '/for-sale/clothes-shoes-accessories/girlswear/communion-outfits/other-communion/714/' CLOTHES_SHOES_ACCESSORIES__GIRLSWEAR__DRESSES = '/for-sale/clothes-shoes-accessories/girlswear/dresses/375/' CLOTHES_SHOES_ACCESSORIES__GIRLSWEAR__JEANS_TROUSERS = '/for-sale/clothes-shoes-accessories/girlswear/jeans-trousers/372/' CLOTHES_SHOES_ACCESSORIES__GIRLSWEAR__JEANS_TROUSERS__JEANS = '/for-sale/clothes-shoes-accessories/girlswear/jeans-trousers/jeans/715/' CLOTHES_SHOES_ACCESSORIES__GIRLSWEAR__JEANS_TROUSERS__TROUSERS = '/for-sale/clothes-shoes-accessories/girlswear/jeans-trousers/trousers/716/' CLOTHES_SHOES_ACCESSORIES__GIRLSWEAR__JUMPERS_KNITWEAR = '/for-sale/clothes-shoes-accessories/girlswear/jumpers-knitwear/382/' CLOTHES_SHOES_ACCESSORIES__GIRLSWEAR__JUMPERS_KNITWEAR__CARDIGANS = '/for-sale/clothes-shoes-accessories/girlswear/jumpers-knitwear/cardigans/717/' CLOTHES_SHOES_ACCESSORIES__GIRLSWEAR__JUMPERS_KNITWEAR__HOODIES = '/for-sale/clothes-shoes-accessories/girlswear/jumpers-knitwear/hoodies/719/' CLOTHES_SHOES_ACCESSORIES__GIRLSWEAR__JUMPERS_KNITWEAR__JUMPERS = '/for-sale/clothes-shoes-accessories/girlswear/jumpers-knitwear/jumpers/718/' CLOTHES_SHOES_ACCESSORIES__GIRLSWEAR__JUMPERS_KNITWEAR__OTHER_JUMPERS_KNITWEAR = '/for-sale/clothes-shoes-accessories/girlswear/jumpers-knitwear/other-jumpers-knitwear/720/' CLOTHES_SHOES_ACCESSORIES__GIRLSWEAR__PYJAMAS = '/for-sale/clothes-shoes-accessories/girlswear/pyjamas/374/' CLOTHES_SHOES_ACCESSORIES__GIRLSWEAR__SHORTS = '/for-sale/clothes-shoes-accessories/girlswear/shorts/412/' CLOTHES_SHOES_ACCESSORIES__GIRLSWEAR__SKIRTS = '/for-sale/clothes-shoes-accessories/girlswear/skirts/376/' CLOTHES_SHOES_ACCESSORIES__GIRLSWEAR__SKIRTS__LONG = '/for-sale/clothes-shoes-accessories/girlswear/skirts/long/722/' CLOTHES_SHOES_ACCESSORIES__GIRLSWEAR__SKIRTS__SHORT = '/for-sale/clothes-shoes-accessories/girlswear/skirts/short/721/' CLOTHES_SHOES_ACCESSORIES__GIRLSWEAR__SKIRTS__OTHER_SKIRTS = '/for-sale/clothes-shoes-accessories/girlswear/skirts/other-skirts/723/' CLOTHES_SHOES_ACCESSORIES__GIRLSWEAR__SOCKS_TIGHTS = '/for-sale/clothes-shoes-accessories/girlswear/socks-tights/414/' CLOTHES_SHOES_ACCESSORIES__GIRLSWEAR__SPORTSWEAR = '/for-sale/clothes-shoes-accessories/girlswear/sportswear/381/' CLOTHES_SHOES_ACCESSORIES__GIRLSWEAR__SPORTSWEAR__BOTTOMS = '/for-sale/clothes-shoes-accessories/girlswear/sportswear/bottoms/725/' CLOTHES_SHOES_ACCESSORIES__GIRLSWEAR__SPORTSWEAR__TOPS = '/for-sale/clothes-shoes-accessories/girlswear/sportswear/tops/724/' CLOTHES_SHOES_ACCESSORIES__GIRLSWEAR__SPORTSWEAR__TRACKSUITS = '/for-sale/clothes-shoes-accessories/girlswear/sportswear/tracksuits/726/' CLOTHES_SHOES_ACCESSORIES__GIRLSWEAR__SPORTSWEAR__OTHER_SPORTSWEAR = '/for-sale/clothes-shoes-accessories/girlswear/sportswear/other-sportswear/727/' CLOTHES_SHOES_ACCESSORIES__GIRLSWEAR__SWIMWEAR = '/for-sale/clothes-shoes-accessories/girlswear/swimwear/378/' CLOTHES_SHOES_ACCESSORIES__GIRLSWEAR__SWIMWEAR__BIKINIS = '/for-sale/clothes-shoes-accessories/girlswear/swimwear/bikinis/731/' CLOTHES_SHOES_ACCESSORIES__GIRLSWEAR__SWIMWEAR__BOTTOMS = '/for-sale/clothes-shoes-accessories/girlswear/swimwear/bottoms/730/' CLOTHES_SHOES_ACCESSORIES__GIRLSWEAR__SWIMWEAR__SWIMSUIT = '/for-sale/clothes-shoes-accessories/girlswear/swimwear/swimsuit/728/' CLOTHES_SHOES_ACCESSORIES__GIRLSWEAR__SWIMWEAR__TOPS = '/for-sale/clothes-shoes-accessories/girlswear/swimwear/tops/729/' CLOTHES_SHOES_ACCESSORIES__GIRLSWEAR__TOPS_TEE_SHIRTS = '/for-sale/clothes-shoes-accessories/girlswear/tops-tee-shirts/373/' CLOTHES_SHOES_ACCESSORIES__GIRLSWEAR__TOPS_TEE_SHIRTS__LONG_SLEEVE = '/for-sale/clothes-shoes-accessories/girlswear/tops-tee-shirts/long-sleeve/732/' CLOTHES_SHOES_ACCESSORIES__GIRLSWEAR__TOPS_TEE_SHIRTS__SHORT_SLEEVE = '/for-sale/clothes-shoes-accessories/girlswear/tops-tee-shirts/short-sleeve/733/' CLOTHES_SHOES_ACCESSORIES__GIRLSWEAR__UNDERWEAR = '/for-sale/clothes-shoes-accessories/girlswear/underwear/377/' CLOTHES_SHOES_ACCESSORIES__GIRLSWEAR__UNIFORM = '/for-sale/clothes-shoes-accessories/girlswear/uniform/379/' CLOTHES_SHOES_ACCESSORIES__GIRLSWEAR__UNIFORM__JUMPERS = '/for-sale/clothes-shoes-accessories/girlswear/uniform/jumpers/734/' CLOTHES_SHOES_ACCESSORIES__GIRLSWEAR__UNIFORM__SKIRTS = '/for-sale/clothes-shoes-accessories/girlswear/uniform/skirts/735/' CLOTHES_SHOES_ACCESSORIES__GIRLSWEAR__UNIFORM__TROUSERS = '/for-sale/clothes-shoes-accessories/girlswear/uniform/trousers/736/' CLOTHES_SHOES_ACCESSORIES__GIRLSWEAR__UNIFORM__OTHER_UNIFORM = '/for-sale/clothes-shoes-accessories/girlswear/uniform/other-uniform/737/' CLOTHES_SHOES_ACCESSORIES__GIRLSWEAR__OTHER_GIRLSWEAR = '/for-sale/clothes-shoes-accessories/girlswear/other-girlswear/383/' KIDSWEAR = '/for-sale/kidswear/303510/' CLOTHES_SHOES_ACCESSORIES__MENSWEAR = '/for-sale/clothes-shoes-accessories/menswear/118/' CLOTHES_SHOES_ACCESSORIES__MENSWEAR__COATS_JACKETS = '/for-sale/clothes-shoes-accessories/menswear/coats-jackets/384/' CLOTHES_SHOES_ACCESSORIES__MENSWEAR__COATS_JACKETS__GILET = '/for-sale/clothes-shoes-accessories/menswear/coats-jackets/gilet/742/' CLOTHES_SHOES_ACCESSORIES__MENSWEAR__COATS_JACKETS__RAINCOATS = '/for-sale/clothes-shoes-accessories/menswear/coats-jackets/raincoats/741/' CLOTHES_SHOES_ACCESSORIES__MENSWEAR__COATS_JACKETS__SUMMER = '/for-sale/clothes-shoes-accessories/menswear/coats-jackets/summer/740/' CLOTHES_SHOES_ACCESSORIES__MENSWEAR__COATS_JACKETS__WINTER = '/for-sale/clothes-shoes-accessories/menswear/coats-jackets/winter/739/' CLOTHES_SHOES_ACCESSORIES__MENSWEAR__COATS_JACKETS__OTHER_COATS_JACKETS = '/for-sale/clothes-shoes-accessories/menswear/coats-jackets/other-coats-jackets/743/' CLOTHES_SHOES_ACCESSORIES__MENSWEAR__JEANS_TROUSERS = '/for-sale/clothes-shoes-accessories/menswear/jeans-trousers/385/' CLOTHES_SHOES_ACCESSORIES__MENSWEAR__JEANS_TROUSERS__JEANS = '/for-sale/clothes-shoes-accessories/menswear/jeans-trousers/jeans/744/' CLOTHES_SHOES_ACCESSORIES__MENSWEAR__JEANS_TROUSERS__TROUSERS = '/for-sale/clothes-shoes-accessories/menswear/jeans-trousers/trousers/745/' CLOTHES_SHOES_ACCESSORIES__MENSWEAR__JUMPERS_KNITWEAR = '/for-sale/clothes-shoes-accessories/menswear/jumpers-knitwear/392/' CLOTHES_SHOES_ACCESSORIES__MENSWEAR__JUMPERS_KNITWEAR__CARDIGANS = '/for-sale/clothes-shoes-accessories/menswear/jumpers-knitwear/cardigans/746/' CLOTHES_SHOES_ACCESSORIES__MENSWEAR__JUMPERS_KNITWEAR__HOODIES = '/for-sale/clothes-shoes-accessories/menswear/jumpers-knitwear/hoodies/748/' CLOTHES_SHOES_ACCESSORIES__MENSWEAR__JUMPERS_KNITWEAR__JUMPERS = '/for-sale/clothes-shoes-accessories/menswear/jumpers-knitwear/jumpers/747/' CLOTHES_SHOES_ACCESSORIES__MENSWEAR__JUMPERS_KNITWEAR__OTHER_JUMPERS_KNITWEAR = '/for-sale/clothes-shoes-accessories/menswear/jumpers-knitwear/other-jumpers-knitwear/749/' CLOTHES_SHOES_ACCESSORIES__MENSWEAR__SHIRTS = '/for-sale/clothes-shoes-accessories/menswear/shirts/388/' CLOTHES_SHOES_ACCESSORIES__MENSWEAR__SHIRTS__LONG_SLEEVE = '/for-sale/clothes-shoes-accessories/menswear/shirts/long-sleeve/750/' CLOTHES_SHOES_ACCESSORIES__MENSWEAR__SHIRTS__SHORT_SLEEVE = '/for-sale/clothes-shoes-accessories/menswear/shirts/short-sleeve/751/' CLOTHES_SHOES_ACCESSORIES__MENSWEAR__SHIRTS__OTHER_SHIRTS = '/for-sale/clothes-shoes-accessories/menswear/shirts/other-shirts/752/' CLOTHES_SHOES_ACCESSORIES__MENSWEAR__SHORTS = '/for-sale/clothes-shoes-accessories/menswear/shorts/387/' CLOTHES_SHOES_ACCESSORIES__MENSWEAR__SLEEPWEAR = '/for-sale/clothes-shoes-accessories/menswear/sleepwear/410/' CLOTHES_SHOES_ACCESSORIES__MENSWEAR__SPORTSWEAR = '/for-sale/clothes-shoes-accessories/menswear/sportswear/391/' CLOTHES_SHOES_ACCESSORIES__MENSWEAR__SPORTSWEAR__BOTTOMS = '/for-sale/clothes-shoes-accessories/menswear/sportswear/bottoms/756/' CLOTHES_SHOES_ACCESSORIES__MENSWEAR__SPORTSWEAR__FOOTBALL = '/for-sale/clothes-shoes-accessories/menswear/sportswear/football/753/' CLOTHES_SHOES_ACCESSORIES__MENSWEAR__SPORTSWEAR__RUGBY = '/for-sale/clothes-shoes-accessories/menswear/sportswear/rugby/754/' CLOTHES_SHOES_ACCESSORIES__MENSWEAR__SPORTSWEAR__TOPS = '/for-sale/clothes-shoes-accessories/menswear/sportswear/tops/757/' CLOTHES_SHOES_ACCESSORIES__MENSWEAR__SPORTSWEAR__TRACKSUITS = '/for-sale/clothes-shoes-accessories/menswear/sportswear/tracksuits/755/' CLOTHES_SHOES_ACCESSORIES__MENSWEAR__SPORTSWEAR__OTHER_SPORTSWEAR = '/for-sale/clothes-shoes-accessories/menswear/sportswear/other-sportswear/758/' CLOTHES_SHOES_ACCESSORIES__MENSWEAR__SUITS = '/for-sale/clothes-shoes-accessories/menswear/suits/390/' CLOTHES_SHOES_ACCESSORIES__MENSWEAR__SWIMWEAR = '/for-sale/clothes-shoes-accessories/menswear/swimwear/389/' CLOTHES_SHOES_ACCESSORIES__MENSWEAR__TOPS_TEE_SHIRTS = '/for-sale/clothes-shoes-accessories/menswear/tops-tee-shirts/386/' CLOTHES_SHOES_ACCESSORIES__MENSWEAR__TOPS_TEE_SHIRTS__LONG_SLEEVE = '/for-sale/clothes-shoes-accessories/menswear/tops-tee-shirts/long-sleeve/759/' CLOTHES_SHOES_ACCESSORIES__MENSWEAR__TOPS_TEE_SHIRTS__SHORT_SLEEVE = '/for-sale/clothes-shoes-accessories/menswear/tops-tee-shirts/short-sleeve/760/' CLOTHES_SHOES_ACCESSORIES__MENSWEAR__UNDERWEAR_SOCKS = '/for-sale/clothes-shoes-accessories/menswear/underwear-socks/393/' CLOTHES_SHOES_ACCESSORIES__MENSWEAR__UNDERWEAR_SOCKS__SOCKS = '/for-sale/clothes-shoes-accessories/menswear/underwear-socks/socks/762/' CLOTHES_SHOES_ACCESSORIES__MENSWEAR__UNDERWEAR_SOCKS__UNDERWEAR = '/for-sale/clothes-shoes-accessories/menswear/underwear-socks/underwear/761/' CLOTHES_SHOES_ACCESSORIES__MENSWEAR__OTHER_MENSWEAR = '/for-sale/clothes-shoes-accessories/menswear/other-menswear/394/' CLOTHES_SHOES_ACCESSORIES__SHOES = '/for-sale/clothes-shoes-accessories/shoes/119/' CLOTHES_SHOES_ACCESSORIES__SHOES__BOYS = '/for-sale/clothes-shoes-accessories/shoes/boys/406/' CLOTHES_SHOES_ACCESSORIES__SHOES__BOYS__BOOTS = '/for-sale/clothes-shoes-accessories/shoes/boys/boots/766/' CLOTHES_SHOES_ACCESSORIES__SHOES__BOYS__CASUAL = '/for-sale/clothes-shoes-accessories/shoes/boys/casual/1264/' CLOTHES_SHOES_ACCESSORIES__SHOES__BOYS__FORMAL = '/for-sale/clothes-shoes-accessories/shoes/boys/formal/769/' CLOTHES_SHOES_ACCESSORIES__SHOES__BOYS__SANDALS = '/for-sale/clothes-shoes-accessories/shoes/boys/sandals/768/' CLOTHES_SHOES_ACCESSORIES__SHOES__BOYS__TRAINERS = '/for-sale/clothes-shoes-accessories/shoes/boys/trainers/767/' CLOTHES_SHOES_ACCESSORIES__SHOES__GIRLS = '/for-sale/clothes-shoes-accessories/shoes/girls/407/' CLOTHES_SHOES_ACCESSORIES__SHOES__GIRLS__BOOTS = '/for-sale/clothes-shoes-accessories/shoes/girls/boots/771/' CLOTHES_SHOES_ACCESSORIES__SHOES__GIRLS__CASUAL = '/for-sale/clothes-shoes-accessories/shoes/girls/casual/770/' CLOTHES_SHOES_ACCESSORIES__SHOES__GIRLS__FORMAL = '/for-sale/clothes-shoes-accessories/shoes/girls/formal/774/' CLOTHES_SHOES_ACCESSORIES__SHOES__GIRLS__SANDALS = '/for-sale/clothes-shoes-accessories/shoes/girls/sandals/773/' CLOTHES_SHOES_ACCESSORIES__SHOES__GIRLS__TRAINERS = '/for-sale/clothes-shoes-accessories/shoes/girls/trainers/772/' CLOTHES_SHOES_ACCESSORIES__SHOES__MEN = '/for-sale/clothes-shoes-accessories/shoes/men/408/' CLOTHES_SHOES_ACCESSORIES__SHOES__MEN__BOOTS = '/for-sale/clothes-shoes-accessories/shoes/men/boots/776/' CLOTHES_SHOES_ACCESSORIES__SHOES__MEN__CASUAL = '/for-sale/clothes-shoes-accessories/shoes/men/casual/775/' CLOTHES_SHOES_ACCESSORIES__SHOES__MEN__FORMAL = '/for-sale/clothes-shoes-accessories/shoes/men/formal/779/' CLOTHES_SHOES_ACCESSORIES__SHOES__MEN__SANDALS = '/for-sale/clothes-shoes-accessories/shoes/men/sandals/778/' CLOTHES_SHOES_ACCESSORIES__SHOES__MEN__TRAINERS = '/for-sale/clothes-shoes-accessories/shoes/men/trainers/777/' CLOTHES_SHOES_ACCESSORIES__SHOES__WOMEN = '/for-sale/clothes-shoes-accessories/shoes/women/409/' CLOTHES_SHOES_ACCESSORIES__SHOES__WOMEN__ANKLE_BOOTS = '/for-sale/clothes-shoes-accessories/shoes/women/ankle-boots/781/' CLOTHES_SHOES_ACCESSORIES__SHOES__WOMEN__FLATS = '/for-sale/clothes-shoes-accessories/shoes/women/flats/780/' CLOTHES_SHOES_ACCESSORIES__SHOES__WOMEN__HIGH_HEELS = '/for-sale/clothes-shoes-accessories/shoes/women/high-heels/784/' CLOTHES_SHOES_ACCESSORIES__SHOES__WOMEN__SANDALS = '/for-sale/clothes-shoes-accessories/shoes/women/sandals/783/' CLOTHES_SHOES_ACCESSORIES__SHOES__WOMEN__TALL_BOOTS = '/for-sale/clothes-shoes-accessories/shoes/women/tall-boots/786/' CLOTHES_SHOES_ACCESSORIES__SHOES__WOMEN__TRAINERS = '/for-sale/clothes-shoes-accessories/shoes/women/trainers/782/' CLOTHES_SHOES_ACCESSORIES__SHOES__WOMEN__WEDGES = '/for-sale/clothes-shoes-accessories/shoes/women/wedges/785/' CLOTHES_SHOES_ACCESSORIES__VINTAGE_CLOTHING = '/for-sale/clothes-shoes-accessories/vintage-clothing/120/' CLOTHES_SHOES_ACCESSORIES__VINTAGE_CLOTHING__ACCESSORIES = '/for-sale/clothes-shoes-accessories/vintage-clothing/accessories/791/' CLOTHES_SHOES_ACCESSORIES__VINTAGE_CLOTHING__DRESSES_SKIRTS = '/for-sale/clothes-shoes-accessories/vintage-clothing/dresses-skirts/790/' CLOTHES_SHOES_ACCESSORIES__VINTAGE_CLOTHING__JACKETS = '/for-sale/clothes-shoes-accessories/vintage-clothing/jackets/787/' CLOTHES_SHOES_ACCESSORIES__VINTAGE_CLOTHING__TOPS = '/for-sale/clothes-shoes-accessories/vintage-clothing/tops/788/' CLOTHES_SHOES_ACCESSORIES__VINTAGE_CLOTHING__TROUSERS = '/for-sale/clothes-shoes-accessories/vintage-clothing/trousers/789/' CLOTHES_SHOES_ACCESSORIES__VINTAGE_CLOTHING__OTHER_VINTAGE = '/for-sale/clothes-shoes-accessories/vintage-clothing/other-vintage/792/' CLOTHES_SHOES_ACCESSORIES__WOMENSWEAR = '/for-sale/clothes-shoes-accessories/womenswear/122/' CLOTHES_SHOES_ACCESSORIES__WOMENSWEAR__BLOUSES_SHIRTS = '/for-sale/clothes-shoes-accessories/womenswear/blouses-shirts/416/' CLOTHES_SHOES_ACCESSORIES__WOMENSWEAR__BLOUSES_SHIRTS__LONG_SLEEVE = '/for-sale/clothes-shoes-accessories/womenswear/blouses-shirts/long-sleeve/793/' CLOTHES_SHOES_ACCESSORIES__WOMENSWEAR__BLOUSES_SHIRTS__SHORT_SLEEVE = '/for-sale/clothes-shoes-accessories/womenswear/blouses-shirts/short-sleeve/794/' CLOTHES_SHOES_ACCESSORIES__WOMENSWEAR__COATS_JACKETS = '/for-sale/clothes-shoes-accessories/womenswear/coats-jackets/395/' CLOTHES_SHOES_ACCESSORIES__WOMENSWEAR__COATS_JACKETS__BLAZER = '/for-sale/clothes-shoes-accessories/womenswear/coats-jackets/blazer/795/' CLOTHES_SHOES_ACCESSORIES__WOMENSWEAR__COATS_JACKETS__DENIM = '/for-sale/clothes-shoes-accessories/womenswear/coats-jackets/denim/797/' CLOTHES_SHOES_ACCESSORIES__WOMENSWEAR__COATS_JACKETS__LEATHER = '/for-sale/clothes-shoes-accessories/womenswear/coats-jackets/leather/796/' CLOTHES_SHOES_ACCESSORIES__WOMENSWEAR__COATS_JACKETS__WINTER_SUMMER = '/for-sale/clothes-shoes-accessories/womenswear/coats-jackets/winter-summer/798/' CLOTHES_SHOES_ACCESSORIES__WOMENSWEAR__DRESSES = '/for-sale/clothes-shoes-accessories/womenswear/dresses/398/' CLOTHES_SHOES_ACCESSORIES__WOMENSWEAR__DRESSES__DEBS = '/for-sale/clothes-shoes-accessories/womenswear/dresses/debs/801/' CLOTHES_SHOES_ACCESSORIES__WOMENSWEAR__DRESSES__MAXI = '/for-sale/clothes-shoes-accessories/womenswear/dresses/maxi/802/' CLOTHES_SHOES_ACCESSORIES__WOMENSWEAR__DRESSES__MIDI = '/for-sale/clothes-shoes-accessories/womenswear/dresses/midi/803/' CLOTHES_SHOES_ACCESSORIES__WOMENSWEAR__DRESSES__MINI = '/for-sale/clothes-shoes-accessories/womenswear/dresses/mini/804/' CLOTHES_SHOES_ACCESSORIES__WOMENSWEAR__JEANS_TROUSERS = '/for-sale/clothes-shoes-accessories/womenswear/jeans-trousers/396/' CLOTHES_SHOES_ACCESSORIES__WOMENSWEAR__JEANS_TROUSERS__JEANS = '/for-sale/clothes-shoes-accessories/womenswear/jeans-trousers/jeans/799/' CLOTHES_SHOES_ACCESSORIES__WOMENSWEAR__JEANS_TROUSERS__TROUSERS = '/for-sale/clothes-shoes-accessories/womenswear/jeans-trousers/trousers/800/' CLOTHES_SHOES_ACCESSORIES__WOMENSWEAR__JUMPERS_KNITWEAR = '/for-sale/clothes-shoes-accessories/womenswear/jumpers-knitwear/404/' CLOTHES_SHOES_ACCESSORIES__WOMENSWEAR__JUMPERS_KNITWEAR__CARDIGANS = '/for-sale/clothes-shoes-accessories/womenswear/jumpers-knitwear/cardigans/806/' CLOTHES_SHOES_ACCESSORIES__WOMENSWEAR__JUMPERS_KNITWEAR__HOODIES = '/for-sale/clothes-shoes-accessories/womenswear/jumpers-knitwear/hoodies/807/' CLOTHES_SHOES_ACCESSORIES__WOMENSWEAR__JUMPERS_KNITWEAR__JUMPERS = '/for-sale/clothes-shoes-accessories/womenswear/jumpers-knitwear/jumpers/805/' CLOTHES_SHOES_ACCESSORIES__WOMENSWEAR__LINGERIE = '/for-sale/clothes-shoes-accessories/womenswear/lingerie/400/' CLOTHES_SHOES_ACCESSORIES__WOMENSWEAR__SHORTS = '/for-sale/clothes-shoes-accessories/womenswear/shorts/413/' CLOTHES_SHOES_ACCESSORIES__WOMENSWEAR__SHORTS__CASUAL = '/for-sale/clothes-shoes-accessories/womenswear/shorts/casual/809/' CLOTHES_SHOES_ACCESSORIES__WOMENSWEAR__SHORTS__TAILORED = '/for-sale/clothes-shoes-accessories/womenswear/shorts/tailored/808/' CLOTHES_SHOES_ACCESSORIES__WOMENSWEAR__SKIRTS = '/for-sale/clothes-shoes-accessories/womenswear/skirts/399/' CLOTHES_SHOES_ACCESSORIES__WOMENSWEAR__SKIRTS__MAXI = '/for-sale/clothes-shoes-accessories/womenswear/skirts/maxi/810/' CLOTHES_SHOES_ACCESSORIES__WOMENSWEAR__SKIRTS__MIDI = '/for-sale/clothes-shoes-accessories/womenswear/skirts/midi/811/' CLOTHES_SHOES_ACCESSORIES__WOMENSWEAR__SKIRTS__MINI = '/for-sale/clothes-shoes-accessories/womenswear/skirts/mini/812/' CLOTHES_SHOES_ACCESSORIES__WOMENSWEAR__SLEEPWEAR = '/for-sale/clothes-shoes-accessories/womenswear/sleepwear/411/' CLOTHES_SHOES_ACCESSORIES__WOMENSWEAR__SOCKS_TIGHTS = '/for-sale/clothes-shoes-accessories/womenswear/socks-tights/415/' CLOTHES_SHOES_ACCESSORIES__WOMENSWEAR__SOCKS_TIGHTS__SOCKS = '/for-sale/clothes-shoes-accessories/womenswear/socks-tights/socks/813/' CLOTHES_SHOES_ACCESSORIES__WOMENSWEAR__SOCKS_TIGHTS__TIGHTS = '/for-sale/clothes-shoes-accessories/womenswear/socks-tights/tights/814/' CLOTHES_SHOES_ACCESSORIES__WOMENSWEAR__SPORTSWEAR = '/for-sale/clothes-shoes-accessories/womenswear/sportswear/403/' CLOTHES_SHOES_ACCESSORIES__WOMENSWEAR__SPORTSWEAR__BOTTOMS = '/for-sale/clothes-shoes-accessories/womenswear/sportswear/bottoms/819/' CLOTHES_SHOES_ACCESSORIES__WOMENSWEAR__SPORTSWEAR__SHORTS = '/for-sale/clothes-shoes-accessories/womenswear/sportswear/shorts/817/' CLOTHES_SHOES_ACCESSORIES__WOMENSWEAR__SPORTSWEAR__TEAM_SHIRTS = '/for-sale/clothes-shoes-accessories/womenswear/sportswear/team-shirts/815/' CLOTHES_SHOES_ACCESSORIES__WOMENSWEAR__SPORTSWEAR__TOPS = '/for-sale/clothes-shoes-accessories/womenswear/sportswear/tops/818/' CLOTHES_SHOES_ACCESSORIES__WOMENSWEAR__SPORTSWEAR__TRACKSUITS = '/for-sale/clothes-shoes-accessories/womenswear/sportswear/tracksuits/816/' CLOTHES_SHOES_ACCESSORIES__WOMENSWEAR__SUITS = '/for-sale/clothes-shoes-accessories/womenswear/suits/402/' CLOTHES_SHOES_ACCESSORIES__WOMENSWEAR__SUITS__JACKETS = '/for-sale/clothes-shoes-accessories/womenswear/suits/jackets/820/' CLOTHES_SHOES_ACCESSORIES__WOMENSWEAR__SUITS__SETS = '/for-sale/clothes-shoes-accessories/womenswear/suits/sets/822/' CLOTHES_SHOES_ACCESSORIES__WOMENSWEAR__SUITS__TROUSERS = '/for-sale/clothes-shoes-accessories/womenswear/suits/trousers/821/' CLOTHES_SHOES_ACCESSORIES__WOMENSWEAR__SWIMWEAR = '/for-sale/clothes-shoes-accessories/womenswear/swimwear/401/' CLOTHES_SHOES_ACCESSORIES__WOMENSWEAR__SWIMWEAR__BIKINIS = '/for-sale/clothes-shoes-accessories/womenswear/swimwear/bikinis/824/' CLOTHES_SHOES_ACCESSORIES__WOMENSWEAR__SWIMWEAR__SWIMSUITS = '/for-sale/clothes-shoes-accessories/womenswear/swimwear/swimsuits/823/' CLOTHES_SHOES_ACCESSORIES__WOMENSWEAR__TOPS_TEE_SHIRTS = '/for-sale/clothes-shoes-accessories/womenswear/tops-tee-shirts/397/' CLOTHES_SHOES_ACCESSORIES__WOMENSWEAR__TOPS_TEE_SHIRTS__TEE_SHIRTS = '/for-sale/clothes-shoes-accessories/womenswear/tops-tee-shirts/tee-shirts/825/' CLOTHES_SHOES_ACCESSORIES__WOMENSWEAR__TOPS_TEE_SHIRTS__TOPS = '/for-sale/clothes-shoes-accessories/womenswear/tops-tee-shirts/tops/826/' CLOTHES_SHOES_ACCESSORIES__WOMENSWEAR__TOPS_TEE_SHIRTS__VEST_STRAPPY_CAMI = '/for-sale/clothes-shoes-accessories/womenswear/tops-tee-shirts/vest-strappy-cami/827/' CLOTHES_SHOES_ACCESSORIES__WOMENSWEAR__OTHER_WOMENSWEAR = '/for-sale/clothes-shoes-accessories/womenswear/other-womenswear/405/' CLOTHES_SHOES_ACCESSORIES__OTHER_CLOTHES_SHOES_ACCESSORIES = '/for-sale/clothes-shoes-accessories/other-clothes-shoes-accessories/123/' COMPUTERS = '/for-sale/computers/124/' COMPUTERS__APPLE_COMPUTERS = '/for-sale/computers/apple-computers/517/' COMPUTERS__APPLE_COMPUTERS__APPLE_TV = '/for-sale/computers/apple-computers/apple-tv/526/' COMPUTERS__APPLE_COMPUTERS__IBOOK = '/for-sale/computers/apple-computers/ibook/518/' COMPUTERS__APPLE_COMPUTERS__IMAC = '/for-sale/computers/apple-computers/imac/519/' COMPUTERS__APPLE_COMPUTERS__MAC_ACCESSORIES = '/for-sale/computers/apple-computers/mac-accessories/525/' COMPUTERS__APPLE_COMPUTERS__MAC_MINI = '/for-sale/computers/apple-computers/mac-mini/521/' COMPUTERS__APPLE_COMPUTERS__MAC_PRO = '/for-sale/computers/apple-computers/mac-pro/520/' COMPUTERS__APPLE_COMPUTERS__MACBOOK = '/for-sale/computers/apple-computers/macbook/522/' COMPUTERS__APPLE_COMPUTERS__MACBOOK_AIR = '/for-sale/computers/apple-computers/macbook-air/523/' COMPUTERS__APPLE_COMPUTERS__MACBOOK_PRO = '/for-sale/computers/apple-computers/macbook-pro/524/' COMPUTERS__APPLE_COMPUTERS__OTHER_APPLE_PRODUCTS = '/for-sale/computers/apple-computers/other-apple-products/527/' COMPUTERS__DESKTOPS_AND_MONITORS = '/for-sale/computers/desktops-and-monitors/125/' COMPUTERS__CABLES_AND_ADAPTORS = '/for-sale/computers/cables-and-adaptors/546/' COMPUTERS__CABLES_AND_ADAPTORS__AUDIO_CABLES = '/for-sale/computers/cables-and-adaptors/audio-cables/552/' COMPUTERS__CABLES_AND_ADAPTORS__DVI_CABLES = '/for-sale/computers/cables-and-adaptors/dvi-cables/551/' COMPUTERS__CABLES_AND_ADAPTORS__HDMI_CABLES = '/for-sale/computers/cables-and-adaptors/hdmi-cables/550/' COMPUTERS__CABLES_AND_ADAPTORS__NETWORK_CABLES = '/for-sale/computers/cables-and-adaptors/network Cables/549/' COMPUTERS__CABLES_AND_ADAPTORS__USB_CABLES = '/for-sale/computers/cables-and-adaptors/usb-cables/547/' COMPUTERS__CABLES_AND_ADAPTORS__VGA_CABLES = '/for-sale/computers/cables-and-adaptors/vga-cables/548/' COMPUTERS__PRINTERS_AND_SCANNERS__LASER_PRINTERS = '/for-sale/computers/printers-and-scanners/laser-printers/540/' COMPUTERS__PRINTERS_AND_SCANNERS__PHOTO_PRINTERS = '/for-sale/computers/printers-and-scanners/photo-printers/542/' COMPUTERS__PRINTERS_AND_SCANNERS__PRINTER_AND_SCANNER_SUPPLIES = '/for-sale/computers/printers-and-scanners/printer-and-scanner-supplies/545/' COMPUTERS__PRINTERS_AND_SCANNERS__SCANNERS = '/for-sale/computers/printers-and-scanners/scanners/543/' COMPUTERS__PRINTERS_AND_SCANNERS__OTHER_PRINTERS_AND_SCANNERS = '/for-sale/computers/printers-and-scanners/other-printers-and-scanners/544/' COMPUTERS__SERVERS = '/for-sale/computers/servers/131/' COMPUTERS__SOFTWARE = '/for-sale/computers/software/132/' COMPUTERS__SOFTWARE__BUSINESS_AND_FINANCE = '/for-sale/computers/software/business-and-finance/554/' COMPUTERS__SOFTWARE__EDUCATION_AND_REFERENCE = '/for-sale/computers/software/education-and-reference/556/' COMPUTERS__SOFTWARE__GRAPHICS_AND_DESIGN = '/for-sale/computers/software/graphics-and-design/555/' COMPUTERS__SOFTWARE__HOBBES_AND_INTERESTS = '/for-sale/computers/software/hobbes-and-interests/557/' COMPUTERS__SOFTWARE__OPERATING_SYSTEMS = '/for-sale/computers/software/operating-systems/560/' COMPUTERS__SOFTWARE__SECURITY_AND_ANTIVIRUS = '/for-sale/computers/software/security-and-antivirus/558/' COMPUTERS__SOFTWARE__VIDEO_AND_MUSIC = '/for-sale/computers/software/video-and-music/559/' COMPUTERS__SOFTWARE__OTHER_SOFTWARE = '/for-sale/computers/software/other-software/561/' COMPUTERS__OTHER_COMPUTERS = '/for-sale/computers/other-computers/133/' CONSOLES_GAMES = '/for-sale/consoles-games/134/' CONSOLES_GAMES__ACCESSORIES = '/for-sale/consoles-games/accessories/135/' CONSOLES_GAMES__ARCADE_RETRO = '/for-sale/consoles-games/arcade-retro/738/' CONSOLES_GAMES__GAMES = '/for-sale/consoles-games/games/136/' CONSOLES_GAMES__NINTENDO = '/for-sale/consoles-games/nintendo/137/' CONSOLES_GAMES__PLAYSTATION = '/for-sale/consoles-games/playstation/138/' CONSOLES_GAMES__XBOX = '/for-sale/consoles-games/xbox/139/' CONSOLES_GAMES__OTHER_CONSOLES_GAMES = '/for-sale/consoles-games/other-consoles-games/12/' CRAZY_RANDOM_STUFF = '/for-sale/crazy-random-stuff/32/' DIY_RENOVATION = '/for-sale/diy-renovation/140/' DIY_RENOVATION__BUILDING_MATERIALS = '/for-sale/diy-renovation/building-materials/141/' DIY_RENOVATION__BUILDING_MATERIALS__BATHROOM = '/for-sale/diy-renovation/building-materials/bathroom/995/' DIY_RENOVATION__BUILDING_MATERIALS__DOOR_WINDOWS = '/for-sale/diy-renovation/building-materials/door-windows/997/' DIY_RENOVATION__BUILDING_MATERIALS__HEATING_MATERIALS = '/for-sale/diy-renovation/building-materials/heating-materials/998/' DIY_RENOVATION__BUILDING_MATERIALS__KITCHEN = '/for-sale/diy-renovation/building-materials/kitchen/999/' DIY_RENOVATION__BUILDING_MATERIALS__PLUMBING_GAS = '/for-sale/diy-renovation/building-materials/plumbing-gas/1000/' DIY_RENOVATION__BUILDING_MATERIALS__TILES_FLOORING = '/for-sale/diy-renovation/building-materials/tiles-flooring/996/' DIY_RENOVATION__BUILDING_MATERIALS__OTHER_BUILDING_MATERIALS = '/for-sale/diy-renovation/building-materials/other-building-materials/1001/' DIY_RENOVATION__FIXTURES_FITTINGS = '/for-sale/diy-renovation/fixtures-fittings/142/' DIY_RENOVATION__FIXTURES_FITTINGS__HANDLES = '/for-sale/diy-renovation/fixtures-fittings/handles/1002/' DIY_RENOVATION__FIXTURES_FITTINGS__KNOBS = '/for-sale/diy-renovation/fixtures-fittings/knobs/1004/' DIY_RENOVATION__FIXTURES_FITTINGS__LOCKS_LATCHES = '/for-sale/diy-renovation/fixtures-fittings/locks-latches/1003/' DIY_RENOVATION__FIXTURES_FITTINGS__OTHER_FIXTURES_FITTINGS = '/for-sale/diy-renovation/fixtures-fittings/other-fixtures-fittings/1005/' DIY_RENOVATION__MACHINERY_TOOLS = '/for-sale/diy-renovation/machinery-tools/143/' DIY_RENOVATION__MACHINERY_TOOLS__HAND_TOOLS = '/for-sale/diy-renovation/machinery-tools/hand-tools/1006/' DIY_RENOVATION__MACHINERY_TOOLS__HEAVY_MACHINERY = '/for-sale/diy-renovation/machinery-tools/heavy-machinery/1008/' DIY_RENOVATION__MACHINERY_TOOLS__POWER_TOOLS = '/for-sale/diy-renovation/machinery-tools/power-tools/1007/' DIY_RENOVATION__MACHINERY_TOOLS__TOOL_PARTS_ACCESSORIES = '/for-sale/diy-renovation/machinery-tools/tool-parts-accessories/1009/' DIY_RENOVATION__OTHER_DIY_RENOVATION = '/for-sale/diy-renovation/other-diy-renovation/144/' DVD_CD_MOVIES = '/for-sale/dvd-cd-movies/108/' DVD_CD_MOVIES__BLU_RAY = '/for-sale/dvd-cd-movies/blu-ray/109/' DVD_CD_MOVIES__BULK = '/for-sale/dvd-cd-movies/bulk/110/' DVD_CD_MOVIES__CD = '/for-sale/dvd-cd-movies/cd/111/' DVD_CD_MOVIES__DVD = '/for-sale/dvd-cd-movies/dvd/112/' DVD_CD_MOVIES__TAPES = '/for-sale/dvd-cd-movies/tapes/245/' DVD_CD_MOVIES__VHS = '/for-sale/dvd-cd-movies/vhs/113/' DVD_CD_MOVIES__VINYL = '/for-sale/dvd-cd-movies/vinyl/244/' DVD_CD_MOVIES__OTHER_DVD_CD_MOVIES = '/for-sale/dvd-cd-movies/other-dvd-cd-movies/13/' ELECTRONICS = '/for-sale/electronics/145/' ELECTRONICS__CABLES = '/for-sale/electronics/cables/303353/' ELECTRONICS__DVD_PLAYER_BLU_RAY_AND_VCR = '/for-sale/electronics/dvd-player-blu-ray-and-vcr/146/' ELECTRONICS__E_READERS = '/for-sale/electronics/e-readers/578/' ELECTRONICS__HEADPHONES_EARPHONES = '/for-sale/electronics/headphones-earphones/579/' ELECTRONICS__HOME_AUDIO = '/for-sale/electronics/home-audio/147/' ELECTRONICS__IPOD_MP3 = '/for-sale/electronics/ipod-mp3/150/' ELECTRONICS__MEDIA_PLAYERS = '/for-sale/electronics/media-players/577/' ELECTRONICS__PHONE_FAX = '/for-sale/electronics/phone-fax/148/' ELECTRONICS__PROJECTOR = '/for-sale/electronics/projector/303352/' ELECTRONICS__SAT_NAV = '/for-sale/electronics/sat-nav/303351/' ELECTRONICS__SATELLITE = '/for-sale/electronics/satellite/251/' ELECTRONICS__TV = '/for-sale/electronics/tv/149/' ELECTRONICS__OTHER_ELECTRONICS = '/for-sale/electronics/other-electronics/50/' FARMING = '/for-sale/farming/582/' FARMING__FARM_FEEDS = '/for-sale/farming/farm-feeds/584/' FARMING__FARM_MACHINERY = '/for-sale/farming/farm-machinery/103/' FARMING__FARMING_EQUIPMENT = '/for-sale/farming/farming-equipment/583/' FARMING__LIVESTOCK = '/for-sale/farming/livestock/585/' FARMING__LIVESTOCK__BEEF_CATTLE = '/for-sale/farming/livestock/beef-cattle/586/' FARMING__LIVESTOCK__DAIRY_CATTLE = '/for-sale/farming/livestock/dairy-cattle/596/' FARMING__LIVESTOCK__GOATS = '/for-sale/farming/livestock/goats/597/' FARMING__LIVESTOCK__PIGS = '/for-sale/farming/livestock/pigs/587/' FARMING__LIVESTOCK__POULTRY = '/for-sale/farming/livestock/poultry/598/' FARMING__LIVESTOCK__SHEEP = '/for-sale/farming/livestock/sheep/588/' FARMING__TRACTORS_TRAILERS = '/for-sale/farming/tractors-trailers/589/' FARMING__TRACTORS_TRAILERS__TRACTOR_PARTS = '/for-sale/farming/tractors-trailers/tractor-parts/592/' FARMING__TRACTORS_TRAILERS__TRACTORS = '/for-sale/farming/tractors-trailers/tractors/590/' FARMING__TRACTORS_TRAILERS__TRAILERS_LINK_BOXES = '/for-sale/farming/tractors-trailers/trailers-link-boxes/593/' FARMING__TRACTORS_TRAILERS__VINTAGE_TRACTORS = '/for-sale/farming/tractors-trailers/vintage-tractors/591/' FARMING__TRACTORS_TRAILERS__OTHER_TRACTORS_TRAILERS = '/for-sale/farming/tractors-trailers/other-tractors-trailers/594/' FARMING__OTHER_FARMING = '/for-sale/farming/other-farming/595/' HEALTH_BEAUTY = '/for-sale/health-beauty/151/' HEALTH_BEAUTY__FRAGRANCES = '/for-sale/health-beauty/fragrances/1378/' HEALTH_BEAUTY__FRAGRANCES__MENS_FRAGRANCES = '/for-sale/health-beauty/fragrances/mens-fragrances/155/' HEALTH_BEAUTY__FRAGRANCES__UNISEX_FRAGRANCES = '/for-sale/health-beauty/fragrances/unisex-fragrances/1379/' HEALTH_BEAUTY__FRAGRANCES__WOMENS_FRAGRANCES = '/for-sale/health-beauty/fragrances/womens-fragrances/157/' HEALTH_BEAUTY__HAIR_CARE_GROOMING = '/for-sale/health-beauty/hair-care-grooming/152/' HEALTH_BEAUTY__HEALTHCARE = '/for-sale/health-beauty/healthcare/153/' HEALTH_BEAUTY__MAKEUP_SKIN_CARE = '/for-sale/health-beauty/makeup-skin-care/154/' HEALTH_BEAUTY__MANICURE_PEDICURE = '/for-sale/health-beauty/manicure-pedicure/581/' HEALTH_BEAUTY__OTHER_HEALTH_BEAUTY = '/for-sale/health-beauty/other-health-beauty/158/' HOME_GARDEN = '/for-sale/home-garden/159/' HOME_GARDEN__BATHROOM = '/for-sale/home-garden/bathroom/161/' HOME_GARDEN__BATHROOM__BATHROOM_FITTINGS = '/for-sale/home-garden/bathroom/bathroom-fittings/897/' HOME_GARDEN__BATHROOM__BATHS = '/for-sale/home-garden/bathroom/baths/895/' HOME_GARDEN__BATHROOM__SHOWERS = '/for-sale/home-garden/bathroom/showers/894/' HOME_GARDEN__BATHROOM__TOILETS = '/for-sale/home-garden/bathroom/toilets/896/' HOME_GARDEN__BEDS_BEDROOM = '/for-sale/home-garden/beds-bedroom/162/' HOME_GARDEN__BEDS_BEDROOM__BEDS = '/for-sale/home-garden/beds-bedroom/beds/902/' HOME_GARDEN__BEDS_BEDROOM__BEDS__DOUBLE = '/for-sale/home-garden/beds-bedroom/beds/double/909/' HOME_GARDEN__BEDS_BEDROOM__BEDS__KIDS_BEDS_BUNK_BEDS = '/for-sale/home-garden/beds-bedroom/beds/kids-beds-bunk-beds/912/' HOME_GARDEN__BEDS_BEDROOM__BEDS__KING_SIZE = '/for-sale/home-garden/beds-bedroom/beds/king-size/911/' HOME_GARDEN__BEDS_BEDROOM__BEDS__MATTRESSES = '/for-sale/home-garden/beds-bedroom/beds/mattresses/913/' HOME_GARDEN__BEDS_BEDROOM__BEDS__QUEEN_SIZE = '/for-sale/home-garden/beds-bedroom/beds/queen-size/910/' HOME_GARDEN__BEDS_BEDROOM__BEDS__SINGLE = '/for-sale/home-garden/beds-bedroom/beds/single/908/' HOME_GARDEN__BEDS_BEDROOM__BEDS__SOFA_BEDS = '/for-sale/home-garden/beds-bedroom/beds/sofa-beds/914/' HOME_GARDEN__BEDS_BEDROOM__CHESTS = '/for-sale/home-garden/beds-bedroom/chests/903/' HOME_GARDEN__BEDS_BEDROOM__DRESSING_TABLES = '/for-sale/home-garden/beds-bedroom/dressing-tables/906/' HOME_GARDEN__BEDS_BEDROOM__LOCKERS = '/for-sale/home-garden/beds-bedroom/lockers/904/' HOME_GARDEN__BEDS_BEDROOM__WARDROBES = '/for-sale/home-garden/beds-bedroom/wardrobes/905/' HOME_GARDEN__BEDS_BEDROOM__OTHER = '/for-sale/home-garden/beds-bedroom/other/907/' HOME_GARDEN__BLINDS_CURTAINS = '/for-sale/home-garden/blinds-curtains/163/' HOME_GARDEN__BLINDS_CURTAINS__BLINDS = '/for-sale/home-garden/blinds-curtains/blinds/915/' HOME_GARDEN__BLINDS_CURTAINS__CURTAINS = '/for-sale/home-garden/blinds-curtains/curtains/916/' HOME_GARDEN__BLINDS_CURTAINS__FITTINGS_ACCESSORIES = '/for-sale/home-garden/blinds-curtains/fittings-accessories/917/' HOME_GARDEN__CARPETS_RUGS = '/for-sale/home-garden/carpets-rugs/342/' HOME_GARDEN__CARPETS_RUGS__CARPETS = '/for-sale/home-garden/carpets-rugs/carpets/918/' HOME_GARDEN__CARPETS_RUGS__RUGS = '/for-sale/home-garden/carpets-rugs/rugs/919/' HOME_GARDEN__CELEBRATIONS_AND_OCCASIONS = '/for-sale/home-garden/celebrations-and-occasions/478/' HOME_GARDEN__CELEBRATIONS_AND_OCCASIONS__BIRTHDAY = '/for-sale/home-garden/celebrations-and-occasions/birthday/480/' HOME_GARDEN__CELEBRATIONS_AND_OCCASIONS__CHRISTMAS = '/for-sale/home-garden/celebrations-and-occasions/christmas/481/' HOME_GARDEN__CELEBRATIONS_AND_OCCASIONS__CHRISTMAS__CHRISTMAS_CLOTHES = '/for-sale/home-garden/celebrations-and-occasions/christmas/christmas-clothes/858/' HOME_GARDEN__CELEBRATIONS_AND_OCCASIONS__CHRISTMAS__CHRISTMAS_DECORATIONS = '/for-sale/home-garden/celebrations-and-occasions/christmas/christmas-decorations/853/' HOME_GARDEN__CELEBRATIONS_AND_OCCASIONS__CHRISTMAS__CHRISTMAS_HAMPERS = '/for-sale/home-garden/celebrations-and-occasions/christmas/christmas-hampers/860/' HOME_GARDEN__CELEBRATIONS_AND_OCCASIONS__CHRISTMAS__CHRISTMAS_LIGHTS = '/for-sale/home-garden/celebrations-and-occasions/christmas/christmas-lights/857/' HOME_GARDEN__CELEBRATIONS_AND_OCCASIONS__CHRISTMAS__CHRISTMAS_STOCKINGS = '/for-sale/home-garden/celebrations-and-occasions/christmas/christmas-stockings/859/' HOME_GARDEN__CELEBRATIONS_AND_OCCASIONS__CHRISTMAS__CHRISTMAS_TABLEWARE = '/for-sale/home-garden/celebrations-and-occasions/christmas/christmas-tableware/855/' HOME_GARDEN__CELEBRATIONS_AND_OCCASIONS__CHRISTMAS__CHRISTMAS_TREES_STANDS = '/for-sale/home-garden/celebrations-and-occasions/christmas/christmas-trees-stands/854/' HOME_GARDEN__CELEBRATIONS_AND_OCCASIONS__CHRISTMAS__CHRISTMAS_WREATHS_GARLANDS_PLANTS = '/for-sale/home-garden/celebrations-and-occasions/christmas/christmas-wreaths-garlands-plants/856/' HOME_GARDEN__CELEBRATIONS_AND_OCCASIONS__CHRISTMAS__OTHER_CHRISTMAS_ITEMS = '/for-sale/home-garden/celebrations-and-occasions/christmas/other-christmas-items/861/' HOME_GARDEN__CELEBRATIONS_AND_OCCASIONS__GREETINGS_CARDS = '/for-sale/home-garden/celebrations-and-occasions/greetings-cards/482/' HOME_GARDEN__HALLOWEEN_DECORATIONS = '/for-sale/home-garden/halloween-decorations/303509/' HOME_GARDEN__CELEBRATIONS_AND_OCCASIONS__HAMPERS = '/for-sale/home-garden/celebrations-and-occasions/hampers/488/' HOME_GARDEN__CELEBRATIONS_AND_OCCASIONS__HEN_STAG_PARTY_SUPPLIES = '/for-sale/home-garden/celebrations-and-occasions/hen-stag-party-supplies/599/' HOME_GARDEN__CELEBRATIONS_AND_OCCASIONS__WEDDING__PARTY_DECORATIONS_AND_SUPPLIES = '/for-sale/home-garden/celebrations-and-occasions/wedding/party-decorations-and-supplies/486/' HOME_GARDEN__CELEBRATIONS_AND_OCCASIONS__WEDDING__OTHER_CELEBRATIONS_AND_OCCASIONS = '/for-sale/home-garden/celebrations-and-occasions/wedding/other-celebrations-and-occasions/487/' HOME_GARDEN__DINING_UTENSILS = '/for-sale/home-garden/dining-utensils/959/' HOME_GARDEN__DINING_UTENSILS__CUPS_GLASSES = '/for-sale/home-garden/dining-utensils/cups-glasses/963/' HOME_GARDEN__DINING_UTENSILS__DINNERWARE = '/for-sale/home-garden/dining-utensils/dinnerware/964/' HOME_GARDEN__DINING_UTENSILS__PANS_BAKEWARE = '/for-sale/home-garden/dining-utensils/pans-bakeware/961/' HOME_GARDEN__DINING_UTENSILS__POTS = '/for-sale/home-garden/dining-utensils/pots/960/' HOME_GARDEN__DINING_UTENSILS__UTENSILS_CUTLERY = '/for-sale/home-garden/dining-utensils/utensils-cutlery/962/' HOME_GARDEN__DINING_UTENSILS__OTHER_DINING_UTENSILS = '/for-sale/home-garden/dining-utensils/other-dining-utensils/965/' HOME_GARDEN__FURNITURE = '/for-sale/home-garden/furniture/270/' HOME_GARDEN__FURNITURE__ARMCHAIRS = '/for-sale/home-garden/furniture/armchairs/867/' HOME_GARDEN__FURNITURE__BOOKCASES = '/for-sale/home-garden/furniture/bookcases/869/' HOME_GARDEN__FURNITURE__CABINETS = '/for-sale/home-garden/furniture/cabinets/863/' HOME_GARDEN__FURNITURE__COFFEE_TABLES = '/for-sale/home-garden/furniture/coffee-tables/864/' HOME_GARDEN__FURNITURE__DINING_TABLES_CHAIRS = '/for-sale/home-garden/furniture/dining-tables-chairs/865/' HOME_GARDEN__FURNITURE__OCCASIONAL_FURNITURE = '/for-sale/home-garden/furniture/occasional-furniture/866/' HOME_GARDEN__FURNITURE__SOFAS_SUITES = '/for-sale/home-garden/furniture/sofas-suites/862/' HOME_GARDEN__FURNITURE__STOOLS = '/for-sale/home-garden/furniture/stools/868/' HOME_GARDEN__FURNITURE__OTHER_FURNITURE = '/for-sale/home-garden/furniture/other-furniture/870/' GARDEN_PATIO = '/for-sale/garden-patio/1162/' HOME_GARDEN__GARDEN_PATIO__BBQ_S_OUTDOOR_HEATERS = '/for-sale/home-garden/garden-patio/bbq-s-outdoor-heaters/160/' HOME_GARDEN__GARDEN_PATIO__BBQ_S_OUTDOOR_HEATERS__BBQ_ACCESSORIES = '/for-sale/home-garden/garden-patio/bbq-s-outdoor-heaters/bbq-accessories/901/' HOME_GARDEN__GARDEN_PATIO__BBQ_S_OUTDOOR_HEATERS__CHARCOAL_BBQ_S = '/for-sale/home-garden/garden-patio/bbq-s-outdoor-heaters/charcoal-bbq-s/899/' HOME_GARDEN__GARDEN_PATIO__BBQ_S_OUTDOOR_HEATERS__GAS_BBQ_S = '/for-sale/home-garden/garden-patio/bbq-s-outdoor-heaters/gas-bbq-s/898/' HOME_GARDEN__GARDEN_PATIO__BBQ_S_OUTDOOR_HEATERS__OUTDOOR_HEATERS = '/for-sale/home-garden/garden-patio/bbq-s-outdoor-heaters/outdoor-heaters/900/' HOME_GARDEN__GARDEN_PATIO__GARDEN_FURNITURE = '/for-sale/home-garden/garden-patio/garden-furniture/164/' HOME_GARDEN__GARDEN_PATIO__GARDEN_FURNITURE__BENCHES = '/for-sale/home-garden/garden-patio/garden-furniture/benches/921/' HOME_GARDEN__GARDEN_PATIO__GARDEN_FURNITURE__GAZEBOS = '/for-sale/home-garden/garden-patio/garden-furniture/gazebos/924/' HOME_GARDEN__GARDEN_PATIO__GARDEN_FURNITURE__TABLES_CHAIRS = '/for-sale/home-garden/garden-patio/garden-furniture/tables-chairs/920/' HOME_GARDEN__GARDEN_PATIO__GARDEN_FURNITURE__UMBRELLAS = '/for-sale/home-garden/garden-patio/garden-furniture/umbrellas/926/' HOME_GARDEN__GARDEN_PATIO__GARDEN_FURNITURE__OTHER = '/for-sale/home-garden/garden-patio/garden-furniture/other/1163/' HOME_GARDEN__GARDEN_PATIO__GARDEN_TOOLS = '/for-sale/home-garden/garden-patio/garden-tools/165/' HOME_GARDEN__GARDEN_PATIO__GARDEN_TOOLS__CHAINSAWS = '/for-sale/home-garden/garden-patio/garden-tools/chainsaws/931/' HOME_GARDEN__GARDEN_PATIO__GARDEN_TOOLS__HAND_TOOLS = '/for-sale/home-garden/garden-patio/garden-tools/hand-tools/1164/' HOME_GARDEN__GARDEN_PATIO__GARDEN_TOOLS__HEDGE_CUTTERS = '/for-sale/home-garden/garden-patio/garden-tools/hedge-cutters/929/' HOME_GARDEN__GARDEN_PATIO__GARDEN_TOOLS__POWER_WASHERS = '/for-sale/home-garden/garden-patio/garden-tools/power-washers/930/' HOME_GARDEN__GARDEN_PATIO__GARDEN_TOOLS__STRIMMERS = '/for-sale/home-garden/garden-patio/garden-tools/strimmers/928/' HOME_GARDEN__GARDEN_PATIO__GARDEN_TOOLS__OTHER = '/for-sale/home-garden/garden-patio/garden-tools/other/932/' HOME_GARDEN__GARDEN_PATIO__LAWNMOWERS = '/for-sale/home-garden/garden-patio/lawnmowers/927/' HOME_GARDEN__GARDEN_PATIO__LAWNMOWERS__ELECTRIC = '/for-sale/home-garden/garden-patio/lawnmowers/electric/1166/' HOME_GARDEN__GARDEN_PATIO__LAWNMOWERS__MANUAL = '/for-sale/home-garden/garden-patio/lawnmowers/manual/1168/' HOME_GARDEN__GARDEN_PATIO__LAWNMOWERS__PETROL = '/for-sale/home-garden/garden-patio/lawnmowers/petrol/1165/' HOME_GARDEN__GARDEN_PATIO__LAWNMOWERS__RIDE_ON = '/for-sale/home-garden/garden-patio/lawnmowers/ride-on/1167/' HOME_GARDEN__GARDEN_PATIO__SHEDS_GARDEN_STORAGE = '/for-sale/home-garden/garden-patio/sheds-garden-storage/170/' HOME_GARDEN__GARDEN_PATIO__SHEDS_GARDEN_STORAGE__GARDEN_STORAGE = '/for-sale/home-garden/garden-patio/sheds-garden-storage/garden-storage/1170/' HOME_GARDEN__GARDEN_PATIO__SHEDS_GARDEN_STORAGE__SHEDS = '/for-sale/home-garden/garden-patio/sheds-garden-storage/sheds/1169/' HOME_GARDEN__GARDEN_PATIO__STATUES_ORNAMENTS_BIRD_BOXES = '/for-sale/home-garden/garden-patio/statues-ornaments-bird-boxes/1171/' HOME_GARDEN__GARDEN_PATIO__STATUES_ORNAMENTS_BIRD_BOXES__BIRD_BOXES = '/for-sale/home-garden/garden-patio/statues-ornaments-bird-boxes/bird-boxes/925/' HOME_GARDEN__GARDEN_PATIO__STATUES_ORNAMENTS_BIRD_BOXES__GARDEN_ORNAMENTS = '/for-sale/home-garden/garden-patio/statues-ornaments-bird-boxes/garden-ornaments/1172/' HOME_GARDEN__GARDEN_PATIO__STATUES_ORNAMENTS_BIRD_BOXES__GARDEN_STATUES = '/for-sale/home-garden/garden-patio/statues-ornaments-bird-boxes/garden-statues/923/' HOME_GARDEN__GARDEN_PATIO__TREES_PLANTS_POTS = '/for-sale/home-garden/garden-patio/trees-plants-pots/1173/' HOME_GARDEN__GARDEN_PATIO__TREES_PLANTS_POTS__PLANTS_TREES = '/for-sale/home-garden/garden-patio/trees-plants-pots/plants-trees/169/' HOME_GARDEN__GARDEN_PATIO__TREES_PLANTS_POTS__POTS = '/for-sale/home-garden/garden-patio/trees-plants-pots/pots/1174/' HOME_GARDEN__GARDEN_PATIO__TREES_PLANTS_POTS__SEEDS_BULBS = '/for-sale/home-garden/garden-patio/trees-plants-pots/seeds-bulbs/1175/' HOME_GARDEN__GARDEN_PATIO__TREES_PLANTS_POTS__SOIL_GRAVEL = '/for-sale/home-garden/garden-patio/trees-plants-pots/soil-gravel/1176/' HOME_GARDEN__GLASS_CRYSTAL = '/for-sale/home-garden/glass-crystal/343/' HOME_GARDEN__GLASS_CRYSTAL__GLASS = '/for-sale/home-garden/glass-crystal/glass/936/' HOME_GARDEN__GLASS_CRYSTAL__TIPPERARY = '/for-sale/home-garden/glass-crystal/tipperary/934/' HOME_GARDEN__GLASS_CRYSTAL__WATERFORD = '/for-sale/home-garden/glass-crystal/waterford/933/' HOME_GARDEN__GLASS_CRYSTAL__OTHER_CRYSTAL = '/for-sale/home-garden/glass-crystal/other-crystal/935/' HOME_GARDEN__HEATING = '/for-sale/home-garden/heating/253/' HOME_GARDEN__HEATING__BOILERS = '/for-sale/home-garden/heating/boilers/941/' HOME_GARDEN__HEATING__ELECTRIC = '/for-sale/home-garden/heating/electric/938/' HOME_GARDEN__HEATING__FIREPLACES = '/for-sale/home-garden/heating/fireplaces/1262/' HOME_GARDEN__HEATING__GAS = '/for-sale/home-garden/heating/gas/937/' HOME_GARDEN__HEATING__RADIATORS = '/for-sale/home-garden/heating/radiators/939/' HOME_GARDEN__HEATING__STOVES = '/for-sale/home-garden/heating/stoves/940/' HOME_GARDEN__HOME_DECOR = '/for-sale/home-garden/home-decor/166/' HOME_GARDEN__HOME_DECOR__BASKETS = '/for-sale/home-garden/home-decor/baskets/942/' HOME_GARDEN__HOME_DECOR__CANDLES_CANDLE_HOLDERS = '/for-sale/home-garden/home-decor/candles-candle-holders/943/' HOME_GARDEN__HOME_DECOR__CLOCKS = '/for-sale/home-garden/home-decor/clocks/944/' HOME_GARDEN__HOME_DECOR__CUSHIONS = '/for-sale/home-garden/home-decor/cushions/945/' HOME_GARDEN__HOME_DECOR__FLOWERS = '/for-sale/home-garden/home-decor/flowers/946/' HOME_GARDEN__HOME_DECOR__FRAMES = '/for-sale/home-garden/home-decor/frames/947/' HOME_GARDEN__HOME_DECOR__MIRRORS = '/for-sale/home-garden/home-decor/mirrors/948/' HOME_GARDEN__HOME_DECOR__ORNAMENTS = '/for-sale/home-garden/home-decor/ornaments/949/' HOME_GARDEN__HOME_DECOR__OTHER_HOME_DECOR = '/for-sale/home-garden/home-decor/other-home-decor/950/' HOME_GARDEN__HOME_STORAGE = '/for-sale/home-garden/home-storage/1161/' HOME_GARDEN__KITCHEN_APPLIANCES = '/for-sale/home-garden/kitchen-appliances/167/' HOME_GARDEN__KITCHEN_APPLIANCES__DISHWASHERS = '/for-sale/home-garden/kitchen-appliances/dishwashers/871/' HOME_GARDEN__KITCHEN_APPLIANCES__FREEZERS = '/for-sale/home-garden/kitchen-appliances/freezers/877/' HOME_GARDEN__KITCHEN_APPLIANCES__FRIDGES = '/for-sale/home-garden/kitchen-appliances/fridges/872/' HOME_GARDEN__KITCHEN_APPLIANCES__HOBS = '/for-sale/home-garden/kitchen-appliances/hobs/876/' HOME_GARDEN__KITCHEN_APPLIANCES__MICROWAVES = '/for-sale/home-garden/kitchen-appliances/microwaves/874/' HOME_GARDEN__KITCHEN_APPLIANCES__OVENS = '/for-sale/home-garden/kitchen-appliances/ovens/875/' HOME_GARDEN__KITCHEN_APPLIANCES__SMALL_KITCHEN_APPLIANCES = '/for-sale/home-garden/kitchen-appliances/small-kitchen-appliances/878/' HOME_GARDEN__KITCHEN_APPLIANCES__WASHING_MACHINES = '/for-sale/home-garden/kitchen-appliances/washing-machines/873/' HOME_GARDEN__LAUNDRY_CLEANING = '/for-sale/home-garden/laundry-cleaning/168/' HOME_GARDEN__LAUNDRY_CLEANING__CLEANING_MATERIALS = '/for-sale/home-garden/laundry-cleaning/cleaning-materials/971/' HOME_GARDEN__LAUNDRY_CLEANING__CLOTHES_LINES = '/for-sale/home-garden/laundry-cleaning/clothes-lines/968/' HOME_GARDEN__LAUNDRY_CLEANING__IRONING_BOARDS = '/for-sale/home-garden/laundry-cleaning/ironing-boards/967/' HOME_GARDEN__LAUNDRY_CLEANING__IRONS = '/for-sale/home-garden/laundry-cleaning/irons/966/' HOME_GARDEN__LAUNDRY_CLEANING__TUMBLE_DRYERS = '/for-sale/home-garden/laundry-cleaning/tumble-dryers/969/' HOME_GARDEN__LAUNDRY_CLEANING__VACUUM_CLEANERS = '/for-sale/home-garden/laundry-cleaning/vacuum-cleaners/970/' HOME_GARDEN__LAUNDRY_CLEANING__OTHER_LAUNDRY_CLEANING = '/for-sale/home-garden/laundry-cleaning/other-laundry-cleaning/972/' HOME_GARDEN__LIGHTING = '/for-sale/home-garden/lighting/580/' HOME_GARDEN__LIGHTING__CEILING_LIGHTS = '/for-sale/home-garden/lighting/ceiling-lights/975/' HOME_GARDEN__LIGHTING__FLOOR_LAMPS = '/for-sale/home-garden/lighting/floor-lamps/974/' HOME_GARDEN__LIGHTING__LIGHT_BULBS = '/for-sale/home-garden/lighting/light-bulbs/977/' HOME_GARDEN__LIGHTING__TABLE_LAMPS = '/for-sale/home-garden/lighting/table-lamps/973/' HOME_GARDEN__LIGHTING__WALL_LIGHTS = '/for-sale/home-garden/lighting/wall-lights/976/' HOME_GARDEN__OTHER_HOME_GARDEN = '/for-sale/home-garden/other-home-garden/171/' JEWELLERY_WATCHES = '/for-sale/jewellery-watches/172/' JEWELLERY_WATCHES__BRACELETS_BANGLES = '/for-sale/jewellery-watches/bracelets-bangles/173/' JEWELLERY_WATCHES__BRACELETS_BANGLES__BANGLES = '/for-sale/jewellery-watches/bracelets-bangles/bangles/1057/' JEWELLERY_WATCHES__BRACELETS_BANGLES__BEADED = '/for-sale/jewellery-watches/bracelets-bangles/beaded/1059/' JEWELLERY_WATCHES__BRACELETS_BANGLES__CHARM = '/for-sale/jewellery-watches/bracelets-bangles/charm/1058/' JEWELLERY_WATCHES__BRACELETS_BANGLES__COSTUME = '/for-sale/jewellery-watches/bracelets-bangles/costume/1063/' JEWELLERY_WATCHES__BRACELETS_BANGLES__DIAMOND = '/for-sale/jewellery-watches/bracelets-bangles/diamond/1065/' JEWELLERY_WATCHES__BRACELETS_BANGLES__GOLD = '/for-sale/jewellery-watches/bracelets-bangles/gold/1061/' JEWELLERY_WATCHES__BRACELETS_BANGLES__LEATHER = '/for-sale/jewellery-watches/bracelets-bangles/leather/1062/' JEWELLERY_WATCHES__BRACELETS_BANGLES__PEARL = '/for-sale/jewellery-watches/bracelets-bangles/pearl/1064/' JEWELLERY_WATCHES__BRACELETS_BANGLES__SILVER = '/for-sale/jewellery-watches/bracelets-bangles/silver/1060/' JEWELLERY_WATCHES__BROOCHES = '/for-sale/jewellery-watches/brooches/174/' JEWELLERY_WATCHES__EARRINGS = '/for-sale/jewellery-watches/earrings/175/' JEWELLERY_WATCHES__EARRINGS__COSTUME = '/for-sale/jewellery-watches/earrings/costume/1068/' JEWELLERY_WATCHES__EARRINGS__DIAMOND = '/for-sale/jewellery-watches/earrings/diamond/1070/' JEWELLERY_WATCHES__EARRINGS__DROP = '/for-sale/jewellery-watches/earrings/drop/1071/' JEWELLERY_WATCHES__EARRINGS__GOLD = '/for-sale/jewellery-watches/earrings/gold/1066/' JEWELLERY_WATCHES__EARRINGS__PEARL = '/for-sale/jewellery-watches/earrings/pearl/1069/' JEWELLERY_WATCHES__EARRINGS__SILVER = '/for-sale/jewellery-watches/earrings/silver/1067/' JEWELLERY_WATCHES__EARRINGS__STUD = '/for-sale/jewellery-watches/earrings/stud/1072/' JEWELLERY_WATCHES__KIDS_WATCHES = '/for-sale/jewellery-watches/kids-watches/176/' JEWELLERY_WATCHES__MATCHING_SETS = '/for-sale/jewellery-watches/matching-sets/256/' JEWELLERY_WATCHES__MATCHING_SETS__BEADED = '/for-sale/jewellery-watches/matching-sets/beaded/1075/' JEWELLERY_WATCHES__MATCHING_SETS__CHARM = '/for-sale/jewellery-watches/matching-sets/charm/1076/' JEWELLERY_WATCHES__MATCHING_SETS__COSTUME = '/for-sale/jewellery-watches/matching-sets/costume/1079/' JEWELLERY_WATCHES__MATCHING_SETS__CRYSTAL = '/for-sale/jewellery-watches/matching-sets/crystal/1077/' JEWELLERY_WATCHES__MATCHING_SETS__GOLD = '/for-sale/jewellery-watches/matching-sets/gold/1074/' JEWELLERY_WATCHES__MATCHING_SETS__PEARL = '/for-sale/jewellery-watches/matching-sets/pearl/1078/' JEWELLERY_WATCHES__MATCHING_SETS__SILVER = '/for-sale/jewellery-watches/matching-sets/silver/1073/' JEWELLERY_WATCHES__MENS_WATCHES = '/for-sale/jewellery-watches/mens-watches/177/' JEWELLERY_WATCHES__MENS_WATCHES__CASUAL = '/for-sale/jewellery-watches/mens-watches/casual/1080/' JEWELLERY_WATCHES__MENS_WATCHES__DRESS = '/for-sale/jewellery-watches/mens-watches/dress/1081/' JEWELLERY_WATCHES__MENS_WATCHES__SPORTS = '/for-sale/jewellery-watches/mens-watches/sports/1082/' JEWELLERY_WATCHES__MENS_WATCHES__VINTAGE = '/for-sale/jewellery-watches/mens-watches/vintage/1083/' JEWELLERY_WATCHES__NECKLACES_PENDANTS = '/for-sale/jewellery-watches/necklaces-pendants/178/' JEWELLERY_WATCHES__NECKLACES_PENDANTS__BEADED = '/for-sale/jewellery-watches/necklaces-pendants/beaded/1085/' JEWELLERY_WATCHES__NECKLACES_PENDANTS__CHARM = '/for-sale/jewellery-watches/necklaces-pendants/charm/1084/' JEWELLERY_WATCHES__NECKLACES_PENDANTS__COSTUME = '/for-sale/jewellery-watches/necklaces-pendants/costume/1090/' JEWELLERY_WATCHES__NECKLACES_PENDANTS__CRYSTAL = '/for-sale/jewellery-watches/necklaces-pendants/crystal/1087/' JEWELLERY_WATCHES__NECKLACES_PENDANTS__DIAMOND = '/for-sale/jewellery-watches/necklaces-pendants/diamond/1089/' JEWELLERY_WATCHES__NECKLACES_PENDANTS__GOLD = '/for-sale/jewellery-watches/necklaces-pendants/gold/1263/' JEWELLERY_WATCHES__NECKLACES_PENDANTS__PEARL = '/for-sale/jewellery-watches/necklaces-pendants/pearl/1088/' JEWELLERY_WATCHES__NECKLACES_PENDANTS__SILVER = '/for-sale/jewellery-watches/necklaces-pendants/silver/1086/' JEWELLERY_WATCHES__RINGS = '/for-sale/jewellery-watches/rings/179/' JEWELLERY_WATCHES__RINGS__COSTUME = '/for-sale/jewellery-watches/rings/costume/1096/' JEWELLERY_WATCHES__RINGS__DIAMOND = '/for-sale/jewellery-watches/rings/diamond/1094/' JEWELLERY_WATCHES__RINGS__ENGAGEMENT = '/for-sale/jewellery-watches/rings/engagement/1095/' JEWELLERY_WATCHES__RINGS__GOLD = '/for-sale/jewellery-watches/rings/gold/1091/' JEWELLERY_WATCHES__RINGS__PLATINUM = '/for-sale/jewellery-watches/rings/platinum/1093/' JEWELLERY_WATCHES__RINGS__SILVER = '/for-sale/jewellery-watches/rings/silver/1092/' JEWELLERY_WATCHES__WOMENS_WATCHES = '/for-sale/jewellery-watches/womens-watches/180/' JEWELLERY_WATCHES__WOMENS_WATCHES__CASUAL = '/for-sale/jewellery-watches/womens-watches/casual/1097/' JEWELLERY_WATCHES__WOMENS_WATCHES__DRESS = '/for-sale/jewellery-watches/womens-watches/dress/1098/' JEWELLERY_WATCHES__WOMENS_WATCHES__SPORTS = '/for-sale/jewellery-watches/womens-watches/sports/1099/' JEWELLERY_WATCHES__WOMENS_WATCHES__VINTAGE = '/for-sale/jewellery-watches/womens-watches/vintage/1100/' JEWELLERY_WATCHES__OTHER_JEWELLERY_WATCHES = '/for-sale/jewellery-watches/other-jewellery-watches/181/' JOBS = '/jobs/3/' MOBILE_PHONES_ACCESSORIES = '/for-sale/mobile-phones-accessories/185/' MOBILE_PHONES_ACCESSORIES__ACCESSORIES = '/for-sale/mobile-phones-accessories/accessories/186/' MOBILE_PHONES_ACCESSORIES__ACCESSORIES__BATTERIES = '/for-sale/mobile-phones-accessories/accessories/batteries/1101/' MOBILE_PHONES_ACCESSORIES__ACCESSORIES__BLUETOOTH = '/for-sale/mobile-phones-accessories/accessories/bluetooth/1105/' MOBILE_PHONES_ACCESSORIES__ACCESSORIES__CABLES = '/for-sale/mobile-phones-accessories/accessories/cables/1102/' MOBILE_PHONES_ACCESSORIES__ACCESSORIES__CAR_KITS = '/for-sale/mobile-phones-accessories/accessories/car-kits/1103/' MOBILE_PHONES_ACCESSORIES__ACCESSORIES__CASES_COVERS = '/for-sale/mobile-phones-accessories/accessories/cases-covers/1104/' MOBILE_PHONES_ACCESSORIES__ACCESSORIES__SCREEN_PROTECTORS = '/for-sale/mobile-phones-accessories/accessories/screen-protectors/1106/' MOBILE_PHONES_ACCESSORIES__ACCESSORIES__OTHER_ACCESSORIES = '/for-sale/mobile-phones-accessories/accessories/other-accessories/1107/' MOBILE_PHONES_ACCESSORIES__CHARGER = '/for-sale/mobile-phones-accessories/charger/187/' MOBILE_PHONES_ACCESSORIES__CHARGER__APPLE = '/for-sale/mobile-phones-accessories/charger/apple/1113/' MOBILE_PHONES_ACCESSORIES__CHARGER__BLACKBERRY = '/for-sale/mobile-phones-accessories/charger/blackberry/1108/' MOBILE_PHONES_ACCESSORIES__CHARGER__HTC = '/for-sale/mobile-phones-accessories/charger/htc/1112/' MOBILE_PHONES_ACCESSORIES__CHARGER__LG = '/for-sale/mobile-phones-accessories/charger/lg/1110/' MOBILE_PHONES_ACCESSORIES__CHARGER__MOTOROLA = '/for-sale/mobile-phones-accessories/charger/motorola/1114/' MOBILE_PHONES_ACCESSORIES__CHARGER__NOKIA = '/for-sale/mobile-phones-accessories/charger/nokia/1109/' MOBILE_PHONES_ACCESSORIES__CHARGER__SAMSUNG = '/for-sale/mobile-phones-accessories/charger/samsung/1111/' MOBILE_PHONES_ACCESSORIES__CHARGER__SONYERICSSON = '/for-sale/mobile-phones-accessories/charger/sonyericsson/1115/' MOBILE_PHONES_ACCESSORIES__CHARGER__OTHER_MOBILES = '/for-sale/mobile-phones-accessories/charger/other-mobiles/1116/' MOBILE_PHONES_ACCESSORIES__MOBILE_PHONES = '/for-sale/mobile-phones-accessories/mobile-phones/188/' MOBILE_PHONES_ACCESSORIES__MOBILE_PHONES__APPLE = '/for-sale/mobile-phones-accessories/mobile-phones/apple/1122/' MOBILE_PHONES_ACCESSORIES__MOBILE_PHONES__BLACKBERRY = '/for-sale/mobile-phones-accessories/mobile-phones/blackberry/1117/' MOBILE_PHONES_ACCESSORIES__MOBILE_PHONES__HTC = '/for-sale/mobile-phones-accessories/mobile-phones/htc/1121/' MOBILE_PHONES_ACCESSORIES__MOBILE_PHONES__LG = '/for-sale/mobile-phones-accessories/mobile-phones/lg/1119/' MOBILE_PHONES_ACCESSORIES__MOBILE_PHONES__MOTOROLA = '/for-sale/mobile-phones-accessories/mobile-phones/motorola/1123/' MOBILE_PHONES_ACCESSORIES__MOBILE_PHONES__NEXUS = '/for-sale/mobile-phones-accessories/mobile-phones/nexus/1125/' MOBILE_PHONES_ACCESSORIES__MOBILE_PHONES__NOKIA = '/for-sale/mobile-phones-accessories/mobile-phones/nokia/1118/' MOBILE_PHONES_ACCESSORIES__MOBILE_PHONES__SAMSUNG = '/for-sale/mobile-phones-accessories/mobile-phones/samsung/1120/' MOBILE_PHONES_ACCESSORIES__MOBILE_PHONES__SONYERICSSON = '/for-sale/mobile-phones-accessories/mobile-phones/sonyericsson/1124/' MOBILE_PHONES_ACCESSORIES__MOBILE_PHONES__OTHER_MOBILES = '/for-sale/mobile-phones-accessories/mobile-phones/other-mobiles/1126/' MOBILE_PHONES_ACCESSORIES__PDAS = '/for-sale/mobile-phones-accessories/pdas/257/' MOBILE_PHONES_ACCESSORIES__OTHER_MOBILE_PHONES_ACCESSORIES = '/for-sale/mobile-phones-accessories/other-mobile-phones-accessories/14/' MUSIC_INSTRUMENTS_EQUIPMENT = '/for-sale/music-instruments-equipment/54/' MUSIC_INSTRUMENTS_EQUIPMENT__BRASS_WIND_INSTRUMENTS = '/for-sale/music-instruments-equipment/brass-wind-instruments/195/' MUSIC_INSTRUMENTS_EQUIPMENT__DJ_EQUIPMENT = '/for-sale/music-instruments-equipment/dj-equipment/420/' MUSIC_INSTRUMENTS_EQUIPMENT__DJ_EFFECTS = '/for-sale/music-instruments-equipment/dj-effects/426/' MUSIC_INSTRUMENTS_EQUIPMENT__DJ_MIXERS = '/for-sale/music-instruments-equipment/dj-mixers/425/' MUSIC_INSTRUMENTS_EQUIPMENT__DJ_SETS = '/for-sale/music-instruments-equipment/dj-sets/427/' MUSIC_INSTRUMENTS_EQUIPMENT__CD_PLAYERS = '/for-sale/music-instruments-equipment/cd-players/422/' MUSIC_INSTRUMENTS_EQUIPMENT__TURNTABLES = '/for-sale/music-instruments-equipment/Turntables/421/' MUSIC_INSTRUMENTS_EQUIPMENT__OTHER_DJ_EQUIPMENT = '/for-sale/music-instruments-equipment/other-dj-equipment/428/' MUSIC_INSTRUMENTS_EQUIPMENT__DRUMS_PERCUSSION = '/for-sale/music-instruments-equipment/drums-percussion/190/' MUSIC_INSTRUMENTS_EQUIPMENT__DRUMS = '/for-sale/music-instruments-equipment/drums/431/' MUSIC_INSTRUMENTS_EQUIPMENT__DRUMS__CYMBALS = '/for-sale/music-instruments-equipment/drums/cymbals/435/' MUSIC_INSTRUMENTS_EQUIPMENT__DRUMS__DRUM_ACCESSORIES = '/for-sale/music-instruments-equipment/drums/drum-accessories/437/' MUSIC_INSTRUMENTS_EQUIPMENT__DRUMS__DRUM_HARDWARE = '/for-sale/music-instruments-equipment/drums/drum-hardware/436/' MUSIC_INSTRUMENTS_EQUIPMENT__DRUMS__DRUM_KITS = '/for-sale/music-instruments-equipment/drums/drum-kits/432/' MUSIC_INSTRUMENTS_EQUIPMENT__DRUMS_PERCUSSION__DRUMS__ELECTRONIC_DRUMS = '/for-sale/music-instruments-equipment/drums-percussion/drums/electronic-drums/1381/' MUSIC_INSTRUMENTS_EQUIPMENT__DRUMS__SNARES = '/for-sale/music-instruments-equipment/drums/snares/433/' MUSIC_INSTRUMENTS_EQUIPMENT__DRUMS__TOMS = '/for-sale/music-instruments-equipment/drums/toms/434/' MUSIC_INSTRUMENTS_EQUIPMENT__PERCUSSION = '/for-sale/music-instruments-equipment/percussion/429/' MUSIC_INSTRUMENTS_EQUIPMENT__OTHER_DRUMS_PERCUSSION = '/for-sale/music-instruments-equipment/other-drums-percussion/430/' MUSIC_INSTRUMENTS_EQUIPMENT__GUITAR_BASS = '/for-sale/music-instruments-equipment/guitar-bass/191/' MUSIC_INSTRUMENTS_EQUIPMENT__GUITAR_BASS__BASSES = '/for-sale/music-instruments-equipment/guitar-bass/basses/448/' MUSIC_INSTRUMENTS_EQUIPMENT__GUITAR_BASS__BASSES__ACOUSTIC_BASSES = '/for-sale/music-instruments-equipment/guitar-bass/basses/acoustic-basses/450/' MUSIC_INSTRUMENTS_EQUIPMENT__GUITAR_BASS__BASSES__BASS_ACCESSORIES = '/for-sale/music-instruments-equipment/guitar-bass/basses/bass-accessories/453/' MUSIC_INSTRUMENTS_EQUIPMENT__GUITAR_BASS__BASSES__BASS_AMPS = '/for-sale/music-instruments-equipment/guitar-bass/basses/bass-amps/451/' MUSIC_INSTRUMENTS_EQUIPMENT__GUITAR_BASS__BASSES__BASS_EFFECTS = '/for-sale/music-instruments-equipment/guitar-bass/basses/bass-effects/452/' MUSIC_INSTRUMENTS_EQUIPMENT__GUITAR_BASS__BASSES__ELECTRIC_BASSES = '/for-sale/music-instruments-equipment/guitar-bass/basses/electric-basses/474/' MUSIC_INSTRUMENTS_EQUIPMENT__GUITAR_BASS__BASSES__JAZZ_BASSES = '/for-sale/music-instruments-equipment/guitar-bass/basses/jazz-basses/449/' MUSIC_INSTRUMENTS_EQUIPMENT__GUITAR_BASS__BASSES__OTHER_BASSES = '/for-sale/music-instruments-equipment/guitar-bass/basses/other-basses/454/' MUSIC_INSTRUMENTS_EQUIPMENT__GUITAR_BASS__GUITARS = '/for-sale/music-instruments-equipment/guitar-bass/guitars/439/' MUSIC_INSTRUMENTS_EQUIPMENT__GUITAR_BASS__GUITARS__ACOUSTIC_GUITARS = '/for-sale/music-instruments-equipment/guitar-bass/guitars/acoustic-guitars/440/' MUSIC_INSTRUMENTS_EQUIPMENT__GUITAR_BASS__GUITARS__CLASSICAL_GUITARS = '/for-sale/music-instruments-equipment/guitar-bass/guitars/classical-guitars/442/' MUSIC_INSTRUMENTS_EQUIPMENT__GUITAR_BASS__GUITARS__ELECTRIC_GUITARS = '/for-sale/music-instruments-equipment/guitar-bass/guitars/electric-guitars/441/' MUSIC_INSTRUMENTS_EQUIPMENT__GUITAR_BASS__GUITARS__GUITAR_ACCESSORIES = '/for-sale/music-instruments-equipment/guitar-bass/guitars/guitar-accessories/446/' MUSIC_INSTRUMENTS_EQUIPMENT__GUITAR_BASS__GUITARS__GUITAR_AMPS = '/for-sale/music-instruments-equipment/guitar-bass/guitars/guitar-amps/444/' MUSIC_INSTRUMENTS_EQUIPMENT__GUITAR_BASS__GUITARS__GUITAR_EFFECTS = '/for-sale/music-instruments-equipment/guitar-bass/guitars/guitar-effects/445/' MUSIC_INSTRUMENTS_EQUIPMENT__PRO_AUDIO__MICROPHONES = '/for-sale/music-instruments-equipment/pro-audio/microphones/463/' MUSIC_INSTRUMENTS_EQUIPMENT__PRO_AUDIO__MIXING_DESKS = '/for-sale/music-instruments-equipment/pro-audio/mixing-desks/461/' MUSIC_INSTRUMENTS_EQUIPMENT__POWER_AMPLIFIERS__PA_SYSTEMS = '/for-sale/music-instruments-equipment/power-amplifiers/pa-systems/475/' MUSIC_INSTRUMENTS_EQUIPMENT__PRO_AUDIO__POWER_AMPLIFIERS = '/for-sale/music-instruments-equipment/pro-audio/power-amplifiers/462/' MUSIC_INSTRUMENTS_EQUIPMENT__PRO_AUDIO__RECORDING_EQUIPMENT = '/for-sale/music-instruments-equipment/pro-audio/recording-equipment/466/' MUSIC_INSTRUMENTS_EQUIPMENT__PRO_AUDIO__SPEAKERS = '/for-sale/music-instruments-equipment/pro-audio/speakers/460/' MUSIC_INSTRUMENTS_EQUIPMENT__PRO_AUDIO__STANDS = '/for-sale/music-instruments-equipment/pro-audio/stands/464/' MUSIC_INSTRUMENTS_EQUIPMENT__PRO_AUDIO__OTHER_PRO_AUDIO = '/for-sale/music-instruments-equipment/pro-audio/other-pro-audio/467/' MUSIC_INSTRUMENTS_EQUIPMENT__SHEET_MUSIC = '/for-sale/music-instruments-equipment/sheet-music/438/' MUSIC_INSTRUMENTS_EQUIPMENT__STRING = '/for-sale/music-instruments-equipment/string/194/' MUSIC_INSTRUMENTS_EQUIPMENT__STRING__ACCESSORIES = '/for-sale/music-instruments-equipment/string/accessories/472/' MUSIC_INSTRUMENTS_EQUIPMENT__STRING__BANJOS = '/for-sale/music-instruments-equipment/string/banjos/470/' MUSIC_INSTRUMENTS_EQUIPMENT__STRING__CELLOS = '/for-sale/music-instruments-equipment/string/cellos/471/' MUSIC_INSTRUMENTS_EQUIPMENT__STRING__MANDOLINS = '/for-sale/music-instruments-equipment/string/mandolins/469/' MUSIC_INSTRUMENTS_EQUIPMENT__STRING__VIOLINS = '/for-sale/music-instruments-equipment/string/violins/468/' MUSIC_INSTRUMENTS_EQUIPMENT__STRING__OTHER_STRING = '/for-sale/music-instruments-equipment/string/other-string/473/' MUSIC_INSTRUMENTS_EQUIPMENT__OTHER_MUSIC_INSTRUMENTS_EQUIPMENT = '/for-sale/music-instruments-equipment/other-music-instruments-equipment/16/' PETS = '/for-sale/pets/624/' PETS__LOST_FOUND = '/for-sale/pets/lost-found/633/' PETS__LOST_FOUND__LOST_PETS = '/for-sale/pets/lost-found/lost-pets/634/' PETS__PET_ACCESSORIES = '/for-sale/pets/pet-accessories/636/' PETS__PET_ACCESSORIES__CAGES = '/for-sale/pets/pet-accessories/cages/638/' PETS__PET_ACCESSORIES__CAT_ACCESSORIES = '/for-sale/pets/pet-accessories/cat-accessories/637/' PETS__PET_ACCESSORIES__DOG_ACCESSORIES = '/for-sale/pets/pet-accessories/dog-accessories/639/' PETS__PET_ACCESSORIES__FISH_TANKS = '/for-sale/pets/pet-accessories/fish-tanks/640/' PETS__PET_ACCESSORIES__REPTILE_TANKS = '/for-sale/pets/pet-accessories/reptile-tanks/641/' PETS__PET_ACCESSORIES__OTHER = '/for-sale/pets/pet-accessories/other/642/' PETS__PET_ADOPTION = '/for-sale/pets/pet-adoption/625/' PETS__PET_ADOPTION__BIRDS = '/for-sale/pets/pet-adoption/birds/628/' PETS__PET_ADOPTION__CATS = '/for-sale/pets/pet-adoption/cats/627/' PETS__PET_ADOPTION__FISH = '/for-sale/pets/pet-adoption/fish/629/' PETS__PET_ADOPTION__REPTILES = '/for-sale/pets/pet-adoption/reptiles/630/' PETS__PET_ADOPTION__SMALL_FURRIES = '/for-sale/pets/pet-adoption/small-furries/631/' PHOTOGRAPHY = '/for-sale/photography/196/' PHOTOGRAPHY__CAMERA_ACCESSORIES = '/for-sale/photography/camera-accessories/200/' PHOTOGRAPHY__DIGITAL_CAMERAS = '/for-sale/photography/digital-cameras/197/' PHOTOGRAPHY__FILM_CAMERAS = '/for-sale/photography/film-cameras/198/' PHOTOGRAPHY__LENSES = '/for-sale/photography/lenses/201/' PHOTOGRAPHY__TELESCOPES_BINOCULARS = '/for-sale/photography/telescopes-binoculars/264/' PHOTOGRAPHY__VIDEO_CAMERAS = '/for-sale/photography/video-cameras/199/' PHOTOGRAPHY__OTHER_PHOTOGRAPHY = '/for-sale/photography/other-photography/51/' SERVICES = '/services/202/' SERVICES__BEAUTY_SERVICES = '/services/beauty-services/1344/' SERVICES__BEAUTY_SERVICES__BROWS_LASHES = '/services/beauty-services/brows-lashes/1374/' SERVICES__BEAUTY_SERVICES__HAIRDRESSERS = '/services/beauty-services/hairdressers/1345/' SERVICES__BEAUTY_SERVICES__MAKEUP = '/services/beauty-services/makeup/1346/' SERVICES__BEAUTY_SERVICES__OTHER_BEAUTY_SERVICES = '/services/beauty-services/other-beauty-services/1351/' SERVICES__BUSINESS_PROFESSIONAL_SERVICES = '/services/business-professional-services/203/' SERVICES__BUSINESS_PROFESSIONAL_SERVICES__BUSINESS_SERVICES_STATIONARY = '/services/business-professional-services/business-services-stationary/1272/' SERVICES__BUSINESS_PROFESSIONAL_SERVICES__CONSULTANTS = '/services/business-professional-services/consultants/1268/' SERVICES__BUSINESS_PROFESSIONAL_SERVICES__FINANCIAL_SERVICES = '/services/business-professional-services/financial-services/1265/' SERVICES__BUSINESS_PROFESSIONAL_SERVICES__FREELANCE = '/services/business-professional-services/freelance/1269/' SERVICES__BUSINESS_PROFESSIONAL_SERVICES__WEB_APP_SERVICES = '/services/business-professional-services/web-app-services/1267/' SERVICES__BUSINESS_PROFESSIONAL_SERVICES__OTHER_BUSINESS_SERVICES = '/services/business-professional-services/other-business-services/1273/' SERVICES__CHILDCARE_SERVICES = '/services/childcare-services/1364/' SERVICES__CHILDCARE_SERVICES__OTHER_CHILDCARE_SERVICES = '/services/childcare-services/other-childcare-services/1368/' SERVICES__CLEANING_SERVICES = '/services/cleaning-services/1358/' SERVICES__CLEANING_SERVICES__BUSINESS_COMMERCIAL_CLEANING = '/services/cleaning-services/business-commercial-cleaning/1360/' SERVICES__CLEANING_SERVICES__FLOOR_CLEANING_POLISHING = '/services/cleaning-services/floor-cleaning-polishing/1362/' SERVICES__CLEANING_SERVICES__HOME_CLEANING = '/services/cleaning-services/home-cleaning/1359/' SERVICES__CLEANING_SERVICES__LAUNDRY_IRONING = '/services/cleaning-services/laundry-ironing/1375/' SERVICES__CLEANING_SERVICES__MOTOR_CLEANING_VALETING = '/services/cleaning-services/motor-cleaning-valeting/1361/' SERVICES__CLEANING_SERVICES__OTHER_CLEANING_SERVICES = '/services/cleaning-services/other-cleaning-services/1363/' SERVICES__ELECTRONIC_SERVICES = '/services/electronic-services/303355/' SERVICES__ELECTRONIC_SERVICES__COMPUTER_CONSOLE_REPAIR = '/services/electronic-services/computer-console-repair/603/' SERVICES__ELECTRONIC_SERVICES__HOME_APPLIANCE_REPAIR = '/services/electronic-services/home-appliance-repair/1323/' SERVICES__ELECTRONIC_SERVICES__PHONE_REPAIR_UNLOCKING = '/services/electronic-services/phone-repair-unlocking/602/' SERVICES__HOME_GARDEN_CONSTRUCTION_SERVICES__BUILDING_SUPPLIERS = '/services/home-garden-construction-services/building-suppliers/1307/' SERVICES__HOME_GARDEN_CONSTRUCTION_SERVICES__DECKING = '/services/home-garden-construction-services/decking/1298/' SERVICES__HOME_GARDEN_CONSTRUCTION_SERVICES__FLOORING = '/services/home-garden-construction-services/flooring/1302/' SERVICES__HOME_GARDEN_CONSTRUCTION_SERVICES__FUEL = '/services/home-garden-construction-services/fuel/1306/' SERVICES__HOME_GARDEN_CONSTRUCTION_SERVICES__GARDENING_LANDSCAPING = '/services/home-garden-construction-services/gardening-landscaping/1297/' SERVICES__HOME_GARDEN_CONSTRUCTION_SERVICES__GATES_FENCING = '/services/home-garden-construction-services/gates-fencing/1299/' SERVICES__HOME_GARDEN_CONSTRUCTION_SERVICES__KITCHENS_BEDROOMS_BATHROOMS = '/services/home-garden-construction-services/kitchens-bedrooms-bathrooms/1303/' SERVICES__HOME_GARDEN_CONSTRUCTION_SERVICES__RENOVATIONS_EXTENSIONS = '/services/home-garden-construction-services/renovations-extensions/1305/' SERVICES__HOME_GARDEN_CONSTRUCTION_SERVICES__SKIPS_WASTE_COLLECTION = '/services/home-garden-construction-services/skips-waste-collection/1369/' SERVICES__HOME_GARDEN_CONSTRUCTION_SERVICES__WINDOWS_DOORS = '/services/home-garden-construction-services/windows-doors/1304/' SERVICES__HOME_GARDEN_CONSTRUCTION_SERVICES__OTHER_HOME_GARDEN_CONSTRUCTION = '/services/home-garden-construction-services/other-home-garden-construction/1308/' SERVICES__MOTOR_SERVICES = '/services/motor-services/600/' SERVICES__MOTOR_SERVICES__BREAKDOWN_RECOVERY = '/services/motor-services/breakdown-recovery/1275/' SERVICES__MOTOR_SERVICES__CAR_PARTS_EQUIPMENT = '/services/motor-services/car-parts-equipment/1281/' SERVICES__MOTOR_SERVICES__CASH_FOR_CARS = '/services/motor-services/cash-for-cars/1279/' SERVICES__MOTOR_SERVICES__MECHANICS = '/services/motor-services/mechanics/1274/' SERVICES__MOTOR_SERVICES__PANEL_BEATING_BODYWORK = '/services/motor-services/panel-beating-bodywork/1277/' SERVICES__MOTOR_SERVICES__SCRAPYARDS_BREAKERS = '/services/motor-services/scrapyards-breakers/1276/' SERVICES__MOTOR_SERVICES__TYRES = '/services/motor-services/tyres/1278/' SERVICES__MOTOR_SERVICES__OTHER_MOTOR_SERVICES = '/services/motor-services/other-motor-services/1282/' SERVICES__PARTY_EVENT_SERVICES = '/services/party-event-services/1352/' SERVICES__PARTY_EVENT_SERVICES__BOUNCY_CASTLES = '/services/party-event-services/bouncy-castles/1373/' SERVICES__PARTY_EVENT_SERVICES__CATERING_CAKES = '/services/party-event-services/catering-cakes/1355/' SERVICES__PARTY_EVENT_SERVICES__FURNITURE_HIRE = '/services/party-event-services/furniture-hire/1354/' SERVICES__PARTY_EVENT_SERVICES__KIDS_ENTERTAINMENT = '/services/party-event-services/kids-entertainment/1356/' SERVICES__PARTY_EVENT_SERVICES__OTHER_EVENT_SERVICES = '/services/party-event-services/other-event-services/1357/' SERVICES__PET_ANIMAL_SERVICES = '/services/pet-animal-services/643/' SERVICES__PET_ANIMAL_SERVICES__DOG_WALKING = '/services/pet-animal-services/dog-walking/1311/' SERVICES__PET_ANIMAL_SERVICES__GROOMING = '/services/pet-animal-services/grooming/1310/' SERVICES__PET_ANIMAL_SERVICES__PET_BOARDING = '/services/pet-animal-services/pet-boarding/1309/' SERVICES__PET_ANIMAL_SERVICES__OTHER_ANIMAL_SERVICES = '/services/pet-animal-services/other-animal-services/1312/' SERVICES__PHOTOGRAPHY_VIDEO_SERVICES = '/services/photography-video-services/573/' SERVICES__PHOTOGRAPHY_VIDEO_SERVICES__PHOTOGRAPHY = '/services/photography-video-services/photography/1313/' SERVICES__PHOTOGRAPHY_VIDEO_SERVICES__PRINTING = '/services/photography-video-services/printing/1315/' SERVICES__PHOTOGRAPHY_VIDEO_SERVICES__VIDEOGRAPHER = '/services/photography-video-services/videographer/1314/' SERVICES__PHOTOGRAPHY_VIDEO_SERVICES__OTHER_PHOTOGRAPHY_SERVICES = '/services/photography-video-services/other-photography-services/1316/' SERVICES__SPORTS_SERVICES = '/services/sports-services/1383/' SERVICES__TRADESMEN = '/services/tradesmen/204/' SERVICES__TRADESMEN__CARPENTERS = '/services/tradesmen/carpenters/1370/' SERVICES__TRADESMEN__ELECTRICIANS = '/services/tradesmen/electricians/1285/' SERVICES__TRADESMEN__HANDYMEN = '/services/tradesmen/handymen/1287/' SERVICES__TRADESMEN__HEATING_BOILER_TECHNICIANS = '/services/tradesmen/heating-boiler-technicians/1284/' SERVICES__TRADESMEN__PAINTERS_DECORATORS = '/services/tradesmen/painters-decorators/1286/' SERVICES__TRADESMEN__PLASTERERS = '/services/tradesmen/plasterers/1371/' SERVICES__TRADESMEN__PLUMBERS = '/services/tradesmen/plumbers/1283/' SERVICES__TRADESMEN__ROOFERS = '/services/tradesmen/roofers/1380/' SERVICES__TRADESMEN__TILERS = '/services/tradesmen/tilers/1372/' SERVICES__TRADESMEN__OTHER_TRADESMEN = '/services/tradesmen/other-tradesmen/1288/' SERVICES__TRANSPORT_SERVICES = '/services/transport-services/574/' SERVICES__TRANSPORT_SERVICES__DELIVERY_COURIERS = '/services/transport-services/delivery-couriers/1326/' SERVICES__TRANSPORT_SERVICES__MAN_WITH_A_VAN = '/services/transport-services/man-with-a-van/1325/' SERVICES__TRANSPORT_SERVICES__OTHER_TRANSPORT_SERVICES = '/services/transport-services/other-transport-services/1327/' SERVICES__TUITION_CLASSES = '/services/tuition-classes/206/' SERVICES__TUITION_CLASSES__GRINDS = '/services/tuition-classes/grinds/1328/' SERVICES__TUITION_CLASSES__LANGUAGE_CLASSES = '/services/tuition-classes/language-classes/1330/' SERVICES__TUITION_CLASSES__MUSIC_LESSONS = '/services/tuition-classes/music-lessons/1329/' SERVICES__TUITION_CLASSES__OTHER_TUITION_CLASSES = '/services/tuition-classes/other-tuition-classes/1333/' SERVICES__WEDDING_SERVICES = '/services/wedding-services/303356/' SERVICES__WEDDING_SERVICES__WEDDING_CAKES_CATERING = '/services/wedding-services/wedding-cakes-catering/1340/' SERVICES__WEDDING_SERVICES__WEDDING_FLORISTS = '/services/wedding-services/wedding-florists/1335/' SERVICES__WEDDING_SERVICES__WEDDING_JEWELLERS = '/services/wedding-services/wedding-jewellers/1342/' SERVICES__WEDDING_SERVICES__WEDDING_PHOTOGRAPHY_VIDEO = '/services/wedding-services/wedding-photography-video/1337/' SERVICES__WEDDING_SERVICES__WEDDING_RENTALS = '/services/wedding-services/wedding-rentals/1339/' SERVICES__WEDDING_SERVICES__OTHER_WEDDING_SERVICES = '/services/wedding-services/other-wedding-services/1343/' SERVICES__OTHER_SERVICES = '/services/other-services/38/' SPORTS_FITNESS = '/for-sale/sports-fitness/207/' SPORTS_FITNESS__AIRSOFT_ACCESSORIES = '/for-sale/sports-fitness/airsoft-accessories/763/' SPORTS_FITNESS__AIRSOFT_ACCESSORIES__AIRSOFT_ACCESSORIES = '/for-sale/sports-fitness/airsoft-accessories/airsoft-accessories/765/' SPORTS_FITNESS__AIRSOFT_ACCESSORIES__AIRSOFT_CLOTHING = '/for-sale/sports-fitness/airsoft-accessories/airsoft-clothing/764/' SPORTS_FITNESS__BIKES = '/for-sale/sports-fitness/bikes/209/' SPORTS_FITNESS__BIKES__BIKE_CLOTHES_SHOES = '/for-sale/sports-fitness/bikes/bike-clothes-shoes/844/' SPORTS_FITNESS__BIKES__BIKE_FRAMES = '/for-sale/sports-fitness/bikes/bike-frames/846/' SPORTS_FITNESS__BIKES__BIKE_HELMETS_PROTECTION = '/for-sale/sports-fitness/bikes/bike-helmets-protection/845/' SPORTS_FITNESS__BIKES__BIKE_PARTS_ACCESSORIES = '/for-sale/sports-fitness/bikes/bike-parts-accessories/835/' SPORTS_FITNESS__BIKES__BIKE_PARTS_ACCESSORIES__BIKE_COMPUTERS = '/for-sale/sports-fitness/bikes/bike-parts-accessories/bike-computers/841/' SPORTS_FITNESS__BIKES__BIKE_PARTS_ACCESSORIES__BIKE_GROUP_SETS = '/for-sale/sports-fitness/bikes/bike-parts-accessories/bike-group-sets/842/' SPORTS_FITNESS__BIKES__BIKE_PARTS_ACCESSORIES__BIKE_LIGHTS = '/for-sale/sports-fitness/bikes/bike-parts-accessories/bike-lights/839/' SPORTS_FITNESS__BIKES__BIKE_PARTS_ACCESSORIES__BIKE_LOCKS = '/for-sale/sports-fitness/bikes/bike-parts-accessories/bike-locks/836/' SPORTS_FITNESS__BIKES__BIKE_PARTS_ACCESSORIES__BIKE_SADDLES = '/for-sale/sports-fitness/bikes/bike-parts-accessories/bike-saddles/838/' SPORTS_FITNESS__BIKES__BIKE_PARTS_ACCESSORIES__BIKE_TYRES = '/for-sale/sports-fitness/bikes/bike-parts-accessories/bike-tyres/837/' SPORTS_FITNESS__BIKES__BIKE_PARTS_ACCESSORIES__CHILD_BIKE_SEATS = '/for-sale/sports-fitness/bikes/bike-parts-accessories/child-bike-seats/840/' SPORTS_FITNESS__BIKES__BIKE_PARTS_ACCESSORIES__OTHER_BIKE_PARTS_ACCESSORIES = '/for-sale/sports-fitness/bikes/bike-parts-accessories/other-bike-parts-accessories/843/' SPORTS_FITNESS__BIKES__BIKE_WHEELS = '/for-sale/sports-fitness/bikes/bike-wheels/847/' SPORTS_FITNESS__BIKES__BMX = '/for-sale/for-sale/sports-fitness/bikes/bmx/848/' SPORTS_FITNESS__BIKES__ELECTRIC_FOLDING_BIKES = '/for-sale/sports-fitness/bikes/electric-folding-bikes/834/' SPORTS_FITNESS__BIKES__FIXIES_SINGLESPEED_BIKES = '/for-sale/sports-fitness/bikes/fixies-singlespeed-bikes/831/' SPORTS_FITNESS__BIKES__HYBRID_BIKES = '/for-sale/sports-fitness/bikes/hybrid-bikes/833/' SPORTS_FITNESS__BIKES__KIDS_BIKES = '/for-sale/sports-fitness/bikes/kids-bikes/828/' SPORTS_FITNESS__BIKES__LADIES_BIKES = '/for-sale/sports-fitness/bikes/ladies-bikes/832/' SPORTS_FITNESS__BIKES__MOUNTAIN_BIKES = '/for-sale/sports-fitness/bikes/mountain-bikes/829/' SPORTS_FITNESS__BIKES__ROAD_BIKES = '/for-sale/sports-fitness/bikes/road-bikes/830/' SPORTS_FITNESS__CAMPING_OUTDOOR_PURSUITS = '/for-sale/sports-fitness/camping-outdoor-pursuits/260/' SPORTS_FITNESS__CAMPING_OUTDOOR_PURSUITS__CAMPING_EQUIPMENT = '/for-sale/sports-fitness/camping-outdoor-pursuits/camping-equipment/1177/' SPORTS_FITNESS__CAMPING_OUTDOOR_PURSUITS__HIKING_EQUIPMENT = '/for-sale/sports-fitness/camping-outdoor-pursuits/hiking-equipment/1178/' SPORTS_FITNESS__CAMPING_OUTDOOR_PURSUITS__TENTS = '/for-sale/sports-fitness/camping-outdoor-pursuits/tents/1179/' SPORTS_FITNESS__DANCING_GYMNASTICS = '/for-sale/sports-fitness/dancing-gymnastics/1180/' SPORTS_FITNESS__DANCING_GYMNASTICS__BALLET = '/for-sale/sports-fitness/dancing-gymnastics/ballet/1181/' SPORTS_FITNESS__DANCING_GYMNASTICS__GYMNASTICS = '/for-sale/sports-fitness/dancing-gymnastics/gymnastics/1183/' SPORTS_FITNESS__DANCING_GYMNASTICS__IRISH_DANCING = '/for-sale/sports-fitness/dancing-gymnastics/irish-dancing/1182/' SPORTS_FITNESS__DANCING_GYMNASTICS__OTHER = '/for-sale/sports-fitness/dancing-gymnastics/other/1184/' SPORTS_FITNESS__EQUESTRIAN = '/for-sale/sports-fitness/equestrian/258/' SPORTS_FITNESS__EQUESTRIAN__BRIDLES_REINS = '/for-sale/sports-fitness/equestrian/bridles-reins/1185/' SPORTS_FITNESS__EQUESTRIAN__CLOTHING_FOOTWEAR = '/for-sale/sports-fitness/equestrian/clothing-footwear/1186/' SPORTS_FITNESS__EQUESTRIAN__GROOMING_CARE = '/for-sale/sports-fitness/equestrian/grooming-care/1187/' SPORTS_FITNESS__EQUESTRIAN__SADDLES_STIRRUPS = '/for-sale/sports-fitness/equestrian/saddles-stirrups/1188/' SPORTS_FITNESS__EQUESTRIAN__OTHER = '/for-sale/sports-fitness/equestrian/other/1189/' SPORTS_FITNESS__EXERCISE_EQUIPMENT = '/for-sale/sports-fitness/exercise-equipment/208/' SPORTS_FITNESS__EXERCISE_EQUIPMENT__BENCHES = '/for-sale/sports-fitness/exercise-equipment/benches/1190/' SPORTS_FITNESS__EXERCISE_EQUIPMENT__CROSS_TRAINERS = '/for-sale/sports-fitness/exercise-equipment/cross-trainers/1191/' SPORTS_FITNESS__EXERCISE_EQUIPMENT__EXERCISE_BIKES = '/for-sale/sports-fitness/exercise-equipment/exercise-bikes/1192/' SPORTS_FITNESS__EXERCISE_EQUIPMENT__TREADMILLS = '/for-sale/sports-fitness/exercise-equipment/treadmills/1193/' SPORTS_FITNESS__EXERCISE_EQUIPMENT__WEIGHTS = '/for-sale/sports-fitness/exercise-equipment/weights/1194/' SPORTS_FITNESS__EXERCISE_EQUIPMENT__OTHER = '/for-sale/sports-fitness/exercise-equipment/other/1195/' SPORTS_FITNESS__FISHING = '/for-sale/sports-fitness/fishing/210/' SPORTS_FITNESS__FISHING__BAIT = '/for-sale/sports-fitness/fishing/bait/1196/' SPORTS_FITNESS__FISHING__CLOTHING = '/for-sale/sports-fitness/fishing/clothing/1197/' SPORTS_FITNESS__FISHING__FLIES = '/for-sale/sports-fitness/fishing/flies/1198/' SPORTS_FITNESS__FISHING__LINES = '/for-sale/sports-fitness/fishing/lines/1199/' SPORTS_FITNESS__FISHING__LURES = '/for-sale/sports-fitness/fishing/lures/1200/' SPORTS_FITNESS__FISHING__REELS = '/for-sale/sports-fitness/fishing/reels/1201/' SPORTS_FITNESS__FISHING__RODS = '/for-sale/sports-fitness/fishing/rods/1202/' SPORTS_FITNESS__FISHING__OTHER = '/for-sale/sports-fitness/fishing/other/1203/' SPORTS_FITNESS__GOLF = '/for-sale/sports-fitness/golf/211/' SPORTS_FITNESS__GOLF__BAGS = '/for-sale/sports-fitness/golf/bags/1204/' SPORTS_FITNESS__GOLF__BALLS = '/for-sale/sports-fitness/golf/balls/1205/' SPORTS_FITNESS__GOLF__CLOTHING_FOOTWEAR = '/for-sale/sports-fitness/golf/clothing-footwear/1207/' SPORTS_FITNESS__GOLF__DRIVERS = '/for-sale/sports-fitness/golf/drivers/1206/' SPORTS_FITNESS__GOLF__HYBRIDS = '/for-sale/sports-fitness/golf/hybrids/1377/' SPORTS_FITNESS__GOLF__IRONS = '/for-sale/sports-fitness/golf/irons/1208/' SPORTS_FITNESS__GOLF__PUTTERS = '/for-sale/sports-fitness/golf/putters/1209/' SPORTS_FITNESS__GOLF__SETS = '/for-sale/sports-fitness/golf/sets/1210/' SPORTS_FITNESS__GOLF__TROLLEYS = '/for-sale/sports-fitness/golf/trolleys/1211/' SPORTS_FITNESS__MARTIAL_ARTS_BOXING = '/for-sale/sports-fitness/martial-arts-boxing/213/' SPORTS_FITNESS__MARTIAL_ARTS_BOXING__BOXING = '/for-sale/sports-fitness/martial-arts-boxing/boxing/1212/' SPORTS_FITNESS__MARTIAL_ARTS_BOXING__MARTIAL_ARTS = '/for-sale/sports-fitness/martial-arts-boxing/martial-arts/1213/' SPORTS_FITNESS__MARTIAL_ARTS_BOXING__PUNCH_KICK_BAGS = '/for-sale/sports-fitness/martial-arts-boxing/punch-kick-bags/1214/' SPORTS_FITNESS__RACKET_SPORTS = '/for-sale/sports-fitness/racket-sports/214/' SPORTS_FITNESS__RACKET_SPORTS__BADMINTON = '/for-sale/sports-fitness/racket-sports/badminton/1215/' SPORTS_FITNESS__RACKET_SPORTS__SQUASH = '/for-sale/sports-fitness/racket-sports/squash/1216/' SPORTS_FITNESS__RACKET_SPORTS__TABLE_TENNIS = '/for-sale/sports-fitness/racket-sports/table-tennis/1217/' SPORTS_FITNESS__RACKET_SPORTS__TENNIS = '/for-sale/sports-fitness/racket-sports/tennis/1218/' SPORTS_FITNESS__RACKET_SPORTS__OTHER = '/for-sale/sports-fitness/racket-sports/other/1219/' SPORTS_FITNESS__RUNNING_TRACK_FIELD = '/for-sale/sports-fitness/running-track-field/215/' SPORTS_FITNESS__RUNNING_TRACK_FIELD__RUNNING_SHOES = '/for-sale/sports-fitness/running-track-field/running-shoes/1220/' SPORTS_FITNESS__RUNNING_TRACK_FIELD__TRACK_EQUIPMENT = '/for-sale/sports-fitness/running-track-field/track-equipment/1221/' SPORTS_FITNESS__RUNNING_TRACK_FIELD__OTHER = '/for-sale/sports-fitness/running-track-field/other/1222/' SPORTS_FITNESS__SKATEBOARD_ROLLERBLADING = '/for-sale/sports-fitness/skateboard-rollerblading/217/' SPORTS_FITNESS__SKATEBOARD_ROLLERBLADING__ACCESSORIES = '/for-sale/sports-fitness/skateboard-rollerblading/accessories/1225/' SPORTS_FITNESS__SKATEBOARD_ROLLERBLADING__ROLLERBLADES = '/for-sale/sports-fitness/skateboard-rollerblading/rollerblades/1223/' SPORTS_FITNESS__SKATEBOARD_ROLLERBLADING__SKATEBOARDS = '/for-sale/sports-fitness/skateboard-rollerblading/skateboards/1224/' SPORTS_FITNESS__SKI_SNOWBOARDING = '/for-sale/sports-fitness/ski-snowboarding/218/' SPORTS_FITNESS__SKI_SNOWBOARDING__ACCESSORIES = '/for-sale/sports-fitness/ski-snowboarding/accessories/1226/' SPORTS_FITNESS__SKI_SNOWBOARDING__BINDINGS = '/for-sale/sports-fitness/ski-snowboarding/bindings/1227/' SPORTS_FITNESS__SKI_SNOWBOARDING__BOOTS = '/for-sale/sports-fitness/ski-snowboarding/boots/1231/' SPORTS_FITNESS__SKI_SNOWBOARDING__BOOTS__SKI = '/for-sale/sports-fitness/ski-snowboarding/boots/ski/1232/' SPORTS_FITNESS__SKI_SNOWBOARDING__BOOTS__SNOWBOARDING = '/for-sale/sports-fitness/ski-snowboarding/boots/snowboarding/1233/' SPORTS_FITNESS__SKI_SNOWBOARDING__CLOTHING = '/for-sale/sports-fitness/ski-snowboarding/clothing/1228/' SPORTS_FITNESS__SKI_SNOWBOARDING__SKIS = '/for-sale/sports-fitness/ski-snowboarding/skis/1229/' SPORTS_FITNESS__SKI_SNOWBOARDING__SNOWBOARDS = '/for-sale/sports-fitness/ski-snowboarding/snowboards/1230/' SPORTS_FITNESS__SNOOKER_POOL_DARTS = '/for-sale/sports-fitness/snooker-pool-darts/219/' SPORTS_FITNESS__SNOOKER_POOL_DARTS__DARTS = '/for-sale/sports-fitness/snooker-pool-darts/darts/1234/' SPORTS_FITNESS__SNOOKER_POOL_DARTS__POOL = '/for-sale/sports-fitness/snooker-pool-darts/pool/1235/' SPORTS_FITNESS__SNOOKER_POOL_DARTS__POOL__ACCESSORIES = '/for-sale/sports-fitness/snooker-pool-darts/pool/accessories/1237/' SPORTS_FITNESS__SNOOKER_POOL_DARTS__POOL__TABLES = '/for-sale/sports-fitness/snooker-pool-darts/pool/tables/1236/' SPORTS_FITNESS__SNOOKER_POOL_DARTS__SNOOKER = '/for-sale/sports-fitness/snooker-pool-darts/snooker/1238/' SPORTS_FITNESS__SNOOKER_POOL_DARTS__SNOOKER__ACCESSORIES = '/for-sale/sports-fitness/snooker-pool-darts/snooker/accessories/1240/' SPORTS_FITNESS__SNOOKER_POOL_DARTS__SNOOKER__TABLES = '/for-sale/sports-fitness/snooker-pool-darts/snooker/tables/1239/' SPORTS_FITNESS__SUPPLEMENTS = '/for-sale/sports-fitness/supplements/1261/' SPORTS_FITNESS__TEAM_SPORTS = '/for-sale/sports-fitness/team-sports/212/' SPORTS_FITNESS__TEAM_SPORTS__BASKETBALL = '/for-sale/sports-fitness/team-sports/basketball/1241/' SPORTS_FITNESS__TEAM_SPORTS__CRICKET = '/for-sale/sports-fitness/team-sports/cricket/1242/' SPORTS_FITNESS__TEAM_SPORTS__FOOTWEAR = '/for-sale/sports-fitness/team-sports/footwear/1247/' SPORTS_FITNESS__TEAM_SPORTS__FOOTWEAR__ASTRO_TURF = '/for-sale/sports-fitness/team-sports/footwear/astro-turf/1249/' SPORTS_FITNESS__TEAM_SPORTS__FOOTWEAR__BOOTS = '/for-sale/sports-fitness/team-sports/footwear/boots/1248/' SPORTS_FITNESS__TEAM_SPORTS__FOOTWEAR__OTHER = '/for-sale/sports-fitness/team-sports/footwear/other/1250/' SPORTS_FITNESS__TEAM_SPORTS__GAA = '/for-sale/sports-fitness/team-sports/gaa/1251/' SPORTS_FITNESS__TEAM_SPORTS__GAA__GAELIC_FOOTBALL = '/for-sale/sports-fitness/team-sports/gaa/gaelic-football/1253/' SPORTS_FITNESS__TEAM_SPORTS__GAA__HURLING_CAMOGIE = '/for-sale/sports-fitness/team-sports/gaa/hurling-camogie/1252/' SPORTS_FITNESS__TEAM_SPORTS__HOCKEY = '/for-sale/sports-fitness/team-sports/hockey/1243/' SPORTS_FITNESS__TEAM_SPORTS__RUGBY = '/for-sale/sports-fitness/team-sports/rugby/1244/' SPORTS_FITNESS__TEAM_SPORTS__SOCCER = '/for-sale/sports-fitness/team-sports/soccer/1245/' SPORTS_FITNESS__TEAM_SPORTS__OTHER = '/for-sale/sports-fitness/team-sports/other/1246/' SPORTS_FITNESS__WATER_SPORTS = '/for-sale/sports-fitness/water-sports/222/' SPORTS_FITNESS__WATER_SPORTS__DIVING = '/for-sale/sports-fitness/water-sports/diving/1254/' SPORTS_FITNESS__WATER_SPORTS__KAYAKING = '/for-sale/sports-fitness/water-sports/kayaking/1255/' SPORTS_FITNESS__WATER_SPORTS__KITE_SURFING = '/for-sale/sports-fitness/water-sports/kite-surfing/1256/' SPORTS_FITNESS__WATER_SPORTS__SURFING = '/for-sale/sports-fitness/water-sports/surfing/1257/' SPORTS_FITNESS__WATER_SPORTS__WETSUITS = '/for-sale/sports-fitness/water-sports/wetsuits/1258/' SPORTS_FITNESS__WATER_SPORTS__WIND_SURFING = '/for-sale/sports-fitness/water-sports/wind-surfing/1259/' SPORTS_FITNESS__WATER_SPORTS__OTHER = '/for-sale/sports-fitness/water-sports/other/1260/' SPORTS_FITNESS__OTHER_SPORTS_FITNESS = '/for-sale/sports-fitness/other-sports-fitness/52/' TICKETS = '/for-sale/tickets/62/' TICKETS__CONCERTS_FESTIVALS = '/for-sale/tickets/concerts-festivals/225/' TICKETS__SPORTS = '/for-sale/tickets/sports/226/' TICKETS__THEATRE_SHOWS = '/for-sale/tickets/theatre-shows/227/' TICKETS__TRAVEL = '/for-sale/tickets/travel/265/' TICKETS__VOUCHERS = '/for-sale/tickets/vouchers/266/' TICKETS__OTHER_TICKETS = '/for-sale/tickets/other-tickets/63/' TOYS_GAMES = '/for-sale/toys-games/229/' TOYS_GAMES__ACTION_FIGURES = '/for-sale/toys-games/action-figures/231/' TOYS_GAMES__ADULT_THEMED_GAMES = '/for-sale/toys-games/adult-themed-games/418/' TOYS_GAMES__DOLLS = '/for-sale/toys-games/dolls/232/' TOYS_GAMES__EDUCATIONAL_TOYS = '/for-sale/toys-games/educational-toys/233/' TOYS_GAMES__GAMES_PUZZLES = '/for-sale/toys-games/games-puzzles/230/' TOYS_GAMES__GARDEN_TOYS = '/for-sale/toys-games/garden-toys/241/' TOYS_GAMES__LEGO_BUILDING_TOYS = '/for-sale/toys-games/lego-building-toys/235/' TOYS_GAMES__MODELS = '/for-sale/toys-games/models/236/' TOYS_GAMES__POKER = '/for-sale/toys-games/poker/351/' TOYS_GAMES__POOLS_WATER_GAMES = '/for-sale/toys-games/pools-water-games/240/' TOYS_GAMES__RADIO_CONTROL = '/for-sale/toys-games/radio-control/237/' TOYS_GAMES__SOFT_TOYS = '/for-sale/toys-games/soft-toys/238/' TOYS_GAMES__TOY_CARS_TRAINS_BOATS_PLANES = '/for-sale/toys-games/toy-cars-trains-boats-planes/239/' TOYS_GAMES__OTHER_TOYS_GAMES = '/for-sale/toys-games/other-toys-games/242/' WEDDING = '/for-sale/wedding/644/' WEDDING__ACCESSORIES = '/for-sale/wedding/accessories/484/' WEDDING__BRIDESMAIDS_DRESSES = '/for-sale/wedding/bridesmaids-dresses/645/' WEDDING__GIFTS = '/for-sale/wedding/gifts/485/' WEDDING__GROOM = '/for-sale/wedding/groom/646/' WEDDING__DRESSES = '/for-sale/wedding/dresses/121/' WEDDING__OTHER = '/for-sale/wedding/other/483/'
class Category: antiques_collectables = '/for-sale/antiques-collectables/66/' antiques_collectables__autographs = '/for-sale/antiques-collectables/autographs/984/' antiques_collectables__bottles = '/for-sale/antiques-collectables/bottles/985/' antiques_collectables__call_cards = '/for-sale/antiques-collectables/call-cards/986/' antiques_collectables__ceramics = '/for-sale/antiques-collectables/ceramics/987/' antiques_collectables__clocks_scientific_instruments = '/for-sale/antiques-collectables/clocks-scientific-instruments/988/' antiques_collectables__coins_notes = '/for-sale/antiques-collectables/coins-notes/67/' antiques_collectables__coins_notes__coins = '/for-sale/antiques-collectables/coins-notes/coins/978/' antiques_collectables__coins_notes__notes = '/for-sale/antiques-collectables/coins-notes/notes/979/' antiques_collectables__documents_maps = '/for-sale/antiques-collectables/documents-maps/989/' antiques_collectables__furniture = '/for-sale/antiques-collectables/furniture/68/' antiques_collectables__furniture__chairs = '/for-sale/antiques-collectables/furniture/chairs/980/' antiques_collectables__furniture__chests = '/for-sale/antiques-collectables/furniture/chests/981/' antiques_collectables__furniture__tables = '/for-sale/antiques-collectables/furniture/tables/982/' antiques_collectables__furniture__other_furniture = '/for-sale/antiques-collectables/furniture/other-furniture/983/' antiques_collectables__jewellery = '/for-sale/antiques-collectables/jewellery/69/' antiques_collectables__memorabilia = '/for-sale/antiques-collectables/memorabilia/70/' antiques_collectables__ornaments_figurines = '/for-sale/antiques-collectables/ornaments-figurines/303345/' antiques_collectables__postcards = '/for-sale/antiques-collectables/postcards/990/' antiques_collectables__posters = '/for-sale/antiques-collectables/posters/991/' antiques_collectables__signs = '/for-sale/antiques-collectables/signs/993/' antiques_collectables__silver_metal_ware = '/for-sale/antiques-collectables/silver-metal-ware/992/' antiques_collectables__stamps = '/for-sale/antiques-collectables/stamps/994/' antiques_collectables__other_antiques_collectables = '/for-sale/antiques-collectables/other-antiques-collectables/71/' art_craft = '/for-sale/art-craft/72/' art_craft__art_supplies_equipment = '/for-sale/art-craft/art-supplies-equipment/73/' art_craft__artisan_food = '/for-sale/art-craft/artisan-food/350/' art_craft__arts_and_crafts_kits = '/for-sale/art-craft/arts-and-crafts-kits/346/' art_craft__craft_supplies_and_equipment = '/for-sale/art-craft/craft-supplies-and-equipment/349/' art_craft__fabric_textile = '/for-sale/art-craft/fabric-textile/303346/' art_craft__pictures_paintings = '/for-sale/art-craft/pictures-paintings/74/' art_craft__pottery_ceramics = '/for-sale/art-craft/pottery-ceramics/75/' art_craft__scrapbooking = '/for-sale/art-craft/scrapbooking/347/' art_craft__sculptures_and_woodwork = '/for-sale/art-craft/sculptures-and-woodwork/345/' art_craft__sewing_and_knitting = '/for-sale/art-craft/sewing-and-knitting/344/' art_craft__stationery = '/for-sale/art-craft/stationery/348/' art_craft__other_art_craft = '/for-sale/art-craft/other-art-craft/76/' baby_nursery = '/for-sale/baby-nursery/77/' baby_nursery__baby_gifts = '/for-sale/baby-nursery/baby-gifts/479/' baby_nursery__baby_gifts__boys = '/for-sale/baby-nursery/baby-gifts/boys/1010/' baby_nursery__baby_gifts__girls = '/for-sale/baby-nursery/baby-gifts/girls/1011/' baby_nursery__babyroom_furniture = '/for-sale/baby-nursery/babyroom-furniture/78/' baby_nursery__babyroom_furniture__cots = '/for-sale/baby-nursery/babyroom-furniture/cots/1012/' baby_nursery__babyroom_furniture__drawers = '/for-sale/baby-nursery/babyroom-furniture/drawers/1013/' baby_nursery__babyroom_furniture__mobiles = '/for-sale/baby-nursery/babyroom-furniture/mobiles/1015/' baby_nursery__babyroom_furniture__moses_baskets = '/for-sale/baby-nursery/babyroom-furniture/moses-baskets/1014/' baby_nursery__babyroom_furniture__travel_cots = '/for-sale/baby-nursery/babyroom-furniture/travel-cots/1016/' baby_nursery__car_seats_travel = '/for-sale/baby-nursery/car-seats-travel/79/' baby_nursery__car_seats_travel__booster_seats = '/for-sale/baby-nursery/car-seats-travel/booster-seats/1018/' baby_nursery__car_seats_travel__infant_seats = '/for-sale/baby-nursery/car-seats-travel/infant-seats/1017/' baby_nursery__car_seats_travel__travel_accessories = '/for-sale/baby-nursery/car-seats-travel/travel-accessories/1019/' baby_nursery__changing_bath_time = '/for-sale/baby-nursery/changing-bath-time/80/' baby_nursery__changing_bath_time__changing_bags = '/for-sale/baby-nursery/changing-bath-time/changing-bags/1022/' baby_nursery__changing_bath_time__changing_tables = '/for-sale/baby-nursery/changing-bath-time/changing-tables/1020/' baby_nursery__changing_bath_time__mats = '/for-sale/baby-nursery/changing-bath-time/mats/1021/' baby_nursery__changing_bath_time__other = '/for-sale/baby-nursery/changing-bath-time/other/1023/' baby_nursery__clothing_blankets_covers = '/for-sale/baby-nursery/clothing-blankets-covers/81/' baby_nursery__clothing_blankets_covers__all_in_ones = '/for-sale/baby-nursery/clothing-blankets-covers/all-in-ones/1024/' baby_nursery__clothing_blankets_covers__blankets_covers = '/for-sale/baby-nursery/clothing-blankets-covers/blankets-covers/1031/' baby_nursery__clothing_blankets_covers__bottoms_trousers = '/for-sale/baby-nursery/clothing-blankets-covers/bottoms-trousers/1127/' baby_nursery__clothing_blankets_covers__dresses_skirts = '/for-sale/baby-nursery/clothing-blankets-covers/dresses-skirts/1030/' baby_nursery__clothing_blankets_covers__footwear = '/for-sale/baby-nursery/clothing-blankets-covers/footwear/1028/' baby_nursery__clothing_blankets_covers__hats = '/for-sale/baby-nursery/clothing-blankets-covers/hats/1029/' baby_nursery__clothing_blankets_covers__jackets = '/for-sale/baby-nursery/clothing-blankets-covers/jackets/1026/' baby_nursery__clothing_blankets_covers__tops = '/for-sale/baby-nursery/clothing-blankets-covers/tops/1027/' baby_nursery__clothing_blankets_covers__vests = '/for-sale/baby-nursery/clothing-blankets-covers/vests/1025/' baby_nursery__feeding = '/for-sale/baby-nursery/feeding/82/' baby_nursery__feeding__bottles_sterilisers = '/for-sale/baby-nursery/feeding/bottles-sterilisers/1033/' baby_nursery__feeding__feeding_equipment = '/for-sale/baby-nursery/feeding/feeding-equipment/1034/' baby_nursery__feeding__high_chairs = '/for-sale/baby-nursery/feeding/high-chairs/1032/' baby_nursery__pregnancy_maternity = '/for-sale/baby-nursery/pregnancy-maternity/267/' baby_nursery__pregnancy_maternity__dresses = '/for-sale/baby-nursery/pregnancy-maternity/dresses/1035/' baby_nursery__pregnancy_maternity__nursing_bras = '/for-sale/baby-nursery/pregnancy-maternity/nursing-bras/1038/' baby_nursery__pregnancy_maternity__tops = '/for-sale/baby-nursery/pregnancy-maternity/tops/1036/' baby_nursery__pregnancy_maternity__trousers = '/for-sale/baby-nursery/pregnancy-maternity/trousers/1037/' baby_nursery__pregnancy_maternity__other = '/for-sale/baby-nursery/pregnancy-maternity/other/1039/' baby_nursery__pushchairs_prams = '/for-sale/baby-nursery/pushchairs-prams/83/' baby_nursery__pushchairs_prams__accessories = '/for-sale/baby-nursery/pushchairs-prams/accessories/1044/' baby_nursery__pushchairs_prams__buggies = '/for-sale/baby-nursery/pushchairs-prams/buggies/1041/' baby_nursery__pushchairs_prams__prams = '/for-sale/baby-nursery/pushchairs-prams/prams/1040/' baby_nursery__pushchairs_prams__travel_systems = '/for-sale/baby-nursery/pushchairs-prams/travel-systems/1043/' baby_nursery__pushchairs_prams__twin_double_buggies = '/for-sale/baby-nursery/pushchairs-prams/twin-double-buggies/1042/' baby_nursery__safety_monitors = '/for-sale/baby-nursery/safety-monitors/84/' baby_nursery__safety_monitors__gates = '/for-sale/baby-nursery/safety-monitors/gates/1045/' baby_nursery__safety_monitors__monitors = '/for-sale/baby-nursery/safety-monitors/monitors/1046/' baby_nursery__safety_monitors__safety_accessories = '/for-sale/baby-nursery/safety-monitors/safety-accessories/1047/' baby_nursery__toys = '/for-sale/baby-nursery/toys/85/' baby_nursery__toys__activity_mats = '/for-sale/baby-nursery/toys/activity-mats/1048/' baby_nursery__toys__dolls = '/for-sale/baby-nursery/toys/dolls/1049/' baby_nursery__toys__musical_toys = '/for-sale/baby-nursery/toys/musical-toys/1052/' baby_nursery__toys__rattles = '/for-sale/baby-nursery/toys/rattles/1050/' baby_nursery__toys__soft_toys = '/for-sale/baby-nursery/toys/soft-toys/1051/' baby_nursery__toys__other_baby_toys = '/for-sale/baby-nursery/toys/other-baby-toys/1053/' baby_nursery__walkers_bouncers = '/for-sale/baby-nursery/walkers-bouncers/303347/' baby_nursery__walkers_bouncers__bouncers = '/for-sale/baby-nursery/walkers-bouncers/bouncers/1055/' baby_nursery__walkers_bouncers__swings = '/for-sale/baby-nursery/walkers-bouncers/swings/1056/' baby_nursery__walkers_bouncers__walkers = '/for-sale/baby-nursery/walkers-bouncers/walkers/1054/' baby_nursery__other_baby_nursery = '/for-sale/baby-nursery/other-baby-nursery/86/' books_magazines = '/for-sale/books-magazines/87/' books_magazines__art_architecture_and_photography = '/for-sale/books-magazines/art-architecture-and-photography/567/' books_magazines__audiobooks = '/for-sale/books-magazines/audiobooks/568/' books_magazines__biographies = '/for-sale/books-magazines/biographies/569/' books_magazines__bulk = '/for-sale/books-magazines/bulk/88/' books_magazines__children_babies = '/for-sale/books-magazines/children-babies/89/' books_magazines__diy_gardening = '/for-sale/books-magazines/diy-gardening/571/' books_magazines__fiction = '/for-sale/books-magazines/fiction/90/' books_magazines__food_and_drink = '/for-sale/books-magazines/food-and-drink/570/' books_magazines__magazines_comics = '/for-sale/books-magazines/magazines-comics/91/' books_magazines__non_fiction = '/for-sale/books-magazines/non-fiction/92/' books_magazines__school_college_books = '/for-sale/books-magazines/school-college-books/93/' books_magazines__travel = '/for-sale/books-magazines/travel/303348/' books_magazines__other_books_magazines = '/for-sale/books-magazines/other-books-magazines/36/' business_office = '/for-sale/business-office/94/' business_office__business_shop_fittings = '/for-sale//business-office/business-shop-fittings/890/' business_office__business_stock = '/for-sale//business-office/business-stock/891/' business_office__businesses_for_sale = '/for-sale/business-office/businesses-for-sale/268/' business_office__businesses_for_sale__business_services = '/for-sale/business-office/businesses-for-sale/business-services/881/' business_office__businesses_for_sale__manufacturing = '/for-sale/business-office/businesses-for-sale/manufacturing/880/' business_office__businesses_for_sale__retail = '/for-sale/business-office/businesses-for-sale/retail/879/' business_office__businesses_for_sale__taxi_plates = '/for-sale/business-office/businesses-for-sale/taxi-plates/882/' business_office__office_equipment_supplies = '/for-sale/business-office/office-equipment-supplies/95/' business_office__office_equipment_supplies__catering_equipment = '/for-sale/business-office/office-equipment-supplies/catering-equipment/885/' business_office__office_equipment_supplies__industrial_equipment = '/for-sale/business-office/office-equipment-supplies/industrial-equipment/884/' business_office__office_equipment_supplies__stationery_supplies = '/for-sale/business-office/office-equipment-supplies/stationery-supplies/883/' business_office__office_furniture = '/for-sale/business-office/office-furniture/96/' business_office__office_furniture__office_cabinets = '/for-sale/business-office/office-furniture/office-cabinets/887/' business_office__office_furniture__office_desks = '/for-sale/business-office/office-furniture/office-desks/889/' business_office__office_furniture__office_shelving = '/for-sale/business-office/office-furniture/office-shelving/888/' business_office__office_furniture__office_tables_chairs = '/for-sale/business-office/office-furniture/office-tables-chairs/886/' business_office__other_business_office = '/for-sale/business-office/other-business-office/97/' cars_motorbikes_boats = '/for-sale/cars-motorbikes-boats/46/' cars_motorbikes_boats__boats_accessories = '/for-sale/cars-motorbikes-boats/boats-accessories/98/' cars_motorbikes_boats__boats_accessories__boats = '/for-sale/cars-motorbikes-boats/boats-accessories/boats/1128/' cars_motorbikes_boats__boats_accessories__parts_accessories = '/for-sale/cars-motorbikes-boats/boats-accessories/parts-accessories/1129/' cars_motorbikes_boats__campers_motorhomes = '/for-sale/cars-motorbikes-boats/campers-motorhomes/477/' cars_motorbikes_boats__car_parts_accessories = '/for-sale/cars-motorbikes-boats/car-parts-accessories/45/' cars_motorbikes_boats__car_parts_accessories__alarms_security = '/for-sale/cars-motorbikes-boats/car-parts-accessories/alarms-security/1131/' cars_motorbikes_boats__car_parts_accessories__alloys_wheels = '/for-sale/cars-motorbikes-boats/car-parts-accessories/alloys-wheels/1130/' cars_motorbikes_boats__car_parts_accessories__audio = '/for-sale/cars-motorbikes-boats/car-parts-accessories/audio/1134/' cars_motorbikes_boats__car_parts_accessories__cars_for_breaking = '/for-sale/cars-motorbikes-boats/car-parts-accessories/cars-for-breaking/1135/' cars_motorbikes_boats__car_parts_accessories__engine_parts = '/for-sale/cars-motorbikes-boats/car-parts-accessories/engine-parts/1137/' cars_motorbikes_boats__car_parts_accessories__exterior_parts = '/for-sale/cars-motorbikes-boats/car-parts-accessories/exterior-parts/1133/' cars_motorbikes_boats__car_parts_accessories__interiors_parts = '/for-sale/cars-motorbikes-boats/car-parts-accessories/interiors-parts/1132/' cars_motorbikes_boats__car_parts_accessories__tyres = '/for-sale/cars-motorbikes-boats/car-parts-accessories/tyres/1136/' cars_motorbikes_boats__car_parts_accessories__other = '/for-sale/cars-motorbikes-boats/car-parts-accessories/other/1138/' cars_motorbikes_boats__caravans_mobile_homes = '/for-sale/cars-motorbikes-boats/caravans-mobile-homes/99/' cars_motorbikes_boats__caravans_mobile_homes__caravans = '/for-sale/cars-motorbikes-boats/caravans-mobile-homes/caravans/1139/' cars_motorbikes_boats__caravans_mobile_homes__mobile_homes = '/for-sale/cars-motorbikes-boats/caravans-mobile-homes/mobile-homes/1140/' cars_motorbikes_boats__caravans_mobile_homes__parts_accessories = '/for-sale/cars-motorbikes-boats/caravans-mobile-homes/parts-accessories/1141/' cars_motorbikes_boats__cars = '/for-sale/cars-motorbikes-boats/cars/2/' cars_motorbikes_boats__coaches_buses = '/for-sale/cars-motorbikes-boats/coaches-buses/100/' cars_motorbikes_boats__motorbike_parts_accessories = '/for-sale/cars-motorbikes-boats/motorbike-parts-accessories/101/' cars_motorbikes_boats__motorbike_parts_accessories__accessories = '/for-sale/cars-motorbikes-boats/motorbike-parts-accessories/accessories/1146/' cars_motorbikes_boats__motorbike_parts_accessories__clothing_boots = '/for-sale/cars-motorbikes-boats/motorbike-parts-accessories/clothing-boots/1143/' cars_motorbikes_boats__motorbike_parts_accessories__helmets = '/for-sale/cars-motorbikes-boats/motorbike-parts-accessories/helmets/1145/' cars_motorbikes_boats__motorbike_parts_accessories__parts = '/for-sale/cars-motorbikes-boats/motorbike-parts-accessories/parts/1144/' cars_motorbikes_boats__motorbike_parts_accessories__wheels_tyres = '/for-sale/cars-motorbikes-boats/motorbike-parts-accessories/wheels-tyres/1142/' cars_motorbikes_boats__motorbikes = '/for-sale/cars-motorbikes-boats/motorbikes/47/' cars_motorbikes_boats__plant_machinery = '/for-sale/cars-motorbikes-boats/plant-machinery/892/' cars_motorbikes_boats__quads = '/for-sale/cars-motorbikes-boats/quads/102/' cars_motorbikes_boats__quads__parts_accessories = '/for-sale/cars-motorbikes-boats/quads/parts-accessories/1148/' cars_motorbikes_boats__quads__quads = '/for-sale/cars-motorbikes-boats/quads/quads/1147/' cars_motorbikes_boats__scooters = '/for-sale/cars-motorbikes-boats/scooters/893/' cars_motorbikes_boats__scooters__mobility_scooters = '/for-sale/cars-motorbikes-boats/scooters/mobility-scooters/1150/' cars_motorbikes_boats__scooters__parts_accessories = '/for-sale/cars-motorbikes-boats/scooters/parts-accessories/1151/' cars_motorbikes_boats__scooters__scooters = '/for-sale/cars-motorbikes-boats/scooters/scooters/1149/' cars_motorbikes_boats__trailers = '/for-sale/cars-motorbikes-boats/trailers/104/' cars_motorbikes_boats__trailers__parts_accessories = '/for-sale/cars-motorbikes-boats/trailers/parts-accessories/1153/' cars_motorbikes_boats__trailers__trailers = '/for-sale/cars-motorbikes-boats/trailers/trailers/1152/' cars_motorbikes_boats__trucks_commercial = '/for-sale/cars-motorbikes-boats/trucks-commercial/105/' cars_motorbikes_boats__trucks_commercial__commercial_4_x_4_s = '/for-sale/cars-motorbikes-boats/trucks-commercial/commercial-4-x-4s/1156/' cars_motorbikes_boats__trucks_commercial__commercial_vans = '/for-sale/cars-motorbikes-boats/trucks-commercial/commercial-vans/1155/' cars_motorbikes_boats__trucks_commercial__parts_accessories = '/for-sale/cars-motorbikes-boats/trucks-commercial/parts-accessories/1157/' cars_motorbikes_boats__trucks_commercial__trucks = '/for-sale/cars-motorbikes-boats/trucks-commercial/trucks/1154/' cars_motorbikes_boats__trucks_commercial__other = '/for-sale/cars-motorbikes-boats/trucks-commercial/other/1158/' cars_motorbikes_boats__vintage_classic = '/for-sale/cars-motorbikes-boats/vintage-classic/106/' cars_motorbikes_boats__vintage_classic__parts_accessories = '/for-sale/cars-motorbikes-boats/vintage-classic/parts-accessories/1160/' cars_motorbikes_boats__vintage_classic__vehicles = '/for-sale/cars-motorbikes-boats/vintage-classic/vehicles/1159/' cars_motorbikes_boats__other_cars_motorbikes_boats = '/for-sale/cars-motorbikes-boats/other-cars-motorbikes-boats/107/' clothes_shoes_accessories = '/for-sale/clothes-shoes-accessories/114/' clothes_shoes_accessories__accessories = '/for-sale/clothes-shoes-accessories/accessories/115/' clothes_shoes_accessories__accessories__belts = '/for-sale/clothes-shoes-accessories/accessories/belts/352/' clothes_shoes_accessories__accessories__glasses_sunglasses = '/for-sale/clothes-shoes-accessories/accessories/glasses-sunglasses/355/' clothes_shoes_accessories__accessories__glasses_sunglasses__reading_glasses = '/for-sale/clothes-shoes-accessories/accessories/glasses-sunglasses/reading-glasses/647/' clothes_shoes_accessories__accessories__glasses_sunglasses__sun_glasses = '/for-sale/clothes-shoes-accessories/accessories/glasses-sunglasses/sun-glasses/648/' clothes_shoes_accessories__accessories__glasses_sunglasses__other_glasses = '/for-sale/clothes-shoes-accessories/accessories/glasses-sunglasses/other-glasses/649/' clothes_shoes_accessories__accessories__gloves_scarves = '/for-sale/clothes-shoes-accessories/accessories/gloves-scarves/353/' clothes_shoes_accessories__accessories__gloves_scarves__gloves = '/for-sale/clothes-shoes-accessories/accessories/gloves-scarves/gloves/650/' clothes_shoes_accessories__accessories__gloves_scarves__scarves = '/for-sale/clothes-shoes-accessories/accessories/gloves-scarves/scarves/651/' clothes_shoes_accessories__accessories__gloves_scarves__other_gloves_scarves = '/for-sale/clothes-shoes-accessories/accessories/gloves-scarves/other-gloves-scarves/652/' clothes_shoes_accessories__accessories__hats_caps = '/for-sale/clothes-shoes-accessories/accessories/hats-caps/354/' clothes_shoes_accessories__accessories__hats_caps__caps = '/for-sale/clothes-shoes-accessories/accessories/hats-caps/caps/655/' clothes_shoes_accessories__accessories__hats_caps__mens_hats = '/for-sale/clothes-shoes-accessories/accessories/hats-caps/mens-hats/653/' clothes_shoes_accessories__accessories__hats_caps__womens_hats = '/for-sale/clothes-shoes-accessories/accessories/hats-caps/womens-hats/654/' clothes_shoes_accessories__accessories__hats_caps__other_hats_caps = '/for-sale/clothes-shoes-accessories/accessories/hats-caps/other-hats-caps/656/' clothes_shoes_accessories__accessories__wallets_purses = '/for-sale/clothes-shoes-accessories/accessories/wallets-purses/356/' clothes_shoes_accessories__accessories__wallets_purses__purses = '/for-sale/clothes-shoes-accessories/accessories/wallets-purses/purses/658/' clothes_shoes_accessories__accessories__wallets_purses__wallets = '/for-sale/clothes-shoes-accessories/accessories/wallets-purses/wallets/657/' clothes_shoes_accessories__accessories__wallets_purses__other_wallets_purses = '/for-sale/clothes-shoes-accessories/accessories/wallets-purses/other-wallets-purses/659/' clothes_shoes_accessories__accessories__other_accessories = '/for-sale/clothes-shoes-accessories/accessories/other-accessories/357/' clothes_shoes_accessories__bags = '/for-sale/clothes-shoes-accessories/bags/116/' clothes_shoes_accessories__bags__backpack_rucksack = '/for-sale/clothes-shoes-accessories/bags/backpack-rucksack/666/' clothes_shoes_accessories__bags__clutch = '/for-sale/clothes-shoes-accessories/bags/clutch/664/' clothes_shoes_accessories__bags__mens_bags = '/for-sale/clothes-shoes-accessories/bags/mens-bags/660/' clothes_shoes_accessories__bags__shopper = '/for-sale/clothes-shoes-accessories/bags/shopper/665/' clothes_shoes_accessories__bags__shoulder = '/for-sale/clothes-shoes-accessories/bags/shoulder/662/' clothes_shoes_accessories__bags__suitcases = '/for-sale/clothes-shoes-accessories/bags/suitcases/667/' clothes_shoes_accessories__bags__totes = '/for-sale/clothes-shoes-accessories/bags/totes/663/' clothes_shoes_accessories__bags__travel = '/for-sale/clothes-shoes-accessories/bags/travel/248/' clothes_shoes_accessories__bags__womens_bags = '/for-sale/clothes-shoes-accessories/bags/womens-bags/661/' clothes_shoes_accessories__bags__other_bags = '/for-sale/clothes-shoes-accessories/bags/other-bags/668/' clothes_shoes_accessories__boyswear = '/for-sale/clothes-shoes-accessories/boyswear/246/' clothes_shoes_accessories__boyswear__coats_jackets = '/for-sale/clothes-shoes-accessories/boyswear/coats-jackets/358/' clothes_shoes_accessories__boyswear__coats_jackets__gilets = '/for-sale/clothes-shoes-accessories/boyswear/coats-jackets/gilets/672/' clothes_shoes_accessories__boyswear__coats_jackets__raincoats = '/for-sale/clothes-shoes-accessories/boyswear/coats-jackets/raincoats/671/' clothes_shoes_accessories__boyswear__coats_jackets__summer_coats = '/for-sale/clothes-shoes-accessories/boyswear/coats-jackets/summer-coats/670/' clothes_shoes_accessories__boyswear__coats_jackets__winter_coats = '/for-sale/clothes-shoes-accessories/boyswear/coats-jackets/winter-coats/669/' clothes_shoes_accessories__boyswear__coats_jackets__other_coats_jackets = '/for-sale/clothes-shoes-accessories/boyswear/coats-jackets/other-coats-jackets/673/' clothes_shoes_accessories__boyswear__communion_outfits = '/for-sale/clothes-shoes-accessories/boyswear/communion-outfits/366/' clothes_shoes_accessories__boyswear__communion_outfits__jackets = '/for-sale/clothes-shoes-accessories/boyswear/communion-outfits/jackets/675/' clothes_shoes_accessories__boyswear__communion_outfits__suits = '/for-sale/clothes-shoes-accessories/boyswear/communion-outfits/suits/674/' clothes_shoes_accessories__boyswear__communion_outfits__other_communion = '/for-sale/clothes-shoes-accessories/boyswear/communion-outfits/other-communion/676/' clothes_shoes_accessories__boyswear__jeans_trousers = '/for-sale/clothes-shoes-accessories/boyswear/jeans-trousers/359/' clothes_shoes_accessories__boyswear__jeans_trousers__jeans = '/for-sale/clothes-shoes-accessories/boyswear/jeans-trousers/jeans/677/' clothes_shoes_accessories__boyswear__jeans_trousers__trousers = '/for-sale/clothes-shoes-accessories/boyswear/jeans-trousers/trousers/678/' clothes_shoes_accessories__boyswear__jeans_trousers__other_jeans_trousers = '/for-sale/clothes-shoes-accessories/boyswear/jeans-trousers/other-jeans-trousers/679/' clothes_shoes_accessories__boyswear__jumpers_knitwear = '/for-sale/clothes-shoes-accessories/boyswear/jumpers-knitwear/369/' clothes_shoes_accessories__boyswear__jumpers_knitwear__cardigans = '/for-sale/clothes-shoes-accessories/boyswear/jumpers-knitwear/cardigans/680/' clothes_shoes_accessories__boyswear__jumpers_knitwear__hoodies = '/for-sale/clothes-shoes-accessories/boyswear/jumpers-knitwear/hoodies/682/' clothes_shoes_accessories__boyswear__jumpers_knitwear__jumpers = '/for-sale/clothes-shoes-accessories/boyswear/jumpers-knitwear/jumpers/681/' clothes_shoes_accessories__boyswear__jumpers_knitwear__other_jumpers_knitwear = '/for-sale/clothes-shoes-accessories/boyswear/jumpers-knitwear/other-jumpers-knitwear/683/' clothes_shoes_accessories__boyswear__pyjamas = '/for-sale/clothes-shoes-accessories/boyswear/pyjamas/361/' clothes_shoes_accessories__boyswear__shirts = '/for-sale/clothes-shoes-accessories/boyswear/shirts/367/' clothes_shoes_accessories__boyswear__shirts__long_sleeve_shirts = '/for-sale/clothes-shoes-accessories/boyswear/shirts/long-sleeve-shirts/685/' clothes_shoes_accessories__boyswear__shirts__short_sleeve_shirts = '/for-sale/clothes-shoes-accessories/boyswear/shirts/short-sleeve-shirts/684/' clothes_shoes_accessories__boyswear__shirts__other_shirts = '/for-sale/clothes-shoes-accessories/boyswear/shirts/other-shirts/686/' clothes_shoes_accessories__boyswear__shorts = '/for-sale/clothes-shoes-accessories/boyswear/shorts/362/' clothes_shoes_accessories__boyswear__sportswear = '/for-sale/clothes-shoes-accessories/boyswear/sportswear/368/' clothes_shoes_accessories__boyswear__sportswear__football_sportswear = '/for-sale/clothes-shoes-accessories/boyswear/sportswear/football-sportswear/687/' clothes_shoes_accessories__boyswear__sportswear__rugby_sportswear = '/for-sale/clothes-shoes-accessories/boyswear/sportswear/rugby-sportswear/688/' clothes_shoes_accessories__boyswear__sportswear__tracksuits = '/for-sale/clothes-shoes-accessories/boyswear/sportswear/tracksuits/689/' clothes_shoes_accessories__boyswear__sportswear__other_sportswear = '/for-sale/clothes-shoes-accessories/boyswear/sportswear/other-sportswear/690/' clothes_shoes_accessories__boyswear__swimwear = '/for-sale/clothes-shoes-accessories/boyswear/swimwear/364/' clothes_shoes_accessories__boyswear__swimwear__bermuda = '/for-sale/clothes-shoes-accessories/boyswear/swimwear/bermuda/693/' clothes_shoes_accessories__boyswear__swimwear__swim_shoes = '/for-sale/clothes-shoes-accessories/boyswear/swimwear/swim-shoes/694/' clothes_shoes_accessories__boyswear__swimwear__swim_suit = '/for-sale/clothes-shoes-accessories/boyswear/swimwear/swim-suit/691/' clothes_shoes_accessories__boyswear__swimwear__swim_togs = '/for-sale/clothes-shoes-accessories/boyswear/swimwear/swim-togs/692/' clothes_shoes_accessories__boyswear__swimwear__other_swimwear = '/for-sale/clothes-shoes-accessories/boyswear/swimwear/other-swimwear/695/' clothes_shoes_accessories__boyswear__tops_tee_shirts = '/for-sale/clothes-shoes-accessories/boyswear/tops-tee-shirts/360/' clothes_shoes_accessories__boyswear__tops_tee_shirts__long_sleeve_tee_shirts = '/for-sale/clothes-shoes-accessories/boyswear/tops-tee-shirts/long-sleeve-tee-shirts/696/' clothes_shoes_accessories__boyswear__tops_tee_shirts__short_sleeve_tee_shirts = '/for-sale/clothes-shoes-accessories/boyswear/tops-tee-shirts/short-sleeve-tee-shirts/697/' clothes_shoes_accessories__boyswear__tops_tee_shirts__other_tops_tee_shirts = '/for-sale/clothes-shoes-accessories/boyswear/tops-tee-shirts/other-tops-tee-shirts/698/' clothes_shoes_accessories__boyswear__underwear_socks = '/for-sale/clothes-shoes-accessories/boyswear/underwear-socks/363/' clothes_shoes_accessories__boyswear__uniform = '/for-sale/clothes-shoes-accessories/boyswear/uniform/365/' clothes_shoes_accessories__boyswear__uniform__jumpers = '/for-sale/clothes-shoes-accessories/boyswear/uniform/jumpers/699/' clothes_shoes_accessories__boyswear__uniform__shirts = '/for-sale/clothes-shoes-accessories/boyswear/uniform/shirts/701/' clothes_shoes_accessories__boyswear__uniform__trousers = '/for-sale/clothes-shoes-accessories/boyswear/uniform/trousers/700/' clothes_shoes_accessories__boyswear__uniform__other_uniform = '/for-sale/clothes-shoes-accessories/boyswear/uniform/other-uniform/702/' clothes_shoes_accessories__boyswear__other_boyswear = '/for-sale/clothes-shoes-accessories/boyswear/other-boyswear/370/' clothes_shoes_accessories__fancy_dress = '/for-sale/clothes-shoes-accessories/fancy-dress/303349/' clothes_shoes_accessories__fancy_dress__boys = '/for-sale/clothes-shoes-accessories/fancy-dress/boys/703/' clothes_shoes_accessories__fancy_dress__girls = '/for-sale/clothes-shoes-accessories/fancy-dress/girls/704/' clothes_shoes_accessories__fancy_dress__men = '/for-sale/clothes-shoes-accessories/fancy-dress/men/705/' clothes_shoes_accessories__fancy_dress__unisex = '/for-sale/clothes-shoes-accessories/fancy-dress/unisex/1384/' clothes_shoes_accessories__fancy_dress__women = '/for-sale/clothes-shoes-accessories/fancy-dress/women/706/' clothes_shoes_accessories__girlswear = '/for-sale/clothes-shoes-accessories/girlswear/247/' clothes_shoes_accessories__girlswear__coats_jackets = '/for-sale/clothes-shoes-accessories/girlswear/coats-jackets/371/' clothes_shoes_accessories__girlswear__coats_jackets__gilets = '/for-sale/clothes-shoes-accessories/girlswear/coats-jackets/gilets/710/' clothes_shoes_accessories__girlswear__coats_jackets__raincoat = '/for-sale/clothes-shoes-accessories/girlswear/coats-jackets/raincoat/709/' clothes_shoes_accessories__girlswear__coats_jackets__summer = '/for-sale/clothes-shoes-accessories/girlswear/coats-jackets/summer/708/' clothes_shoes_accessories__girlswear__coats_jackets__winter = '/for-sale/clothes-shoes-accessories/girlswear/coats-jackets/winter/707/' clothes_shoes_accessories__girlswear__coats_jackets__other_coats_jackets = '/for-sale/clothes-shoes-accessories/girlswear/coats-jackets/other-coats-jackets/711/' clothes_shoes_accessories__girlswear__communion_outfits = '/for-sale/clothes-shoes-accessories/girlswear/communion-outfits/380/' clothes_shoes_accessories__girlswear__communion_outfits__accessories = '/for-sale/clothes-shoes-accessories/girlswear/communion-outfits/accessories/713/' clothes_shoes_accessories__girlswear__communion_outfits__dresses = '/for-sale/clothes-shoes-accessories/girlswear/communion-outfits/dresses/712/' clothes_shoes_accessories__girlswear__communion_outfits__other_communion = '/for-sale/clothes-shoes-accessories/girlswear/communion-outfits/other-communion/714/' clothes_shoes_accessories__girlswear__dresses = '/for-sale/clothes-shoes-accessories/girlswear/dresses/375/' clothes_shoes_accessories__girlswear__jeans_trousers = '/for-sale/clothes-shoes-accessories/girlswear/jeans-trousers/372/' clothes_shoes_accessories__girlswear__jeans_trousers__jeans = '/for-sale/clothes-shoes-accessories/girlswear/jeans-trousers/jeans/715/' clothes_shoes_accessories__girlswear__jeans_trousers__trousers = '/for-sale/clothes-shoes-accessories/girlswear/jeans-trousers/trousers/716/' clothes_shoes_accessories__girlswear__jumpers_knitwear = '/for-sale/clothes-shoes-accessories/girlswear/jumpers-knitwear/382/' clothes_shoes_accessories__girlswear__jumpers_knitwear__cardigans = '/for-sale/clothes-shoes-accessories/girlswear/jumpers-knitwear/cardigans/717/' clothes_shoes_accessories__girlswear__jumpers_knitwear__hoodies = '/for-sale/clothes-shoes-accessories/girlswear/jumpers-knitwear/hoodies/719/' clothes_shoes_accessories__girlswear__jumpers_knitwear__jumpers = '/for-sale/clothes-shoes-accessories/girlswear/jumpers-knitwear/jumpers/718/' clothes_shoes_accessories__girlswear__jumpers_knitwear__other_jumpers_knitwear = '/for-sale/clothes-shoes-accessories/girlswear/jumpers-knitwear/other-jumpers-knitwear/720/' clothes_shoes_accessories__girlswear__pyjamas = '/for-sale/clothes-shoes-accessories/girlswear/pyjamas/374/' clothes_shoes_accessories__girlswear__shorts = '/for-sale/clothes-shoes-accessories/girlswear/shorts/412/' clothes_shoes_accessories__girlswear__skirts = '/for-sale/clothes-shoes-accessories/girlswear/skirts/376/' clothes_shoes_accessories__girlswear__skirts__long = '/for-sale/clothes-shoes-accessories/girlswear/skirts/long/722/' clothes_shoes_accessories__girlswear__skirts__short = '/for-sale/clothes-shoes-accessories/girlswear/skirts/short/721/' clothes_shoes_accessories__girlswear__skirts__other_skirts = '/for-sale/clothes-shoes-accessories/girlswear/skirts/other-skirts/723/' clothes_shoes_accessories__girlswear__socks_tights = '/for-sale/clothes-shoes-accessories/girlswear/socks-tights/414/' clothes_shoes_accessories__girlswear__sportswear = '/for-sale/clothes-shoes-accessories/girlswear/sportswear/381/' clothes_shoes_accessories__girlswear__sportswear__bottoms = '/for-sale/clothes-shoes-accessories/girlswear/sportswear/bottoms/725/' clothes_shoes_accessories__girlswear__sportswear__tops = '/for-sale/clothes-shoes-accessories/girlswear/sportswear/tops/724/' clothes_shoes_accessories__girlswear__sportswear__tracksuits = '/for-sale/clothes-shoes-accessories/girlswear/sportswear/tracksuits/726/' clothes_shoes_accessories__girlswear__sportswear__other_sportswear = '/for-sale/clothes-shoes-accessories/girlswear/sportswear/other-sportswear/727/' clothes_shoes_accessories__girlswear__swimwear = '/for-sale/clothes-shoes-accessories/girlswear/swimwear/378/' clothes_shoes_accessories__girlswear__swimwear__bikinis = '/for-sale/clothes-shoes-accessories/girlswear/swimwear/bikinis/731/' clothes_shoes_accessories__girlswear__swimwear__bottoms = '/for-sale/clothes-shoes-accessories/girlswear/swimwear/bottoms/730/' clothes_shoes_accessories__girlswear__swimwear__swimsuit = '/for-sale/clothes-shoes-accessories/girlswear/swimwear/swimsuit/728/' clothes_shoes_accessories__girlswear__swimwear__tops = '/for-sale/clothes-shoes-accessories/girlswear/swimwear/tops/729/' clothes_shoes_accessories__girlswear__tops_tee_shirts = '/for-sale/clothes-shoes-accessories/girlswear/tops-tee-shirts/373/' clothes_shoes_accessories__girlswear__tops_tee_shirts__long_sleeve = '/for-sale/clothes-shoes-accessories/girlswear/tops-tee-shirts/long-sleeve/732/' clothes_shoes_accessories__girlswear__tops_tee_shirts__short_sleeve = '/for-sale/clothes-shoes-accessories/girlswear/tops-tee-shirts/short-sleeve/733/' clothes_shoes_accessories__girlswear__underwear = '/for-sale/clothes-shoes-accessories/girlswear/underwear/377/' clothes_shoes_accessories__girlswear__uniform = '/for-sale/clothes-shoes-accessories/girlswear/uniform/379/' clothes_shoes_accessories__girlswear__uniform__jumpers = '/for-sale/clothes-shoes-accessories/girlswear/uniform/jumpers/734/' clothes_shoes_accessories__girlswear__uniform__skirts = '/for-sale/clothes-shoes-accessories/girlswear/uniform/skirts/735/' clothes_shoes_accessories__girlswear__uniform__trousers = '/for-sale/clothes-shoes-accessories/girlswear/uniform/trousers/736/' clothes_shoes_accessories__girlswear__uniform__other_uniform = '/for-sale/clothes-shoes-accessories/girlswear/uniform/other-uniform/737/' clothes_shoes_accessories__girlswear__other_girlswear = '/for-sale/clothes-shoes-accessories/girlswear/other-girlswear/383/' kidswear = '/for-sale/kidswear/303510/' clothes_shoes_accessories__menswear = '/for-sale/clothes-shoes-accessories/menswear/118/' clothes_shoes_accessories__menswear__coats_jackets = '/for-sale/clothes-shoes-accessories/menswear/coats-jackets/384/' clothes_shoes_accessories__menswear__coats_jackets__gilet = '/for-sale/clothes-shoes-accessories/menswear/coats-jackets/gilet/742/' clothes_shoes_accessories__menswear__coats_jackets__raincoats = '/for-sale/clothes-shoes-accessories/menswear/coats-jackets/raincoats/741/' clothes_shoes_accessories__menswear__coats_jackets__summer = '/for-sale/clothes-shoes-accessories/menswear/coats-jackets/summer/740/' clothes_shoes_accessories__menswear__coats_jackets__winter = '/for-sale/clothes-shoes-accessories/menswear/coats-jackets/winter/739/' clothes_shoes_accessories__menswear__coats_jackets__other_coats_jackets = '/for-sale/clothes-shoes-accessories/menswear/coats-jackets/other-coats-jackets/743/' clothes_shoes_accessories__menswear__jeans_trousers = '/for-sale/clothes-shoes-accessories/menswear/jeans-trousers/385/' clothes_shoes_accessories__menswear__jeans_trousers__jeans = '/for-sale/clothes-shoes-accessories/menswear/jeans-trousers/jeans/744/' clothes_shoes_accessories__menswear__jeans_trousers__trousers = '/for-sale/clothes-shoes-accessories/menswear/jeans-trousers/trousers/745/' clothes_shoes_accessories__menswear__jumpers_knitwear = '/for-sale/clothes-shoes-accessories/menswear/jumpers-knitwear/392/' clothes_shoes_accessories__menswear__jumpers_knitwear__cardigans = '/for-sale/clothes-shoes-accessories/menswear/jumpers-knitwear/cardigans/746/' clothes_shoes_accessories__menswear__jumpers_knitwear__hoodies = '/for-sale/clothes-shoes-accessories/menswear/jumpers-knitwear/hoodies/748/' clothes_shoes_accessories__menswear__jumpers_knitwear__jumpers = '/for-sale/clothes-shoes-accessories/menswear/jumpers-knitwear/jumpers/747/' clothes_shoes_accessories__menswear__jumpers_knitwear__other_jumpers_knitwear = '/for-sale/clothes-shoes-accessories/menswear/jumpers-knitwear/other-jumpers-knitwear/749/' clothes_shoes_accessories__menswear__shirts = '/for-sale/clothes-shoes-accessories/menswear/shirts/388/' clothes_shoes_accessories__menswear__shirts__long_sleeve = '/for-sale/clothes-shoes-accessories/menswear/shirts/long-sleeve/750/' clothes_shoes_accessories__menswear__shirts__short_sleeve = '/for-sale/clothes-shoes-accessories/menswear/shirts/short-sleeve/751/' clothes_shoes_accessories__menswear__shirts__other_shirts = '/for-sale/clothes-shoes-accessories/menswear/shirts/other-shirts/752/' clothes_shoes_accessories__menswear__shorts = '/for-sale/clothes-shoes-accessories/menswear/shorts/387/' clothes_shoes_accessories__menswear__sleepwear = '/for-sale/clothes-shoes-accessories/menswear/sleepwear/410/' clothes_shoes_accessories__menswear__sportswear = '/for-sale/clothes-shoes-accessories/menswear/sportswear/391/' clothes_shoes_accessories__menswear__sportswear__bottoms = '/for-sale/clothes-shoes-accessories/menswear/sportswear/bottoms/756/' clothes_shoes_accessories__menswear__sportswear__football = '/for-sale/clothes-shoes-accessories/menswear/sportswear/football/753/' clothes_shoes_accessories__menswear__sportswear__rugby = '/for-sale/clothes-shoes-accessories/menswear/sportswear/rugby/754/' clothes_shoes_accessories__menswear__sportswear__tops = '/for-sale/clothes-shoes-accessories/menswear/sportswear/tops/757/' clothes_shoes_accessories__menswear__sportswear__tracksuits = '/for-sale/clothes-shoes-accessories/menswear/sportswear/tracksuits/755/' clothes_shoes_accessories__menswear__sportswear__other_sportswear = '/for-sale/clothes-shoes-accessories/menswear/sportswear/other-sportswear/758/' clothes_shoes_accessories__menswear__suits = '/for-sale/clothes-shoes-accessories/menswear/suits/390/' clothes_shoes_accessories__menswear__swimwear = '/for-sale/clothes-shoes-accessories/menswear/swimwear/389/' clothes_shoes_accessories__menswear__tops_tee_shirts = '/for-sale/clothes-shoes-accessories/menswear/tops-tee-shirts/386/' clothes_shoes_accessories__menswear__tops_tee_shirts__long_sleeve = '/for-sale/clothes-shoes-accessories/menswear/tops-tee-shirts/long-sleeve/759/' clothes_shoes_accessories__menswear__tops_tee_shirts__short_sleeve = '/for-sale/clothes-shoes-accessories/menswear/tops-tee-shirts/short-sleeve/760/' clothes_shoes_accessories__menswear__underwear_socks = '/for-sale/clothes-shoes-accessories/menswear/underwear-socks/393/' clothes_shoes_accessories__menswear__underwear_socks__socks = '/for-sale/clothes-shoes-accessories/menswear/underwear-socks/socks/762/' clothes_shoes_accessories__menswear__underwear_socks__underwear = '/for-sale/clothes-shoes-accessories/menswear/underwear-socks/underwear/761/' clothes_shoes_accessories__menswear__other_menswear = '/for-sale/clothes-shoes-accessories/menswear/other-menswear/394/' clothes_shoes_accessories__shoes = '/for-sale/clothes-shoes-accessories/shoes/119/' clothes_shoes_accessories__shoes__boys = '/for-sale/clothes-shoes-accessories/shoes/boys/406/' clothes_shoes_accessories__shoes__boys__boots = '/for-sale/clothes-shoes-accessories/shoes/boys/boots/766/' clothes_shoes_accessories__shoes__boys__casual = '/for-sale/clothes-shoes-accessories/shoes/boys/casual/1264/' clothes_shoes_accessories__shoes__boys__formal = '/for-sale/clothes-shoes-accessories/shoes/boys/formal/769/' clothes_shoes_accessories__shoes__boys__sandals = '/for-sale/clothes-shoes-accessories/shoes/boys/sandals/768/' clothes_shoes_accessories__shoes__boys__trainers = '/for-sale/clothes-shoes-accessories/shoes/boys/trainers/767/' clothes_shoes_accessories__shoes__girls = '/for-sale/clothes-shoes-accessories/shoes/girls/407/' clothes_shoes_accessories__shoes__girls__boots = '/for-sale/clothes-shoes-accessories/shoes/girls/boots/771/' clothes_shoes_accessories__shoes__girls__casual = '/for-sale/clothes-shoes-accessories/shoes/girls/casual/770/' clothes_shoes_accessories__shoes__girls__formal = '/for-sale/clothes-shoes-accessories/shoes/girls/formal/774/' clothes_shoes_accessories__shoes__girls__sandals = '/for-sale/clothes-shoes-accessories/shoes/girls/sandals/773/' clothes_shoes_accessories__shoes__girls__trainers = '/for-sale/clothes-shoes-accessories/shoes/girls/trainers/772/' clothes_shoes_accessories__shoes__men = '/for-sale/clothes-shoes-accessories/shoes/men/408/' clothes_shoes_accessories__shoes__men__boots = '/for-sale/clothes-shoes-accessories/shoes/men/boots/776/' clothes_shoes_accessories__shoes__men__casual = '/for-sale/clothes-shoes-accessories/shoes/men/casual/775/' clothes_shoes_accessories__shoes__men__formal = '/for-sale/clothes-shoes-accessories/shoes/men/formal/779/' clothes_shoes_accessories__shoes__men__sandals = '/for-sale/clothes-shoes-accessories/shoes/men/sandals/778/' clothes_shoes_accessories__shoes__men__trainers = '/for-sale/clothes-shoes-accessories/shoes/men/trainers/777/' clothes_shoes_accessories__shoes__women = '/for-sale/clothes-shoes-accessories/shoes/women/409/' clothes_shoes_accessories__shoes__women__ankle_boots = '/for-sale/clothes-shoes-accessories/shoes/women/ankle-boots/781/' clothes_shoes_accessories__shoes__women__flats = '/for-sale/clothes-shoes-accessories/shoes/women/flats/780/' clothes_shoes_accessories__shoes__women__high_heels = '/for-sale/clothes-shoes-accessories/shoes/women/high-heels/784/' clothes_shoes_accessories__shoes__women__sandals = '/for-sale/clothes-shoes-accessories/shoes/women/sandals/783/' clothes_shoes_accessories__shoes__women__tall_boots = '/for-sale/clothes-shoes-accessories/shoes/women/tall-boots/786/' clothes_shoes_accessories__shoes__women__trainers = '/for-sale/clothes-shoes-accessories/shoes/women/trainers/782/' clothes_shoes_accessories__shoes__women__wedges = '/for-sale/clothes-shoes-accessories/shoes/women/wedges/785/' clothes_shoes_accessories__vintage_clothing = '/for-sale/clothes-shoes-accessories/vintage-clothing/120/' clothes_shoes_accessories__vintage_clothing__accessories = '/for-sale/clothes-shoes-accessories/vintage-clothing/accessories/791/' clothes_shoes_accessories__vintage_clothing__dresses_skirts = '/for-sale/clothes-shoes-accessories/vintage-clothing/dresses-skirts/790/' clothes_shoes_accessories__vintage_clothing__jackets = '/for-sale/clothes-shoes-accessories/vintage-clothing/jackets/787/' clothes_shoes_accessories__vintage_clothing__tops = '/for-sale/clothes-shoes-accessories/vintage-clothing/tops/788/' clothes_shoes_accessories__vintage_clothing__trousers = '/for-sale/clothes-shoes-accessories/vintage-clothing/trousers/789/' clothes_shoes_accessories__vintage_clothing__other_vintage = '/for-sale/clothes-shoes-accessories/vintage-clothing/other-vintage/792/' clothes_shoes_accessories__womenswear = '/for-sale/clothes-shoes-accessories/womenswear/122/' clothes_shoes_accessories__womenswear__blouses_shirts = '/for-sale/clothes-shoes-accessories/womenswear/blouses-shirts/416/' clothes_shoes_accessories__womenswear__blouses_shirts__long_sleeve = '/for-sale/clothes-shoes-accessories/womenswear/blouses-shirts/long-sleeve/793/' clothes_shoes_accessories__womenswear__blouses_shirts__short_sleeve = '/for-sale/clothes-shoes-accessories/womenswear/blouses-shirts/short-sleeve/794/' clothes_shoes_accessories__womenswear__coats_jackets = '/for-sale/clothes-shoes-accessories/womenswear/coats-jackets/395/' clothes_shoes_accessories__womenswear__coats_jackets__blazer = '/for-sale/clothes-shoes-accessories/womenswear/coats-jackets/blazer/795/' clothes_shoes_accessories__womenswear__coats_jackets__denim = '/for-sale/clothes-shoes-accessories/womenswear/coats-jackets/denim/797/' clothes_shoes_accessories__womenswear__coats_jackets__leather = '/for-sale/clothes-shoes-accessories/womenswear/coats-jackets/leather/796/' clothes_shoes_accessories__womenswear__coats_jackets__winter_summer = '/for-sale/clothes-shoes-accessories/womenswear/coats-jackets/winter-summer/798/' clothes_shoes_accessories__womenswear__dresses = '/for-sale/clothes-shoes-accessories/womenswear/dresses/398/' clothes_shoes_accessories__womenswear__dresses__debs = '/for-sale/clothes-shoes-accessories/womenswear/dresses/debs/801/' clothes_shoes_accessories__womenswear__dresses__maxi = '/for-sale/clothes-shoes-accessories/womenswear/dresses/maxi/802/' clothes_shoes_accessories__womenswear__dresses__midi = '/for-sale/clothes-shoes-accessories/womenswear/dresses/midi/803/' clothes_shoes_accessories__womenswear__dresses__mini = '/for-sale/clothes-shoes-accessories/womenswear/dresses/mini/804/' clothes_shoes_accessories__womenswear__jeans_trousers = '/for-sale/clothes-shoes-accessories/womenswear/jeans-trousers/396/' clothes_shoes_accessories__womenswear__jeans_trousers__jeans = '/for-sale/clothes-shoes-accessories/womenswear/jeans-trousers/jeans/799/' clothes_shoes_accessories__womenswear__jeans_trousers__trousers = '/for-sale/clothes-shoes-accessories/womenswear/jeans-trousers/trousers/800/' clothes_shoes_accessories__womenswear__jumpers_knitwear = '/for-sale/clothes-shoes-accessories/womenswear/jumpers-knitwear/404/' clothes_shoes_accessories__womenswear__jumpers_knitwear__cardigans = '/for-sale/clothes-shoes-accessories/womenswear/jumpers-knitwear/cardigans/806/' clothes_shoes_accessories__womenswear__jumpers_knitwear__hoodies = '/for-sale/clothes-shoes-accessories/womenswear/jumpers-knitwear/hoodies/807/' clothes_shoes_accessories__womenswear__jumpers_knitwear__jumpers = '/for-sale/clothes-shoes-accessories/womenswear/jumpers-knitwear/jumpers/805/' clothes_shoes_accessories__womenswear__lingerie = '/for-sale/clothes-shoes-accessories/womenswear/lingerie/400/' clothes_shoes_accessories__womenswear__shorts = '/for-sale/clothes-shoes-accessories/womenswear/shorts/413/' clothes_shoes_accessories__womenswear__shorts__casual = '/for-sale/clothes-shoes-accessories/womenswear/shorts/casual/809/' clothes_shoes_accessories__womenswear__shorts__tailored = '/for-sale/clothes-shoes-accessories/womenswear/shorts/tailored/808/' clothes_shoes_accessories__womenswear__skirts = '/for-sale/clothes-shoes-accessories/womenswear/skirts/399/' clothes_shoes_accessories__womenswear__skirts__maxi = '/for-sale/clothes-shoes-accessories/womenswear/skirts/maxi/810/' clothes_shoes_accessories__womenswear__skirts__midi = '/for-sale/clothes-shoes-accessories/womenswear/skirts/midi/811/' clothes_shoes_accessories__womenswear__skirts__mini = '/for-sale/clothes-shoes-accessories/womenswear/skirts/mini/812/' clothes_shoes_accessories__womenswear__sleepwear = '/for-sale/clothes-shoes-accessories/womenswear/sleepwear/411/' clothes_shoes_accessories__womenswear__socks_tights = '/for-sale/clothes-shoes-accessories/womenswear/socks-tights/415/' clothes_shoes_accessories__womenswear__socks_tights__socks = '/for-sale/clothes-shoes-accessories/womenswear/socks-tights/socks/813/' clothes_shoes_accessories__womenswear__socks_tights__tights = '/for-sale/clothes-shoes-accessories/womenswear/socks-tights/tights/814/' clothes_shoes_accessories__womenswear__sportswear = '/for-sale/clothes-shoes-accessories/womenswear/sportswear/403/' clothes_shoes_accessories__womenswear__sportswear__bottoms = '/for-sale/clothes-shoes-accessories/womenswear/sportswear/bottoms/819/' clothes_shoes_accessories__womenswear__sportswear__shorts = '/for-sale/clothes-shoes-accessories/womenswear/sportswear/shorts/817/' clothes_shoes_accessories__womenswear__sportswear__team_shirts = '/for-sale/clothes-shoes-accessories/womenswear/sportswear/team-shirts/815/' clothes_shoes_accessories__womenswear__sportswear__tops = '/for-sale/clothes-shoes-accessories/womenswear/sportswear/tops/818/' clothes_shoes_accessories__womenswear__sportswear__tracksuits = '/for-sale/clothes-shoes-accessories/womenswear/sportswear/tracksuits/816/' clothes_shoes_accessories__womenswear__suits = '/for-sale/clothes-shoes-accessories/womenswear/suits/402/' clothes_shoes_accessories__womenswear__suits__jackets = '/for-sale/clothes-shoes-accessories/womenswear/suits/jackets/820/' clothes_shoes_accessories__womenswear__suits__sets = '/for-sale/clothes-shoes-accessories/womenswear/suits/sets/822/' clothes_shoes_accessories__womenswear__suits__trousers = '/for-sale/clothes-shoes-accessories/womenswear/suits/trousers/821/' clothes_shoes_accessories__womenswear__swimwear = '/for-sale/clothes-shoes-accessories/womenswear/swimwear/401/' clothes_shoes_accessories__womenswear__swimwear__bikinis = '/for-sale/clothes-shoes-accessories/womenswear/swimwear/bikinis/824/' clothes_shoes_accessories__womenswear__swimwear__swimsuits = '/for-sale/clothes-shoes-accessories/womenswear/swimwear/swimsuits/823/' clothes_shoes_accessories__womenswear__tops_tee_shirts = '/for-sale/clothes-shoes-accessories/womenswear/tops-tee-shirts/397/' clothes_shoes_accessories__womenswear__tops_tee_shirts__tee_shirts = '/for-sale/clothes-shoes-accessories/womenswear/tops-tee-shirts/tee-shirts/825/' clothes_shoes_accessories__womenswear__tops_tee_shirts__tops = '/for-sale/clothes-shoes-accessories/womenswear/tops-tee-shirts/tops/826/' clothes_shoes_accessories__womenswear__tops_tee_shirts__vest_strappy_cami = '/for-sale/clothes-shoes-accessories/womenswear/tops-tee-shirts/vest-strappy-cami/827/' clothes_shoes_accessories__womenswear__other_womenswear = '/for-sale/clothes-shoes-accessories/womenswear/other-womenswear/405/' clothes_shoes_accessories__other_clothes_shoes_accessories = '/for-sale/clothes-shoes-accessories/other-clothes-shoes-accessories/123/' computers = '/for-sale/computers/124/' computers__apple_computers = '/for-sale/computers/apple-computers/517/' computers__apple_computers__apple_tv = '/for-sale/computers/apple-computers/apple-tv/526/' computers__apple_computers__ibook = '/for-sale/computers/apple-computers/ibook/518/' computers__apple_computers__imac = '/for-sale/computers/apple-computers/imac/519/' computers__apple_computers__mac_accessories = '/for-sale/computers/apple-computers/mac-accessories/525/' computers__apple_computers__mac_mini = '/for-sale/computers/apple-computers/mac-mini/521/' computers__apple_computers__mac_pro = '/for-sale/computers/apple-computers/mac-pro/520/' computers__apple_computers__macbook = '/for-sale/computers/apple-computers/macbook/522/' computers__apple_computers__macbook_air = '/for-sale/computers/apple-computers/macbook-air/523/' computers__apple_computers__macbook_pro = '/for-sale/computers/apple-computers/macbook-pro/524/' computers__apple_computers__other_apple_products = '/for-sale/computers/apple-computers/other-apple-products/527/' computers__desktops_and_monitors = '/for-sale/computers/desktops-and-monitors/125/' computers__cables_and_adaptors = '/for-sale/computers/cables-and-adaptors/546/' computers__cables_and_adaptors__audio_cables = '/for-sale/computers/cables-and-adaptors/audio-cables/552/' computers__cables_and_adaptors__dvi_cables = '/for-sale/computers/cables-and-adaptors/dvi-cables/551/' computers__cables_and_adaptors__hdmi_cables = '/for-sale/computers/cables-and-adaptors/hdmi-cables/550/' computers__cables_and_adaptors__network_cables = '/for-sale/computers/cables-and-adaptors/network Cables/549/' computers__cables_and_adaptors__usb_cables = '/for-sale/computers/cables-and-adaptors/usb-cables/547/' computers__cables_and_adaptors__vga_cables = '/for-sale/computers/cables-and-adaptors/vga-cables/548/' computers__printers_and_scanners__laser_printers = '/for-sale/computers/printers-and-scanners/laser-printers/540/' computers__printers_and_scanners__photo_printers = '/for-sale/computers/printers-and-scanners/photo-printers/542/' computers__printers_and_scanners__printer_and_scanner_supplies = '/for-sale/computers/printers-and-scanners/printer-and-scanner-supplies/545/' computers__printers_and_scanners__scanners = '/for-sale/computers/printers-and-scanners/scanners/543/' computers__printers_and_scanners__other_printers_and_scanners = '/for-sale/computers/printers-and-scanners/other-printers-and-scanners/544/' computers__servers = '/for-sale/computers/servers/131/' computers__software = '/for-sale/computers/software/132/' computers__software__business_and_finance = '/for-sale/computers/software/business-and-finance/554/' computers__software__education_and_reference = '/for-sale/computers/software/education-and-reference/556/' computers__software__graphics_and_design = '/for-sale/computers/software/graphics-and-design/555/' computers__software__hobbes_and_interests = '/for-sale/computers/software/hobbes-and-interests/557/' computers__software__operating_systems = '/for-sale/computers/software/operating-systems/560/' computers__software__security_and_antivirus = '/for-sale/computers/software/security-and-antivirus/558/' computers__software__video_and_music = '/for-sale/computers/software/video-and-music/559/' computers__software__other_software = '/for-sale/computers/software/other-software/561/' computers__other_computers = '/for-sale/computers/other-computers/133/' consoles_games = '/for-sale/consoles-games/134/' consoles_games__accessories = '/for-sale/consoles-games/accessories/135/' consoles_games__arcade_retro = '/for-sale/consoles-games/arcade-retro/738/' consoles_games__games = '/for-sale/consoles-games/games/136/' consoles_games__nintendo = '/for-sale/consoles-games/nintendo/137/' consoles_games__playstation = '/for-sale/consoles-games/playstation/138/' consoles_games__xbox = '/for-sale/consoles-games/xbox/139/' consoles_games__other_consoles_games = '/for-sale/consoles-games/other-consoles-games/12/' crazy_random_stuff = '/for-sale/crazy-random-stuff/32/' diy_renovation = '/for-sale/diy-renovation/140/' diy_renovation__building_materials = '/for-sale/diy-renovation/building-materials/141/' diy_renovation__building_materials__bathroom = '/for-sale/diy-renovation/building-materials/bathroom/995/' diy_renovation__building_materials__door_windows = '/for-sale/diy-renovation/building-materials/door-windows/997/' diy_renovation__building_materials__heating_materials = '/for-sale/diy-renovation/building-materials/heating-materials/998/' diy_renovation__building_materials__kitchen = '/for-sale/diy-renovation/building-materials/kitchen/999/' diy_renovation__building_materials__plumbing_gas = '/for-sale/diy-renovation/building-materials/plumbing-gas/1000/' diy_renovation__building_materials__tiles_flooring = '/for-sale/diy-renovation/building-materials/tiles-flooring/996/' diy_renovation__building_materials__other_building_materials = '/for-sale/diy-renovation/building-materials/other-building-materials/1001/' diy_renovation__fixtures_fittings = '/for-sale/diy-renovation/fixtures-fittings/142/' diy_renovation__fixtures_fittings__handles = '/for-sale/diy-renovation/fixtures-fittings/handles/1002/' diy_renovation__fixtures_fittings__knobs = '/for-sale/diy-renovation/fixtures-fittings/knobs/1004/' diy_renovation__fixtures_fittings__locks_latches = '/for-sale/diy-renovation/fixtures-fittings/locks-latches/1003/' diy_renovation__fixtures_fittings__other_fixtures_fittings = '/for-sale/diy-renovation/fixtures-fittings/other-fixtures-fittings/1005/' diy_renovation__machinery_tools = '/for-sale/diy-renovation/machinery-tools/143/' diy_renovation__machinery_tools__hand_tools = '/for-sale/diy-renovation/machinery-tools/hand-tools/1006/' diy_renovation__machinery_tools__heavy_machinery = '/for-sale/diy-renovation/machinery-tools/heavy-machinery/1008/' diy_renovation__machinery_tools__power_tools = '/for-sale/diy-renovation/machinery-tools/power-tools/1007/' diy_renovation__machinery_tools__tool_parts_accessories = '/for-sale/diy-renovation/machinery-tools/tool-parts-accessories/1009/' diy_renovation__other_diy_renovation = '/for-sale/diy-renovation/other-diy-renovation/144/' dvd_cd_movies = '/for-sale/dvd-cd-movies/108/' dvd_cd_movies__blu_ray = '/for-sale/dvd-cd-movies/blu-ray/109/' dvd_cd_movies__bulk = '/for-sale/dvd-cd-movies/bulk/110/' dvd_cd_movies__cd = '/for-sale/dvd-cd-movies/cd/111/' dvd_cd_movies__dvd = '/for-sale/dvd-cd-movies/dvd/112/' dvd_cd_movies__tapes = '/for-sale/dvd-cd-movies/tapes/245/' dvd_cd_movies__vhs = '/for-sale/dvd-cd-movies/vhs/113/' dvd_cd_movies__vinyl = '/for-sale/dvd-cd-movies/vinyl/244/' dvd_cd_movies__other_dvd_cd_movies = '/for-sale/dvd-cd-movies/other-dvd-cd-movies/13/' electronics = '/for-sale/electronics/145/' electronics__cables = '/for-sale/electronics/cables/303353/' electronics__dvd_player_blu_ray_and_vcr = '/for-sale/electronics/dvd-player-blu-ray-and-vcr/146/' electronics__e_readers = '/for-sale/electronics/e-readers/578/' electronics__headphones_earphones = '/for-sale/electronics/headphones-earphones/579/' electronics__home_audio = '/for-sale/electronics/home-audio/147/' electronics__ipod_mp3 = '/for-sale/electronics/ipod-mp3/150/' electronics__media_players = '/for-sale/electronics/media-players/577/' electronics__phone_fax = '/for-sale/electronics/phone-fax/148/' electronics__projector = '/for-sale/electronics/projector/303352/' electronics__sat_nav = '/for-sale/electronics/sat-nav/303351/' electronics__satellite = '/for-sale/electronics/satellite/251/' electronics__tv = '/for-sale/electronics/tv/149/' electronics__other_electronics = '/for-sale/electronics/other-electronics/50/' farming = '/for-sale/farming/582/' farming__farm_feeds = '/for-sale/farming/farm-feeds/584/' farming__farm_machinery = '/for-sale/farming/farm-machinery/103/' farming__farming_equipment = '/for-sale/farming/farming-equipment/583/' farming__livestock = '/for-sale/farming/livestock/585/' farming__livestock__beef_cattle = '/for-sale/farming/livestock/beef-cattle/586/' farming__livestock__dairy_cattle = '/for-sale/farming/livestock/dairy-cattle/596/' farming__livestock__goats = '/for-sale/farming/livestock/goats/597/' farming__livestock__pigs = '/for-sale/farming/livestock/pigs/587/' farming__livestock__poultry = '/for-sale/farming/livestock/poultry/598/' farming__livestock__sheep = '/for-sale/farming/livestock/sheep/588/' farming__tractors_trailers = '/for-sale/farming/tractors-trailers/589/' farming__tractors_trailers__tractor_parts = '/for-sale/farming/tractors-trailers/tractor-parts/592/' farming__tractors_trailers__tractors = '/for-sale/farming/tractors-trailers/tractors/590/' farming__tractors_trailers__trailers_link_boxes = '/for-sale/farming/tractors-trailers/trailers-link-boxes/593/' farming__tractors_trailers__vintage_tractors = '/for-sale/farming/tractors-trailers/vintage-tractors/591/' farming__tractors_trailers__other_tractors_trailers = '/for-sale/farming/tractors-trailers/other-tractors-trailers/594/' farming__other_farming = '/for-sale/farming/other-farming/595/' health_beauty = '/for-sale/health-beauty/151/' health_beauty__fragrances = '/for-sale/health-beauty/fragrances/1378/' health_beauty__fragrances__mens_fragrances = '/for-sale/health-beauty/fragrances/mens-fragrances/155/' health_beauty__fragrances__unisex_fragrances = '/for-sale/health-beauty/fragrances/unisex-fragrances/1379/' health_beauty__fragrances__womens_fragrances = '/for-sale/health-beauty/fragrances/womens-fragrances/157/' health_beauty__hair_care_grooming = '/for-sale/health-beauty/hair-care-grooming/152/' health_beauty__healthcare = '/for-sale/health-beauty/healthcare/153/' health_beauty__makeup_skin_care = '/for-sale/health-beauty/makeup-skin-care/154/' health_beauty__manicure_pedicure = '/for-sale/health-beauty/manicure-pedicure/581/' health_beauty__other_health_beauty = '/for-sale/health-beauty/other-health-beauty/158/' home_garden = '/for-sale/home-garden/159/' home_garden__bathroom = '/for-sale/home-garden/bathroom/161/' home_garden__bathroom__bathroom_fittings = '/for-sale/home-garden/bathroom/bathroom-fittings/897/' home_garden__bathroom__baths = '/for-sale/home-garden/bathroom/baths/895/' home_garden__bathroom__showers = '/for-sale/home-garden/bathroom/showers/894/' home_garden__bathroom__toilets = '/for-sale/home-garden/bathroom/toilets/896/' home_garden__beds_bedroom = '/for-sale/home-garden/beds-bedroom/162/' home_garden__beds_bedroom__beds = '/for-sale/home-garden/beds-bedroom/beds/902/' home_garden__beds_bedroom__beds__double = '/for-sale/home-garden/beds-bedroom/beds/double/909/' home_garden__beds_bedroom__beds__kids_beds_bunk_beds = '/for-sale/home-garden/beds-bedroom/beds/kids-beds-bunk-beds/912/' home_garden__beds_bedroom__beds__king_size = '/for-sale/home-garden/beds-bedroom/beds/king-size/911/' home_garden__beds_bedroom__beds__mattresses = '/for-sale/home-garden/beds-bedroom/beds/mattresses/913/' home_garden__beds_bedroom__beds__queen_size = '/for-sale/home-garden/beds-bedroom/beds/queen-size/910/' home_garden__beds_bedroom__beds__single = '/for-sale/home-garden/beds-bedroom/beds/single/908/' home_garden__beds_bedroom__beds__sofa_beds = '/for-sale/home-garden/beds-bedroom/beds/sofa-beds/914/' home_garden__beds_bedroom__chests = '/for-sale/home-garden/beds-bedroom/chests/903/' home_garden__beds_bedroom__dressing_tables = '/for-sale/home-garden/beds-bedroom/dressing-tables/906/' home_garden__beds_bedroom__lockers = '/for-sale/home-garden/beds-bedroom/lockers/904/' home_garden__beds_bedroom__wardrobes = '/for-sale/home-garden/beds-bedroom/wardrobes/905/' home_garden__beds_bedroom__other = '/for-sale/home-garden/beds-bedroom/other/907/' home_garden__blinds_curtains = '/for-sale/home-garden/blinds-curtains/163/' home_garden__blinds_curtains__blinds = '/for-sale/home-garden/blinds-curtains/blinds/915/' home_garden__blinds_curtains__curtains = '/for-sale/home-garden/blinds-curtains/curtains/916/' home_garden__blinds_curtains__fittings_accessories = '/for-sale/home-garden/blinds-curtains/fittings-accessories/917/' home_garden__carpets_rugs = '/for-sale/home-garden/carpets-rugs/342/' home_garden__carpets_rugs__carpets = '/for-sale/home-garden/carpets-rugs/carpets/918/' home_garden__carpets_rugs__rugs = '/for-sale/home-garden/carpets-rugs/rugs/919/' home_garden__celebrations_and_occasions = '/for-sale/home-garden/celebrations-and-occasions/478/' home_garden__celebrations_and_occasions__birthday = '/for-sale/home-garden/celebrations-and-occasions/birthday/480/' home_garden__celebrations_and_occasions__christmas = '/for-sale/home-garden/celebrations-and-occasions/christmas/481/' home_garden__celebrations_and_occasions__christmas__christmas_clothes = '/for-sale/home-garden/celebrations-and-occasions/christmas/christmas-clothes/858/' home_garden__celebrations_and_occasions__christmas__christmas_decorations = '/for-sale/home-garden/celebrations-and-occasions/christmas/christmas-decorations/853/' home_garden__celebrations_and_occasions__christmas__christmas_hampers = '/for-sale/home-garden/celebrations-and-occasions/christmas/christmas-hampers/860/' home_garden__celebrations_and_occasions__christmas__christmas_lights = '/for-sale/home-garden/celebrations-and-occasions/christmas/christmas-lights/857/' home_garden__celebrations_and_occasions__christmas__christmas_stockings = '/for-sale/home-garden/celebrations-and-occasions/christmas/christmas-stockings/859/' home_garden__celebrations_and_occasions__christmas__christmas_tableware = '/for-sale/home-garden/celebrations-and-occasions/christmas/christmas-tableware/855/' home_garden__celebrations_and_occasions__christmas__christmas_trees_stands = '/for-sale/home-garden/celebrations-and-occasions/christmas/christmas-trees-stands/854/' home_garden__celebrations_and_occasions__christmas__christmas_wreaths_garlands_plants = '/for-sale/home-garden/celebrations-and-occasions/christmas/christmas-wreaths-garlands-plants/856/' home_garden__celebrations_and_occasions__christmas__other_christmas_items = '/for-sale/home-garden/celebrations-and-occasions/christmas/other-christmas-items/861/' home_garden__celebrations_and_occasions__greetings_cards = '/for-sale/home-garden/celebrations-and-occasions/greetings-cards/482/' home_garden__halloween_decorations = '/for-sale/home-garden/halloween-decorations/303509/' home_garden__celebrations_and_occasions__hampers = '/for-sale/home-garden/celebrations-and-occasions/hampers/488/' home_garden__celebrations_and_occasions__hen_stag_party_supplies = '/for-sale/home-garden/celebrations-and-occasions/hen-stag-party-supplies/599/' home_garden__celebrations_and_occasions__wedding__party_decorations_and_supplies = '/for-sale/home-garden/celebrations-and-occasions/wedding/party-decorations-and-supplies/486/' home_garden__celebrations_and_occasions__wedding__other_celebrations_and_occasions = '/for-sale/home-garden/celebrations-and-occasions/wedding/other-celebrations-and-occasions/487/' home_garden__dining_utensils = '/for-sale/home-garden/dining-utensils/959/' home_garden__dining_utensils__cups_glasses = '/for-sale/home-garden/dining-utensils/cups-glasses/963/' home_garden__dining_utensils__dinnerware = '/for-sale/home-garden/dining-utensils/dinnerware/964/' home_garden__dining_utensils__pans_bakeware = '/for-sale/home-garden/dining-utensils/pans-bakeware/961/' home_garden__dining_utensils__pots = '/for-sale/home-garden/dining-utensils/pots/960/' home_garden__dining_utensils__utensils_cutlery = '/for-sale/home-garden/dining-utensils/utensils-cutlery/962/' home_garden__dining_utensils__other_dining_utensils = '/for-sale/home-garden/dining-utensils/other-dining-utensils/965/' home_garden__furniture = '/for-sale/home-garden/furniture/270/' home_garden__furniture__armchairs = '/for-sale/home-garden/furniture/armchairs/867/' home_garden__furniture__bookcases = '/for-sale/home-garden/furniture/bookcases/869/' home_garden__furniture__cabinets = '/for-sale/home-garden/furniture/cabinets/863/' home_garden__furniture__coffee_tables = '/for-sale/home-garden/furniture/coffee-tables/864/' home_garden__furniture__dining_tables_chairs = '/for-sale/home-garden/furniture/dining-tables-chairs/865/' home_garden__furniture__occasional_furniture = '/for-sale/home-garden/furniture/occasional-furniture/866/' home_garden__furniture__sofas_suites = '/for-sale/home-garden/furniture/sofas-suites/862/' home_garden__furniture__stools = '/for-sale/home-garden/furniture/stools/868/' home_garden__furniture__other_furniture = '/for-sale/home-garden/furniture/other-furniture/870/' garden_patio = '/for-sale/garden-patio/1162/' home_garden__garden_patio__bbq_s_outdoor_heaters = '/for-sale/home-garden/garden-patio/bbq-s-outdoor-heaters/160/' home_garden__garden_patio__bbq_s_outdoor_heaters__bbq_accessories = '/for-sale/home-garden/garden-patio/bbq-s-outdoor-heaters/bbq-accessories/901/' home_garden__garden_patio__bbq_s_outdoor_heaters__charcoal_bbq_s = '/for-sale/home-garden/garden-patio/bbq-s-outdoor-heaters/charcoal-bbq-s/899/' home_garden__garden_patio__bbq_s_outdoor_heaters__gas_bbq_s = '/for-sale/home-garden/garden-patio/bbq-s-outdoor-heaters/gas-bbq-s/898/' home_garden__garden_patio__bbq_s_outdoor_heaters__outdoor_heaters = '/for-sale/home-garden/garden-patio/bbq-s-outdoor-heaters/outdoor-heaters/900/' home_garden__garden_patio__garden_furniture = '/for-sale/home-garden/garden-patio/garden-furniture/164/' home_garden__garden_patio__garden_furniture__benches = '/for-sale/home-garden/garden-patio/garden-furniture/benches/921/' home_garden__garden_patio__garden_furniture__gazebos = '/for-sale/home-garden/garden-patio/garden-furniture/gazebos/924/' home_garden__garden_patio__garden_furniture__tables_chairs = '/for-sale/home-garden/garden-patio/garden-furniture/tables-chairs/920/' home_garden__garden_patio__garden_furniture__umbrellas = '/for-sale/home-garden/garden-patio/garden-furniture/umbrellas/926/' home_garden__garden_patio__garden_furniture__other = '/for-sale/home-garden/garden-patio/garden-furniture/other/1163/' home_garden__garden_patio__garden_tools = '/for-sale/home-garden/garden-patio/garden-tools/165/' home_garden__garden_patio__garden_tools__chainsaws = '/for-sale/home-garden/garden-patio/garden-tools/chainsaws/931/' home_garden__garden_patio__garden_tools__hand_tools = '/for-sale/home-garden/garden-patio/garden-tools/hand-tools/1164/' home_garden__garden_patio__garden_tools__hedge_cutters = '/for-sale/home-garden/garden-patio/garden-tools/hedge-cutters/929/' home_garden__garden_patio__garden_tools__power_washers = '/for-sale/home-garden/garden-patio/garden-tools/power-washers/930/' home_garden__garden_patio__garden_tools__strimmers = '/for-sale/home-garden/garden-patio/garden-tools/strimmers/928/' home_garden__garden_patio__garden_tools__other = '/for-sale/home-garden/garden-patio/garden-tools/other/932/' home_garden__garden_patio__lawnmowers = '/for-sale/home-garden/garden-patio/lawnmowers/927/' home_garden__garden_patio__lawnmowers__electric = '/for-sale/home-garden/garden-patio/lawnmowers/electric/1166/' home_garden__garden_patio__lawnmowers__manual = '/for-sale/home-garden/garden-patio/lawnmowers/manual/1168/' home_garden__garden_patio__lawnmowers__petrol = '/for-sale/home-garden/garden-patio/lawnmowers/petrol/1165/' home_garden__garden_patio__lawnmowers__ride_on = '/for-sale/home-garden/garden-patio/lawnmowers/ride-on/1167/' home_garden__garden_patio__sheds_garden_storage = '/for-sale/home-garden/garden-patio/sheds-garden-storage/170/' home_garden__garden_patio__sheds_garden_storage__garden_storage = '/for-sale/home-garden/garden-patio/sheds-garden-storage/garden-storage/1170/' home_garden__garden_patio__sheds_garden_storage__sheds = '/for-sale/home-garden/garden-patio/sheds-garden-storage/sheds/1169/' home_garden__garden_patio__statues_ornaments_bird_boxes = '/for-sale/home-garden/garden-patio/statues-ornaments-bird-boxes/1171/' home_garden__garden_patio__statues_ornaments_bird_boxes__bird_boxes = '/for-sale/home-garden/garden-patio/statues-ornaments-bird-boxes/bird-boxes/925/' home_garden__garden_patio__statues_ornaments_bird_boxes__garden_ornaments = '/for-sale/home-garden/garden-patio/statues-ornaments-bird-boxes/garden-ornaments/1172/' home_garden__garden_patio__statues_ornaments_bird_boxes__garden_statues = '/for-sale/home-garden/garden-patio/statues-ornaments-bird-boxes/garden-statues/923/' home_garden__garden_patio__trees_plants_pots = '/for-sale/home-garden/garden-patio/trees-plants-pots/1173/' home_garden__garden_patio__trees_plants_pots__plants_trees = '/for-sale/home-garden/garden-patio/trees-plants-pots/plants-trees/169/' home_garden__garden_patio__trees_plants_pots__pots = '/for-sale/home-garden/garden-patio/trees-plants-pots/pots/1174/' home_garden__garden_patio__trees_plants_pots__seeds_bulbs = '/for-sale/home-garden/garden-patio/trees-plants-pots/seeds-bulbs/1175/' home_garden__garden_patio__trees_plants_pots__soil_gravel = '/for-sale/home-garden/garden-patio/trees-plants-pots/soil-gravel/1176/' home_garden__glass_crystal = '/for-sale/home-garden/glass-crystal/343/' home_garden__glass_crystal__glass = '/for-sale/home-garden/glass-crystal/glass/936/' home_garden__glass_crystal__tipperary = '/for-sale/home-garden/glass-crystal/tipperary/934/' home_garden__glass_crystal__waterford = '/for-sale/home-garden/glass-crystal/waterford/933/' home_garden__glass_crystal__other_crystal = '/for-sale/home-garden/glass-crystal/other-crystal/935/' home_garden__heating = '/for-sale/home-garden/heating/253/' home_garden__heating__boilers = '/for-sale/home-garden/heating/boilers/941/' home_garden__heating__electric = '/for-sale/home-garden/heating/electric/938/' home_garden__heating__fireplaces = '/for-sale/home-garden/heating/fireplaces/1262/' home_garden__heating__gas = '/for-sale/home-garden/heating/gas/937/' home_garden__heating__radiators = '/for-sale/home-garden/heating/radiators/939/' home_garden__heating__stoves = '/for-sale/home-garden/heating/stoves/940/' home_garden__home_decor = '/for-sale/home-garden/home-decor/166/' home_garden__home_decor__baskets = '/for-sale/home-garden/home-decor/baskets/942/' home_garden__home_decor__candles_candle_holders = '/for-sale/home-garden/home-decor/candles-candle-holders/943/' home_garden__home_decor__clocks = '/for-sale/home-garden/home-decor/clocks/944/' home_garden__home_decor__cushions = '/for-sale/home-garden/home-decor/cushions/945/' home_garden__home_decor__flowers = '/for-sale/home-garden/home-decor/flowers/946/' home_garden__home_decor__frames = '/for-sale/home-garden/home-decor/frames/947/' home_garden__home_decor__mirrors = '/for-sale/home-garden/home-decor/mirrors/948/' home_garden__home_decor__ornaments = '/for-sale/home-garden/home-decor/ornaments/949/' home_garden__home_decor__other_home_decor = '/for-sale/home-garden/home-decor/other-home-decor/950/' home_garden__home_storage = '/for-sale/home-garden/home-storage/1161/' home_garden__kitchen_appliances = '/for-sale/home-garden/kitchen-appliances/167/' home_garden__kitchen_appliances__dishwashers = '/for-sale/home-garden/kitchen-appliances/dishwashers/871/' home_garden__kitchen_appliances__freezers = '/for-sale/home-garden/kitchen-appliances/freezers/877/' home_garden__kitchen_appliances__fridges = '/for-sale/home-garden/kitchen-appliances/fridges/872/' home_garden__kitchen_appliances__hobs = '/for-sale/home-garden/kitchen-appliances/hobs/876/' home_garden__kitchen_appliances__microwaves = '/for-sale/home-garden/kitchen-appliances/microwaves/874/' home_garden__kitchen_appliances__ovens = '/for-sale/home-garden/kitchen-appliances/ovens/875/' home_garden__kitchen_appliances__small_kitchen_appliances = '/for-sale/home-garden/kitchen-appliances/small-kitchen-appliances/878/' home_garden__kitchen_appliances__washing_machines = '/for-sale/home-garden/kitchen-appliances/washing-machines/873/' home_garden__laundry_cleaning = '/for-sale/home-garden/laundry-cleaning/168/' home_garden__laundry_cleaning__cleaning_materials = '/for-sale/home-garden/laundry-cleaning/cleaning-materials/971/' home_garden__laundry_cleaning__clothes_lines = '/for-sale/home-garden/laundry-cleaning/clothes-lines/968/' home_garden__laundry_cleaning__ironing_boards = '/for-sale/home-garden/laundry-cleaning/ironing-boards/967/' home_garden__laundry_cleaning__irons = '/for-sale/home-garden/laundry-cleaning/irons/966/' home_garden__laundry_cleaning__tumble_dryers = '/for-sale/home-garden/laundry-cleaning/tumble-dryers/969/' home_garden__laundry_cleaning__vacuum_cleaners = '/for-sale/home-garden/laundry-cleaning/vacuum-cleaners/970/' home_garden__laundry_cleaning__other_laundry_cleaning = '/for-sale/home-garden/laundry-cleaning/other-laundry-cleaning/972/' home_garden__lighting = '/for-sale/home-garden/lighting/580/' home_garden__lighting__ceiling_lights = '/for-sale/home-garden/lighting/ceiling-lights/975/' home_garden__lighting__floor_lamps = '/for-sale/home-garden/lighting/floor-lamps/974/' home_garden__lighting__light_bulbs = '/for-sale/home-garden/lighting/light-bulbs/977/' home_garden__lighting__table_lamps = '/for-sale/home-garden/lighting/table-lamps/973/' home_garden__lighting__wall_lights = '/for-sale/home-garden/lighting/wall-lights/976/' home_garden__other_home_garden = '/for-sale/home-garden/other-home-garden/171/' jewellery_watches = '/for-sale/jewellery-watches/172/' jewellery_watches__bracelets_bangles = '/for-sale/jewellery-watches/bracelets-bangles/173/' jewellery_watches__bracelets_bangles__bangles = '/for-sale/jewellery-watches/bracelets-bangles/bangles/1057/' jewellery_watches__bracelets_bangles__beaded = '/for-sale/jewellery-watches/bracelets-bangles/beaded/1059/' jewellery_watches__bracelets_bangles__charm = '/for-sale/jewellery-watches/bracelets-bangles/charm/1058/' jewellery_watches__bracelets_bangles__costume = '/for-sale/jewellery-watches/bracelets-bangles/costume/1063/' jewellery_watches__bracelets_bangles__diamond = '/for-sale/jewellery-watches/bracelets-bangles/diamond/1065/' jewellery_watches__bracelets_bangles__gold = '/for-sale/jewellery-watches/bracelets-bangles/gold/1061/' jewellery_watches__bracelets_bangles__leather = '/for-sale/jewellery-watches/bracelets-bangles/leather/1062/' jewellery_watches__bracelets_bangles__pearl = '/for-sale/jewellery-watches/bracelets-bangles/pearl/1064/' jewellery_watches__bracelets_bangles__silver = '/for-sale/jewellery-watches/bracelets-bangles/silver/1060/' jewellery_watches__brooches = '/for-sale/jewellery-watches/brooches/174/' jewellery_watches__earrings = '/for-sale/jewellery-watches/earrings/175/' jewellery_watches__earrings__costume = '/for-sale/jewellery-watches/earrings/costume/1068/' jewellery_watches__earrings__diamond = '/for-sale/jewellery-watches/earrings/diamond/1070/' jewellery_watches__earrings__drop = '/for-sale/jewellery-watches/earrings/drop/1071/' jewellery_watches__earrings__gold = '/for-sale/jewellery-watches/earrings/gold/1066/' jewellery_watches__earrings__pearl = '/for-sale/jewellery-watches/earrings/pearl/1069/' jewellery_watches__earrings__silver = '/for-sale/jewellery-watches/earrings/silver/1067/' jewellery_watches__earrings__stud = '/for-sale/jewellery-watches/earrings/stud/1072/' jewellery_watches__kids_watches = '/for-sale/jewellery-watches/kids-watches/176/' jewellery_watches__matching_sets = '/for-sale/jewellery-watches/matching-sets/256/' jewellery_watches__matching_sets__beaded = '/for-sale/jewellery-watches/matching-sets/beaded/1075/' jewellery_watches__matching_sets__charm = '/for-sale/jewellery-watches/matching-sets/charm/1076/' jewellery_watches__matching_sets__costume = '/for-sale/jewellery-watches/matching-sets/costume/1079/' jewellery_watches__matching_sets__crystal = '/for-sale/jewellery-watches/matching-sets/crystal/1077/' jewellery_watches__matching_sets__gold = '/for-sale/jewellery-watches/matching-sets/gold/1074/' jewellery_watches__matching_sets__pearl = '/for-sale/jewellery-watches/matching-sets/pearl/1078/' jewellery_watches__matching_sets__silver = '/for-sale/jewellery-watches/matching-sets/silver/1073/' jewellery_watches__mens_watches = '/for-sale/jewellery-watches/mens-watches/177/' jewellery_watches__mens_watches__casual = '/for-sale/jewellery-watches/mens-watches/casual/1080/' jewellery_watches__mens_watches__dress = '/for-sale/jewellery-watches/mens-watches/dress/1081/' jewellery_watches__mens_watches__sports = '/for-sale/jewellery-watches/mens-watches/sports/1082/' jewellery_watches__mens_watches__vintage = '/for-sale/jewellery-watches/mens-watches/vintage/1083/' jewellery_watches__necklaces_pendants = '/for-sale/jewellery-watches/necklaces-pendants/178/' jewellery_watches__necklaces_pendants__beaded = '/for-sale/jewellery-watches/necklaces-pendants/beaded/1085/' jewellery_watches__necklaces_pendants__charm = '/for-sale/jewellery-watches/necklaces-pendants/charm/1084/' jewellery_watches__necklaces_pendants__costume = '/for-sale/jewellery-watches/necklaces-pendants/costume/1090/' jewellery_watches__necklaces_pendants__crystal = '/for-sale/jewellery-watches/necklaces-pendants/crystal/1087/' jewellery_watches__necklaces_pendants__diamond = '/for-sale/jewellery-watches/necklaces-pendants/diamond/1089/' jewellery_watches__necklaces_pendants__gold = '/for-sale/jewellery-watches/necklaces-pendants/gold/1263/' jewellery_watches__necklaces_pendants__pearl = '/for-sale/jewellery-watches/necklaces-pendants/pearl/1088/' jewellery_watches__necklaces_pendants__silver = '/for-sale/jewellery-watches/necklaces-pendants/silver/1086/' jewellery_watches__rings = '/for-sale/jewellery-watches/rings/179/' jewellery_watches__rings__costume = '/for-sale/jewellery-watches/rings/costume/1096/' jewellery_watches__rings__diamond = '/for-sale/jewellery-watches/rings/diamond/1094/' jewellery_watches__rings__engagement = '/for-sale/jewellery-watches/rings/engagement/1095/' jewellery_watches__rings__gold = '/for-sale/jewellery-watches/rings/gold/1091/' jewellery_watches__rings__platinum = '/for-sale/jewellery-watches/rings/platinum/1093/' jewellery_watches__rings__silver = '/for-sale/jewellery-watches/rings/silver/1092/' jewellery_watches__womens_watches = '/for-sale/jewellery-watches/womens-watches/180/' jewellery_watches__womens_watches__casual = '/for-sale/jewellery-watches/womens-watches/casual/1097/' jewellery_watches__womens_watches__dress = '/for-sale/jewellery-watches/womens-watches/dress/1098/' jewellery_watches__womens_watches__sports = '/for-sale/jewellery-watches/womens-watches/sports/1099/' jewellery_watches__womens_watches__vintage = '/for-sale/jewellery-watches/womens-watches/vintage/1100/' jewellery_watches__other_jewellery_watches = '/for-sale/jewellery-watches/other-jewellery-watches/181/' jobs = '/jobs/3/' mobile_phones_accessories = '/for-sale/mobile-phones-accessories/185/' mobile_phones_accessories__accessories = '/for-sale/mobile-phones-accessories/accessories/186/' mobile_phones_accessories__accessories__batteries = '/for-sale/mobile-phones-accessories/accessories/batteries/1101/' mobile_phones_accessories__accessories__bluetooth = '/for-sale/mobile-phones-accessories/accessories/bluetooth/1105/' mobile_phones_accessories__accessories__cables = '/for-sale/mobile-phones-accessories/accessories/cables/1102/' mobile_phones_accessories__accessories__car_kits = '/for-sale/mobile-phones-accessories/accessories/car-kits/1103/' mobile_phones_accessories__accessories__cases_covers = '/for-sale/mobile-phones-accessories/accessories/cases-covers/1104/' mobile_phones_accessories__accessories__screen_protectors = '/for-sale/mobile-phones-accessories/accessories/screen-protectors/1106/' mobile_phones_accessories__accessories__other_accessories = '/for-sale/mobile-phones-accessories/accessories/other-accessories/1107/' mobile_phones_accessories__charger = '/for-sale/mobile-phones-accessories/charger/187/' mobile_phones_accessories__charger__apple = '/for-sale/mobile-phones-accessories/charger/apple/1113/' mobile_phones_accessories__charger__blackberry = '/for-sale/mobile-phones-accessories/charger/blackberry/1108/' mobile_phones_accessories__charger__htc = '/for-sale/mobile-phones-accessories/charger/htc/1112/' mobile_phones_accessories__charger__lg = '/for-sale/mobile-phones-accessories/charger/lg/1110/' mobile_phones_accessories__charger__motorola = '/for-sale/mobile-phones-accessories/charger/motorola/1114/' mobile_phones_accessories__charger__nokia = '/for-sale/mobile-phones-accessories/charger/nokia/1109/' mobile_phones_accessories__charger__samsung = '/for-sale/mobile-phones-accessories/charger/samsung/1111/' mobile_phones_accessories__charger__sonyericsson = '/for-sale/mobile-phones-accessories/charger/sonyericsson/1115/' mobile_phones_accessories__charger__other_mobiles = '/for-sale/mobile-phones-accessories/charger/other-mobiles/1116/' mobile_phones_accessories__mobile_phones = '/for-sale/mobile-phones-accessories/mobile-phones/188/' mobile_phones_accessories__mobile_phones__apple = '/for-sale/mobile-phones-accessories/mobile-phones/apple/1122/' mobile_phones_accessories__mobile_phones__blackberry = '/for-sale/mobile-phones-accessories/mobile-phones/blackberry/1117/' mobile_phones_accessories__mobile_phones__htc = '/for-sale/mobile-phones-accessories/mobile-phones/htc/1121/' mobile_phones_accessories__mobile_phones__lg = '/for-sale/mobile-phones-accessories/mobile-phones/lg/1119/' mobile_phones_accessories__mobile_phones__motorola = '/for-sale/mobile-phones-accessories/mobile-phones/motorola/1123/' mobile_phones_accessories__mobile_phones__nexus = '/for-sale/mobile-phones-accessories/mobile-phones/nexus/1125/' mobile_phones_accessories__mobile_phones__nokia = '/for-sale/mobile-phones-accessories/mobile-phones/nokia/1118/' mobile_phones_accessories__mobile_phones__samsung = '/for-sale/mobile-phones-accessories/mobile-phones/samsung/1120/' mobile_phones_accessories__mobile_phones__sonyericsson = '/for-sale/mobile-phones-accessories/mobile-phones/sonyericsson/1124/' mobile_phones_accessories__mobile_phones__other_mobiles = '/for-sale/mobile-phones-accessories/mobile-phones/other-mobiles/1126/' mobile_phones_accessories__pdas = '/for-sale/mobile-phones-accessories/pdas/257/' mobile_phones_accessories__other_mobile_phones_accessories = '/for-sale/mobile-phones-accessories/other-mobile-phones-accessories/14/' music_instruments_equipment = '/for-sale/music-instruments-equipment/54/' music_instruments_equipment__brass_wind_instruments = '/for-sale/music-instruments-equipment/brass-wind-instruments/195/' music_instruments_equipment__dj_equipment = '/for-sale/music-instruments-equipment/dj-equipment/420/' music_instruments_equipment__dj_effects = '/for-sale/music-instruments-equipment/dj-effects/426/' music_instruments_equipment__dj_mixers = '/for-sale/music-instruments-equipment/dj-mixers/425/' music_instruments_equipment__dj_sets = '/for-sale/music-instruments-equipment/dj-sets/427/' music_instruments_equipment__cd_players = '/for-sale/music-instruments-equipment/cd-players/422/' music_instruments_equipment__turntables = '/for-sale/music-instruments-equipment/Turntables/421/' music_instruments_equipment__other_dj_equipment = '/for-sale/music-instruments-equipment/other-dj-equipment/428/' music_instruments_equipment__drums_percussion = '/for-sale/music-instruments-equipment/drums-percussion/190/' music_instruments_equipment__drums = '/for-sale/music-instruments-equipment/drums/431/' music_instruments_equipment__drums__cymbals = '/for-sale/music-instruments-equipment/drums/cymbals/435/' music_instruments_equipment__drums__drum_accessories = '/for-sale/music-instruments-equipment/drums/drum-accessories/437/' music_instruments_equipment__drums__drum_hardware = '/for-sale/music-instruments-equipment/drums/drum-hardware/436/' music_instruments_equipment__drums__drum_kits = '/for-sale/music-instruments-equipment/drums/drum-kits/432/' music_instruments_equipment__drums_percussion__drums__electronic_drums = '/for-sale/music-instruments-equipment/drums-percussion/drums/electronic-drums/1381/' music_instruments_equipment__drums__snares = '/for-sale/music-instruments-equipment/drums/snares/433/' music_instruments_equipment__drums__toms = '/for-sale/music-instruments-equipment/drums/toms/434/' music_instruments_equipment__percussion = '/for-sale/music-instruments-equipment/percussion/429/' music_instruments_equipment__other_drums_percussion = '/for-sale/music-instruments-equipment/other-drums-percussion/430/' music_instruments_equipment__guitar_bass = '/for-sale/music-instruments-equipment/guitar-bass/191/' music_instruments_equipment__guitar_bass__basses = '/for-sale/music-instruments-equipment/guitar-bass/basses/448/' music_instruments_equipment__guitar_bass__basses__acoustic_basses = '/for-sale/music-instruments-equipment/guitar-bass/basses/acoustic-basses/450/' music_instruments_equipment__guitar_bass__basses__bass_accessories = '/for-sale/music-instruments-equipment/guitar-bass/basses/bass-accessories/453/' music_instruments_equipment__guitar_bass__basses__bass_amps = '/for-sale/music-instruments-equipment/guitar-bass/basses/bass-amps/451/' music_instruments_equipment__guitar_bass__basses__bass_effects = '/for-sale/music-instruments-equipment/guitar-bass/basses/bass-effects/452/' music_instruments_equipment__guitar_bass__basses__electric_basses = '/for-sale/music-instruments-equipment/guitar-bass/basses/electric-basses/474/' music_instruments_equipment__guitar_bass__basses__jazz_basses = '/for-sale/music-instruments-equipment/guitar-bass/basses/jazz-basses/449/' music_instruments_equipment__guitar_bass__basses__other_basses = '/for-sale/music-instruments-equipment/guitar-bass/basses/other-basses/454/' music_instruments_equipment__guitar_bass__guitars = '/for-sale/music-instruments-equipment/guitar-bass/guitars/439/' music_instruments_equipment__guitar_bass__guitars__acoustic_guitars = '/for-sale/music-instruments-equipment/guitar-bass/guitars/acoustic-guitars/440/' music_instruments_equipment__guitar_bass__guitars__classical_guitars = '/for-sale/music-instruments-equipment/guitar-bass/guitars/classical-guitars/442/' music_instruments_equipment__guitar_bass__guitars__electric_guitars = '/for-sale/music-instruments-equipment/guitar-bass/guitars/electric-guitars/441/' music_instruments_equipment__guitar_bass__guitars__guitar_accessories = '/for-sale/music-instruments-equipment/guitar-bass/guitars/guitar-accessories/446/' music_instruments_equipment__guitar_bass__guitars__guitar_amps = '/for-sale/music-instruments-equipment/guitar-bass/guitars/guitar-amps/444/' music_instruments_equipment__guitar_bass__guitars__guitar_effects = '/for-sale/music-instruments-equipment/guitar-bass/guitars/guitar-effects/445/' music_instruments_equipment__pro_audio__microphones = '/for-sale/music-instruments-equipment/pro-audio/microphones/463/' music_instruments_equipment__pro_audio__mixing_desks = '/for-sale/music-instruments-equipment/pro-audio/mixing-desks/461/' music_instruments_equipment__power_amplifiers__pa_systems = '/for-sale/music-instruments-equipment/power-amplifiers/pa-systems/475/' music_instruments_equipment__pro_audio__power_amplifiers = '/for-sale/music-instruments-equipment/pro-audio/power-amplifiers/462/' music_instruments_equipment__pro_audio__recording_equipment = '/for-sale/music-instruments-equipment/pro-audio/recording-equipment/466/' music_instruments_equipment__pro_audio__speakers = '/for-sale/music-instruments-equipment/pro-audio/speakers/460/' music_instruments_equipment__pro_audio__stands = '/for-sale/music-instruments-equipment/pro-audio/stands/464/' music_instruments_equipment__pro_audio__other_pro_audio = '/for-sale/music-instruments-equipment/pro-audio/other-pro-audio/467/' music_instruments_equipment__sheet_music = '/for-sale/music-instruments-equipment/sheet-music/438/' music_instruments_equipment__string = '/for-sale/music-instruments-equipment/string/194/' music_instruments_equipment__string__accessories = '/for-sale/music-instruments-equipment/string/accessories/472/' music_instruments_equipment__string__banjos = '/for-sale/music-instruments-equipment/string/banjos/470/' music_instruments_equipment__string__cellos = '/for-sale/music-instruments-equipment/string/cellos/471/' music_instruments_equipment__string__mandolins = '/for-sale/music-instruments-equipment/string/mandolins/469/' music_instruments_equipment__string__violins = '/for-sale/music-instruments-equipment/string/violins/468/' music_instruments_equipment__string__other_string = '/for-sale/music-instruments-equipment/string/other-string/473/' music_instruments_equipment__other_music_instruments_equipment = '/for-sale/music-instruments-equipment/other-music-instruments-equipment/16/' pets = '/for-sale/pets/624/' pets__lost_found = '/for-sale/pets/lost-found/633/' pets__lost_found__lost_pets = '/for-sale/pets/lost-found/lost-pets/634/' pets__pet_accessories = '/for-sale/pets/pet-accessories/636/' pets__pet_accessories__cages = '/for-sale/pets/pet-accessories/cages/638/' pets__pet_accessories__cat_accessories = '/for-sale/pets/pet-accessories/cat-accessories/637/' pets__pet_accessories__dog_accessories = '/for-sale/pets/pet-accessories/dog-accessories/639/' pets__pet_accessories__fish_tanks = '/for-sale/pets/pet-accessories/fish-tanks/640/' pets__pet_accessories__reptile_tanks = '/for-sale/pets/pet-accessories/reptile-tanks/641/' pets__pet_accessories__other = '/for-sale/pets/pet-accessories/other/642/' pets__pet_adoption = '/for-sale/pets/pet-adoption/625/' pets__pet_adoption__birds = '/for-sale/pets/pet-adoption/birds/628/' pets__pet_adoption__cats = '/for-sale/pets/pet-adoption/cats/627/' pets__pet_adoption__fish = '/for-sale/pets/pet-adoption/fish/629/' pets__pet_adoption__reptiles = '/for-sale/pets/pet-adoption/reptiles/630/' pets__pet_adoption__small_furries = '/for-sale/pets/pet-adoption/small-furries/631/' photography = '/for-sale/photography/196/' photography__camera_accessories = '/for-sale/photography/camera-accessories/200/' photography__digital_cameras = '/for-sale/photography/digital-cameras/197/' photography__film_cameras = '/for-sale/photography/film-cameras/198/' photography__lenses = '/for-sale/photography/lenses/201/' photography__telescopes_binoculars = '/for-sale/photography/telescopes-binoculars/264/' photography__video_cameras = '/for-sale/photography/video-cameras/199/' photography__other_photography = '/for-sale/photography/other-photography/51/' services = '/services/202/' services__beauty_services = '/services/beauty-services/1344/' services__beauty_services__brows_lashes = '/services/beauty-services/brows-lashes/1374/' services__beauty_services__hairdressers = '/services/beauty-services/hairdressers/1345/' services__beauty_services__makeup = '/services/beauty-services/makeup/1346/' services__beauty_services__other_beauty_services = '/services/beauty-services/other-beauty-services/1351/' services__business_professional_services = '/services/business-professional-services/203/' services__business_professional_services__business_services_stationary = '/services/business-professional-services/business-services-stationary/1272/' services__business_professional_services__consultants = '/services/business-professional-services/consultants/1268/' services__business_professional_services__financial_services = '/services/business-professional-services/financial-services/1265/' services__business_professional_services__freelance = '/services/business-professional-services/freelance/1269/' services__business_professional_services__web_app_services = '/services/business-professional-services/web-app-services/1267/' services__business_professional_services__other_business_services = '/services/business-professional-services/other-business-services/1273/' services__childcare_services = '/services/childcare-services/1364/' services__childcare_services__other_childcare_services = '/services/childcare-services/other-childcare-services/1368/' services__cleaning_services = '/services/cleaning-services/1358/' services__cleaning_services__business_commercial_cleaning = '/services/cleaning-services/business-commercial-cleaning/1360/' services__cleaning_services__floor_cleaning_polishing = '/services/cleaning-services/floor-cleaning-polishing/1362/' services__cleaning_services__home_cleaning = '/services/cleaning-services/home-cleaning/1359/' services__cleaning_services__laundry_ironing = '/services/cleaning-services/laundry-ironing/1375/' services__cleaning_services__motor_cleaning_valeting = '/services/cleaning-services/motor-cleaning-valeting/1361/' services__cleaning_services__other_cleaning_services = '/services/cleaning-services/other-cleaning-services/1363/' services__electronic_services = '/services/electronic-services/303355/' services__electronic_services__computer_console_repair = '/services/electronic-services/computer-console-repair/603/' services__electronic_services__home_appliance_repair = '/services/electronic-services/home-appliance-repair/1323/' services__electronic_services__phone_repair_unlocking = '/services/electronic-services/phone-repair-unlocking/602/' services__home_garden_construction_services__building_suppliers = '/services/home-garden-construction-services/building-suppliers/1307/' services__home_garden_construction_services__decking = '/services/home-garden-construction-services/decking/1298/' services__home_garden_construction_services__flooring = '/services/home-garden-construction-services/flooring/1302/' services__home_garden_construction_services__fuel = '/services/home-garden-construction-services/fuel/1306/' services__home_garden_construction_services__gardening_landscaping = '/services/home-garden-construction-services/gardening-landscaping/1297/' services__home_garden_construction_services__gates_fencing = '/services/home-garden-construction-services/gates-fencing/1299/' services__home_garden_construction_services__kitchens_bedrooms_bathrooms = '/services/home-garden-construction-services/kitchens-bedrooms-bathrooms/1303/' services__home_garden_construction_services__renovations_extensions = '/services/home-garden-construction-services/renovations-extensions/1305/' services__home_garden_construction_services__skips_waste_collection = '/services/home-garden-construction-services/skips-waste-collection/1369/' services__home_garden_construction_services__windows_doors = '/services/home-garden-construction-services/windows-doors/1304/' services__home_garden_construction_services__other_home_garden_construction = '/services/home-garden-construction-services/other-home-garden-construction/1308/' services__motor_services = '/services/motor-services/600/' services__motor_services__breakdown_recovery = '/services/motor-services/breakdown-recovery/1275/' services__motor_services__car_parts_equipment = '/services/motor-services/car-parts-equipment/1281/' services__motor_services__cash_for_cars = '/services/motor-services/cash-for-cars/1279/' services__motor_services__mechanics = '/services/motor-services/mechanics/1274/' services__motor_services__panel_beating_bodywork = '/services/motor-services/panel-beating-bodywork/1277/' services__motor_services__scrapyards_breakers = '/services/motor-services/scrapyards-breakers/1276/' services__motor_services__tyres = '/services/motor-services/tyres/1278/' services__motor_services__other_motor_services = '/services/motor-services/other-motor-services/1282/' services__party_event_services = '/services/party-event-services/1352/' services__party_event_services__bouncy_castles = '/services/party-event-services/bouncy-castles/1373/' services__party_event_services__catering_cakes = '/services/party-event-services/catering-cakes/1355/' services__party_event_services__furniture_hire = '/services/party-event-services/furniture-hire/1354/' services__party_event_services__kids_entertainment = '/services/party-event-services/kids-entertainment/1356/' services__party_event_services__other_event_services = '/services/party-event-services/other-event-services/1357/' services__pet_animal_services = '/services/pet-animal-services/643/' services__pet_animal_services__dog_walking = '/services/pet-animal-services/dog-walking/1311/' services__pet_animal_services__grooming = '/services/pet-animal-services/grooming/1310/' services__pet_animal_services__pet_boarding = '/services/pet-animal-services/pet-boarding/1309/' services__pet_animal_services__other_animal_services = '/services/pet-animal-services/other-animal-services/1312/' services__photography_video_services = '/services/photography-video-services/573/' services__photography_video_services__photography = '/services/photography-video-services/photography/1313/' services__photography_video_services__printing = '/services/photography-video-services/printing/1315/' services__photography_video_services__videographer = '/services/photography-video-services/videographer/1314/' services__photography_video_services__other_photography_services = '/services/photography-video-services/other-photography-services/1316/' services__sports_services = '/services/sports-services/1383/' services__tradesmen = '/services/tradesmen/204/' services__tradesmen__carpenters = '/services/tradesmen/carpenters/1370/' services__tradesmen__electricians = '/services/tradesmen/electricians/1285/' services__tradesmen__handymen = '/services/tradesmen/handymen/1287/' services__tradesmen__heating_boiler_technicians = '/services/tradesmen/heating-boiler-technicians/1284/' services__tradesmen__painters_decorators = '/services/tradesmen/painters-decorators/1286/' services__tradesmen__plasterers = '/services/tradesmen/plasterers/1371/' services__tradesmen__plumbers = '/services/tradesmen/plumbers/1283/' services__tradesmen__roofers = '/services/tradesmen/roofers/1380/' services__tradesmen__tilers = '/services/tradesmen/tilers/1372/' services__tradesmen__other_tradesmen = '/services/tradesmen/other-tradesmen/1288/' services__transport_services = '/services/transport-services/574/' services__transport_services__delivery_couriers = '/services/transport-services/delivery-couriers/1326/' services__transport_services__man_with_a_van = '/services/transport-services/man-with-a-van/1325/' services__transport_services__other_transport_services = '/services/transport-services/other-transport-services/1327/' services__tuition_classes = '/services/tuition-classes/206/' services__tuition_classes__grinds = '/services/tuition-classes/grinds/1328/' services__tuition_classes__language_classes = '/services/tuition-classes/language-classes/1330/' services__tuition_classes__music_lessons = '/services/tuition-classes/music-lessons/1329/' services__tuition_classes__other_tuition_classes = '/services/tuition-classes/other-tuition-classes/1333/' services__wedding_services = '/services/wedding-services/303356/' services__wedding_services__wedding_cakes_catering = '/services/wedding-services/wedding-cakes-catering/1340/' services__wedding_services__wedding_florists = '/services/wedding-services/wedding-florists/1335/' services__wedding_services__wedding_jewellers = '/services/wedding-services/wedding-jewellers/1342/' services__wedding_services__wedding_photography_video = '/services/wedding-services/wedding-photography-video/1337/' services__wedding_services__wedding_rentals = '/services/wedding-services/wedding-rentals/1339/' services__wedding_services__other_wedding_services = '/services/wedding-services/other-wedding-services/1343/' services__other_services = '/services/other-services/38/' sports_fitness = '/for-sale/sports-fitness/207/' sports_fitness__airsoft_accessories = '/for-sale/sports-fitness/airsoft-accessories/763/' sports_fitness__airsoft_accessories__airsoft_accessories = '/for-sale/sports-fitness/airsoft-accessories/airsoft-accessories/765/' sports_fitness__airsoft_accessories__airsoft_clothing = '/for-sale/sports-fitness/airsoft-accessories/airsoft-clothing/764/' sports_fitness__bikes = '/for-sale/sports-fitness/bikes/209/' sports_fitness__bikes__bike_clothes_shoes = '/for-sale/sports-fitness/bikes/bike-clothes-shoes/844/' sports_fitness__bikes__bike_frames = '/for-sale/sports-fitness/bikes/bike-frames/846/' sports_fitness__bikes__bike_helmets_protection = '/for-sale/sports-fitness/bikes/bike-helmets-protection/845/' sports_fitness__bikes__bike_parts_accessories = '/for-sale/sports-fitness/bikes/bike-parts-accessories/835/' sports_fitness__bikes__bike_parts_accessories__bike_computers = '/for-sale/sports-fitness/bikes/bike-parts-accessories/bike-computers/841/' sports_fitness__bikes__bike_parts_accessories__bike_group_sets = '/for-sale/sports-fitness/bikes/bike-parts-accessories/bike-group-sets/842/' sports_fitness__bikes__bike_parts_accessories__bike_lights = '/for-sale/sports-fitness/bikes/bike-parts-accessories/bike-lights/839/' sports_fitness__bikes__bike_parts_accessories__bike_locks = '/for-sale/sports-fitness/bikes/bike-parts-accessories/bike-locks/836/' sports_fitness__bikes__bike_parts_accessories__bike_saddles = '/for-sale/sports-fitness/bikes/bike-parts-accessories/bike-saddles/838/' sports_fitness__bikes__bike_parts_accessories__bike_tyres = '/for-sale/sports-fitness/bikes/bike-parts-accessories/bike-tyres/837/' sports_fitness__bikes__bike_parts_accessories__child_bike_seats = '/for-sale/sports-fitness/bikes/bike-parts-accessories/child-bike-seats/840/' sports_fitness__bikes__bike_parts_accessories__other_bike_parts_accessories = '/for-sale/sports-fitness/bikes/bike-parts-accessories/other-bike-parts-accessories/843/' sports_fitness__bikes__bike_wheels = '/for-sale/sports-fitness/bikes/bike-wheels/847/' sports_fitness__bikes__bmx = '/for-sale/for-sale/sports-fitness/bikes/bmx/848/' sports_fitness__bikes__electric_folding_bikes = '/for-sale/sports-fitness/bikes/electric-folding-bikes/834/' sports_fitness__bikes__fixies_singlespeed_bikes = '/for-sale/sports-fitness/bikes/fixies-singlespeed-bikes/831/' sports_fitness__bikes__hybrid_bikes = '/for-sale/sports-fitness/bikes/hybrid-bikes/833/' sports_fitness__bikes__kids_bikes = '/for-sale/sports-fitness/bikes/kids-bikes/828/' sports_fitness__bikes__ladies_bikes = '/for-sale/sports-fitness/bikes/ladies-bikes/832/' sports_fitness__bikes__mountain_bikes = '/for-sale/sports-fitness/bikes/mountain-bikes/829/' sports_fitness__bikes__road_bikes = '/for-sale/sports-fitness/bikes/road-bikes/830/' sports_fitness__camping_outdoor_pursuits = '/for-sale/sports-fitness/camping-outdoor-pursuits/260/' sports_fitness__camping_outdoor_pursuits__camping_equipment = '/for-sale/sports-fitness/camping-outdoor-pursuits/camping-equipment/1177/' sports_fitness__camping_outdoor_pursuits__hiking_equipment = '/for-sale/sports-fitness/camping-outdoor-pursuits/hiking-equipment/1178/' sports_fitness__camping_outdoor_pursuits__tents = '/for-sale/sports-fitness/camping-outdoor-pursuits/tents/1179/' sports_fitness__dancing_gymnastics = '/for-sale/sports-fitness/dancing-gymnastics/1180/' sports_fitness__dancing_gymnastics__ballet = '/for-sale/sports-fitness/dancing-gymnastics/ballet/1181/' sports_fitness__dancing_gymnastics__gymnastics = '/for-sale/sports-fitness/dancing-gymnastics/gymnastics/1183/' sports_fitness__dancing_gymnastics__irish_dancing = '/for-sale/sports-fitness/dancing-gymnastics/irish-dancing/1182/' sports_fitness__dancing_gymnastics__other = '/for-sale/sports-fitness/dancing-gymnastics/other/1184/' sports_fitness__equestrian = '/for-sale/sports-fitness/equestrian/258/' sports_fitness__equestrian__bridles_reins = '/for-sale/sports-fitness/equestrian/bridles-reins/1185/' sports_fitness__equestrian__clothing_footwear = '/for-sale/sports-fitness/equestrian/clothing-footwear/1186/' sports_fitness__equestrian__grooming_care = '/for-sale/sports-fitness/equestrian/grooming-care/1187/' sports_fitness__equestrian__saddles_stirrups = '/for-sale/sports-fitness/equestrian/saddles-stirrups/1188/' sports_fitness__equestrian__other = '/for-sale/sports-fitness/equestrian/other/1189/' sports_fitness__exercise_equipment = '/for-sale/sports-fitness/exercise-equipment/208/' sports_fitness__exercise_equipment__benches = '/for-sale/sports-fitness/exercise-equipment/benches/1190/' sports_fitness__exercise_equipment__cross_trainers = '/for-sale/sports-fitness/exercise-equipment/cross-trainers/1191/' sports_fitness__exercise_equipment__exercise_bikes = '/for-sale/sports-fitness/exercise-equipment/exercise-bikes/1192/' sports_fitness__exercise_equipment__treadmills = '/for-sale/sports-fitness/exercise-equipment/treadmills/1193/' sports_fitness__exercise_equipment__weights = '/for-sale/sports-fitness/exercise-equipment/weights/1194/' sports_fitness__exercise_equipment__other = '/for-sale/sports-fitness/exercise-equipment/other/1195/' sports_fitness__fishing = '/for-sale/sports-fitness/fishing/210/' sports_fitness__fishing__bait = '/for-sale/sports-fitness/fishing/bait/1196/' sports_fitness__fishing__clothing = '/for-sale/sports-fitness/fishing/clothing/1197/' sports_fitness__fishing__flies = '/for-sale/sports-fitness/fishing/flies/1198/' sports_fitness__fishing__lines = '/for-sale/sports-fitness/fishing/lines/1199/' sports_fitness__fishing__lures = '/for-sale/sports-fitness/fishing/lures/1200/' sports_fitness__fishing__reels = '/for-sale/sports-fitness/fishing/reels/1201/' sports_fitness__fishing__rods = '/for-sale/sports-fitness/fishing/rods/1202/' sports_fitness__fishing__other = '/for-sale/sports-fitness/fishing/other/1203/' sports_fitness__golf = '/for-sale/sports-fitness/golf/211/' sports_fitness__golf__bags = '/for-sale/sports-fitness/golf/bags/1204/' sports_fitness__golf__balls = '/for-sale/sports-fitness/golf/balls/1205/' sports_fitness__golf__clothing_footwear = '/for-sale/sports-fitness/golf/clothing-footwear/1207/' sports_fitness__golf__drivers = '/for-sale/sports-fitness/golf/drivers/1206/' sports_fitness__golf__hybrids = '/for-sale/sports-fitness/golf/hybrids/1377/' sports_fitness__golf__irons = '/for-sale/sports-fitness/golf/irons/1208/' sports_fitness__golf__putters = '/for-sale/sports-fitness/golf/putters/1209/' sports_fitness__golf__sets = '/for-sale/sports-fitness/golf/sets/1210/' sports_fitness__golf__trolleys = '/for-sale/sports-fitness/golf/trolleys/1211/' sports_fitness__martial_arts_boxing = '/for-sale/sports-fitness/martial-arts-boxing/213/' sports_fitness__martial_arts_boxing__boxing = '/for-sale/sports-fitness/martial-arts-boxing/boxing/1212/' sports_fitness__martial_arts_boxing__martial_arts = '/for-sale/sports-fitness/martial-arts-boxing/martial-arts/1213/' sports_fitness__martial_arts_boxing__punch_kick_bags = '/for-sale/sports-fitness/martial-arts-boxing/punch-kick-bags/1214/' sports_fitness__racket_sports = '/for-sale/sports-fitness/racket-sports/214/' sports_fitness__racket_sports__badminton = '/for-sale/sports-fitness/racket-sports/badminton/1215/' sports_fitness__racket_sports__squash = '/for-sale/sports-fitness/racket-sports/squash/1216/' sports_fitness__racket_sports__table_tennis = '/for-sale/sports-fitness/racket-sports/table-tennis/1217/' sports_fitness__racket_sports__tennis = '/for-sale/sports-fitness/racket-sports/tennis/1218/' sports_fitness__racket_sports__other = '/for-sale/sports-fitness/racket-sports/other/1219/' sports_fitness__running_track_field = '/for-sale/sports-fitness/running-track-field/215/' sports_fitness__running_track_field__running_shoes = '/for-sale/sports-fitness/running-track-field/running-shoes/1220/' sports_fitness__running_track_field__track_equipment = '/for-sale/sports-fitness/running-track-field/track-equipment/1221/' sports_fitness__running_track_field__other = '/for-sale/sports-fitness/running-track-field/other/1222/' sports_fitness__skateboard_rollerblading = '/for-sale/sports-fitness/skateboard-rollerblading/217/' sports_fitness__skateboard_rollerblading__accessories = '/for-sale/sports-fitness/skateboard-rollerblading/accessories/1225/' sports_fitness__skateboard_rollerblading__rollerblades = '/for-sale/sports-fitness/skateboard-rollerblading/rollerblades/1223/' sports_fitness__skateboard_rollerblading__skateboards = '/for-sale/sports-fitness/skateboard-rollerblading/skateboards/1224/' sports_fitness__ski_snowboarding = '/for-sale/sports-fitness/ski-snowboarding/218/' sports_fitness__ski_snowboarding__accessories = '/for-sale/sports-fitness/ski-snowboarding/accessories/1226/' sports_fitness__ski_snowboarding__bindings = '/for-sale/sports-fitness/ski-snowboarding/bindings/1227/' sports_fitness__ski_snowboarding__boots = '/for-sale/sports-fitness/ski-snowboarding/boots/1231/' sports_fitness__ski_snowboarding__boots__ski = '/for-sale/sports-fitness/ski-snowboarding/boots/ski/1232/' sports_fitness__ski_snowboarding__boots__snowboarding = '/for-sale/sports-fitness/ski-snowboarding/boots/snowboarding/1233/' sports_fitness__ski_snowboarding__clothing = '/for-sale/sports-fitness/ski-snowboarding/clothing/1228/' sports_fitness__ski_snowboarding__skis = '/for-sale/sports-fitness/ski-snowboarding/skis/1229/' sports_fitness__ski_snowboarding__snowboards = '/for-sale/sports-fitness/ski-snowboarding/snowboards/1230/' sports_fitness__snooker_pool_darts = '/for-sale/sports-fitness/snooker-pool-darts/219/' sports_fitness__snooker_pool_darts__darts = '/for-sale/sports-fitness/snooker-pool-darts/darts/1234/' sports_fitness__snooker_pool_darts__pool = '/for-sale/sports-fitness/snooker-pool-darts/pool/1235/' sports_fitness__snooker_pool_darts__pool__accessories = '/for-sale/sports-fitness/snooker-pool-darts/pool/accessories/1237/' sports_fitness__snooker_pool_darts__pool__tables = '/for-sale/sports-fitness/snooker-pool-darts/pool/tables/1236/' sports_fitness__snooker_pool_darts__snooker = '/for-sale/sports-fitness/snooker-pool-darts/snooker/1238/' sports_fitness__snooker_pool_darts__snooker__accessories = '/for-sale/sports-fitness/snooker-pool-darts/snooker/accessories/1240/' sports_fitness__snooker_pool_darts__snooker__tables = '/for-sale/sports-fitness/snooker-pool-darts/snooker/tables/1239/' sports_fitness__supplements = '/for-sale/sports-fitness/supplements/1261/' sports_fitness__team_sports = '/for-sale/sports-fitness/team-sports/212/' sports_fitness__team_sports__basketball = '/for-sale/sports-fitness/team-sports/basketball/1241/' sports_fitness__team_sports__cricket = '/for-sale/sports-fitness/team-sports/cricket/1242/' sports_fitness__team_sports__footwear = '/for-sale/sports-fitness/team-sports/footwear/1247/' sports_fitness__team_sports__footwear__astro_turf = '/for-sale/sports-fitness/team-sports/footwear/astro-turf/1249/' sports_fitness__team_sports__footwear__boots = '/for-sale/sports-fitness/team-sports/footwear/boots/1248/' sports_fitness__team_sports__footwear__other = '/for-sale/sports-fitness/team-sports/footwear/other/1250/' sports_fitness__team_sports__gaa = '/for-sale/sports-fitness/team-sports/gaa/1251/' sports_fitness__team_sports__gaa__gaelic_football = '/for-sale/sports-fitness/team-sports/gaa/gaelic-football/1253/' sports_fitness__team_sports__gaa__hurling_camogie = '/for-sale/sports-fitness/team-sports/gaa/hurling-camogie/1252/' sports_fitness__team_sports__hockey = '/for-sale/sports-fitness/team-sports/hockey/1243/' sports_fitness__team_sports__rugby = '/for-sale/sports-fitness/team-sports/rugby/1244/' sports_fitness__team_sports__soccer = '/for-sale/sports-fitness/team-sports/soccer/1245/' sports_fitness__team_sports__other = '/for-sale/sports-fitness/team-sports/other/1246/' sports_fitness__water_sports = '/for-sale/sports-fitness/water-sports/222/' sports_fitness__water_sports__diving = '/for-sale/sports-fitness/water-sports/diving/1254/' sports_fitness__water_sports__kayaking = '/for-sale/sports-fitness/water-sports/kayaking/1255/' sports_fitness__water_sports__kite_surfing = '/for-sale/sports-fitness/water-sports/kite-surfing/1256/' sports_fitness__water_sports__surfing = '/for-sale/sports-fitness/water-sports/surfing/1257/' sports_fitness__water_sports__wetsuits = '/for-sale/sports-fitness/water-sports/wetsuits/1258/' sports_fitness__water_sports__wind_surfing = '/for-sale/sports-fitness/water-sports/wind-surfing/1259/' sports_fitness__water_sports__other = '/for-sale/sports-fitness/water-sports/other/1260/' sports_fitness__other_sports_fitness = '/for-sale/sports-fitness/other-sports-fitness/52/' tickets = '/for-sale/tickets/62/' tickets__concerts_festivals = '/for-sale/tickets/concerts-festivals/225/' tickets__sports = '/for-sale/tickets/sports/226/' tickets__theatre_shows = '/for-sale/tickets/theatre-shows/227/' tickets__travel = '/for-sale/tickets/travel/265/' tickets__vouchers = '/for-sale/tickets/vouchers/266/' tickets__other_tickets = '/for-sale/tickets/other-tickets/63/' toys_games = '/for-sale/toys-games/229/' toys_games__action_figures = '/for-sale/toys-games/action-figures/231/' toys_games__adult_themed_games = '/for-sale/toys-games/adult-themed-games/418/' toys_games__dolls = '/for-sale/toys-games/dolls/232/' toys_games__educational_toys = '/for-sale/toys-games/educational-toys/233/' toys_games__games_puzzles = '/for-sale/toys-games/games-puzzles/230/' toys_games__garden_toys = '/for-sale/toys-games/garden-toys/241/' toys_games__lego_building_toys = '/for-sale/toys-games/lego-building-toys/235/' toys_games__models = '/for-sale/toys-games/models/236/' toys_games__poker = '/for-sale/toys-games/poker/351/' toys_games__pools_water_games = '/for-sale/toys-games/pools-water-games/240/' toys_games__radio_control = '/for-sale/toys-games/radio-control/237/' toys_games__soft_toys = '/for-sale/toys-games/soft-toys/238/' toys_games__toy_cars_trains_boats_planes = '/for-sale/toys-games/toy-cars-trains-boats-planes/239/' toys_games__other_toys_games = '/for-sale/toys-games/other-toys-games/242/' wedding = '/for-sale/wedding/644/' wedding__accessories = '/for-sale/wedding/accessories/484/' wedding__bridesmaids_dresses = '/for-sale/wedding/bridesmaids-dresses/645/' wedding__gifts = '/for-sale/wedding/gifts/485/' wedding__groom = '/for-sale/wedding/groom/646/' wedding__dresses = '/for-sale/wedding/dresses/121/' wedding__other = '/for-sale/wedding/other/483/'
i = 0 v = "test" c = 0.1 print("{0} {1} {2}".format(i, c, v))
i = 0 v = 'test' c = 0.1 print('{0} {1} {2}'.format(i, c, v))
'''def bubbleSort(arr): n = len(arr) for i in range(n): for j in range(0,n-i-1): if arr[j] > arr[j+1]: temp = arr[j] arr[j] = arr[j+1] arr[j+1] = temp arr = [10,9,15,1,5,2,6,3] bubbleSort(arr) print('Sorted array: ') for i in range(len(arr)): print(arr[i]) ''' # OR use this ''' def bubbleSort(arr): n = len(arr) for i in range(n): for j in range(0,n-i-1): if arr[j] > arr[j+1]: swap(arr, j, j+1) def swap(arr, x, y): temp = arr[x] arr[x] = arr[y] arr[y] = temp ''' # OR use this,swap from last def bubbleSort(arr): n = len(arr) for i in range(n): for j in range(n-1,i,-1): if arr[j] < arr[j-1]: swap(arr, j, j-1) def swap(arr, x, y): temp = arr[x] arr[x] = arr[y] arr[y] = temp arr = [10,9,15,1,5,2,6,3] bubbleSort(arr) print('Sorted array: ') print(arr)
"""def bubbleSort(arr): n = len(arr) for i in range(n): for j in range(0,n-i-1): if arr[j] > arr[j+1]: temp = arr[j] arr[j] = arr[j+1] arr[j+1] = temp arr = [10,9,15,1,5,2,6,3] bubbleSort(arr) print('Sorted array: ') for i in range(len(arr)): print(arr[i]) """ '\ndef bubbleSort(arr):\n n = len(arr)\n for i in range(n):\n for j in range(0,n-i-1):\n if arr[j] > arr[j+1]:\n swap(arr, j, j+1)\ndef swap(arr, x, y):\n temp = arr[x]\n arr[x] = arr[y]\n arr[y] = temp\n' def bubble_sort(arr): n = len(arr) for i in range(n): for j in range(n - 1, i, -1): if arr[j] < arr[j - 1]: swap(arr, j, j - 1) def swap(arr, x, y): temp = arr[x] arr[x] = arr[y] arr[y] = temp arr = [10, 9, 15, 1, 5, 2, 6, 3] bubble_sort(arr) print('Sorted array: ') print(arr)
# Create 2 variables for future operations x = 0b101001 # Here we create 2 variables with values x = 41, y = 38 y = 0b100110 # We create bit numbers with the "0b" notation. print(x, y) # Bitwise AND -- "&" # It returns 1 if two of the bits 1 and 0 if one of the bits 1 or both 0 z = x & y # which makes z = 0b00100000, z = 32 print(bin(z)) # We can use format string to help us to print numbers in bit formation # Bitwise OR -- "|" # It returns 1 if one of the bits 1 and returns 0 in other cases z = x | y # which makes z = 0b00101111, z = 47 print(bin(z)) # We use built-in bin function to print numbers in bit format # Bitwise XOR -- "^" # It returns 1 if one of the bits 1 but not both z = x ^ y # which makes z = 0b00001111, z = 15 print(bin(z)) # Bitwise Shift left -- "<<" # Shifts number by "" bits to left z = x << 1 # shifts x by 1 bit and creates z = 0b1010010 # x was x = 0b101001 z = x << 4 # which shifts x by 4 bits and z = 0b1010010000 z = x >> 1 # we can also shift right z = 0b10100 print(bin(z))
x = 41 y = 38 print(x, y) z = x & y print(bin(z)) z = x | y print(bin(z)) z = x ^ y print(bin(z)) z = x << 1 z = x << 4 z = x >> 1 print(bin(z))
class Node: """Create a Node object""" def __init__(self, val, next=None): """Constructor for the Node object""" self.val = val self._next = next if val is None: raise TypeError('Must pass a value') def __repr__(self): return '{val}'.format(val=self.val) class Stack: """Create a Stack data structure""" def __init__(self, iterable=[]): self.top = None self._size = 0 if type(iterable) is not list: raise TypeError('Invalid iterable') for item in iterable: self.push(item) def __repr__(self): return f'Top of stack is {self.top.val}' def push(self, val): """Insert a node to top of stack""" try: node = Node(val, self.top) except TypeError: return self.top self.top = node self._size += 1 return self.top def pop(self): """Remove the top node from stack""" removed_node = self.top self.top = self.top._next self._size -= 1 return removed_node.val def multi_bracket_validation(input): """Validate for symantically correct multi-brackets in a string""" brackets = Stack() for i in input: if i == '(' or i == '[' or i == '{': brackets.push(i) elif i == ')' or i == ']' or i == '}': if brackets._size == 0: return False elif i == ')' and brackets.top.val == '(': brackets.pop() elif i == ']' and brackets.top.val == '[': brackets.pop() elif i == '}' and brackets.top.val == '{': brackets.pop() else: return False if brackets._size != 0: return False return True
class Node: """Create a Node object""" def __init__(self, val, next=None): """Constructor for the Node object""" self.val = val self._next = next if val is None: raise type_error('Must pass a value') def __repr__(self): return '{val}'.format(val=self.val) class Stack: """Create a Stack data structure""" def __init__(self, iterable=[]): self.top = None self._size = 0 if type(iterable) is not list: raise type_error('Invalid iterable') for item in iterable: self.push(item) def __repr__(self): return f'Top of stack is {self.top.val}' def push(self, val): """Insert a node to top of stack""" try: node = node(val, self.top) except TypeError: return self.top self.top = node self._size += 1 return self.top def pop(self): """Remove the top node from stack""" removed_node = self.top self.top = self.top._next self._size -= 1 return removed_node.val def multi_bracket_validation(input): """Validate for symantically correct multi-brackets in a string""" brackets = stack() for i in input: if i == '(' or i == '[' or i == '{': brackets.push(i) elif i == ')' or i == ']' or i == '}': if brackets._size == 0: return False elif i == ')' and brackets.top.val == '(': brackets.pop() elif i == ']' and brackets.top.val == '[': brackets.pop() elif i == '}' and brackets.top.val == '{': brackets.pop() else: return False if brackets._size != 0: return False return True
def is_same(num): if (sum(map(int, str(num))) % 3 != 0): return False a = set() for i in range(1,6): val = str(num * i) a.add(''.join(sorted(val))) if (num == 142857): print(a) return len(a) == 1 for i in range(1000,10000000): for j in range(10, 15): num = int(str(j) + str(i)) if (is_same(num)): print(num) raise "Done"
def is_same(num): if sum(map(int, str(num))) % 3 != 0: return False a = set() for i in range(1, 6): val = str(num * i) a.add(''.join(sorted(val))) if num == 142857: print(a) return len(a) == 1 for i in range(1000, 10000000): for j in range(10, 15): num = int(str(j) + str(i)) if is_same(num): print(num) raise 'Done'
# # PySNMP MIB module FILTER-MIB (http://snmplabs.com/pysmi) # ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/FILTER-MIB # Produced by pysmi-0.3.4 at Wed May 1 13:13:49 2019 # On host DAVWANG4-M-1475 platform Darwin version 18.5.0 by user davwang4 # Using Python version 3.7.3 (default, Mar 27 2019, 09:23:15) # OctetString, ObjectIdentifier, Integer = mibBuilder.importSymbols("ASN1", "OctetString", "ObjectIdentifier", "Integer") NamedValues, = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues") ValueSizeConstraint, ConstraintsUnion, ValueRangeConstraint, SingleValueConstraint, ConstraintsIntersection = mibBuilder.importSymbols("ASN1-REFINEMENT", "ValueSizeConstraint", "ConstraintsUnion", "ValueRangeConstraint", "SingleValueConstraint", "ConstraintsIntersection") dlink_common_mgmt, = mibBuilder.importSymbols("DLINK-ID-REC-MIB", "dlink-common-mgmt") SnmpAdminString, = mibBuilder.importSymbols("SNMP-FRAMEWORK-MIB", "SnmpAdminString") ModuleCompliance, NotificationGroup = mibBuilder.importSymbols("SNMPv2-CONF", "ModuleCompliance", "NotificationGroup") MibScalar, MibTable, MibTableRow, MibTableColumn, TimeTicks, Unsigned32, ModuleIdentity, Gauge32, IpAddress, Counter64, MibIdentifier, Integer32, Counter32, iso, ObjectIdentity, Bits, NotificationType = mibBuilder.importSymbols("SNMPv2-SMI", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "TimeTicks", "Unsigned32", "ModuleIdentity", "Gauge32", "IpAddress", "Counter64", "MibIdentifier", "Integer32", "Counter32", "iso", "ObjectIdentity", "Bits", "NotificationType") DisplayString, RowStatus, TextualConvention, MacAddress = mibBuilder.importSymbols("SNMPv2-TC", "DisplayString", "RowStatus", "TextualConvention", "MacAddress") swFilterMIB = ModuleIdentity((1, 3, 6, 1, 4, 1, 171, 12, 37)) if mibBuilder.loadTexts: swFilterMIB.setLastUpdated('0808120000Z') if mibBuilder.loadTexts: swFilterMIB.setOrganization('D-Link Corp.') if mibBuilder.loadTexts: swFilterMIB.setContactInfo('http://support.dlink.com') if mibBuilder.loadTexts: swFilterMIB.setDescription('This MIB module defining objects for the management of filter.') class PortList(OctetString): subtypeSpec = OctetString.subtypeSpec + ValueSizeConstraint(0, 127) swFilterDhcp = MibIdentifier((1, 3, 6, 1, 4, 1, 171, 12, 37, 1)) swFilterNetbios = MibIdentifier((1, 3, 6, 1, 4, 1, 171, 12, 37, 2)) swFilterExtNetbios = MibIdentifier((1, 3, 6, 1, 4, 1, 171, 12, 37, 3)) swFilterCPU = MibIdentifier((1, 3, 6, 1, 4, 1, 171, 12, 37, 4)) swFilterEgress = MibIdentifier((1, 3, 6, 1, 4, 1, 171, 12, 37, 5)) swFilterNotify = MibIdentifier((1, 3, 6, 1, 4, 1, 171, 12, 37, 100)) swFilterDhcpPermitTable = MibTable((1, 3, 6, 1, 4, 1, 171, 12, 37, 1, 1), ) if mibBuilder.loadTexts: swFilterDhcpPermitTable.setStatus('current') if mibBuilder.loadTexts: swFilterDhcpPermitTable.setDescription('The table specifies DHCP permit information.') swFilterDhcpPermitEntry = MibTableRow((1, 3, 6, 1, 4, 1, 171, 12, 37, 1, 1, 1), ).setIndexNames((0, "FILTER-MIB", "swFilterDhcpServerIP"), (0, "FILTER-MIB", "swFilterDhcpClientMac")) if mibBuilder.loadTexts: swFilterDhcpPermitEntry.setStatus('current') if mibBuilder.loadTexts: swFilterDhcpPermitEntry.setDescription('This entry includes all port DHCP information which is supported by the device, like server IP address, client MAC address...') swFilterDhcpServerIP = MibTableColumn((1, 3, 6, 1, 4, 1, 171, 12, 37, 1, 1, 1, 1), IpAddress()).setMaxAccess("readonly") if mibBuilder.loadTexts: swFilterDhcpServerIP.setStatus('current') if mibBuilder.loadTexts: swFilterDhcpServerIP.setDescription('This object indicates the DHCP server IP address of this entry.') swFilterDhcpClientMac = MibTableColumn((1, 3, 6, 1, 4, 1, 171, 12, 37, 1, 1, 1, 2), MacAddress()).setMaxAccess("readonly") if mibBuilder.loadTexts: swFilterDhcpClientMac.setStatus('current') if mibBuilder.loadTexts: swFilterDhcpClientMac.setDescription('This object indicates the DHCP client MAC address of this entry.') swFilterDhcpPorts = MibTableColumn((1, 3, 6, 1, 4, 1, 171, 12, 37, 1, 1, 1, 3), PortList()).setMaxAccess("readcreate") if mibBuilder.loadTexts: swFilterDhcpPorts.setStatus('current') if mibBuilder.loadTexts: swFilterDhcpPorts.setDescription('This object indicates the operating port list of this entry.') swFilterDhcpStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 171, 12, 37, 1, 1, 1, 4), RowStatus()).setMaxAccess("readcreate") if mibBuilder.loadTexts: swFilterDhcpStatus.setStatus('current') if mibBuilder.loadTexts: swFilterDhcpStatus.setDescription('This object indicates the status of this entry.') swFilterDhcpPortTable = MibTable((1, 3, 6, 1, 4, 1, 171, 12, 37, 1, 2), ) if mibBuilder.loadTexts: swFilterDhcpPortTable.setStatus('current') if mibBuilder.loadTexts: swFilterDhcpPortTable.setDescription('The table specifies the DHCP filter function of a particular port.') swFilterDhcpPortEntry = MibTableRow((1, 3, 6, 1, 4, 1, 171, 12, 37, 1, 2, 1), ).setIndexNames((0, "FILTER-MIB", "swFilterDhcpPortIndex")) if mibBuilder.loadTexts: swFilterDhcpPortEntry.setStatus('current') if mibBuilder.loadTexts: swFilterDhcpPortEntry.setDescription('This entry includes all port DHCP states which are supported by the device.') swFilterDhcpPortIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 171, 12, 37, 1, 2, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readonly") if mibBuilder.loadTexts: swFilterDhcpPortIndex.setStatus('current') if mibBuilder.loadTexts: swFilterDhcpPortIndex.setDescription("This object indicates the module's port number. The range is from 1 to the maximum port number supported by this module.") swFilterDhcpPortState = MibTableColumn((1, 3, 6, 1, 4, 1, 171, 12, 37, 1, 2, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enabled", 1), ("disabled", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: swFilterDhcpPortState.setStatus('current') if mibBuilder.loadTexts: swFilterDhcpPortState.setDescription('This object indicates the DHCP filter status of this entry.') swFilterDhcpServerIllegalSerLogSuppressDuration = MibScalar((1, 3, 6, 1, 4, 1, 171, 12, 37, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("duration_1min", 1), ("duration_5min", 2), ("duration_30min", 3))).clone('duration_5min')).setMaxAccess("readwrite") if mibBuilder.loadTexts: swFilterDhcpServerIllegalSerLogSuppressDuration.setStatus('current') if mibBuilder.loadTexts: swFilterDhcpServerIllegalSerLogSuppressDuration.setDescription('This object indicates the illegal server log suppression duration. The same illegal DHCP server IP address detected is logged just once within the log ceasing unauthorized duration. The log ceasing unauthorized duration is 1 minute, 5 minutes, and 30 minutes. The default value is 5 minutes.') swFilterDhcpServerTrapLogState = MibScalar((1, 3, 6, 1, 4, 1, 171, 12, 37, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enabled", 1), ("disabled", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: swFilterDhcpServerTrapLogState.setStatus('current') if mibBuilder.loadTexts: swFilterDhcpServerTrapLogState.setDescription('This object indicates the state of the filter DHCP server log or trap on the switch.') swFilterNetbiosTable = MibTable((1, 3, 6, 1, 4, 1, 171, 12, 37, 2, 1), ) if mibBuilder.loadTexts: swFilterNetbiosTable.setStatus('current') if mibBuilder.loadTexts: swFilterNetbiosTable.setDescription('The table specifies the NetBIOS filter function of a port.') swFilterNetbiosEntry = MibTableRow((1, 3, 6, 1, 4, 1, 171, 12, 37, 2, 1, 1), ).setIndexNames((0, "FILTER-MIB", "swFilterNetbiosPortIndex")) if mibBuilder.loadTexts: swFilterNetbiosEntry.setStatus('current') if mibBuilder.loadTexts: swFilterNetbiosEntry.setDescription('This entry includes all port NetBIOS states which are supported by the device.') swFilterNetbiosPortIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 171, 12, 37, 2, 1, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readonly") if mibBuilder.loadTexts: swFilterNetbiosPortIndex.setStatus('current') if mibBuilder.loadTexts: swFilterNetbiosPortIndex.setDescription("This object indicates the module's port number. The range is from 1 to the maximum port number supported by this module.") swFilterNetbiosState = MibTableColumn((1, 3, 6, 1, 4, 1, 171, 12, 37, 2, 1, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enabled", 1), ("disabled", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: swFilterNetbiosState.setStatus('current') if mibBuilder.loadTexts: swFilterNetbiosState.setDescription('This object indicates the status of the NetBIOS filter.') swFilterExtNetbiosTable = MibTable((1, 3, 6, 1, 4, 1, 171, 12, 37, 3, 1), ) if mibBuilder.loadTexts: swFilterExtNetbiosTable.setStatus('current') if mibBuilder.loadTexts: swFilterExtNetbiosTable.setDescription('The table specifies the extensive NetBIOS filter function of a port.') swFilterExtNetbiosEntry = MibTableRow((1, 3, 6, 1, 4, 1, 171, 12, 37, 3, 1, 1), ).setIndexNames((0, "FILTER-MIB", "swFilterExtNetbiosPortIndex")) if mibBuilder.loadTexts: swFilterExtNetbiosEntry.setStatus('current') if mibBuilder.loadTexts: swFilterExtNetbiosEntry.setDescription('This entry includes all port extensive NetBIOS states which are supported by the device.') swFilterExtNetbiosPortIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 171, 12, 37, 3, 1, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readonly") if mibBuilder.loadTexts: swFilterExtNetbiosPortIndex.setStatus('current') if mibBuilder.loadTexts: swFilterExtNetbiosPortIndex.setDescription("This object indicates the module's port number. The range is from 1 to the maximum port number supported by this module.") swFilterExtNetbiosState = MibTableColumn((1, 3, 6, 1, 4, 1, 171, 12, 37, 3, 1, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enabled", 1), ("disabled", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: swFilterExtNetbiosState.setStatus('current') if mibBuilder.loadTexts: swFilterExtNetbiosState.setDescription('This object indicates the extensive NetBIOS filter status.') swFilterCPUL3CtrlPktTable = MibTable((1, 3, 6, 1, 4, 1, 171, 12, 37, 4, 1), ) if mibBuilder.loadTexts: swFilterCPUL3CtrlPktTable.setStatus('current') if mibBuilder.loadTexts: swFilterCPUL3CtrlPktTable.setDescription('The table specifies the CPU filter of the layer 3 control packet function of a port.') swFilterCPUL3CtrlPktEntry = MibTableRow((1, 3, 6, 1, 4, 1, 171, 12, 37, 4, 1, 1), ).setIndexNames((0, "FILTER-MIB", "swFilterCPUL3CtrlPktPortIndex")) if mibBuilder.loadTexts: swFilterCPUL3CtrlPktEntry.setStatus('current') if mibBuilder.loadTexts: swFilterCPUL3CtrlPktEntry.setDescription('This entry includes all port CPU filters of layer 3 control packet states which are supported by the device.') swFilterCPUL3CtrlPktPortIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 171, 12, 37, 4, 1, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readonly") if mibBuilder.loadTexts: swFilterCPUL3CtrlPktPortIndex.setStatus('current') if mibBuilder.loadTexts: swFilterCPUL3CtrlPktPortIndex.setDescription("This object indicates the module's port number. The range is from 1 to the maximum port number supported by this module.") swFilterCPUL3CtrlPktRIPState = MibTableColumn((1, 3, 6, 1, 4, 1, 171, 12, 37, 4, 1, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enabled", 1), ("disabled", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: swFilterCPUL3CtrlPktRIPState.setStatus('current') if mibBuilder.loadTexts: swFilterCPUL3CtrlPktRIPState.setDescription('This object indicates the RIP status of the layer 3 control packet.') swFilterCPUL3CtrlPktOSPFState = MibTableColumn((1, 3, 6, 1, 4, 1, 171, 12, 37, 4, 1, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enabled", 1), ("disabled", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: swFilterCPUL3CtrlPktOSPFState.setStatus('current') if mibBuilder.loadTexts: swFilterCPUL3CtrlPktOSPFState.setDescription('This object indicates the OSPF status of the layer 3 control packet.') swFilterCPUL3CtrlPktVRRPState = MibTableColumn((1, 3, 6, 1, 4, 1, 171, 12, 37, 4, 1, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enabled", 1), ("disabled", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: swFilterCPUL3CtrlPktVRRPState.setStatus('current') if mibBuilder.loadTexts: swFilterCPUL3CtrlPktVRRPState.setDescription('This object indicates the VRRP status of the layer 3 control packet.') swFilterCPUL3CtrlPktPIMState = MibTableColumn((1, 3, 6, 1, 4, 1, 171, 12, 37, 4, 1, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enabled", 1), ("disabled", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: swFilterCPUL3CtrlPktPIMState.setStatus('current') if mibBuilder.loadTexts: swFilterCPUL3CtrlPktPIMState.setDescription('This object indicates the PIM status of the layer 3 control packet.') swFilterCPUL3CtrlPktDVMRPState = MibTableColumn((1, 3, 6, 1, 4, 1, 171, 12, 37, 4, 1, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enabled", 1), ("disabled", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: swFilterCPUL3CtrlPktDVMRPState.setStatus('current') if mibBuilder.loadTexts: swFilterCPUL3CtrlPktDVMRPState.setDescription('This object indicates the DVMRP status of the layer 3 control packet.') swFilterCPUL3CtrlPktIGMPQueryState = MibTableColumn((1, 3, 6, 1, 4, 1, 171, 12, 37, 4, 1, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enabled", 1), ("disabled", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: swFilterCPUL3CtrlPktIGMPQueryState.setStatus('current') if mibBuilder.loadTexts: swFilterCPUL3CtrlPktIGMPQueryState.setDescription('This object indicates the IGMP query status of the layer 3 control packet.') swPktEgressFilterCtrlTable = MibTable((1, 3, 6, 1, 4, 1, 171, 12, 37, 5, 1), ) if mibBuilder.loadTexts: swPktEgressFilterCtrlTable.setStatus('current') if mibBuilder.loadTexts: swPktEgressFilterCtrlTable.setDescription('A table that contains information about egress filter control.') swPktEgressFilterCtrlEntry = MibTableRow((1, 3, 6, 1, 4, 1, 171, 12, 37, 5, 1, 1), ).setIndexNames((0, "FILTER-MIB", "swPktEgressFilterPortIndex")) if mibBuilder.loadTexts: swPktEgressFilterCtrlEntry.setStatus('current') if mibBuilder.loadTexts: swPktEgressFilterCtrlEntry.setDescription('A list of information for each port of the device. unicast: Specifies the egress filter state of destination lookup fail packets. multicast: Specifies the egress filter state of unregistered multicast packets.') swPktEgressFilterPortIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 171, 12, 37, 5, 1, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readonly") if mibBuilder.loadTexts: swPktEgressFilterPortIndex.setStatus('current') if mibBuilder.loadTexts: swPktEgressFilterPortIndex.setDescription("This object indicates the device's port number.(1..Max port number in the device).Used to specify a range of ports to be configured.") swPktEgressFilterUnknownUnicastStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 171, 12, 37, 5, 1, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enabled", 1), ("disabled", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: swPktEgressFilterUnknownUnicastStatus.setStatus('current') if mibBuilder.loadTexts: swPktEgressFilterUnknownUnicastStatus.setDescription('This object indicates the egress filter state of destination lookup fail packets.') swPktEgressFilterUnknownMulticastStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 171, 12, 37, 5, 1, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enabled", 1), ("disabled", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: swPktEgressFilterUnknownMulticastStatus.setStatus('current') if mibBuilder.loadTexts: swPktEgressFilterUnknownMulticastStatus.setDescription('This object indicates the egress filter state of unregistered multicast packets.') swFilterNotifyPrefix = MibIdentifier((1, 3, 6, 1, 4, 1, 171, 12, 37, 100, 0)) swFilterDetectedTrap = NotificationType((1, 3, 6, 1, 4, 1, 171, 12, 37, 100, 0, 1)).setObjects(("FILTER-MIB", "swFilterDetectedIP"), ("FILTER-MIB", "swFilterDetectedport")) if mibBuilder.loadTexts: swFilterDetectedTrap.setStatus('current') if mibBuilder.loadTexts: swFilterDetectedTrap.setDescription('Send trap when illegal DHCP server is detected. The same illegal DHCP server IP address detected is just sent once to the trap receivers within the log ceasing unauthorized duration.') swFilterNotificationBindings = MibIdentifier((1, 3, 6, 1, 4, 1, 171, 12, 37, 100, 2)) swFilterDetectedIP = MibScalar((1, 3, 6, 1, 4, 1, 171, 12, 37, 100, 2, 1), IpAddress()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: swFilterDetectedIP.setStatus('current') if mibBuilder.loadTexts: swFilterDetectedIP.setDescription('This object indicates the detected illegal DHCP server IP address.') swFilterDetectedport = MibScalar((1, 3, 6, 1, 4, 1, 171, 12, 37, 100, 2, 2), Integer32()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: swFilterDetectedport.setStatus('current') if mibBuilder.loadTexts: swFilterDetectedport.setDescription('This object indicates the port which detected the illegal DHCP server.') mibBuilder.exportSymbols("FILTER-MIB", swFilterDhcpClientMac=swFilterDhcpClientMac, swFilterDetectedport=swFilterDetectedport, swFilterExtNetbiosPortIndex=swFilterExtNetbiosPortIndex, swFilterNetbios=swFilterNetbios, PortList=PortList, swFilterExtNetbios=swFilterExtNetbios, swFilterDhcpPorts=swFilterDhcpPorts, swPktEgressFilterPortIndex=swPktEgressFilterPortIndex, swFilterNotifyPrefix=swFilterNotifyPrefix, swPktEgressFilterCtrlEntry=swPktEgressFilterCtrlEntry, swFilterDhcpPortIndex=swFilterDhcpPortIndex, swFilterExtNetbiosTable=swFilterExtNetbiosTable, swFilterDhcpServerTrapLogState=swFilterDhcpServerTrapLogState, swFilterDhcpServerIP=swFilterDhcpServerIP, swFilterNetbiosPortIndex=swFilterNetbiosPortIndex, swFilterDhcp=swFilterDhcp, swPktEgressFilterUnknownMulticastStatus=swPktEgressFilterUnknownMulticastStatus, swFilterCPUL3CtrlPktEntry=swFilterCPUL3CtrlPktEntry, swFilterNetbiosState=swFilterNetbiosState, swFilterExtNetbiosState=swFilterExtNetbiosState, swFilterCPUL3CtrlPktOSPFState=swFilterCPUL3CtrlPktOSPFState, swFilterCPUL3CtrlPktDVMRPState=swFilterCPUL3CtrlPktDVMRPState, swFilterCPUL3CtrlPktRIPState=swFilterCPUL3CtrlPktRIPState, swFilterMIB=swFilterMIB, swFilterEgress=swFilterEgress, swFilterDhcpPortTable=swFilterDhcpPortTable, swFilterNetbiosEntry=swFilterNetbiosEntry, swFilterCPUL3CtrlPktPortIndex=swFilterCPUL3CtrlPktPortIndex, swFilterNotify=swFilterNotify, swFilterDhcpServerIllegalSerLogSuppressDuration=swFilterDhcpServerIllegalSerLogSuppressDuration, swPktEgressFilterCtrlTable=swPktEgressFilterCtrlTable, swFilterDhcpPermitTable=swFilterDhcpPermitTable, swFilterDetectedIP=swFilterDetectedIP, swFilterCPU=swFilterCPU, swFilterDetectedTrap=swFilterDetectedTrap, swFilterCPUL3CtrlPktIGMPQueryState=swFilterCPUL3CtrlPktIGMPQueryState, swFilterExtNetbiosEntry=swFilterExtNetbiosEntry, swFilterNetbiosTable=swFilterNetbiosTable, swFilterDhcpStatus=swFilterDhcpStatus, swFilterDhcpPortState=swFilterDhcpPortState, swFilterDhcpPortEntry=swFilterDhcpPortEntry, PYSNMP_MODULE_ID=swFilterMIB, swFilterCPUL3CtrlPktTable=swFilterCPUL3CtrlPktTable, swFilterNotificationBindings=swFilterNotificationBindings, swFilterCPUL3CtrlPktPIMState=swFilterCPUL3CtrlPktPIMState, swFilterCPUL3CtrlPktVRRPState=swFilterCPUL3CtrlPktVRRPState, swPktEgressFilterUnknownUnicastStatus=swPktEgressFilterUnknownUnicastStatus, swFilterDhcpPermitEntry=swFilterDhcpPermitEntry)
(octet_string, object_identifier, integer) = mibBuilder.importSymbols('ASN1', 'OctetString', 'ObjectIdentifier', 'Integer') (named_values,) = mibBuilder.importSymbols('ASN1-ENUMERATION', 'NamedValues') (value_size_constraint, constraints_union, value_range_constraint, single_value_constraint, constraints_intersection) = mibBuilder.importSymbols('ASN1-REFINEMENT', 'ValueSizeConstraint', 'ConstraintsUnion', 'ValueRangeConstraint', 'SingleValueConstraint', 'ConstraintsIntersection') (dlink_common_mgmt,) = mibBuilder.importSymbols('DLINK-ID-REC-MIB', 'dlink-common-mgmt') (snmp_admin_string,) = mibBuilder.importSymbols('SNMP-FRAMEWORK-MIB', 'SnmpAdminString') (module_compliance, notification_group) = mibBuilder.importSymbols('SNMPv2-CONF', 'ModuleCompliance', 'NotificationGroup') (mib_scalar, mib_table, mib_table_row, mib_table_column, time_ticks, unsigned32, module_identity, gauge32, ip_address, counter64, mib_identifier, integer32, counter32, iso, object_identity, bits, notification_type) = mibBuilder.importSymbols('SNMPv2-SMI', 'MibScalar', 'MibTable', 'MibTableRow', 'MibTableColumn', 'TimeTicks', 'Unsigned32', 'ModuleIdentity', 'Gauge32', 'IpAddress', 'Counter64', 'MibIdentifier', 'Integer32', 'Counter32', 'iso', 'ObjectIdentity', 'Bits', 'NotificationType') (display_string, row_status, textual_convention, mac_address) = mibBuilder.importSymbols('SNMPv2-TC', 'DisplayString', 'RowStatus', 'TextualConvention', 'MacAddress') sw_filter_mib = module_identity((1, 3, 6, 1, 4, 1, 171, 12, 37)) if mibBuilder.loadTexts: swFilterMIB.setLastUpdated('0808120000Z') if mibBuilder.loadTexts: swFilterMIB.setOrganization('D-Link Corp.') if mibBuilder.loadTexts: swFilterMIB.setContactInfo('http://support.dlink.com') if mibBuilder.loadTexts: swFilterMIB.setDescription('This MIB module defining objects for the management of filter.') class Portlist(OctetString): subtype_spec = OctetString.subtypeSpec + value_size_constraint(0, 127) sw_filter_dhcp = mib_identifier((1, 3, 6, 1, 4, 1, 171, 12, 37, 1)) sw_filter_netbios = mib_identifier((1, 3, 6, 1, 4, 1, 171, 12, 37, 2)) sw_filter_ext_netbios = mib_identifier((1, 3, 6, 1, 4, 1, 171, 12, 37, 3)) sw_filter_cpu = mib_identifier((1, 3, 6, 1, 4, 1, 171, 12, 37, 4)) sw_filter_egress = mib_identifier((1, 3, 6, 1, 4, 1, 171, 12, 37, 5)) sw_filter_notify = mib_identifier((1, 3, 6, 1, 4, 1, 171, 12, 37, 100)) sw_filter_dhcp_permit_table = mib_table((1, 3, 6, 1, 4, 1, 171, 12, 37, 1, 1)) if mibBuilder.loadTexts: swFilterDhcpPermitTable.setStatus('current') if mibBuilder.loadTexts: swFilterDhcpPermitTable.setDescription('The table specifies DHCP permit information.') sw_filter_dhcp_permit_entry = mib_table_row((1, 3, 6, 1, 4, 1, 171, 12, 37, 1, 1, 1)).setIndexNames((0, 'FILTER-MIB', 'swFilterDhcpServerIP'), (0, 'FILTER-MIB', 'swFilterDhcpClientMac')) if mibBuilder.loadTexts: swFilterDhcpPermitEntry.setStatus('current') if mibBuilder.loadTexts: swFilterDhcpPermitEntry.setDescription('This entry includes all port DHCP information which is supported by the device, like server IP address, client MAC address...') sw_filter_dhcp_server_ip = mib_table_column((1, 3, 6, 1, 4, 1, 171, 12, 37, 1, 1, 1, 1), ip_address()).setMaxAccess('readonly') if mibBuilder.loadTexts: swFilterDhcpServerIP.setStatus('current') if mibBuilder.loadTexts: swFilterDhcpServerIP.setDescription('This object indicates the DHCP server IP address of this entry.') sw_filter_dhcp_client_mac = mib_table_column((1, 3, 6, 1, 4, 1, 171, 12, 37, 1, 1, 1, 2), mac_address()).setMaxAccess('readonly') if mibBuilder.loadTexts: swFilterDhcpClientMac.setStatus('current') if mibBuilder.loadTexts: swFilterDhcpClientMac.setDescription('This object indicates the DHCP client MAC address of this entry.') sw_filter_dhcp_ports = mib_table_column((1, 3, 6, 1, 4, 1, 171, 12, 37, 1, 1, 1, 3), port_list()).setMaxAccess('readcreate') if mibBuilder.loadTexts: swFilterDhcpPorts.setStatus('current') if mibBuilder.loadTexts: swFilterDhcpPorts.setDescription('This object indicates the operating port list of this entry.') sw_filter_dhcp_status = mib_table_column((1, 3, 6, 1, 4, 1, 171, 12, 37, 1, 1, 1, 4), row_status()).setMaxAccess('readcreate') if mibBuilder.loadTexts: swFilterDhcpStatus.setStatus('current') if mibBuilder.loadTexts: swFilterDhcpStatus.setDescription('This object indicates the status of this entry.') sw_filter_dhcp_port_table = mib_table((1, 3, 6, 1, 4, 1, 171, 12, 37, 1, 2)) if mibBuilder.loadTexts: swFilterDhcpPortTable.setStatus('current') if mibBuilder.loadTexts: swFilterDhcpPortTable.setDescription('The table specifies the DHCP filter function of a particular port.') sw_filter_dhcp_port_entry = mib_table_row((1, 3, 6, 1, 4, 1, 171, 12, 37, 1, 2, 1)).setIndexNames((0, 'FILTER-MIB', 'swFilterDhcpPortIndex')) if mibBuilder.loadTexts: swFilterDhcpPortEntry.setStatus('current') if mibBuilder.loadTexts: swFilterDhcpPortEntry.setDescription('This entry includes all port DHCP states which are supported by the device.') sw_filter_dhcp_port_index = mib_table_column((1, 3, 6, 1, 4, 1, 171, 12, 37, 1, 2, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 65535))).setMaxAccess('readonly') if mibBuilder.loadTexts: swFilterDhcpPortIndex.setStatus('current') if mibBuilder.loadTexts: swFilterDhcpPortIndex.setDescription("This object indicates the module's port number. The range is from 1 to the maximum port number supported by this module.") sw_filter_dhcp_port_state = mib_table_column((1, 3, 6, 1, 4, 1, 171, 12, 37, 1, 2, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enabled', 1), ('disabled', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: swFilterDhcpPortState.setStatus('current') if mibBuilder.loadTexts: swFilterDhcpPortState.setDescription('This object indicates the DHCP filter status of this entry.') sw_filter_dhcp_server_illegal_ser_log_suppress_duration = mib_scalar((1, 3, 6, 1, 4, 1, 171, 12, 37, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('duration_1min', 1), ('duration_5min', 2), ('duration_30min', 3))).clone('duration_5min')).setMaxAccess('readwrite') if mibBuilder.loadTexts: swFilterDhcpServerIllegalSerLogSuppressDuration.setStatus('current') if mibBuilder.loadTexts: swFilterDhcpServerIllegalSerLogSuppressDuration.setDescription('This object indicates the illegal server log suppression duration. The same illegal DHCP server IP address detected is logged just once within the log ceasing unauthorized duration. The log ceasing unauthorized duration is 1 minute, 5 minutes, and 30 minutes. The default value is 5 minutes.') sw_filter_dhcp_server_trap_log_state = mib_scalar((1, 3, 6, 1, 4, 1, 171, 12, 37, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enabled', 1), ('disabled', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: swFilterDhcpServerTrapLogState.setStatus('current') if mibBuilder.loadTexts: swFilterDhcpServerTrapLogState.setDescription('This object indicates the state of the filter DHCP server log or trap on the switch.') sw_filter_netbios_table = mib_table((1, 3, 6, 1, 4, 1, 171, 12, 37, 2, 1)) if mibBuilder.loadTexts: swFilterNetbiosTable.setStatus('current') if mibBuilder.loadTexts: swFilterNetbiosTable.setDescription('The table specifies the NetBIOS filter function of a port.') sw_filter_netbios_entry = mib_table_row((1, 3, 6, 1, 4, 1, 171, 12, 37, 2, 1, 1)).setIndexNames((0, 'FILTER-MIB', 'swFilterNetbiosPortIndex')) if mibBuilder.loadTexts: swFilterNetbiosEntry.setStatus('current') if mibBuilder.loadTexts: swFilterNetbiosEntry.setDescription('This entry includes all port NetBIOS states which are supported by the device.') sw_filter_netbios_port_index = mib_table_column((1, 3, 6, 1, 4, 1, 171, 12, 37, 2, 1, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 65535))).setMaxAccess('readonly') if mibBuilder.loadTexts: swFilterNetbiosPortIndex.setStatus('current') if mibBuilder.loadTexts: swFilterNetbiosPortIndex.setDescription("This object indicates the module's port number. The range is from 1 to the maximum port number supported by this module.") sw_filter_netbios_state = mib_table_column((1, 3, 6, 1, 4, 1, 171, 12, 37, 2, 1, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enabled', 1), ('disabled', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: swFilterNetbiosState.setStatus('current') if mibBuilder.loadTexts: swFilterNetbiosState.setDescription('This object indicates the status of the NetBIOS filter.') sw_filter_ext_netbios_table = mib_table((1, 3, 6, 1, 4, 1, 171, 12, 37, 3, 1)) if mibBuilder.loadTexts: swFilterExtNetbiosTable.setStatus('current') if mibBuilder.loadTexts: swFilterExtNetbiosTable.setDescription('The table specifies the extensive NetBIOS filter function of a port.') sw_filter_ext_netbios_entry = mib_table_row((1, 3, 6, 1, 4, 1, 171, 12, 37, 3, 1, 1)).setIndexNames((0, 'FILTER-MIB', 'swFilterExtNetbiosPortIndex')) if mibBuilder.loadTexts: swFilterExtNetbiosEntry.setStatus('current') if mibBuilder.loadTexts: swFilterExtNetbiosEntry.setDescription('This entry includes all port extensive NetBIOS states which are supported by the device.') sw_filter_ext_netbios_port_index = mib_table_column((1, 3, 6, 1, 4, 1, 171, 12, 37, 3, 1, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 65535))).setMaxAccess('readonly') if mibBuilder.loadTexts: swFilterExtNetbiosPortIndex.setStatus('current') if mibBuilder.loadTexts: swFilterExtNetbiosPortIndex.setDescription("This object indicates the module's port number. The range is from 1 to the maximum port number supported by this module.") sw_filter_ext_netbios_state = mib_table_column((1, 3, 6, 1, 4, 1, 171, 12, 37, 3, 1, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enabled', 1), ('disabled', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: swFilterExtNetbiosState.setStatus('current') if mibBuilder.loadTexts: swFilterExtNetbiosState.setDescription('This object indicates the extensive NetBIOS filter status.') sw_filter_cpul3_ctrl_pkt_table = mib_table((1, 3, 6, 1, 4, 1, 171, 12, 37, 4, 1)) if mibBuilder.loadTexts: swFilterCPUL3CtrlPktTable.setStatus('current') if mibBuilder.loadTexts: swFilterCPUL3CtrlPktTable.setDescription('The table specifies the CPU filter of the layer 3 control packet function of a port.') sw_filter_cpul3_ctrl_pkt_entry = mib_table_row((1, 3, 6, 1, 4, 1, 171, 12, 37, 4, 1, 1)).setIndexNames((0, 'FILTER-MIB', 'swFilterCPUL3CtrlPktPortIndex')) if mibBuilder.loadTexts: swFilterCPUL3CtrlPktEntry.setStatus('current') if mibBuilder.loadTexts: swFilterCPUL3CtrlPktEntry.setDescription('This entry includes all port CPU filters of layer 3 control packet states which are supported by the device.') sw_filter_cpul3_ctrl_pkt_port_index = mib_table_column((1, 3, 6, 1, 4, 1, 171, 12, 37, 4, 1, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 65535))).setMaxAccess('readonly') if mibBuilder.loadTexts: swFilterCPUL3CtrlPktPortIndex.setStatus('current') if mibBuilder.loadTexts: swFilterCPUL3CtrlPktPortIndex.setDescription("This object indicates the module's port number. The range is from 1 to the maximum port number supported by this module.") sw_filter_cpul3_ctrl_pkt_rip_state = mib_table_column((1, 3, 6, 1, 4, 1, 171, 12, 37, 4, 1, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enabled', 1), ('disabled', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: swFilterCPUL3CtrlPktRIPState.setStatus('current') if mibBuilder.loadTexts: swFilterCPUL3CtrlPktRIPState.setDescription('This object indicates the RIP status of the layer 3 control packet.') sw_filter_cpul3_ctrl_pkt_ospf_state = mib_table_column((1, 3, 6, 1, 4, 1, 171, 12, 37, 4, 1, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enabled', 1), ('disabled', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: swFilterCPUL3CtrlPktOSPFState.setStatus('current') if mibBuilder.loadTexts: swFilterCPUL3CtrlPktOSPFState.setDescription('This object indicates the OSPF status of the layer 3 control packet.') sw_filter_cpul3_ctrl_pkt_vrrp_state = mib_table_column((1, 3, 6, 1, 4, 1, 171, 12, 37, 4, 1, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enabled', 1), ('disabled', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: swFilterCPUL3CtrlPktVRRPState.setStatus('current') if mibBuilder.loadTexts: swFilterCPUL3CtrlPktVRRPState.setDescription('This object indicates the VRRP status of the layer 3 control packet.') sw_filter_cpul3_ctrl_pkt_pim_state = mib_table_column((1, 3, 6, 1, 4, 1, 171, 12, 37, 4, 1, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enabled', 1), ('disabled', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: swFilterCPUL3CtrlPktPIMState.setStatus('current') if mibBuilder.loadTexts: swFilterCPUL3CtrlPktPIMState.setDescription('This object indicates the PIM status of the layer 3 control packet.') sw_filter_cpul3_ctrl_pkt_dvmrp_state = mib_table_column((1, 3, 6, 1, 4, 1, 171, 12, 37, 4, 1, 1, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enabled', 1), ('disabled', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: swFilterCPUL3CtrlPktDVMRPState.setStatus('current') if mibBuilder.loadTexts: swFilterCPUL3CtrlPktDVMRPState.setDescription('This object indicates the DVMRP status of the layer 3 control packet.') sw_filter_cpul3_ctrl_pkt_igmp_query_state = mib_table_column((1, 3, 6, 1, 4, 1, 171, 12, 37, 4, 1, 1, 7), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enabled', 1), ('disabled', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: swFilterCPUL3CtrlPktIGMPQueryState.setStatus('current') if mibBuilder.loadTexts: swFilterCPUL3CtrlPktIGMPQueryState.setDescription('This object indicates the IGMP query status of the layer 3 control packet.') sw_pkt_egress_filter_ctrl_table = mib_table((1, 3, 6, 1, 4, 1, 171, 12, 37, 5, 1)) if mibBuilder.loadTexts: swPktEgressFilterCtrlTable.setStatus('current') if mibBuilder.loadTexts: swPktEgressFilterCtrlTable.setDescription('A table that contains information about egress filter control.') sw_pkt_egress_filter_ctrl_entry = mib_table_row((1, 3, 6, 1, 4, 1, 171, 12, 37, 5, 1, 1)).setIndexNames((0, 'FILTER-MIB', 'swPktEgressFilterPortIndex')) if mibBuilder.loadTexts: swPktEgressFilterCtrlEntry.setStatus('current') if mibBuilder.loadTexts: swPktEgressFilterCtrlEntry.setDescription('A list of information for each port of the device. unicast: Specifies the egress filter state of destination lookup fail packets. multicast: Specifies the egress filter state of unregistered multicast packets.') sw_pkt_egress_filter_port_index = mib_table_column((1, 3, 6, 1, 4, 1, 171, 12, 37, 5, 1, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(0, 65535))).setMaxAccess('readonly') if mibBuilder.loadTexts: swPktEgressFilterPortIndex.setStatus('current') if mibBuilder.loadTexts: swPktEgressFilterPortIndex.setDescription("This object indicates the device's port number.(1..Max port number in the device).Used to specify a range of ports to be configured.") sw_pkt_egress_filter_unknown_unicast_status = mib_table_column((1, 3, 6, 1, 4, 1, 171, 12, 37, 5, 1, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enabled', 1), ('disabled', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: swPktEgressFilterUnknownUnicastStatus.setStatus('current') if mibBuilder.loadTexts: swPktEgressFilterUnknownUnicastStatus.setDescription('This object indicates the egress filter state of destination lookup fail packets.') sw_pkt_egress_filter_unknown_multicast_status = mib_table_column((1, 3, 6, 1, 4, 1, 171, 12, 37, 5, 1, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enabled', 1), ('disabled', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: swPktEgressFilterUnknownMulticastStatus.setStatus('current') if mibBuilder.loadTexts: swPktEgressFilterUnknownMulticastStatus.setDescription('This object indicates the egress filter state of unregistered multicast packets.') sw_filter_notify_prefix = mib_identifier((1, 3, 6, 1, 4, 1, 171, 12, 37, 100, 0)) sw_filter_detected_trap = notification_type((1, 3, 6, 1, 4, 1, 171, 12, 37, 100, 0, 1)).setObjects(('FILTER-MIB', 'swFilterDetectedIP'), ('FILTER-MIB', 'swFilterDetectedport')) if mibBuilder.loadTexts: swFilterDetectedTrap.setStatus('current') if mibBuilder.loadTexts: swFilterDetectedTrap.setDescription('Send trap when illegal DHCP server is detected. The same illegal DHCP server IP address detected is just sent once to the trap receivers within the log ceasing unauthorized duration.') sw_filter_notification_bindings = mib_identifier((1, 3, 6, 1, 4, 1, 171, 12, 37, 100, 2)) sw_filter_detected_ip = mib_scalar((1, 3, 6, 1, 4, 1, 171, 12, 37, 100, 2, 1), ip_address()).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: swFilterDetectedIP.setStatus('current') if mibBuilder.loadTexts: swFilterDetectedIP.setDescription('This object indicates the detected illegal DHCP server IP address.') sw_filter_detectedport = mib_scalar((1, 3, 6, 1, 4, 1, 171, 12, 37, 100, 2, 2), integer32()).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: swFilterDetectedport.setStatus('current') if mibBuilder.loadTexts: swFilterDetectedport.setDescription('This object indicates the port which detected the illegal DHCP server.') mibBuilder.exportSymbols('FILTER-MIB', swFilterDhcpClientMac=swFilterDhcpClientMac, swFilterDetectedport=swFilterDetectedport, swFilterExtNetbiosPortIndex=swFilterExtNetbiosPortIndex, swFilterNetbios=swFilterNetbios, PortList=PortList, swFilterExtNetbios=swFilterExtNetbios, swFilterDhcpPorts=swFilterDhcpPorts, swPktEgressFilterPortIndex=swPktEgressFilterPortIndex, swFilterNotifyPrefix=swFilterNotifyPrefix, swPktEgressFilterCtrlEntry=swPktEgressFilterCtrlEntry, swFilterDhcpPortIndex=swFilterDhcpPortIndex, swFilterExtNetbiosTable=swFilterExtNetbiosTable, swFilterDhcpServerTrapLogState=swFilterDhcpServerTrapLogState, swFilterDhcpServerIP=swFilterDhcpServerIP, swFilterNetbiosPortIndex=swFilterNetbiosPortIndex, swFilterDhcp=swFilterDhcp, swPktEgressFilterUnknownMulticastStatus=swPktEgressFilterUnknownMulticastStatus, swFilterCPUL3CtrlPktEntry=swFilterCPUL3CtrlPktEntry, swFilterNetbiosState=swFilterNetbiosState, swFilterExtNetbiosState=swFilterExtNetbiosState, swFilterCPUL3CtrlPktOSPFState=swFilterCPUL3CtrlPktOSPFState, swFilterCPUL3CtrlPktDVMRPState=swFilterCPUL3CtrlPktDVMRPState, swFilterCPUL3CtrlPktRIPState=swFilterCPUL3CtrlPktRIPState, swFilterMIB=swFilterMIB, swFilterEgress=swFilterEgress, swFilterDhcpPortTable=swFilterDhcpPortTable, swFilterNetbiosEntry=swFilterNetbiosEntry, swFilterCPUL3CtrlPktPortIndex=swFilterCPUL3CtrlPktPortIndex, swFilterNotify=swFilterNotify, swFilterDhcpServerIllegalSerLogSuppressDuration=swFilterDhcpServerIllegalSerLogSuppressDuration, swPktEgressFilterCtrlTable=swPktEgressFilterCtrlTable, swFilterDhcpPermitTable=swFilterDhcpPermitTable, swFilterDetectedIP=swFilterDetectedIP, swFilterCPU=swFilterCPU, swFilterDetectedTrap=swFilterDetectedTrap, swFilterCPUL3CtrlPktIGMPQueryState=swFilterCPUL3CtrlPktIGMPQueryState, swFilterExtNetbiosEntry=swFilterExtNetbiosEntry, swFilterNetbiosTable=swFilterNetbiosTable, swFilterDhcpStatus=swFilterDhcpStatus, swFilterDhcpPortState=swFilterDhcpPortState, swFilterDhcpPortEntry=swFilterDhcpPortEntry, PYSNMP_MODULE_ID=swFilterMIB, swFilterCPUL3CtrlPktTable=swFilterCPUL3CtrlPktTable, swFilterNotificationBindings=swFilterNotificationBindings, swFilterCPUL3CtrlPktPIMState=swFilterCPUL3CtrlPktPIMState, swFilterCPUL3CtrlPktVRRPState=swFilterCPUL3CtrlPktVRRPState, swPktEgressFilterUnknownUnicastStatus=swPktEgressFilterUnknownUnicastStatus, swFilterDhcpPermitEntry=swFilterDhcpPermitEntry)
#Passwd file for passwordmanager app loginpass='windowsADpasswd' user='domain.name\\username' passwordReset = 'staticPassword' new_pass = 'newadpassword' adServer='adServer.domain.name'
loginpass = 'windowsADpasswd' user = 'domain.name\\username' password_reset = 'staticPassword' new_pass = 'newadpassword' ad_server = 'adServer.domain.name'
#---------------------------------------------------------------------------------------------------------- # # AUTOMATICALLY GENERATED FILE TO BE USED BY W_HOTBOX # # NAME: Bake # COLOR: #685777 # TEXTCOLOR: #ffffff # #---------------------------------------------------------------------------------------------------------- ns = nuke.selectedNodes() for n in ns: n.knob('bake').execute()
ns = nuke.selectedNodes() for n in ns: n.knob('bake').execute()
"""Given two integers n and k, you need to construct a list which contains n different positive integers ranging from 1 to n and obeys the following requirement: Suppose this list is [a1, a2, a3, ... , an], then the list [|a1 - a2|, |a2 - a3|, |a3 - a4|, ... , |an-1 - an|] has exactly k distinct integers. If there are multiple answers, print any of them. Example 1: Input: n = 3, k = 1 Output: [1, 2, 3] Explanation: The [1, 2, 3] has three different positive integers ranging from 1 to 3, and the [1, 1] has exactly 1 distinct integer: 1. Example 2: Input: n = 3, k = 2 Output: [1, 3, 2] Explanation: The [1, 3, 2] has three different positive integers ranging from 1 to 3, and the [2, 1] has exactly 2 distinct integers: 1 and 2. Note: The n and k are in the range 1 <= k < n <= 104.""" class Solution: def constructArray(self, n: int, k: int) -> List[int]: if k == 1: return list(range(1, n + 1)) kR = list(range(k, 1, -1)) N = list(range(1, n + 1)) j = 0 for i in kR: x = self.find(N[j:], i, N[j]) N.pop(N.index(x)) N.insert(j + 1, x) j += 1 return N def find(self, arr, num, h): for x in arr: if x - h == num or h - x == num: return x class Solution2: def constructArray(self, n: int, k: int) -> List[int]: if k == 1: return list(range(1, n + 1)) kR = list(range(k, 0, -1)) N = [1] for i in kR: if N[-1] + i - 1 > k: N.append(N[-1] - i) else: N.append(N[-1] + i) x = list(range(1, n + 1)) for w in x: if w not in N: N.append(w) return N class Solution3: def constructArray(self, n: int, k: int) -> List[int]: ans = [0] * n a = 1 z = k+1 for i in range(k+1): if i % 2: ans[i] = z z -= 1 else: ans[i] = a a += 1 for i in range(k+1,n): ans[i] = i + 1 return ans # Submission Details: # >97%/>93%
"""Given two integers n and k, you need to construct a list which contains n different positive integers ranging from 1 to n and obeys the following requirement: Suppose this list is [a1, a2, a3, ... , an], then the list [|a1 - a2|, |a2 - a3|, |a3 - a4|, ... , |an-1 - an|] has exactly k distinct integers. If there are multiple answers, print any of them. Example 1: Input: n = 3, k = 1 Output: [1, 2, 3] Explanation: The [1, 2, 3] has three different positive integers ranging from 1 to 3, and the [1, 1] has exactly 1 distinct integer: 1. Example 2: Input: n = 3, k = 2 Output: [1, 3, 2] Explanation: The [1, 3, 2] has three different positive integers ranging from 1 to 3, and the [2, 1] has exactly 2 distinct integers: 1 and 2. Note: The n and k are in the range 1 <= k < n <= 104.""" class Solution: def construct_array(self, n: int, k: int) -> List[int]: if k == 1: return list(range(1, n + 1)) k_r = list(range(k, 1, -1)) n = list(range(1, n + 1)) j = 0 for i in kR: x = self.find(N[j:], i, N[j]) N.pop(N.index(x)) N.insert(j + 1, x) j += 1 return N def find(self, arr, num, h): for x in arr: if x - h == num or h - x == num: return x class Solution2: def construct_array(self, n: int, k: int) -> List[int]: if k == 1: return list(range(1, n + 1)) k_r = list(range(k, 0, -1)) n = [1] for i in kR: if N[-1] + i - 1 > k: N.append(N[-1] - i) else: N.append(N[-1] + i) x = list(range(1, n + 1)) for w in x: if w not in N: N.append(w) return N class Solution3: def construct_array(self, n: int, k: int) -> List[int]: ans = [0] * n a = 1 z = k + 1 for i in range(k + 1): if i % 2: ans[i] = z z -= 1 else: ans[i] = a a += 1 for i in range(k + 1, n): ans[i] = i + 1 return ans
def sayhi(name): print("Hello "+ name) sayhi(" vaibhav .") def data(name,age): print("Hello " + name +" You are " + str(age)+ ".") nm=input("Enter the name: ") age=int(input("Enter the age: ")) data(nm,age)
def sayhi(name): print('Hello ' + name) sayhi(' vaibhav .') def data(name, age): print('Hello ' + name + ' You are ' + str(age) + '.') nm = input('Enter the name: ') age = int(input('Enter the age: ')) data(nm, age)
class MemberStore: members = [] last_id = 1 def get_all(self): return MemberStore.members def add(self, member): member.id = MemberStore.last_id MemberStore.members.append(member) MemberStore.last_id += 1 def get_by_id(self, id): member_list = self.get_all() for member in member_list: if member.id == id: return member return None def entity_exists(self, member): result = True if self.get_by_id(member.id) is None: result = False return result def delete(self, id): member_list = self.get_all() for member in member_list: if member is not None: MemberStore.members.remove(member) class PostStore: posts = [] last_id = 1 def add(self, post): post.id = PostStore.last_id PostStore.posts.append(post) PostStore.last_id += 1 def get_all(self): return PostStore.posts def get_by_id(self, id): post_list = self.get_all() for post in post_list: if post.id == id: return post return None def entity_exists(self, post): result = True if self.get_by_id(post.id) is None: result = False return result def delete(self, id): post_list = self.get_all() for post in post_list: if post is not None: PostStore.posts.remove(post)
class Memberstore: members = [] last_id = 1 def get_all(self): return MemberStore.members def add(self, member): member.id = MemberStore.last_id MemberStore.members.append(member) MemberStore.last_id += 1 def get_by_id(self, id): member_list = self.get_all() for member in member_list: if member.id == id: return member return None def entity_exists(self, member): result = True if self.get_by_id(member.id) is None: result = False return result def delete(self, id): member_list = self.get_all() for member in member_list: if member is not None: MemberStore.members.remove(member) class Poststore: posts = [] last_id = 1 def add(self, post): post.id = PostStore.last_id PostStore.posts.append(post) PostStore.last_id += 1 def get_all(self): return PostStore.posts def get_by_id(self, id): post_list = self.get_all() for post in post_list: if post.id == id: return post return None def entity_exists(self, post): result = True if self.get_by_id(post.id) is None: result = False return result def delete(self, id): post_list = self.get_all() for post in post_list: if post is not None: PostStore.posts.remove(post)
"""Sorting Algorithms In Python """ """ Dutch national flag problem https://en.wikipedia.org/wiki/Dutch_national_flag_problem """ def sort_colors(nums: [int], pivot: int)->[int]: small = 0 current = 1 big = len(nums)-1 while current < big: if nums[current] == pivot: current += 1 elif nums[current] > pivot: nums[big], nums[current] = nums[current], nums[big] big -= 1 else: nums[current], nums[small] = nums[small], nums[current] small += 1 current += 1 return nums def quick_sort(numbers: list): if len(numbers) <= 1: return numbers pivot = numbers[0] left = [i for i in numbers[1:] if i <= pivot] right = [i for i in numbers[1:] if i > pivot] return quick_sort(left) + [pivot] + quick_sort(right)
"""Sorting Algorithms In Python """ '\nDutch national flag problem\nhttps://en.wikipedia.org/wiki/Dutch_national_flag_problem\n' def sort_colors(nums: [int], pivot: int) -> [int]: small = 0 current = 1 big = len(nums) - 1 while current < big: if nums[current] == pivot: current += 1 elif nums[current] > pivot: (nums[big], nums[current]) = (nums[current], nums[big]) big -= 1 else: (nums[current], nums[small]) = (nums[small], nums[current]) small += 1 current += 1 return nums def quick_sort(numbers: list): if len(numbers) <= 1: return numbers pivot = numbers[0] left = [i for i in numbers[1:] if i <= pivot] right = [i for i in numbers[1:] if i > pivot] return quick_sort(left) + [pivot] + quick_sort(right)
# -*- coding: utf8 -*- class DogEvent(object): def __init__(self, event_type, data): self.event_type = event_type self.data = data def get_event(self): tmp = "" if isinstance(self.data, dict): for k in self.data.keys(): tmp += "{}={}~".format(k, str(self.data[k]).replace("~", "%7e")) tmp = tmp.rstrip("~") else: tmp = self.data.encode("ascii") return {"type": "event", "event": [self.event_type.encode("ascii"), tmp] } @classmethod def from_serialized(klass, event_type, data): tmp = {} for v in data.split("~"): vals = v.split("=") tmp[vals[0]] = vals[1] return DogEvent(event_type, tmp) class HostEvent(DogEvent): def __init__(self, data): DogEvent.__init__(self, "HOST", {"value": data}) class IpRangeEvent(DogEvent): def __init__(self, data): DogEvent.__init__(self, "IPRANGE", {"value": data}) class ServiceEvent(DogEvent): def __init__(self, host, port): DogEvent.__init__(self, "SERVICE", {"host": host, "port": port}) class SoftwareEvent(DogEvent): def __init__(self, host, port, product, version, cpe): DogEvent.__init__(self, "SOFTWARE", {"host": host, "port": port, "product": product, "version": version, "cpe": cpe}) class LogEvent(DogEvent): def __init__(self, message): DogEvent.__init__(self, "LOG", message) class CveEvent(DogEvent): def __init__(self, host, port, product, version, cve, details): DogEvent.__init__(self, "CVE", {"host": host, "port": port, "product": product, "version": version, "cve": cve, "details": details}) class ExploitEvent(DogEvent): def __init__(self, host, port, product, version, cve, url): DogEvent.__init__(self, "EXPLOIT", {"host": host, "port": port, "product": product, "version": version, "cve": cve, "url": url}) class FileEvent(DogEvent): def __init__(self, name, content): DogEvent.__init__(self, "FILE", {"name": name, "content": content})
class Dogevent(object): def __init__(self, event_type, data): self.event_type = event_type self.data = data def get_event(self): tmp = '' if isinstance(self.data, dict): for k in self.data.keys(): tmp += '{}={}~'.format(k, str(self.data[k]).replace('~', '%7e')) tmp = tmp.rstrip('~') else: tmp = self.data.encode('ascii') return {'type': 'event', 'event': [self.event_type.encode('ascii'), tmp]} @classmethod def from_serialized(klass, event_type, data): tmp = {} for v in data.split('~'): vals = v.split('=') tmp[vals[0]] = vals[1] return dog_event(event_type, tmp) class Hostevent(DogEvent): def __init__(self, data): DogEvent.__init__(self, 'HOST', {'value': data}) class Iprangeevent(DogEvent): def __init__(self, data): DogEvent.__init__(self, 'IPRANGE', {'value': data}) class Serviceevent(DogEvent): def __init__(self, host, port): DogEvent.__init__(self, 'SERVICE', {'host': host, 'port': port}) class Softwareevent(DogEvent): def __init__(self, host, port, product, version, cpe): DogEvent.__init__(self, 'SOFTWARE', {'host': host, 'port': port, 'product': product, 'version': version, 'cpe': cpe}) class Logevent(DogEvent): def __init__(self, message): DogEvent.__init__(self, 'LOG', message) class Cveevent(DogEvent): def __init__(self, host, port, product, version, cve, details): DogEvent.__init__(self, 'CVE', {'host': host, 'port': port, 'product': product, 'version': version, 'cve': cve, 'details': details}) class Exploitevent(DogEvent): def __init__(self, host, port, product, version, cve, url): DogEvent.__init__(self, 'EXPLOIT', {'host': host, 'port': port, 'product': product, 'version': version, 'cve': cve, 'url': url}) class Fileevent(DogEvent): def __init__(self, name, content): DogEvent.__init__(self, 'FILE', {'name': name, 'content': content})
# Version of the specification for MDF MODECI_MDF_VERSION = "0.1" # Version of the python module. Use MDF version here and just change minor version __version__ = "%s.3" % MODECI_MDF_VERSION
modeci_mdf_version = '0.1' __version__ = '%s.3' % MODECI_MDF_VERSION
#Write a program that asks the user for an input 'n' and prints a square of n by n asterisks "*". number = int(input("Give me a number: ")) line = '*'*number for x in range(0, number): print (line)
number = int(input('Give me a number: ')) line = '*' * number for x in range(0, number): print(line)
def find_min_idx(i, count, arr, min_element): min_idx = 0 while i <= count and i < len(arr): if arr[i] < min_element: min_element = arr[i] min_idx = i i += 1 return min_idx def find_min_array(arr, k): min_element = 1_000_000 i = 0 count = k while k: min_idx = find_min_idx(i, count, arr, min_element) while k and min_idx: arr[min_idx], arr[min_idx - 1] = arr[min_idx - 1], arr[min_idx] min_idx -= 1 k -= 1 i = min_idx + 1 min_element = 1_000_000 return arr # Test cases: print(find_min_array([5, 3, 1], 2) == [1, 5, 3]) print(find_min_array([8, 9, 11, 2, 1], 3) == [2, 8, 9, 11, 1]) print(find_min_array([5, 6, 1, 2, 6, 7, 8, 9], 3) == [1, 5, 2, 6, 6, 7, 8, 9]) print(find_min_array([8, 9, 11, 2, 1], 5) == [1, 8, 9, 2, 11]) print(find_min_array([8, 9, 11, 2, 1], 6) == [1, 8, 2, 9, 11]) print(find_min_array([5, 6, 1, 2, 6, 7, 8, 9], 100) == [1, 2, 5, 6, 6, 7, 8, 9]) print(find_min_array([5, 3, 1], 0) == [5, 3, 1])
def find_min_idx(i, count, arr, min_element): min_idx = 0 while i <= count and i < len(arr): if arr[i] < min_element: min_element = arr[i] min_idx = i i += 1 return min_idx def find_min_array(arr, k): min_element = 1000000 i = 0 count = k while k: min_idx = find_min_idx(i, count, arr, min_element) while k and min_idx: (arr[min_idx], arr[min_idx - 1]) = (arr[min_idx - 1], arr[min_idx]) min_idx -= 1 k -= 1 i = min_idx + 1 min_element = 1000000 return arr print(find_min_array([5, 3, 1], 2) == [1, 5, 3]) print(find_min_array([8, 9, 11, 2, 1], 3) == [2, 8, 9, 11, 1]) print(find_min_array([5, 6, 1, 2, 6, 7, 8, 9], 3) == [1, 5, 2, 6, 6, 7, 8, 9]) print(find_min_array([8, 9, 11, 2, 1], 5) == [1, 8, 9, 2, 11]) print(find_min_array([8, 9, 11, 2, 1], 6) == [1, 8, 2, 9, 11]) print(find_min_array([5, 6, 1, 2, 6, 7, 8, 9], 100) == [1, 2, 5, 6, 6, 7, 8, 9]) print(find_min_array([5, 3, 1], 0) == [5, 3, 1])
""" The longest common subsequence (LCS) problem is the problem of finding the longest subsequence common to all sequences in a set of sequences (often just two sequences). It differs from the longest common substring problem: unlike substrings, subsequences are not required to occupy consecutive positions within the original sequences. https://en.wikipedia.org/wiki/Longest_common_subsequence_problem function "lcs(sq1, sq2)" takes in two sequences of numbers as arguments. The function returns the longest common subsequence of sq1 and sq2. """ def lcs_(sq1, sq2, memo): if (len(sq1), len(sq2)) in memo: return memo[(len(sq1), len(sq2))] elif not sq1 or not sq2: return [] elif sq1[0] == sq2[0]: return [sq1[0]] + lcs_(sq1[1:], sq2[1:], memo) a = lcs_(sq1, sq2[1:], memo) b = lcs_(sq1[1:], sq2, memo) if len(a) > len(b): memo[(len(sq1), len(sq2))] = a return a else: memo[(len(sq1), len(sq2))] = b return b def lcs(sq1, sq2): return lcs_(sq1, sq2, {})
""" The longest common subsequence (LCS) problem is the problem of finding the longest subsequence common to all sequences in a set of sequences (often just two sequences). It differs from the longest common substring problem: unlike substrings, subsequences are not required to occupy consecutive positions within the original sequences. https://en.wikipedia.org/wiki/Longest_common_subsequence_problem function "lcs(sq1, sq2)" takes in two sequences of numbers as arguments. The function returns the longest common subsequence of sq1 and sq2. """ def lcs_(sq1, sq2, memo): if (len(sq1), len(sq2)) in memo: return memo[len(sq1), len(sq2)] elif not sq1 or not sq2: return [] elif sq1[0] == sq2[0]: return [sq1[0]] + lcs_(sq1[1:], sq2[1:], memo) a = lcs_(sq1, sq2[1:], memo) b = lcs_(sq1[1:], sq2, memo) if len(a) > len(b): memo[len(sq1), len(sq2)] = a return a else: memo[len(sq1), len(sq2)] = b return b def lcs(sq1, sq2): return lcs_(sq1, sq2, {})
"""Utilities for Java brotli tests.""" _TEST_JVM_FLAGS = [ "-DBROTLI_ENABLE_ASSERTS=true", ] def brotli_java_test(name, main_class = None, jvm_flags = None, **kwargs): """test duplication rule that creates 32/64-bit test pair.""" if jvm_flags == None: jvm_flags = [] jvm_flags = jvm_flags + _TEST_JVM_FLAGS test_package = native.package_name().replace("/", ".").replace("javatests.", "") if main_class == None: test_class = test_package + "." + name else: test_class = None native.java_test( name = name + "_32", main_class = main_class, test_class = test_class, jvm_flags = jvm_flags + ["-DBROTLI_32_BIT_CPU=true"], **kwargs ) native.java_test( name = name + "_64", main_class = main_class, test_class = test_class, jvm_flags = jvm_flags + ["-DBROTLI_32_BIT_CPU=false"], **kwargs )
"""Utilities for Java brotli tests.""" _test_jvm_flags = ['-DBROTLI_ENABLE_ASSERTS=true'] def brotli_java_test(name, main_class=None, jvm_flags=None, **kwargs): """test duplication rule that creates 32/64-bit test pair.""" if jvm_flags == None: jvm_flags = [] jvm_flags = jvm_flags + _TEST_JVM_FLAGS test_package = native.package_name().replace('/', '.').replace('javatests.', '') if main_class == None: test_class = test_package + '.' + name else: test_class = None native.java_test(name=name + '_32', main_class=main_class, test_class=test_class, jvm_flags=jvm_flags + ['-DBROTLI_32_BIT_CPU=true'], **kwargs) native.java_test(name=name + '_64', main_class=main_class, test_class=test_class, jvm_flags=jvm_flags + ['-DBROTLI_32_BIT_CPU=false'], **kwargs)
expected_output = { 'caf_service': 'Not Running', 'ha_service': 'Not Running', 'ioxman_service': 'Not Running', 'sec_storage_service': 'Not Running', 'libvirtd': 'Running', 'dockerd': 'Not Running', 'redundancy_status': 'Non-Redundant' }
expected_output = {'caf_service': 'Not Running', 'ha_service': 'Not Running', 'ioxman_service': 'Not Running', 'sec_storage_service': 'Not Running', 'libvirtd': 'Running', 'dockerd': 'Not Running', 'redundancy_status': 'Non-Redundant'}
# The following templates are markdowns overview = """ ## Context Manufacturing process feature selection and categorization ## Content Abstract: Data from a semi-conductor manufacturing process Data Set Characteristics: Multivariate Number of Instances: 1567 Area: Computer Attribute Characteristics: Real Number of Attributes: 591 Date Donated: 2008-11-19 Associated Tasks: Classification, Causal-Discovery Missing Values? Yes A complex modern semi-conductor manufacturing process is normally under consistent surveillance via the monitoring of signals/variables collected from sensors and or process measurement points. However, not all of these signals are equally valuable in a specific monitoring system. The measured signals contain a combination of useful information, irrelevant information as well as noise. It is often the case that useful information is buried in the latter two. Engineers typically have a much larger number of signals than are actually required. If we consider each type of signal as a feature, then feature selection may be applied to identify the most relevant signals. The Process Engineers may then use these signals to determine key factors contributing to yield excursions downstream in the process. This will enable an increase in process throughput, decreased time to learning and reduce the per unit production costs. """ data = """ In order to get the data simply run the following command: ```python df = pd.read_csv('https://archive.ics.uci.edu/ml/machine-learning-databases/secom/secom.data', sep=' ', header=None) ``` Please ask the admin in order to get the target and the random seed used for train/test split. """ evaluation = """ The predictions are evaluated according to the PR-AUC score. You can get it using ```python from sklearn.metrics import average_precision_score ``` More details [here](https://scikit-learn.org/stable/modules/generated/sklearn.metrics.average_precision_score.html). """
overview = '\n## Context\n\nManufacturing process feature selection and categorization\n\n## Content\n\nAbstract: Data from a semi-conductor manufacturing process\n\n Data Set Characteristics: Multivariate\n Number of Instances: 1567\n Area: Computer\n Attribute Characteristics: Real\n Number of Attributes: 591\n Date Donated: 2008-11-19\n Associated Tasks: Classification, Causal-Discovery\n Missing Values? Yes\n\nA complex modern semi-conductor manufacturing process is normally under consistent\nsurveillance via the monitoring of signals/variables collected from sensors and or\nprocess measurement points. However, not all of these signals are equally valuable\nin a specific monitoring system. The measured signals contain a combination of\nuseful information, irrelevant information as well as noise. It is often the case\nthat useful information is buried in the latter two. Engineers typically have a\nmuch larger number of signals than are actually required. If we consider each type\nof signal as a feature, then feature selection may be applied to identify the most\nrelevant signals. The Process Engineers may then use these signals to determine key\nfactors contributing to yield excursions downstream in the process. This will\nenable an increase in process throughput, decreased time to learning and reduce the\nper unit production costs.\n' data = "\nIn order to get the data simply run the following command:\n```python\ndf = pd.read_csv('https://archive.ics.uci.edu/ml/machine-learning-databases/secom/secom.data', sep=' ', header=None)\n```\n\nPlease ask the admin in order to get the target and the random seed used for train/test split.\n" evaluation = '\nThe predictions are evaluated according to the PR-AUC score.\n\nYou can get it using \n```python\nfrom sklearn.metrics import average_precision_score\n```\nMore details [here](https://scikit-learn.org/stable/modules/generated/sklearn.metrics.average_precision_score.html).\n'
total = 0 current = 1 prev = 1 while current < 4000000: temp = current current = current + prev prev = temp if current % 2 == 0: total += current print (total)
total = 0 current = 1 prev = 1 while current < 4000000: temp = current current = current + prev prev = temp if current % 2 == 0: total += current print(total)
f = open("Acc_2021-02-21_231529.txt", "r") acc = [] for line in f.readlines()[1:]: aa = line.split()[1:] bb = line.split()[1:] for i, a in enumerate(bb): bb[i] = f"{a}f" acc.append(bb) acc = acc[0::8] dataTowrite = [] dataTowrite.append(f"const float accData[{len(acc)}][3] = {{\n") for a in acc[:-1]: dataTowrite.append(f"\t{{{a[0]}, {a[1]}, {a[2]}}},\n") dataTowrite.append(f"\t{{{acc[-1][0]}, {acc[-1][1]}, {acc[-1][2]}}}\n") dataTowrite.append("};\n") f.close() f = open("IMUdata.c", 'w') f.writelines(dataTowrite) f.close() f = open("Gyr_2021-02-21_231529.txt", "r") acc = [] for line in f.readlines()[1:]: aa = line.split()[1:] bb = line.split()[1:] for i, a in enumerate(bb): bb[i] = f"{a}f" acc.append(bb) acc = acc[0::8] dataTowrite = [] dataTowrite.append(f"const float gyroData[{len(acc)}][3] = {{\n") for a in acc[:-1]: dataTowrite.append(f"\t{{{a[0]}, {a[1]}, {a[2]}}},\n") dataTowrite.append(f"\t{{{acc[-1][0]}, {acc[-1][1]}, {acc[-1][2]}}}\n") dataTowrite.append("};\n") f.close() f = open("IMUdata.c", 'a') f.writelines(dataTowrite) f.close() f = open("Mag_2021-02-21_231529.txt", "r") acc = [] for line in f.readlines()[1:]: aa = line.split()[1:] bb = line.split()[1:] for i, a in enumerate(bb): bb[i] = f"{a}f" acc.append(bb) acc = acc[:len(dataTowrite)-2] dataTowrite = [] dataTowrite.append(f"\nconst float magData[{len(acc)}][3] = {{\n") for a in acc[:-1]: dataTowrite.append(f"\t{{{a[0]}, {a[1]}, {a[2]}}},\n") dataTowrite.append(f"\t{{{acc[-1][0]}, {acc[-1][1]}, {acc[-1][2]}}}\n") dataTowrite.append("};\n") f.close() f = open("IMUdata.c", 'a') f.writelines(dataTowrite) f.close()
f = open('Acc_2021-02-21_231529.txt', 'r') acc = [] for line in f.readlines()[1:]: aa = line.split()[1:] bb = line.split()[1:] for (i, a) in enumerate(bb): bb[i] = f'{a}f' acc.append(bb) acc = acc[0::8] data_towrite = [] dataTowrite.append(f'const float accData[{len(acc)}][3] = {{\n') for a in acc[:-1]: dataTowrite.append(f'\t{{{a[0]}, {a[1]}, {a[2]}}},\n') dataTowrite.append(f'\t{{{acc[-1][0]}, {acc[-1][1]}, {acc[-1][2]}}}\n') dataTowrite.append('};\n') f.close() f = open('IMUdata.c', 'w') f.writelines(dataTowrite) f.close() f = open('Gyr_2021-02-21_231529.txt', 'r') acc = [] for line in f.readlines()[1:]: aa = line.split()[1:] bb = line.split()[1:] for (i, a) in enumerate(bb): bb[i] = f'{a}f' acc.append(bb) acc = acc[0::8] data_towrite = [] dataTowrite.append(f'const float gyroData[{len(acc)}][3] = {{\n') for a in acc[:-1]: dataTowrite.append(f'\t{{{a[0]}, {a[1]}, {a[2]}}},\n') dataTowrite.append(f'\t{{{acc[-1][0]}, {acc[-1][1]}, {acc[-1][2]}}}\n') dataTowrite.append('};\n') f.close() f = open('IMUdata.c', 'a') f.writelines(dataTowrite) f.close() f = open('Mag_2021-02-21_231529.txt', 'r') acc = [] for line in f.readlines()[1:]: aa = line.split()[1:] bb = line.split()[1:] for (i, a) in enumerate(bb): bb[i] = f'{a}f' acc.append(bb) acc = acc[:len(dataTowrite) - 2] data_towrite = [] dataTowrite.append(f'\nconst float magData[{len(acc)}][3] = {{\n') for a in acc[:-1]: dataTowrite.append(f'\t{{{a[0]}, {a[1]}, {a[2]}}},\n') dataTowrite.append(f'\t{{{acc[-1][0]}, {acc[-1][1]}, {acc[-1][2]}}}\n') dataTowrite.append('};\n') f.close() f = open('IMUdata.c', 'a') f.writelines(dataTowrite) f.close()
class MarkupFile: def __init__(self, data): self.data = data self.parse() def parse(self): raw = self.data.split('\n') no_comments = [] for line in raw: line += line.split('#')[0] in_block_comment = False no_block_comments = [] for line in no_comments: if '#(' in line: in_block_comment = True line = line.split('#(')[0] if in_block_comment: if ')#' in line: in_block_comment = False line = line.split(')#')[1] no_block_comments.append(line) return no_block_comments
class Markupfile: def __init__(self, data): self.data = data self.parse() def parse(self): raw = self.data.split('\n') no_comments = [] for line in raw: line += line.split('#')[0] in_block_comment = False no_block_comments = [] for line in no_comments: if '#(' in line: in_block_comment = True line = line.split('#(')[0] if in_block_comment: if ')#' in line: in_block_comment = False line = line.split(')#')[1] no_block_comments.append(line) return no_block_comments
class Solution: def binarySearch(self, nums, start, end, target, lower): ret = -1 while start <= end: mid = (end + start) // 2 if nums[mid] < target: start = mid + 1 elif nums[mid] > target: end = mid - 1 else: ret = mid if lower and mid > 0 and nums[mid - 1] == target: end = mid - 1 elif not lower and mid < len(nums) - 1 and nums[mid + 1] == target: start = mid + 1 else: break return ret def searchRange(self, nums, target): """ :type nums: List[int] :type target: int :rtype: List[int] """ lower = self.binarySearch(nums, 0, len(nums) - 1, target, True) if lower == -1: return [-1, -1] upper = self.binarySearch(nums, lower, len(nums) - 1, target, False) return [lower, upper]
class Solution: def binary_search(self, nums, start, end, target, lower): ret = -1 while start <= end: mid = (end + start) // 2 if nums[mid] < target: start = mid + 1 elif nums[mid] > target: end = mid - 1 else: ret = mid if lower and mid > 0 and (nums[mid - 1] == target): end = mid - 1 elif not lower and mid < len(nums) - 1 and (nums[mid + 1] == target): start = mid + 1 else: break return ret def search_range(self, nums, target): """ :type nums: List[int] :type target: int :rtype: List[int] """ lower = self.binarySearch(nums, 0, len(nums) - 1, target, True) if lower == -1: return [-1, -1] upper = self.binarySearch(nums, lower, len(nums) - 1, target, False) return [lower, upper]
class VnfListNotAvailable(Exception): """VNF list is not included in the openmano instance""" pass class VmListNotAvailable(Exception): """VM list is not included in the VNF record, part of the openmano instance""" pass class InstanceNotFound(Exception): """Openmano instance not found""" pass class DateFormatParseError(Exception): """ Date format parse error """ pass
class Vnflistnotavailable(Exception): """VNF list is not included in the openmano instance""" pass class Vmlistnotavailable(Exception): """VM list is not included in the VNF record, part of the openmano instance""" pass class Instancenotfound(Exception): """Openmano instance not found""" pass class Dateformatparseerror(Exception): """ Date format parse error """ pass
__copyright__ = 'Copyright (C) 2019 rtafds' __version__ = '0.0.1' __license__ = 'MIT' __author__ = 'rtafds' __author_email__ = 'n.rtafds@gmail.coms'
__copyright__ = 'Copyright (C) 2019 rtafds' __version__ = '0.0.1' __license__ = 'MIT' __author__ = 'rtafds' __author_email__ = 'n.rtafds@gmail.coms'
__all__ = [ 'base_controller', 'forms_controller', 'landing_page_controller', 'messages_controller', 'objects_controller', 'tasks_controller', 'transactions_controller', ]
__all__ = ['base_controller', 'forms_controller', 'landing_page_controller', 'messages_controller', 'objects_controller', 'tasks_controller', 'transactions_controller']
# from aoc2019.day_six.planetary_composite import CentralMassComposite class BFSPlanetaryIterator: """ This is an implementation of the iterator design pattern. It is applied to the n-ary tree structure of planetary components. Each returned element is a binary tuple (component, depth). """ def __init__(self, root): """Basic initialization method for iterator""" self.components = [root] # initial singleton set of roots self.index = 0 # "root" index self.depth = 0 # initial depth of traversal is 0 def __next__(self): """Gets the next element in a level order traversal""" # Iterate through current level of components try: component = (self.components[self.index], self.depth) self.index += 1 return component # Reached end of current level list except IndexError: next_level = [] # Try to populate next level component list for component in self.components: try: next_level.extend(component.satellites) except AttributeError: # Not a composite - just a leaf pass # Re-assign attributes self.components = next_level self.index = 0 self.depth += 1 # increment depth of traversal # Try to return next value try: component = (self.components[self.index], self.depth) self.index += 1 return component # No more elements except IndexError: raise StopIteration
class Bfsplanetaryiterator: """ This is an implementation of the iterator design pattern. It is applied to the n-ary tree structure of planetary components. Each returned element is a binary tuple (component, depth). """ def __init__(self, root): """Basic initialization method for iterator""" self.components = [root] self.index = 0 self.depth = 0 def __next__(self): """Gets the next element in a level order traversal""" try: component = (self.components[self.index], self.depth) self.index += 1 return component except IndexError: next_level = [] for component in self.components: try: next_level.extend(component.satellites) except AttributeError: pass self.components = next_level self.index = 0 self.depth += 1 try: component = (self.components[self.index], self.depth) self.index += 1 return component except IndexError: raise StopIteration
# 1. var names cannot contain whitespaces # 2. var names cannot start with a number my_age = 27 # int price = 0.5 # float my_name_is_jan = True # bool my_name_is_peter = False # bool my_name = "Jan Schaffranek" # str print(my_age) print(price)
my_age = 27 price = 0.5 my_name_is_jan = True my_name_is_peter = False my_name = 'Jan Schaffranek' print(my_age) print(price)
def findDecision(obj): #obj[0]: Coupon, obj[1]: Education, obj[2]: Occupation, obj[3]: Distance # {"feature": "Coupon", "instances": 8147, "metric_value": 0.4744, "depth": 1} if obj[0]>1: # {"feature": "Distance", "instances": 5889, "metric_value": 0.4618, "depth": 2} if obj[3]<=2: # {"feature": "Occupation", "instances": 5308, "metric_value": 0.4575, "depth": 3} if obj[2]>0: # {"feature": "Education", "instances": 5248, "metric_value": 0.4587, "depth": 4} if obj[1]>1: return 'True' elif obj[1]<=1: return 'True' else: return 'True' elif obj[2]<=0: # {"feature": "Education", "instances": 60, "metric_value": 0.3183, "depth": 4} if obj[1]<=0: return 'True' elif obj[1]>0: return 'True' else: return 'True' else: return 'True' elif obj[3]>2: # {"feature": "Education", "instances": 581, "metric_value": 0.4917, "depth": 3} if obj[1]<=3: # {"feature": "Occupation", "instances": 532, "metric_value": 0.4898, "depth": 4} if obj[2]<=7.648496240601504: return 'False' elif obj[2]>7.648496240601504: return 'False' else: return 'False' elif obj[1]>3: # {"feature": "Occupation", "instances": 49, "metric_value": 0.4463, "depth": 4} if obj[2]<=3: return 'True' elif obj[2]>3: return 'True' else: return 'True' else: return 'True' else: return 'False' elif obj[0]<=1: # {"feature": "Occupation", "instances": 2258, "metric_value": 0.4882, "depth": 2} if obj[2]>2.015213346063521: # {"feature": "Education", "instances": 1795, "metric_value": 0.4911, "depth": 3} if obj[1]>0: # {"feature": "Distance", "instances": 1164, "metric_value": 0.4838, "depth": 4} if obj[3]<=2: return 'False' elif obj[3]>2: return 'False' else: return 'False' elif obj[1]<=0: # {"feature": "Distance", "instances": 631, "metric_value": 0.4984, "depth": 4} if obj[3]>1: return 'False' elif obj[3]<=1: return 'True' else: return 'True' else: return 'True' elif obj[2]<=2.015213346063521: # {"feature": "Education", "instances": 463, "metric_value": 0.4395, "depth": 3} if obj[1]<=3: # {"feature": "Distance", "instances": 410, "metric_value": 0.4354, "depth": 4} if obj[3]<=2: return 'False' elif obj[3]>2: return 'False' else: return 'False' elif obj[1]>3: # {"feature": "Distance", "instances": 53, "metric_value": 0.4135, "depth": 4} if obj[3]<=2: return 'True' elif obj[3]>2: return 'True' else: return 'True' else: return 'True' else: return 'False' else: return 'False'
def find_decision(obj): if obj[0] > 1: if obj[3] <= 2: if obj[2] > 0: if obj[1] > 1: return 'True' elif obj[1] <= 1: return 'True' else: return 'True' elif obj[2] <= 0: if obj[1] <= 0: return 'True' elif obj[1] > 0: return 'True' else: return 'True' else: return 'True' elif obj[3] > 2: if obj[1] <= 3: if obj[2] <= 7.648496240601504: return 'False' elif obj[2] > 7.648496240601504: return 'False' else: return 'False' elif obj[1] > 3: if obj[2] <= 3: return 'True' elif obj[2] > 3: return 'True' else: return 'True' else: return 'True' else: return 'False' elif obj[0] <= 1: if obj[2] > 2.015213346063521: if obj[1] > 0: if obj[3] <= 2: return 'False' elif obj[3] > 2: return 'False' else: return 'False' elif obj[1] <= 0: if obj[3] > 1: return 'False' elif obj[3] <= 1: return 'True' else: return 'True' else: return 'True' elif obj[2] <= 2.015213346063521: if obj[1] <= 3: if obj[3] <= 2: return 'False' elif obj[3] > 2: return 'False' else: return 'False' elif obj[1] > 3: if obj[3] <= 2: return 'True' elif obj[3] > 2: return 'True' else: return 'True' else: return 'True' else: return 'False' else: return 'False'
class HandlerMissingException(Exception): """Raised when an event handler is missing a handler for a specific event.""" pass class DataTypeError(Exception): """Raised when data type doesn't correspond to the connection's data type.""" pass class HeaderSizeError(Exception): """Raised when the header's size is greater than the protocol's header size.""" pass class DataSizeError(Exception): """Raised the data size doesn't correspond to the connection's data size.""" pass
class Handlermissingexception(Exception): """Raised when an event handler is missing a handler for a specific event.""" pass class Datatypeerror(Exception): """Raised when data type doesn't correspond to the connection's data type.""" pass class Headersizeerror(Exception): """Raised when the header's size is greater than the protocol's header size.""" pass class Datasizeerror(Exception): """Raised the data size doesn't correspond to the connection's data size.""" pass
class Hello: def __init__(self): while True: print("Hello!")
class Hello: def __init__(self): while True: print('Hello!')
""" Extends the scitables core to display tables in a browser. UITable is a rendering independent user API to tables. DGTable is an API to tables that gets rendered in YUI DataTable """
""" Extends the scitables core to display tables in a browser. UITable is a rendering independent user API to tables. DGTable is an API to tables that gets rendered in YUI DataTable """
# In python you have this set of boolean expression # == to check for equality or 'is' # === to compare actual objects together # True and False # and, or, not if 1 is 3: print('What!! is that for real?') elif 1 > 3: print('Really????') else: print('Yeah that\'s what I know')
if 1 is 3: print('What!! is that for real?') elif 1 > 3: print('Really????') else: print("Yeah that's what I know")
trainers = get_trainers(env, num_agents, "learner", obs_shape_n, arglist,session) U.initialize() obs_n = env.reset() train_step=0 while True: #Interaction step iter_step=0 #Interact with environment to get experience while True: # get action action_n = [agent.action(obs) for agent, obs in zip(trainers,obs_n)] # environment step new_obs_n, rew_n, done_n, info_n = env.step(action_n) train_step+=1 iter_step+=1 done = all(done_n) terminal=(iter_step>=arglist.max_episode_len) # collect experience for i, agent in enumerate(trainers): agent.experience(obs_n[i], action_n[i], rew_n[i], new_obs_n[i], done_n[i]) obs_n = new_obs_n for i, rew in enumerate(rew_n): episode_rewards[-1] += rew if done or terminal: obs_n=env.reset() episode_rewards.append(0) break loss=None for agent in trainers: agent.preupdate() if(train_step%200==0): for agent in trainers: loss=agent.update(trainers) for agent in trainers: agent.replay_buffer.clear() # if(iter_step>arglist.batch_size): # break if (len(episode_rewards) % arglist.save_rate == 0): print("steps: {}, episodes: {}, mean episode reward: {}".format(train_step, len(episode_rewards), np.mean(episode_rewards[-arglist.save_rate:]))) if len(episode_rewards) > arglist.num_episodes: break
trainers = get_trainers(env, num_agents, 'learner', obs_shape_n, arglist, session) U.initialize() obs_n = env.reset() train_step = 0 while True: iter_step = 0 while True: action_n = [agent.action(obs) for (agent, obs) in zip(trainers, obs_n)] (new_obs_n, rew_n, done_n, info_n) = env.step(action_n) train_step += 1 iter_step += 1 done = all(done_n) terminal = iter_step >= arglist.max_episode_len for (i, agent) in enumerate(trainers): agent.experience(obs_n[i], action_n[i], rew_n[i], new_obs_n[i], done_n[i]) obs_n = new_obs_n for (i, rew) in enumerate(rew_n): episode_rewards[-1] += rew if done or terminal: obs_n = env.reset() episode_rewards.append(0) break loss = None for agent in trainers: agent.preupdate() if train_step % 200 == 0: for agent in trainers: loss = agent.update(trainers) for agent in trainers: agent.replay_buffer.clear() if len(episode_rewards) % arglist.save_rate == 0: print('steps: {}, episodes: {}, mean episode reward: {}'.format(train_step, len(episode_rewards), np.mean(episode_rewards[-arglist.save_rate:]))) if len(episode_rewards) > arglist.num_episodes: break
##----- Class Queue with their Operations -----## class Queue: def __init__(self): print("Queue is all set to work on......\n") self.Queue = [] def __Insertion__(self): self.Queue.append((input("Enter Element :: "))) print("\nElement Inserted Successfully!!!\n") def __Traversion__(self): index = 0 for element in self.Queue: print(f"Element :: {element}\tAt Index :: {index}") index+=1 def __Pop_FIFO__(self): try: print("Element Popped ::",self.Queue[0]) self.Queue.remove(self.Queue[0]) print("\nElement Popped Successfully!!!\n") except IndexError: print("Queue is empty!!!\n") ##----- END of this Class -----## ##----- Class Test to Start Operation of Queue -----## class Test: def __init__(self): self.QueueObject = Queue() def __Menu__(self): print("1. Insertion\n2. Traversion\n3. Pop ( FIFO )\n4. Exit\n\nEnter Your Choice :: ",end="") self.choice = input() def __StartOperation__(self): while True: self.__Menu__() if self.choice == '1': self.QueueObject.__Insertion__() elif self.choice == '2': self.QueueObject.__Traversion__() elif self.choice == '3': self.QueueObject.__Pop_FIFO__() elif self.choice == '4': exit(0) else: print("\nWrong Choice....\n") ##----- END of this Class -----## tstobj = Test() tstobj.__StartOperation__()
class Queue: def __init__(self): print('Queue is all set to work on......\n') self.Queue = [] def ___insertion__(self): self.Queue.append(input('Enter Element :: ')) print('\nElement Inserted Successfully!!!\n') def ___traversion__(self): index = 0 for element in self.Queue: print(f'Element :: {element}\tAt Index :: {index}') index += 1 def ___pop_fifo__(self): try: print('Element Popped ::', self.Queue[0]) self.Queue.remove(self.Queue[0]) print('\nElement Popped Successfully!!!\n') except IndexError: print('Queue is empty!!!\n') class Test: def __init__(self): self.QueueObject = queue() def ___menu__(self): print('1. Insertion\n2. Traversion\n3. Pop ( FIFO )\n4. Exit\n\nEnter Your Choice :: ', end='') self.choice = input() def ___start_operation__(self): while True: self.__Menu__() if self.choice == '1': self.QueueObject.__Insertion__() elif self.choice == '2': self.QueueObject.__Traversion__() elif self.choice == '3': self.QueueObject.__Pop_FIFO__() elif self.choice == '4': exit(0) else: print('\nWrong Choice....\n') tstobj = test() tstobj.__StartOperation__()
# creating a txt file write_file = open('sample.txt', 'w') write_file.write("this is just a sample text\n") write_file.close() # reading file read_file = open('sample.txt' , 'r') text = read_file.read() print(text)
write_file = open('sample.txt', 'w') write_file.write('this is just a sample text\n') write_file.close() read_file = open('sample.txt', 'r') text = read_file.read() print(text)
def countSwaps(a): n = len(a) swaps = 0 for i in range(0, n): for j in range(0, n-1): if a[j] > a[j+1]: aux = a[j] a[j] = a[j+1] a[j+1] = aux swaps += 1 print('Array is sorted in',swaps, 'swaps') print ('First Element:',a[0]) print ('Last Element:',a.pop())
def count_swaps(a): n = len(a) swaps = 0 for i in range(0, n): for j in range(0, n - 1): if a[j] > a[j + 1]: aux = a[j] a[j] = a[j + 1] a[j + 1] = aux swaps += 1 print('Array is sorted in', swaps, 'swaps') print('First Element:', a[0]) print('Last Element:', a.pop())
def slices(series, length): if not series: raise ValueError("invalid series") if length <= 0: raise ValueError("Length must be positive integer") if length > len(series): raise ValueError("Length must be less or equal to series length") return [ series[start : start + length] for start in range(0, len(series) - length + 1) ]
def slices(series, length): if not series: raise value_error('invalid series') if length <= 0: raise value_error('Length must be positive integer') if length > len(series): raise value_error('Length must be less or equal to series length') return [series[start:start + length] for start in range(0, len(series) - length + 1)]
""" This is a undirected graph A---C---E | | | B---D---| """ class createGraph: def __init__(self, vertices) -> None: self.vertices = vertices self.graph_dict = {} # create blank values for all the vertices for node in self.vertices: self.graph_dict[node] = [] def add_edges(self, vertices, edges): self.graph_dict[vertices].append(edges) self.graph_dict[edges].append(vertices) # no of vertices connected with each other like A has 2 degree B and C def degree(self,vertices): return len(self.graph_dict[vertices]) def printGraph(self): for node in self.vertices: print(node, "->", self.graph_dict[node]) vertices = ["A", "B", "C", "D", "E"] edges = [ ("A","B"), ("A","C"), ("B","D"), ("C","D"), ("C","E"), ("D","E"), ] adj_list = createGraph(vertices) adj_list.printGraph() for v,e in edges: adj_list.add_edges(v,e) adj_list.printGraph() print(f"degree of c is : ", adj_list.degree("C"))
""" This is a undirected graph A---C---E | | | B---D---| """ class Creategraph: def __init__(self, vertices) -> None: self.vertices = vertices self.graph_dict = {} for node in self.vertices: self.graph_dict[node] = [] def add_edges(self, vertices, edges): self.graph_dict[vertices].append(edges) self.graph_dict[edges].append(vertices) def degree(self, vertices): return len(self.graph_dict[vertices]) def print_graph(self): for node in self.vertices: print(node, '->', self.graph_dict[node]) vertices = ['A', 'B', 'C', 'D', 'E'] edges = [('A', 'B'), ('A', 'C'), ('B', 'D'), ('C', 'D'), ('C', 'E'), ('D', 'E')] adj_list = create_graph(vertices) adj_list.printGraph() for (v, e) in edges: adj_list.add_edges(v, e) adj_list.printGraph() print(f'degree of c is : ', adj_list.degree('C'))
# RUN: test-ir.sh %s # IR-LABEL: while.0: # IR: br i1 %{{[0-9]+}}, label %loop.0, label %endwhile.0 while True: # IR-LABEL: loop.0: if True: # IR-LABEL: then.0: # IR: br label %endwhile.0 break # IR-LABEL: endif.0: # IR: br label %while.0 # IR-LABEL: endwhile.0:
while True: if True: break
# 4. Convert Meters to Kilometers # You will be given an integer that will be distance in meters. # Write a program that converts meters to kilometers formatted to the second decimal point. meters = int(input()) km = meters/1000 print(f'{km:.2f}')
meters = int(input()) km = meters / 1000 print(f'{km:.2f}')
""" PyCrypto has an own secure random function "Crypto.Random.random" but it does not use a seed value as expected by rule 6 """
""" PyCrypto has an own secure random function "Crypto.Random.random" but it does not use a seed value as expected by rule 6 """
""" This module contains shared functions for testing As it does not begin with "test", it will not be detected by the auto-discovery of Pytest. """ def assert_pyspark_df_equal(actual_df, expected_df): """ Tests if two DataFrames are equal. Adapted from code originally written by Dave Greasley (https://github.com/DaveGreasley). First tests that the columns are equal, including the column order. If not an AssertionError is raised. Then uses .exceptAll() twice to find rows that are in the expected_df but not in the actual_df, and vice versa. If they are identical then the count of both of these should be zero; if not, an assertionError is raised. This function can be expanded to print out more information about any test failure, e.g. diff_ab.union(diff_ba).show() if the count is greater than zero. You can also modify it to account for columns having a different order by testing set equality and then setting expected_df = expected_df.select(actual_df.columns). For this example however it is left as simple as possible. Pytest knows this function is not to be ran as a test as it doesn't start or end with the word "test" and is contained in a non-test module. Args: actual_df (spark DataFrame): DF to be tested expected_df (spark DataFrame): expected result """ if actual_df.columns != expected_df.columns: raise AssertionError( f"DataFrames have different columns" ) diff_ab = actual_df.exceptAll(expected_df) diff_ba = expected_df.exceptAll(actual_df) if diff_ab.union(diff_ba).count() > 0: raise AssertionError( f"Dataframes are not equal." )
""" This module contains shared functions for testing As it does not begin with "test", it will not be detected by the auto-discovery of Pytest. """ def assert_pyspark_df_equal(actual_df, expected_df): """ Tests if two DataFrames are equal. Adapted from code originally written by Dave Greasley (https://github.com/DaveGreasley). First tests that the columns are equal, including the column order. If not an AssertionError is raised. Then uses .exceptAll() twice to find rows that are in the expected_df but not in the actual_df, and vice versa. If they are identical then the count of both of these should be zero; if not, an assertionError is raised. This function can be expanded to print out more information about any test failure, e.g. diff_ab.union(diff_ba).show() if the count is greater than zero. You can also modify it to account for columns having a different order by testing set equality and then setting expected_df = expected_df.select(actual_df.columns). For this example however it is left as simple as possible. Pytest knows this function is not to be ran as a test as it doesn't start or end with the word "test" and is contained in a non-test module. Args: actual_df (spark DataFrame): DF to be tested expected_df (spark DataFrame): expected result """ if actual_df.columns != expected_df.columns: raise assertion_error(f'DataFrames have different columns') diff_ab = actual_df.exceptAll(expected_df) diff_ba = expected_df.exceptAll(actual_df) if diff_ab.union(diff_ba).count() > 0: raise assertion_error(f'Dataframes are not equal.')
""" Put here common independent stuff, such as utilities, management commands, etc., what can not belong to any app. DO NOT let this package to be dump of ugly code. Putting code here, you rather make an exception, than an ordinary core organization. """
""" Put here common independent stuff, such as utilities, management commands, etc., what can not belong to any app. DO NOT let this package to be dump of ugly code. Putting code here, you rather make an exception, than an ordinary core organization. """
class input_format(): def __init__(self,format_tag): self.tag = format_tag def print_sample_input(self): if self.tag =='FCC_BCC_Edge_Ternary': print(''' Sample JSON for using pseudo-ternary predictions of solid solution strength by Curtin edge dislocation model. ------------------------------------------------------------ { "material":"MnFeCoNiAl", "structure":"FCC", "pseudo-ternary":{ "increment": 1, "psA": {"grouped_elements":["Mn","Co"], "ratio": [1,1], "range":[0,100]}, "psB": {"grouped_elements":["Fe","Ni"], "ratio": [1,1], "range":[0,100]}, "psC": {"grouped_elements":["Al"], "ratio": [1], "range":[0,100]} }, "elements":{ "Co": {"Vn":11.12,"E":262.9,"G":101.7,"nu":0.292}, "Ni": {"Vn":10.94,"E":199.1,"G":76.0,"nu":0.309}, "Al": {"Vn":16.472,"E":65.5,"G":23.9,"nu":0.369}, "Mn": {"Vn":12.60,"E":197.7,"G":73.4,"nu":0.347}, "Fe": {"Vn":12.09,"E":194.3,"G":73.4} }, "uncertainty_level":{ "on/off":"on", "a":0.01, "elastic_constants":0.05 }, "conditions":{"temperature":300,"strain_r":0.001}, "model":{ "name":"FCC_Varvenne-Curtin-2016" }, "savefile":"MnFeCoNiAl_out" } ------------------------------------------------------------ Nesessary tags: "material": material name -- "structure": "FCC" or "BCC" -- "pseudo-ternary": containing "psA" "psB" 'psC' for pseudo-ternary components "psA": pseudo-ternary component, can be a single element or grouped element. "grouped_elements": # group specific elements in psA # eg. "grouped_elements":["Ni","Co"], Mn and Co are grouped "ratio": # specify the ratio between elements in A # eg. "ratio": [1,1], represent Co:Ni=1:1 "range": # specify the concentration range for "psA" # eg. "range":[0,100], range from 0 to 100 at.% -- "elements": input data for elements: "Co": element symbol for Co "Vn": atomic volume "a": lattice constant "b": Burgers vector # NOTE, just need to specify one of "Vn", "a" or "b" "E": Young's modulus "G": shear modulus "nu": Poisson's ratio # NOTE, in Voigt notation, as indicated in the paper. # Need to specify 2 of the "E", "G", and "nu" for isotropic. -- "conditions": experimental conditions "temperature": Kelvin "strain_r": experiment strain rate, typical tensile tests: 0.001 /s "model": IMPORTANT!!! "name": name of the model, use "FCC_Varvenne-Curtin-2016" for FCC and use "BCC_edge_Maresca-Curtin-2019" for BCC The following are adjustable parameters for the model "f1": # dimensionless pressure field parameter for athermal yield stress "f2": # dimensionless pressure field parameter for energy barrier "alpha": # dislocation line tension parameter IMPORTANT: If you don't know f1, f2, and alpha for your material, DO NOT change f1, f2 and alpha. The default values were optimized for FCC HEAs and BCC HEAs. Read Curtin's papers. ------- Optional tags: "uncertainty_level": allow uncertainty evaluation on input data. "on/off":"on" # turn on/off the uncertainty calculation # if off, no need to set the following tags # if on, specify the standard deviations for lattice constants and elastic constants "a": 0.01 # applied 1% standard deviation to lattice constants # 1000 data points were generated to evaluate the average and standar deviation # this means for each element, # a new lattice constant will be generated using normal distribution, # centered at the value "a" (lattice constants) in "elements" # with a standard deviation 0.01a. "elastic_constants": 0.05 # applied 5% standard deviation to elastic constants # 1000 data points were generated to evaluate the average and standar deviation # this means for each element, # new elastic constants will be generated using normal distribution, # centered at the values "E", "G", "nu" (elastic constants) in "elements" # with a standard deviation 0.01a. "savefile": output filename, CSV file. END ''') elif self.tag =='FCC_BCC_Edge_Composition_Temperature': print(''' Sample JSON for composition-temperature predictions of solid solution strength by Curtin edge dislocation model. ------------------------------------------------------------ { "material":"MnFeCoNi", "structure":"FCC", "elements":{ "Co": {"Vn":11.12,"E":262.9,"G":101.7,"nu":0.292}, "Ni": {"Vn":10.94,"E":199.1,"G":76.0,"nu":0.309}, "Mn": {"Vn":12.60,"E":197.7,"G":73.4,"nu":0.347}, "Fe": {"Vn":12.09,"E":194.3,"G":73.4} }, "compositions":{ "element_order": ["Co","Ni","Fe","Mn"], "concentrations": [ [25,25,25,25], [20,20,30,30], [30,30,20,20] ] }, "uncertainty_level":{ "on/off":"on", "a":0.01, "elastic_constants":0.05 }, "conditions":{ "temperature":{ "min": 300, "max": 600, "inc": 10 }, "strain_r":0.001 }, "model":{ "name":"FCC_Varvenne-Curtin-2016" }, "savefile":"MnFeCoNi_out" } ------------------------------------------------------------ Nesessary tags: "material": material name -- "structure": "FCC" or "BCC" -- "compositions": containing element symbols and concentrations for calculation. "element_order": a list of element symbols in order, be consistent with the "concentrations" "concentrations": a list of concentrations in at.% for elements in the "element_order", add up to 100. -- "elements": input data for elements: "Co": element symbol for Co "Vn": atomic volume "a": lattice constant "b": Burgers vector # NOTE, just need to specify one of "Vn", "a" or "b" "E": Young's modulus "G": shear modulus "nu": Poisson's ratio # NOTE, in Voigt notation, as indicated in the paper. # Need to specify 2 of the "E", "G", and "nu" for isotropic. -- "conditions": experimental conditions "temperature": specify temperature (Kelvin) range and increment for the calculations. "max": max T "min": min T "inc": increment. "strain_r": experiment strain rate, typical tensile tests: 0.001 /s "model": IMPORTANT!!! "name": name of the model, use "FCC_Varvenne-Curtin-2016" for FCC and use "BCC_edge_Maresca-Curtin-2019" for BCC The following are adjustable parameters for the model "f1": # dimensionless pressure field parameter for athermal yield stress "f2": # dimensionless pressure field parameter for energy barrier "alpha": # dislocation line tension parameter IMPORTANT: If you don't know f1, f2, and alpha for your material, DO NOT change f1, f2 and alpha. The default values were optimized for FCC HEAs and BCC HEAs. Read Curtin's papers. ------- Optional tags: "uncertainty_level": allow uncertainty evaluation on input data. "on/off":"on" # turn on/off the uncertainty calculation # if off, no need to set the following tags # if on, specify the standard deviations for lattice constants and elastic constants "a": 0.01 # applied 1% standard deviation to lattice constants # 1000 data points were generated to evaluate the average and standar deviation # this means for each element, # a new lattice constant will be generated using normal distribution, # centered at the value "a" (lattice constants) in "elements" # with a standard deviation 0.01a. "elastic_constants": 0.05 # applied 5% standard deviation to elastic constants # 1000 data points were generated to evaluate the average and standar deviation # this means for each element, # new elastic constants will be generated using normal distribution, # centered at the values "E", "G", "nu" (elastic constants) in "elements" # with a standard deviation 0.05*value. "savefile": output filename, CSV file. END ''') elif self.tag =='BCC_Screw_Curtin_Ternary': print(''' Sample JSON for predictions of solid solution strength for pseudo-ternary BCC by Curtin screw dislocation model. Screw dislocation in BCC. ------------------------------------------------------------ { "material":"NbMoW", "pseudo-ternary":{ "increment": 1, "psA": {"grouped_elements":["Nb"], "ratio": [1], "range":[0,100]}, "psB": {"grouped_elements":["Mo"], "ratio": [1], "range":[0,100]}, "psC": {"grouped_elements":["W"], "ratio": [1], "range":[0,100]} }, "elements":{ "Nb": {"a":3.30,"Delta_E_p":0.0345,"E_k":0.6400,"E_v":2.9899,"E_si":5.2563,"Delta_V_p":0.020}, "Mo": {"a":3.14,"Delta_E_p":0.1579,"E_k":0.5251,"E_v":2.9607,"E_si":7.3792,"Delta_V_p":0.020}, "W": {"a":3.16,"Delta_E_p":0.1493,"E_k":0.9057,"E_v":3.5655,"E_si":9.5417,"Delta_V_p":0.020} }, "adjustables":{ "kink_width":10, "Delta_V_p_scaler":1, "Delta_E_p_scaler":1 }, "conditions":{"temperature":300,"strain_r":0.001}, "model":{ "name":"BCC_screw_Maresca-Curtin-2019" }, "savefile":"NbMoW_out" } ------------------------------------------------------------ Nesessary tags: "material": material name -- "pseudo-ternary": containing "psA" "psB" 'psC' for pseudo-ternary components "psA": pseudo-ternary component, can be a single element or grouped elements. "grouped_elements": # group specific elements in psA # eg. "grouped_elements":["W","Ta"], Mn and Co are grouped "ratio": # specify the ratio between elements in A # eg. "ratio": [1,1], represent W:Ta=1:1 "range": # specify the concentration range for "psA" # eg. "range":[0,100], range from 0 to 100 at.% -- "elements": input data for elements: "W": element symbol for W below are necessary inputs. "a": lattice constant "E_k": screw dislocation kink formation energy (usually by DFT or MD calculations) "E_v": vacancy formation energy (usually by DFT or MD) "E_si": self-interstitial formation energy (usually by DFT or MD) "Delta_E_p": solute-dislocation interaction energy (usually by DFT or MD) "Delta_V_p": Peierls barrier (usually by DFT or MD) -- "adjustables": adjustable parameters for the model. Be VERY careful to change the values. "kink_width":10 kink width, default is 10, (unit: burgers vector), usually between 10b to 20b. "Delta_V_p_scaler":1, Peierls barrier scaler, DFT values are usually very high compared to experiments. So rescaling was taken to fit the experimental yield strengths. "Delta_E_p_scaler":1 Solute-dislocation interaction energy scaler. This is also rescaled for DFT/MD values. -- "conditions": experimental conditions "temperature": specify temperature (Kelvin) the calculations. "strain_r": experiment strain rate, typical tensile tests: 0.001 /s -- "model": "BCC_screw_Maresca-Curtin-2019", ------- Optional tags: "savefile": output filename, CSV file. END ''') elif self.tag =='BCC_Screw_Curtin_Composition_Temperature': print(''' Sample JSON for composition-temperature predictions of BCC solid solution strength by Curtin screw dislocation model. Screw dislocation in BCC. ------------------------------------------------------------ { "material":"Nb95Mo5", "model":"BCC_screw_Maresca-Curtin-2019", "properties":{ "a": 3.289, "E_k": 0.6342, "E_v": 2.989, "E_si": 5.361, "Delta_E_p": 0.0488, "Delta_V_p": 0.020 }, "conditions":{ "temperature":{ "max":500, "min":0, "inc":10 }, "strain_r":0.001 }, "adjustables":{ "kink_width":10, "Delta_V_p_scaler":1, "Delta_E_p_scaler":1 }, "savefile":"Nb95Mo5_out" } ------------------------------------------------------------ Nesessary tags: "material": material name -- "properties": input data for the material: "a": lattice constant "E_k": screw dislocation kink formation energy (usually by DFT or MD calculations) "E_v": vacancy formation energy (usually by DFT or MD) "E_si": self-interstitial formation energy (usually by DFT or MD) "Delta_E_p": solute-dislocation interaction energy (usually by DFT or MD) "Delta_V_p": Peierls barrier (usually by DFT or MD) -- "conditions": experimental conditions "temperature": specify temperature (Kelvin) range and increment for the calculations. "max": max T "min": min T "inc": increment. "strain_r": experiment strain rate, typical tensile tests: 0.001 /s -- "adjustables": adjustable parameters for the model. Be VERY careful to change the values. "kink_width":10 kink width, default is 10, (unit: burgers vector), usually between 10b to 20b. "Delta_V_p_scaler":1, Peierls barrier scaler, DFT values are usually very high compared to experiments. So rescaling was taken to fit the experimental yield strengths. "Delta_E_p_scaler":1 Solute-dislocation interaction energy scaler. This is also rescaled for DFT/MD values. -- "model": "BCC_screw_Maresca-Curtin-2019", ------- Optional tags: "savefile": output filename, CSV file. END ''') elif self.tag =='BCC_Screw_Suzuki_Temperature': print('under development') else: print('NOT a valid name. Available input formats: \n' 'FCC_BCC_Edge_Ternary\n' 'FCC_BCC_Edge_Composition_Temperature\n' 'BCC_Screw_Curtin_Ternary\n' 'BCC_Screw_Curtin_Composition_Temperature\n' 'BCC_Screw_Suzuki_Temperature\n')
class Input_Format: def __init__(self, format_tag): self.tag = format_tag def print_sample_input(self): if self.tag == 'FCC_BCC_Edge_Ternary': print('\nSample JSON for using pseudo-ternary predictions of solid solution strength by Curtin edge dislocation model. \n------------------------------------------------------------\n{\n "material":"MnFeCoNiAl",\n "structure":"FCC",\n "pseudo-ternary":{\n "increment": 1,\n "psA": {"grouped_elements":["Mn","Co"],\n "ratio": [1,1],\n "range":[0,100]},\n "psB": {"grouped_elements":["Fe","Ni"],\n "ratio": [1,1],\n "range":[0,100]},\n "psC": {"grouped_elements":["Al"],\n "ratio": [1],\n "range":[0,100]}\n },\n "elements":{\n "Co": {"Vn":11.12,"E":262.9,"G":101.7,"nu":0.292},\n "Ni": {"Vn":10.94,"E":199.1,"G":76.0,"nu":0.309},\n "Al": {"Vn":16.472,"E":65.5,"G":23.9,"nu":0.369},\n "Mn": {"Vn":12.60,"E":197.7,"G":73.4,"nu":0.347},\n "Fe": {"Vn":12.09,"E":194.3,"G":73.4}\n },\n "uncertainty_level":{\n "on/off":"on",\n "a":0.01, \n "elastic_constants":0.05\n },\n "conditions":{"temperature":300,"strain_r":0.001},\n "model":{\n "name":"FCC_Varvenne-Curtin-2016"\n },\n "savefile":"MnFeCoNiAl_out"\n}\n------------------------------------------------------------\nNesessary tags: \n"material": material name\n--\n"structure": "FCC" or "BCC"\n--\n"pseudo-ternary": containing "psA" "psB" \'psC\' for pseudo-ternary components\n "psA": pseudo-ternary component, can be a single element or grouped element. \n "grouped_elements": # group specific elements in psA \n # eg. "grouped_elements":["Ni","Co"], Mn and Co are grouped\n "ratio": # specify the ratio between elements in A\n # eg. "ratio": [1,1], represent Co:Ni=1:1\n "range": # specify the concentration range for "psA"\n # eg. "range":[0,100], range from 0 to 100 at.% \n--\n"elements": input data for elements: \n "Co": element symbol for Co\n "Vn": atomic volume \n "a": lattice constant\n "b": Burgers vector\n # NOTE, just need to specify one of "Vn", "a" or "b"\n "E": Young\'s modulus\n "G": shear modulus \n "nu": Poisson\'s ratio\n # NOTE, in Voigt notation, as indicated in the paper. \n # Need to specify 2 of the "E", "G", and "nu" for isotropic.\n--\n"conditions": experimental conditions\n "temperature": Kelvin\n "strain_r": experiment strain rate, \n typical tensile tests: 0.001 /s\n\n"model": \n IMPORTANT!!!\n "name": name of the model, \n use "FCC_Varvenne-Curtin-2016" for FCC and \n use "BCC_edge_Maresca-Curtin-2019" for BCC\n \n The following are adjustable parameters for the model \n "f1": # dimensionless pressure field parameter for athermal yield stress \n "f2": # dimensionless pressure field parameter for energy barrier\n "alpha": # dislocation line tension parameter\n IMPORTANT: \n If you don\'t know f1, f2, and alpha for your material,\n DO NOT change f1, f2 and alpha. \n The default values were optimized for FCC HEAs and BCC HEAs.\n Read Curtin\'s papers. \n \n-------\nOptional tags:\n"uncertainty_level": allow uncertainty evaluation on input data. \n\n "on/off":"on" # turn on/off the uncertainty calculation\n # if off, no need to set the following tags\n # if on, specify the standard deviations \n for lattice constants and elastic constants\n \n "a": 0.01 # applied 1% standard deviation to lattice constants\n # 1000 data points were generated to evaluate the average and standar deviation\n # this means for each element, \n # a new lattice constant will be generated using normal distribution,\n # centered at the value "a" (lattice constants) in "elements"\n # with a standard deviation 0.01a. \n \n "elastic_constants": 0.05 # applied 5% standard deviation to elastic constants \n # 1000 data points were generated to evaluate the average and standar deviation\n # this means for each element, \n # new elastic constants will be generated using normal distribution,\n # centered at the values "E", "G", "nu" (elastic constants) in "elements"\n # with a standard deviation 0.01a. \n\n\n"savefile": output filename, CSV file. \n \nEND\n') elif self.tag == 'FCC_BCC_Edge_Composition_Temperature': print('\nSample JSON for composition-temperature predictions of solid solution strength by Curtin edge dislocation model. \n------------------------------------------------------------\n{\n "material":"MnFeCoNi",\n "structure":"FCC",\n "elements":{\n "Co": {"Vn":11.12,"E":262.9,"G":101.7,"nu":0.292},\n "Ni": {"Vn":10.94,"E":199.1,"G":76.0,"nu":0.309},\n "Mn": {"Vn":12.60,"E":197.7,"G":73.4,"nu":0.347},\n "Fe": {"Vn":12.09,"E":194.3,"G":73.4}\n },\n "compositions":{\n "element_order": ["Co","Ni","Fe","Mn"],\n "concentrations": [\n [25,25,25,25],\n [20,20,30,30],\n [30,30,20,20]\n ]\n\n },\n "uncertainty_level":{\n "on/off":"on",\n "a":0.01, \n "elastic_constants":0.05\n },\n "conditions":{\n "temperature":{\n "min": 300,\n "max": 600,\n "inc": 10\n },\n "strain_r":0.001\n },\n "model":{\n "name":"FCC_Varvenne-Curtin-2016"\n },\n "savefile":"MnFeCoNi_out"\n}\n------------------------------------------------------------\nNesessary tags: \n"material": material name\n--\n"structure": "FCC" or "BCC"\n--\n"compositions": containing element symbols and concentrations for calculation. \n "element_order": a list of element symbols in order, be consistent with the "concentrations"\n "concentrations": a list of concentrations in at.% for elements in the "element_order", \n add up to 100.\n--\n"elements": input data for elements: \n "Co": element symbol for Co\n "Vn": atomic volume \n "a": lattice constant\n "b": Burgers vector\n # NOTE, just need to specify one of "Vn", "a" or "b"\n "E": Young\'s modulus\n "G": shear modulus \n "nu": Poisson\'s ratio\n # NOTE, in Voigt notation, as indicated in the paper. \n # Need to specify 2 of the "E", "G", and "nu" for isotropic.\n--\n"conditions": experimental conditions\n "temperature": specify temperature (Kelvin) range and increment for the calculations.\n "max": max T\n "min": min T\n "inc": increment. \n "strain_r": experiment strain rate, \n typical tensile tests: 0.001 /s\n\n"model": \n IMPORTANT!!!\n "name": name of the model, \n use "FCC_Varvenne-Curtin-2016" for FCC and \n use "BCC_edge_Maresca-Curtin-2019" for BCC\n \n The following are adjustable parameters for the model \n "f1": # dimensionless pressure field parameter for athermal yield stress \n "f2": # dimensionless pressure field parameter for energy barrier\n "alpha": # dislocation line tension parameter\n IMPORTANT: \n If you don\'t know f1, f2, and alpha for your material,\n DO NOT change f1, f2 and alpha. \n The default values were optimized for FCC HEAs and BCC HEAs.\n Read Curtin\'s papers. \n \n-------\nOptional tags:\n"uncertainty_level": allow uncertainty evaluation on input data. \n\n "on/off":"on" # turn on/off the uncertainty calculation\n # if off, no need to set the following tags\n # if on, specify the standard deviations \n for lattice constants and elastic constants\n \n "a": 0.01 # applied 1% standard deviation to lattice constants\n # 1000 data points were generated to evaluate the average and standar deviation\n # this means for each element, \n # a new lattice constant will be generated using normal distribution,\n # centered at the value "a" (lattice constants) in "elements"\n # with a standard deviation 0.01a. \n \n "elastic_constants": 0.05 # applied 5% standard deviation to elastic constants \n # 1000 data points were generated to evaluate the average and standar deviation\n # this means for each element, \n # new elastic constants will be generated using normal distribution,\n # centered at the values "E", "G", "nu" (elastic constants) in "elements"\n # with a standard deviation 0.05*value. \n \n"savefile": output filename, CSV file. \n \nEND\n') elif self.tag == 'BCC_Screw_Curtin_Ternary': print('\nSample JSON for predictions of solid solution strength for pseudo-ternary BCC by Curtin screw dislocation model. \nScrew dislocation in BCC. \n------------------------------------------------------------\n{\n "material":"NbMoW",\n "pseudo-ternary":{\n "increment": 1,\n "psA": {"grouped_elements":["Nb"],\n "ratio": [1],\n "range":[0,100]},\n "psB": {"grouped_elements":["Mo"],\n "ratio": [1],\n "range":[0,100]},\n "psC": {"grouped_elements":["W"],\n "ratio": [1],\n "range":[0,100]}\n },\n "elements":{\n "Nb": {"a":3.30,"Delta_E_p":0.0345,"E_k":0.6400,"E_v":2.9899,"E_si":5.2563,"Delta_V_p":0.020},\n "Mo": {"a":3.14,"Delta_E_p":0.1579,"E_k":0.5251,"E_v":2.9607,"E_si":7.3792,"Delta_V_p":0.020},\n "W": {"a":3.16,"Delta_E_p":0.1493,"E_k":0.9057,"E_v":3.5655,"E_si":9.5417,"Delta_V_p":0.020}\n },\n "adjustables":{\n "kink_width":10,\n "Delta_V_p_scaler":1,\n "Delta_E_p_scaler":1\n },\n "conditions":{"temperature":300,"strain_r":0.001},\n "model":{\n "name":"BCC_screw_Maresca-Curtin-2019"\n },\n "savefile":"NbMoW_out"\n}\n------------------------------------------------------------\nNesessary tags: \n"material": material name\n--\n"pseudo-ternary": containing "psA" "psB" \'psC\' for pseudo-ternary components\n "psA": pseudo-ternary component, can be a single element or grouped elements. \n "grouped_elements": # group specific elements in psA \n # eg. "grouped_elements":["W","Ta"], Mn and Co are grouped\n "ratio": # specify the ratio between elements in A\n # eg. "ratio": [1,1], represent W:Ta=1:1\n "range": # specify the concentration range for "psA"\n # eg. "range":[0,100], range from 0 to 100 at.% \n--\n"elements": input data for elements: \n "W": element symbol for W\n below are necessary inputs. \n "a": lattice constant\n "E_k": screw dislocation kink formation energy (usually by DFT or MD calculations)\n "E_v": vacancy formation energy (usually by DFT or MD)\n "E_si": self-interstitial formation energy (usually by DFT or MD)\n "Delta_E_p": solute-dislocation interaction energy (usually by DFT or MD)\n "Delta_V_p": Peierls barrier (usually by DFT or MD)\n--\n"adjustables": adjustable parameters for the model. Be VERY careful to change the values.\n "kink_width":10 kink width, default is 10, (unit: burgers vector), usually between 10b to 20b. \n "Delta_V_p_scaler":1, Peierls barrier scaler, DFT values are usually very high compared to experiments.\n So rescaling was taken to fit the experimental yield strengths.\n "Delta_E_p_scaler":1 Solute-dislocation interaction energy scaler.\n This is also rescaled for DFT/MD values. \n--\n"conditions": experimental conditions\n "temperature": specify temperature (Kelvin) the calculations.\n "strain_r": experiment strain rate, \n typical tensile tests: 0.001 /s\n--\n"model": "BCC_screw_Maresca-Curtin-2019", \n-------\nOptional tags:\n"savefile": output filename, CSV file. \n\nEND\n') elif self.tag == 'BCC_Screw_Curtin_Composition_Temperature': print('\nSample JSON for composition-temperature predictions of BCC solid solution strength by Curtin screw dislocation model. \nScrew dislocation in BCC. \n------------------------------------------------------------\n{\n "material":"Nb95Mo5",\n "model":"BCC_screw_Maresca-Curtin-2019",\n "properties":{\n "a": 3.289,\n "E_k": 0.6342, \n "E_v": 2.989,\n "E_si": 5.361,\n "Delta_E_p": 0.0488, \n "Delta_V_p": 0.020\n },\n "conditions":{\n "temperature":{\n "max":500,\n "min":0,\n "inc":10\n },\n "strain_r":0.001\n },\n "adjustables":{\n "kink_width":10,\n "Delta_V_p_scaler":1,\n "Delta_E_p_scaler":1\n },\n "savefile":"Nb95Mo5_out"\n}\n------------------------------------------------------------\nNesessary tags: \n"material": material name\n--\n"properties": input data for the material: \n\n "a": lattice constant\n "E_k": screw dislocation kink formation energy (usually by DFT or MD calculations)\n "E_v": vacancy formation energy (usually by DFT or MD)\n "E_si": self-interstitial formation energy (usually by DFT or MD)\n "Delta_E_p": solute-dislocation interaction energy (usually by DFT or MD)\n "Delta_V_p": Peierls barrier (usually by DFT or MD)\n--\n"conditions": experimental conditions\n "temperature": specify temperature (Kelvin) range and increment for the calculations.\n "max": max T\n "min": min T\n "inc": increment. \n "strain_r": experiment strain rate, \n typical tensile tests: 0.001 /s\n--\n"adjustables": adjustable parameters for the model. Be VERY careful to change the values.\n "kink_width":10 kink width, default is 10, (unit: burgers vector), usually between 10b to 20b. \n "Delta_V_p_scaler":1, Peierls barrier scaler, DFT values are usually very high compared to experiments.\n So rescaling was taken to fit the experimental yield strengths.\n "Delta_E_p_scaler":1 Solute-dislocation interaction energy scaler.\n This is also rescaled for DFT/MD values. \n--\n"model": "BCC_screw_Maresca-Curtin-2019", \n-------\nOptional tags:\n"savefile": output filename, CSV file. \n\nEND\n') elif self.tag == 'BCC_Screw_Suzuki_Temperature': print('under development') else: print('NOT a valid name. Available input formats: \nFCC_BCC_Edge_Ternary\nFCC_BCC_Edge_Composition_Temperature\nBCC_Screw_Curtin_Ternary\nBCC_Screw_Curtin_Composition_Temperature\nBCC_Screw_Suzuki_Temperature\n')
class opcode(object): nul = 1 hello = 2 rhello = 130 get = 160 rget = 161
class Opcode(object): nul = 1 hello = 2 rhello = 130 get = 160 rget = 161
# -*- coding: utf-8 -*- """ Created on Sun Feb 4 21:10:59 2018 @author: User """ def username(): first = 'arvind' #input('firstname') last = 'KARIR' # input('lastname') (yob) = str(1234) #int( input('yob') ) yob = yob[:3] last = last[-4:] print(first[:1].lower()+last.upper()+ yob[::-1]) username()
""" Created on Sun Feb 4 21:10:59 2018 @author: User """ def username(): first = 'arvind' last = 'KARIR' yob = str(1234) yob = yob[:3] last = last[-4:] print(first[:1].lower() + last.upper() + yob[::-1]) username()