content
stringlengths
7
1.05M
class WorkflowException(Exception): pass class UnsupportedRequirement(WorkflowException): pass class ArgumentException(Exception): """Mismatched command line arguments provided.""" class GraphTargetMissingException(WorkflowException): """When a $graph is encountered and there is no target and no main/#main."""
class Solution: def partitionLabels(self, s: str) -> List[int]: # base case if we only have 1 letter if len(s)<2: return [1] #change to [len(s)] response = [] # final response memory = [] #track memory.append(s[0])# we already known that we have at least 2 letters count = 1 # counter i = 1 while i<len(s): if s[i] in memory: count+=1 #if the current value char is in our memory add the count else: # is a new character bl = False # boolean flag, true to add the new character into the current count or in a new for each in memory: #we want to keep track of each letter into the remaining string if each in s[i+1:]: #if at least one of the letters in our memory appers later, we can change the flag and stop the for bl = True break if bl: # add the new letter into the memory memory.append(s[i]) count+=1 else: memory = [] # empty the memory memory.append(s[i]) # add the current new character response.append(count) # add the current count into the response count = 1 #counter i+=1 response.append(count) #add the remaining letters return response
class Solution: def isPowerOfTwo(self, n: int) -> bool: b = bin(n) if b[2] != '1': return False for bit in b[3:]: if bit != '0': return False return True print(Solution().isPowerOfTwo(1)) print(Solution().isPowerOfTwo(16)) print(Solution().isPowerOfTwo(3)) print(Solution().isPowerOfTwo(4)) print(Solution().isPowerOfTwo(5)) print(Solution().isPowerOfTwo(-5)) print(Solution().isPowerOfTwo(0))
""" tool for combining dictionaries. IndexedValues is a list with a start index. It is for simulating dictionaries of {int: int>0} """ def generate_indexed_values(sorted_tuple_list): """ :param sorted_tuple_list: may not be empty.\n [(int, int>0), ...] """ start_val, values = make_start_index_and_list(sorted_tuple_list) return IndexedValues(start_val, values) def generate_indexed_values_from_dict(input_dict) -> 'IndexedValues': """ :param input_dict: may not be empty.\n {int: int>0, ...} """ return generate_indexed_values(sorted(input_dict.items())) def make_start_index_and_list(sorted_tuple_list): start_val = sorted_tuple_list[0][0] end_val = sorted_tuple_list[-1][0] out_list = [0] * (end_val - start_val + 1) for index, value in sorted_tuple_list: list_index = index - start_val out_list[list_index] = value return start_val, out_list class IndexedValues(object): def __init__(self, start_index, sorted_values): """ :param start_index: int :param sorted_values: may not be empty\n [int>=0, ...] \n values[0] != 0\n values[-1] != 0 """ self._start_index = start_index self._values = sorted_values[:] @property def raw_values(self): return self._values[:] @property def start_index(self): return self._start_index @property def index_range(self): return self.start_index, len(self.raw_values) + self.start_index - 1 def get_dict(self): return {index + self.start_index: value for index, value in enumerate(self.raw_values) if value} def get_value_at_key(self, key): index = key - self.start_index if index < 0 or index >= len(self.raw_values): return 0 else: return self.raw_values[index] def combine_with_dictionary(self, no_zero_values_dict): """ :param no_zero_values_dict: may not be empty\n {int: int>0, ...} """ base_list = self.raw_values first_event = min(no_zero_values_dict.keys()) last_event = max(no_zero_values_dict.keys()) new_start_index = self.start_index + first_event new_size = len(base_list) + last_event - first_event container_for_lists_to_combine = [] for event, occurrences in no_zero_values_dict.items(): index_offset = event - first_event new_group_of_events = get_events_list(base_list, occurrences, new_size, index_offset) container_for_lists_to_combine.append(new_group_of_events) new_raw_values = list(map(add_many, *container_for_lists_to_combine)) return IndexedValues(new_start_index, new_raw_values) def add_many(*args): return sum(args) def get_events_list(base_list, occurrences, new_size, index_offset): if occurrences != 1: adjusted_events = [value * occurrences for value in base_list] else: adjusted_events = base_list[:] return change_list_len_with_zeroes(adjusted_events, new_size, index_offset) def change_list_len_with_zeroes(input_list, new_size, index_offset): left = [0] * index_offset right = [0] * (new_size - index_offset - len(input_list)) return left + input_list + right
class _Attribute: def __init__(self, name, value, deprecated=False): self.name = name self.value = value self.deprecated = deprecated def get_config(self): """Get in config format""" return ' %s: %s\n' % (self.name, self.value) if self.value else None def __str__(self): return self.value # def __get__(self, instance, owner): # return self def __set__(self, instance, value): self.value = value class _Section: section_name = None deprecated = False # def get_config(self): # sec = '%s: {\n' % self.section_name # for x in self.__dict__.items(): # for value in x: # if isinstance(value, _Attribute): # val = value.value # if val is not None: # sec += ' %s: %s\n' % (value.name, val) # sec += '}' # return sec def __str__(self): return self.get_config() def __getattribute__(self, name): value = object.__getattribute__(self, name) if hasattr(value, '__get__'): value = value.__get__(self, self.__class__) return value def __setattr__(self, name, value): try: obj = object.__getattribute__(self, name) except AttributeError: pass else: if hasattr(obj, '__set__'): return obj.__set__(self, value) return object.__setattr__(self, name, value) class Config(list): """Qpid Dispatch configuration""" def __init__(self): super().__init__() def add_section(self, section: _Section): self.append(section) def get_config(self): conf = '' i = False num_sections = len(self) for section in self: i += 1 conf += '%s: {\n' % section.section_name for attributes in section.__dict__.items(): for attr in attributes: if isinstance(attr, _Attribute): tmp_val = attr.value if tmp_val is not None: conf += ' %s: %s\n' % (attr.name, tmp_val) conf += '}\n' if i < num_sections: conf += '\n' return conf
#!/usr/bin/python # -*- coding: utf-8 -*- # Copyright (c) 2021, Cisco Systems # GNU General Public License v3.0+ (see LICENSE or https://www.gnu.org/licenses/gpl-3.0.txt) DOCUMENTATION = r""" --- module: external_radius_server short_description: Resource module for External Radius Server description: - Manage operations create, update and delete of the resource External Radius Server. version_added: '1.0.0' author: Rafael Campos (@racampos) options: accountingPort: description: Valid Range 1 to 65535. type: int authenticationPort: description: Valid Range 1 to 65535. type: int authenticatorKey: description: The authenticatorKey is required only if enableKeyWrap is true, otherwise it must be ignored or empty. The maximum length is 20 ASCII characters or 40 HEXADECIMAL characters (depend on selection in field 'keyInputFormat'). type: str description: description: External Radius Server's description. type: str enableKeyWrap: description: KeyWrap may only be enabled if it is supported on the device. When running in FIPS mode this option should be enabled for such devices. type: bool encryptionKey: description: The encryptionKey is required only if enableKeyWrap is true, otherwise it must be ignored or empty. The maximum length is 16 ASCII characters or 32 HEXADECIMAL characters (depend on selection in field 'keyInputFormat'). type: str hostIP: description: The IP of the host - must be a valid IPV4 address. type: str id: description: External Radius Server's id. type: str keyInputFormat: description: Specifies the format of the input for fields 'encryptionKey' and 'authenticatorKey'. Allowed Values - ASCII - HEXADECIMAL. type: str name: description: Resource Name. Allowed charactera are alphanumeric and _ (underscore). type: str proxyTimeout: description: Valid Range 1 to 600. type: int retries: description: Valid Range 1 to 9. type: int sharedSecret: description: Shared secret maximum length is 128 characters. type: str timeout: description: Valid Range 1 to 120. type: int requirements: - ciscoisesdk seealso: # Reference by Internet resource - name: External Radius Server reference description: Complete reference of the External Radius Server object model. link: https://ciscoisesdk.readthedocs.io/en/latest/api/api.html#v3-0-0-summary """ EXAMPLES = r""" - name: Update by id cisco.ise.external_radius_server: ise_hostname: "{{ise_hostname}}" ise_username: "{{ise_username}}" ise_password: "{{ise_password}}" ise_verify: "{{ise_verify}}" state: present accountingPort: 0 authenticationPort: 0 authenticatorKey: string description: string enableKeyWrap: true encryptionKey: string hostIP: string id: string keyInputFormat: string name: string proxyTimeout: 0 retries: 0 sharedSecret: string timeout: 0 - name: Delete by id cisco.ise.external_radius_server: ise_hostname: "{{ise_hostname}}" ise_username: "{{ise_username}}" ise_password: "{{ise_password}}" ise_verify: "{{ise_verify}}" state: absent id: string - name: Create cisco.ise.external_radius_server: ise_hostname: "{{ise_hostname}}" ise_username: "{{ise_username}}" ise_password: "{{ise_password}}" ise_verify: "{{ise_verify}}" state: present accountingPort: 0 authenticationPort: 0 authenticatorKey: string description: string enableKeyWrap: true encryptionKey: string hostIP: string keyInputFormat: string name: string proxyTimeout: 0 retries: 0 sharedSecret: string timeout: 0 """ RETURN = r""" ise_response: description: A dictionary or list with the response returned by the Cisco ISE Python SDK returned: always type: dict sample: > { "UpdatedFieldsList": { "updatedField": { "field": "string", "oldValue": "string", "newValue": "string" }, "field": "string", "oldValue": "string", "newValue": "string" } } """
"""Bogus module for testing.""" # pylint: disable=missing-docstring,disallowed-name,invalid-name class ModuleClass: def __init__(self, x, y): self.x = x self.y = y def a(self): return self.x + self.y def module_function(x, y): return x - y def kwargs_only_func1(foo, *, bar, baz=5): return foo + bar + baz def kwargs_only_func2(foo, *, bar, baz): return foo + bar + baz
# generated from genmsg/cmake/pkg-genmsg.context.in messages_str = "/home/kalyco/mfp_workspace/src/darknet_ros/darknet_ros_msgs/msg/BoundingBox.msg;/home/kalyco/mfp_workspace/src/darknet_ros/darknet_ros_msgs/msg/BoundingBoxes.msg;/home/kalyco/mfp_workspace/devel/.private/darknet_ros_msgs/share/darknet_ros_msgs/msg/CheckForObjectsAction.msg;/home/kalyco/mfp_workspace/devel/.private/darknet_ros_msgs/share/darknet_ros_msgs/msg/CheckForObjectsActionGoal.msg;/home/kalyco/mfp_workspace/devel/.private/darknet_ros_msgs/share/darknet_ros_msgs/msg/CheckForObjectsActionResult.msg;/home/kalyco/mfp_workspace/devel/.private/darknet_ros_msgs/share/darknet_ros_msgs/msg/CheckForObjectsActionFeedback.msg;/home/kalyco/mfp_workspace/devel/.private/darknet_ros_msgs/share/darknet_ros_msgs/msg/CheckForObjectsGoal.msg;/home/kalyco/mfp_workspace/devel/.private/darknet_ros_msgs/share/darknet_ros_msgs/msg/CheckForObjectsResult.msg;/home/kalyco/mfp_workspace/devel/.private/darknet_ros_msgs/share/darknet_ros_msgs/msg/CheckForObjectsFeedback.msg" services_str = "" pkg_name = "darknet_ros_msgs" dependencies_str = "actionlib_msgs;geometry_msgs;sensor_msgs;std_msgs" langs = "gencpp;geneus;genlisp;gennodejs;genpy" dep_include_paths_str = "darknet_ros_msgs;/home/kalyco/mfp_workspace/src/darknet_ros/darknet_ros_msgs/msg;darknet_ros_msgs;/home/kalyco/mfp_workspace/devel/.private/darknet_ros_msgs/share/darknet_ros_msgs/msg;actionlib_msgs;/opt/ros/kinetic/share/actionlib_msgs/cmake/../msg;geometry_msgs;/opt/ros/kinetic/share/geometry_msgs/cmake/../msg;sensor_msgs;/opt/ros/kinetic/share/sensor_msgs/cmake/../msg;std_msgs;/home/kalyco/mfp_workspace/src/std_msgs/msg" PYTHON_EXECUTABLE = "/usr/bin/python" package_has_static_sources = '' == 'TRUE' genmsg_check_deps_script = "/opt/ros/kinetic/share/genmsg/cmake/../../../lib/genmsg/genmsg_check_deps.py"
# exit from infinite loop v.2 # using flag prompt = ("\nType 'x' to exit.\nEnter: ") flag = True while flag: msg = input(prompt) if msg == 'x': flag = False else: print(msg)
text = "".join(input().split()) for index,emoticon in enumerate(text): if emoticon == ":": print(f"{emoticon+text[index+1]}")
word_size = 4 num_words = 16 words_per_row = 1 local_array_size = 4 output_extended_config = True output_datasheet_info = True netlist_only = True nominal_corner_only = True
# Intersection Of Sorted Arrays # https://www.interviewbit.com/problems/intersection-of-sorted-arrays/ # # Find the intersection of two sorted arrays. # OR in other words, # Given 2 sorted arrays, find all the elements which occur in both the arrays. # # Example : # # Input : # A : [1 2 3 3 4 5 6] # B : [3 3 5] # # Output : [3 3 5] # # Input : # A : [1 2 3 3 4 5 6] # B : [3 5] # # Output : [3 5] # # NOTE : For the purpose of this problem ( as also conveyed by the sample case ), assume that elements that # appear more than once in both arrays should be included multiple times in the final output. # # # # # # # # # # # # # # # # # # # # # # # # # # # # # # # # # # # # # # # # # # # # # # # # # # # class Solution: # @param A : tuple of integers # @param B : tuple of integers # @return a list of integers def intersect(self, A, B): i = j = 0 res = [] while i < len(A) and j < len(B): if A[i] == B[j]: res.append(A[i]) i += 1 j += 1 elif A[i] < B[j]: i += 1 else: j += 1 return res # # # # # # # # # # # # # # # # # # # # # # # # # # # # # # # # # # # # # # # # # # # # # # # # # # if __name__ == "__main__": A = [1, 2, 3, 3, 4, 5, 6] B = [3, 5] s = Solution() print(s.intersect(A, B))
# ALTERANDO, ACRESCENTANDO E REMOVENDO ITENS DE UMA LISTA motorcycles = ['honda', 'yamaha', 'suzuki'] # ALTERANDO UM ITEM DE UMA LISTA print(motorcycles) motorcycles[0] = 'ducati' print(motorcycles) # ACRESCENTANDO ELEMENTOS EM UMA LISTA # CONCATENANDO ELEMENTOS NO FINAL DE UMA LISTA motorcycles = ['honda', 'yamaha', 'suzuki'] print(motorcycles) motorcycles.append('ducati') print(motorcycles) # ADICIONANDO ITENS A PARTIR DE UMA LISTA VAZIA motorcycles = [] motorcycles.append('honda') motorcycles.append('yamaha') motorcycles.append('suzuki') print(motorcycles) # INSERINDO ELEMENTOS EM UMA LISTA motorcycles = ['honda', 'yamaha', 'suzuki'] motorcycles.insert(0, 'ducati') print(motorcycles) # REMOVENDO ELEMENTOS DE UMA LISTA # instrução (del) motorcycles = ['honda', 'yamaha', 'suzuki'] print(motorcycles) del motorcycles[1] print(motorcycles) # método (pop) motorcycles = ['honda', 'yamaha', 'suzuki'] print(motorcycles) popped_motorcycle = motorcycles.pop() print(motorcycles) print(popped_motorcycle) # utilizando em uma frase motorcycles = ['honda', 'yamaha', 'suzuki'] last_owned = motorcycles.pop() print("The last motorcycle I owned was a " + last_owned.title() + ".") # REMOVENDO ITENS DE QUALQUER POSIÇÃO EM UMA LISTA motorcycles = ['honda', 'yamaha', 'suzuki'] last_owned = motorcycles.pop(0) print("The first motorcycle I owned was a " + last_owned.title() + ".") # REMOVENDO UM ITEM DE ACORDO COM O VALOR motorcycles = ['honda', 'yamaha', 'suzuki', 'ducati'] print(motorcycles) motorcycles.remove('ducati') print(motorcycles) # utilizando em uma frase motorcycles = ['honda', 'yamaha', 'suzuki', 'ducati'] print(motorcycles) too_expensive = 'yamaha' motorcycles.remove(too_expensive) print(motorcycles) print("\nA " + too_expensive.title() + " is too expensive for me.")
# -*- coding: utf-8 -*- # ---------------------------------------------------------------------- # SNMP Error Codes # ---------------------------------------------------------------------- # Copyright (C) 2007-2017 The NOC Project # See LICENSE for details # ---------------------------------------------------------------------- # No error occurred. This code is also used in all request PDUs, # since they have no error status to report. NO_ERROR = 0 # The size of the Response-PDU would be too large to transport. TOO_BIG = 1 # The name of a requested object was not found. NO_SUCH_NAME = 2 # A value in the request didn't match the structure that # the recipient of the request had for the object. # For example, an object in the request was specified # with an incorrect length or type. BAD_VALUE = 3 # An attempt was made to set a variable that has an # Access value indicating that it is read-only. READ_ONLY = 4 # An error occurred other than one indicated by # a more specific error code in this table. GEN_ERR = 5 # Access was denied to the object for security reasons. NO_ACCESS = 6 # The object type in a variable binding is incorrect for the object. WRONG_TYPE = 7 # A variable binding specifies a length incorrect for the object. WRONG_LENGTH = 8 # A variable binding specifies an encoding incorrect for the object. WRONG_ENCODING = 9 # The value given in a variable binding is not possible for the object. WRONG_VALUE = 10 # A specified variable does not exist and cannot be created. NO_CREATION = 11 # A variable binding specifies a value that could be held # by the variable but cannot be assigned to it at this time. INCONSISTENT_VALUE = 12 # An attempt to set a variable required # a resource that is not available. RESOURCE_UNAVAILABLE = 13 # An attempt to set a particular variable failed. COMMIT_FAILED = 14 # An attempt to set a particular variable as part of # a group of variables failed, and the attempt to then # undo the setting of other variables was not successful. UNDO_FAILED = 15 # A problem occurred in authorization. AUTHORIZATION_ERROR = 16 # The variable cannot be written or created. NOT_WRITABLE = 17 # The name in a variable binding specifies # a variable that does not exist. INCONSISTENT_NAME = 18 # Virtual code TIMED_OUT = -1 UNREACHABLE = -2 BER_ERROR = -3 class SNMPError(Exception): def __init__(self, code, oid=None): super(SNMPError, self).__init__() self.code = code self.oid = oid def __repr__(self): return "<SNMPError code=%s oid=%s>" % (self.code, self.oid)
ACTORS = [ {"id":26073614,"name":"Al Pacino","photo":"https://placebear.com/342/479"}, {"id":77394988,"name":"Anthony Hopkins","photo":"https://placebear.com/305/469"}, {"id":44646271,"name":"Audrey Hepburn","photo":"https://placebear.com/390/442"}, {"id":85626345,"name":"Barbara Stanwyck","photo":"https://placebear.com/399/411"}, {"id":57946467,"name":"Barbra Streisand","photo":"https://placebear.com/328/490"}, {"id":44333164,"name":"Ben Kingsley","photo":"https://placebear.com/399/442"}, {"id":91171557,"name":"Bette Davis","photo":"https://placebear.com/318/496"}, {"id":25163439,"name":"Brad Pitt","photo":"https://placebear.com/359/430"}, {"id":59236719,"name":"Cate Blanchett","photo":"https://placebear.com/346/407"}, {"id":35491900,"name":"Christian Bale","photo":"https://placebear.com/363/440"}, {"id":48725048,"name":"Christoph Waltz","photo":"https://placebear.com/356/445"}, {"id":36858988,"name":"Christopher Walken","photo":"https://placebear.com/328/448"}, {"id":77052052,"name":"Clint Eastwood","photo":"https://placebear.com/311/428"}, {"id":74729990,"name":"Daniel Day-Lewis","photo":"https://placebear.com/393/480"}, {"id":75495971,"name":"Denzel Washington","photo":"https://placebear.com/392/471"}, {"id":49842505,"name":"Diane Keaton","photo":"https://placebear.com/310/462"}, {"id":16533679,"name":"Dustin Hoffman","photo":"https://placebear.com/306/425"}, {"id":77778079,"name":"Ed Harris","photo":"https://placebear.com/365/430"}, {"id":62340777,"name":"Edward Norton","photo":"https://placebear.com/356/486"}, {"id":45282572,"name":"Elizabeth Taylor","photo":"https://placebear.com/338/440"}, {"id":98253023,"name":"Ellen Burstyn","photo":"https://placebear.com/313/452"}, {"id":14389118,"name":"Emma Thompson","photo":"https://placebear.com/314/445"}, {"id":85245270,"name":"Faye Dunaway","photo":"https://placebear.com/352/495"}, {"id":77497258,"name":"Frances McDormand","photo":"https://placebear.com/368/404"}, {"id":69175505,"name":"Gary Oldman","photo":"https://placebear.com/380/468"}, {"id":52103198,"name":"Gene Hackman","photo":"https://placebear.com/326/464"}, {"id":53511355,"name":"George Clooney","photo":"https://placebear.com/350/405"}, {"id":46135141,"name":"Glenn Close","photo":"https://placebear.com/318/446"}, {"id":67466115,"name":"Grace Kelly","photo":"https://placebear.com/396/422"}, {"id":32111872,"name":"Greer Garson","photo":"https://placebear.com/331/464"}, {"id":38069638,"name":"Greta Garbo","photo":"https://placebear.com/344/467"}, {"id":30546602,"name":"Harrison Ford","photo":"https://placebear.com/324/471"}, {"id":78852790,"name":"Harvey Keitel","photo":"https://placebear.com/302/498"}, {"id":75916952,"name":"Heath Ledger","photo":"https://placebear.com/354/420"}, {"id":44647231,"name":"Helen Mirren","photo":"https://placebear.com/390/401"}, {"id":98319284,"name":"Hilary Swank","photo":"https://placebear.com/334/428"}, {"id":73307095,"name":"Holly Hunter","photo":"https://placebear.com/388/439"}, {"id":65927229,"name":"Ian McKellen","photo":"https://placebear.com/359/447"}, {"id":84415199,"name":"Ingrid Bergman","photo":"https://placebear.com/341/487"}, {"id":28676619,"name":"Jack Nicholson","photo":"https://placebear.com/335/461"}, {"id":66339602,"name":"Jane Fonda","photo":"https://placebear.com/323/471"}, {"id":22447589,"name":"Jane Wyman","photo":"https://placebear.com/373/469"}, {"id":52907687,"name":"Javier Bardem","photo":"https://placebear.com/366/421"}, {"id":35506267,"name":"Jeff Bridges","photo":"https://placebear.com/388/422"}, {"id":16807306,"name":"Jennifer Jones","photo":"https://placebear.com/333/498"}, {"id":63521043,"name":"Jessica Lange","photo":"https://placebear.com/309/413"}, {"id":91132400,"name":"Joan Crawford","photo":"https://placebear.com/322/437"}, {"id":74127064,"name":"Joan Fontaine","photo":"https://placebear.com/329/458"}, {"id":30283700,"name":"Joaquin Phoenix","photo":"https://placebear.com/316/452"}, {"id":40834926,"name":"Jodie Foster","photo":"https://placebear.com/307/439"}, {"id":59676726,"name":"Joe Pesci","photo":"https://placebear.com/388/434"}, {"id":18959030,"name":"Johnny Depp","photo":"https://placebear.com/337/422"}, {"id":19220801,"name":"Judi Dench","photo":"https://placebear.com/397/480"}, {"id":41880845,"name":"Judy Garland","photo":"https://placebear.com/352/472"}, {"id":38744009,"name":"Julia Roberts","photo":"https://placebear.com/331/441"}, {"id":46032709,"name":"Julianne Moore","photo":"https://placebear.com/331/402"}, {"id":63172387,"name":"Julie Andrews","photo":"https://placebear.com/320/416"}, {"id":28367735,"name":"Kate Winslet","photo":"https://placebear.com/329/432"}, {"id":31109338,"name":"Katharine Hepburn","photo":"https://placebear.com/366/475"}, {"id":81511778,"name":"Kathy Bates","photo":"https://placebear.com/387/440"}, {"id":58030620,"name":"Kevin Spacey","photo":"https://placebear.com/321/425"}, {"id":96645151,"name":"Leonardo DiCaprio","photo":"https://placebear.com/347/495"}, {"id":57846776,"name":"Luise Rainer","photo":"https://placebear.com/311/448"}, {"id":26406570,"name":"Marilyn Monroe","photo":"https://placebear.com/305/441"}, {"id":17017025,"name":"Matt Damon","photo":"https://placebear.com/306/421"}, {"id":84422863,"name":"Mel Gibson","photo":"https://placebear.com/301/484"}, {"id":26357464,"name":"Meryl Streep","photo":"https://placebear.com/343/401"}, {"id":87469606,"name":"Michael Caine","photo":"https://placebear.com/309/481"}, {"id":50738795,"name":"Michael Douglas","photo":"https://placebear.com/393/496"}, {"id":61071401,"name":"Morgan Freeman","photo":"https://placebear.com/348/448"}, {"id":28005840,"name":"Natalie Portman","photo":"https://placebear.com/323/448"}, {"id":50786809,"name":"Natalie Wood","photo":"https://placebear.com/386/458"}, {"id":40122578,"name":"Nicolas Cage","photo":"https://placebear.com/319/481"}, {"id":75794861,"name":"Nicole Kidman","photo":"https://placebear.com/375/443"}, {"id":81504488,"name":"Olivia de Havilland","photo":"https://placebear.com/388/450"}, {"id":43406362,"name":"Paul Newman","photo":"https://placebear.com/335/456"}, {"id":44428849,"name":"Peter O'Toole","photo":"https://placebear.com/313/467"}, {"id":60338818,"name":"Philip Seymour Hoffman","photo":"https://placebear.com/389/458"}, {"id":56249953,"name":"Ralph Fiennes","photo":"https://placebear.com/301/467"}, {"id":33056256,"name":"Robert De Niro","photo":"https://placebear.com/339/439"}, {"id":36150440,"name":"Robert Downey Jr.","photo":"https://placebear.com/393/409"}, {"id":55284258,"name":"Robert Duvall","photo":"https://placebear.com/310/472"}, {"id":49032807,"name":"Robert Redford","photo":"https://placebear.com/326/443"}, {"id":14332961,"name":"Russell Crowe","photo":"https://placebear.com/336/436"}, {"id":47048008,"name":"Sally Field","photo":"https://placebear.com/301/452"}, {"id":64664156,"name":"Samuel L. Jackson","photo":"https://placebear.com/364/491"}, {"id":63841892,"name":"Sean Penn","photo":"https://placebear.com/344/496"}, {"id":80868139,"name":"Shirley MacLaine","photo":"https://placebear.com/389/475"}, {"id":22571419,"name":"Sigourney Weaver","photo":"https://placebear.com/304/464"}, {"id":23127852,"name":"Sissy Spacek","photo":"https://placebear.com/318/427"}, {"id":91913599,"name":"Sophia Loren","photo":"https://placebear.com/360/476"}, {"id":34324158,"name":"Steve Buscemi","photo":"https://placebear.com/367/467"}, {"id":54027019,"name":"Susan Hayward","photo":"https://placebear.com/376/476"}, {"id":49932101,"name":"Susan Sarandon","photo":"https://placebear.com/335/480"}, {"id":28040377,"name":"Tom Cruise","photo":"https://placebear.com/305/482"}, {"id":34061331,"name":"Tom Hanks","photo":"https://placebear.com/344/424"}, {"id":24724551,"name":"Tommy Lee Jones","photo":"https://placebear.com/315/465"}, {"id":27085641,"name":"Viola Davis","photo":"https://placebear.com/368/481"}, {"id":91326710,"name":"Vivien Leigh","photo":"https://placebear.com/388/435"}, {"id":68598976,"name":"Willem Dafoe","photo":"https://placebear.com/347/447"} ]
class MyRouter(object): def db_for_read(self, model, **hints): # if model.__name__ == 'CommonVar': if model._meta.model_name == 'commontype': return 'pgsql-ms' if model._meta.app_label == 'other': return 'pgsql-ms' # elif model._meta.app_label in ['auth', 'admin', 'contenttypes', 'sesssions', 'django_weixin', 'tagging']: # return 'default' return 'mm-ms' def db_for_write(self, model, **hints): if model._meta.model_name == 'commontype': return 'pgsql-ms' if model._meta.app_label == 'other': return 'pgsql-ms' # elif model._meta.app_label in ['auth', 'admin', 'contenttypes', 'sesssions', 'django_weixin', 'tagging']: # return 'default' return 'mm-ms'
TOKEN = 'YOUR_TOKEN' UPD_TIME = 30 # seconds LOGIN_URL = "https://www.unistudium.unipg.it/unistudium/login/index.php" MAIN_URL = "https://www.unistudium.unipg.it/unistudium/" type_to_sym = { "Pagina": "📄", "File": "💾", "Prenotazione": "📅", "URL": "🌐", "Cartella": "📂", "Feedback": "📣", "Forum": "💬" }
Desc = cellDescClass("RF1R1WX2") Desc.properties["cell_leakage_power"] = "1118.088198" Desc.properties["dont_touch"] = "true" Desc.properties["dont_use"] = "true" Desc.properties["cell_footprint"] = "regcrw" Desc.properties["area"] = "33.264000" Desc.pinOrder = ['IQ', 'IQN', 'RB', 'RW', 'RWN', 'WB', 'WW', 'next'] Desc.add_arc("WW","WB","setup_falling") Desc.add_arc("WW","WB","hold_falling") Desc.add_arc("WW","RB","rising_edge") Desc.add_arc("WB","RB","combi") Desc.add_arc("RW","RB","three_state_disable") Desc.add_arc("RW","RB","three_state_enable") Desc.add_arc("RWN","RB","three_state_disable") Desc.add_arc("RWN","RB","three_state_enable") Desc.add_param("area",33.264000); Desc.add_pin("RW","input") Desc.add_pin("WB","input") Desc.add_pin("IQ","output") Desc.add_pin_func("IQ","unknown") Desc.add_pin("RWN","input") Desc.add_pin("next","output") Desc.add_pin_func("next","unknown") Desc.set_pin_job("WW","clock") Desc.add_pin("WW","input") Desc.add_pin("IQN","output") Desc.add_pin_func("IQN","unknown") Desc.add_pin("RB","output") Desc.add_pin_func("RB","unknown") Desc.set_job("latch") CellLib["RF1R1WX2"]=Desc
def compareTriplets(a, b): alice = 0 bob = 0 for i, j in zip(a, b): if i > j: alice += 1 elif i < j: bob += 1 return alice, bob
""" Undirected Graph: There is no direction for Nodes Directed Graph : Nodes have Connection One application Example: Facebook Friend Suggestion, Flight Routes Different from a Tree: In A tree there is only one path between two Nodes Google maps uses Graphs to guide you to desired place to move to """ #Initializing a Graph Class class Graph: def __init__(self,edges): self.edges = edges self.graph_dict = {} for start, end in self.edges: if start in self.graph_dict: self.graph_dict[start].append(end) else: self.graph_dict[start] = [end] print("Graph Dictionary",self.graph_dict) def get_paths(self, start, end, path = []): path = path + [start] if start == end: return [path] if start not in self.graph_dict: return [] paths = [] for node in self.graph_dict[start]: if node not in path: new_path = self.get_paths(node,end,path) for p in new_path: paths.append(p) return paths def get_shortest_path(self,start,end,path = []): path = path + [start] if start == end: return path if start not in self.graph_dict: return None short_path = None for node in self.graph_dict[start]: if node not in path: sp = self.get_shortest_path(node,end,path) if sp: if short_path is None or len(sp) < len(short_path): short_path = sp return short_path if __name__ == "__main__": routes =[ ("Kigali","Paris"), ("Kigali", "Dubai"), ("Paris","Dubai"), ("Paris","New York"), ("Dubai","New York"), ("New York", "Toronto") ] rutes_graph = Graph(routes) start = "Kigali" end = "New York" print(f"The Path Between {start} and {end} is: ", rutes_graph.get_paths(start,end)) print(f"The Shortest Path Between {start} and {end} is: ", rutes_graph.get_shortest_path(start,end))
# a single 3 input neuron inputs = [1, 2, 3] weights = [0.2, 0.8, -0.5] bias = 2 output = (inputs[0] * weights[0] + inputs[1] * weights[1] + inputs[2] * weights[2] + bias) print(output)
''' Adaptable File containing all relevant information everything that could be used to customise the app for redeployment ''' # file path to log file is '/CA3/sys.log' def return_local_location() -> str: ''' Return a string of the local city. To change your local city name change the returned string: ''' return 'Exeter' def return_html_filename() -> str: ''' Return the filename of the HTML if filename of the HTML file is changed, change it here: change the name of the returned string to be the filename ''' return 'index.html' def return_weather_api_key() -> str: ''' Return API Key for the Weather API To insert your own API Key, change the return value, to a string containing just your API key''' return '' def return_news_api_key() -> str: ''' Return API Key for the News API To insert your own API Key, change the return value, to a string containing just your API key''' return '' def return_weather_url() -> str: ''' Return the base URL for the weather API If base URL ever changes, replace returned string with new URL ''' return 'http://api.openweathermap.org/data/2.5/weather?' def return_news_url() -> str: ''' Return the base URL for the news API If base URL ever changes, replace returned string with new URL ''' return 'http://newsapi.org/v2/top-headlines?'
# Copyright 2019 Uber Technologies, Inc. All Rights Reserved. # Modifications copyright Microsoft # # 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. # ============================================================================== class HorovodInternalError(RuntimeError): """Internal error raised when a Horovod collective operation (e.g., allreduce) fails. This is handled in elastic mode as a recoverable error, and will result in a reset event. """ pass class HostsUpdatedInterrupt(RuntimeError): """Internal interrupt event indicating that the set of hosts in the job has changed. In elastic mode, this will result in a reset event without a restore to committed state. """ def __init__(self, skip_sync): self.skip_sync = skip_sync def get_version_mismatch_message(name, version, installed_version): return f'Framework {name} installed with version {installed_version} but found version {version}.\n\ This can result in unexpected behavior including runtime errors.\n\ Reinstall Horovod using `pip install --no-cache-dir` to build with the new version.' class HorovodVersionMismatchError(ImportError): """Internal error raised when the runtime version of a framework mismatches its version at Horovod installation time. """ def __init__(self, name, version, installed_version): super().__init__(get_version_mismatch_message(name, version, installed_version)) self.name = name self.version = version self.installed_version = installed_version
''' A 2d grid map of m rows and n columns is initially filled with water. We may perform an `addLand` operation which turns the water at position (row, col) into a land. Given a list of positions to operate, count the number of islands after each addLand operation. An island is surrounded by water and is formed by connecting adjacent lands horizontally or vertically. You may assume all four edges of the grid are all surrounded by water. Example: Given m = 3, n = 3, positions = [[0,0], [0,1], [1,2], [2,1]]. Initially, the 2d grid grid is filled with water. (Assume 0 represents water and 1 represents land). 0 0 0 0 0 0 0 0 0 Operation #1: addLand(0, 0) turns the water at grid[0][0] into a land. 1 0 0 0 0 0 Number of islands = 1 0 0 0 Operation #2: addLand(0, 1) turns the water at grid[0][1] into a land. 1 1 0 0 0 0 Number of islands = 1 0 0 0 Operation #3: addLand(1, 2) turns the water at grid[1][2] into a land. 1 1 0 0 0 1 Number of islands = 2 0 0 0 Operation #4: addLand(2, 1) turns the water at grid[2][1] into a land. 1 1 0 0 0 1 Number of islands = 3 0 1 0 We return the result as an array: [1, 1, 2, 3] SOLUTION: Case 1: The new found land has no neighbouring land vertices at all. In this case, num_islands++ since this is a new island of its own. Case 2: The new land has just 1 neighbouring land vertex. That means it will be merged into that island. Meaning no change in num_islands. Case 2: 2 or more neighbouring lands. In this case, it might happen that those 2 vertices are connected using some other path. Or it can happen that they are not connected. If they are connected already, then it means no change in num_islands. However, if they were not connected, then num_islands--. So, for this problem, we'll need to know whether any 2 land vertices are connected already or not. Which means we can use union-find. For every new-land, just union all the neighbouring land vertices together with this new land vertex. At the end, just return the number of disjoint sets. '''
class ErrorsMixin: """Test for errors in corner case situations """ async def test_bad_authentication(self): request = await self.client.get( self.api_url('user'), headers=[('Authorization', 'bjchdbjshbcjd')] ) self.json(request.response, 400)
str1=str(input("Enter an unbalanced bracket sequence:")) op=0 #number of open brackets clo=0 #number of closed brackets #for calculating open and closed brackets for i in range(0,len(str1)): if (str1[i]=="("): op=op+1 if (str1[i]==")"): clo=clo+1 if (op==clo): x = "(" + str1 + ")" stack=[] #list to add open brackets #checinkg if x is balanced or not for i in range(0,len(x)): if(x[i]=="(") : stack.append("(") else: if(len(stack)!=0): stack.remove("(") #finding open bracket for closed bracket and removing it from stack if (len(stack)==0): #checking if all opening brackets have closed brackets print("YES") else: print("NO") else: print("NO")
def print_to_number(number): """ Prints to the number value passed in, beginning at 1""" for counter in range(1,number): print (counter) if __name__ == "__main__": print_to_number(5)
""" @author: magician @date: 2019/12/19 @file: rm_element.py """ def remove_element(nums, val: int) -> int: """ remove_element :param nums: :param val: :return: """ num_list = [] for i in nums: if i != val: num_list.append(i) print(num_list) return len(num_list) if __name__ == '__main__': assert remove_element([3, 2, 2, 3], 3) == 2
Rainbow = ['Red', 'Orange', 'Yellow', 'Green', 'Blue', 'Indigo', 'Violet'] print("the first element of the list Rainbow is:",Rainbow[0]) print("The true colors of a rainbow are:") for i in range(len(Rainbow)): print(Rainbow[i]) #print all the elements in one line or one item per line. Here are two examples of that, using other forms of loop: a = [1, 2, 3, 4, 5, 6, 7, 8, 9, 0] #1 print(a) for i in range(len(a)): print(a[i])#2 for elem in a: print(elem, end = ' ') #3
#!/usr/bin/env python3 """ What is an anagram? Well, two words are anagrams of each other if they both contain the same letters. For example: 'abba' & 'baab' == true 'abba' & 'bbaa' == true 'abba' & 'abbba' == false 'abba' & 'abca' == false Write a function that will find all the anagrams of a word from a list. You will be given two inputs a word and an array with words. You should return an array of all the anagrams or an empty array if there are none. For example: anagrams('abba', ['aabb', 'abcd', 'bbaa', 'dada']) => ['aabb', 'bbaa'] anagrams('racer', ['crazer', 'carer', 'racar', 'caers', 'racer']) => ['carer', 'racer'] anagrams('laser', ['lazing', 'lazy', 'lacer']) => [] """ def is_anagram(subject, words): for word in words: anagram = True tmp = subject if len(word) == 1: # if given word is a letter than subject must also be a letter if len(subject) != 1: yield {'word':word,'is_anagram':False} continue for char in word: if char in tmp: tmp = tmp[:tmp.index(char)] + tmp[tmp.index(char) + 1:] else: anagram = False break yield {'word':word,'is_anagram':anagram} def execute(word, words): g = is_anagram(word, words) r = [] for col in g: if True == col['is_anagram']: r.append(col['word']) return r
#This program shows how many birds there are in each state. def texas() -> None: '''function output how many birds Texas has''' bird = 5000 print("Texas has", bird, "birds") def california() -> None: '''function output how many birds California has''' bird = 8000 print("California has", bird, "birds") def main(): texas() california() if __name__=="__main__": main() # case 1 # Texas has 5000 birds # California has 8000 birds # case 2 # Texas has 8000 birds # California has 5000 birds # case 3 # Texas has -5000 birds # California has -8000 birds # case 4 # Texas has 0 birds # California has 0 birds # case 5 # Texas has 1000 birds # California has -1000 birds
# Figure A.6 ZIGZAG = ( 0, 1, 5, 6, 14, 15, 27, 28, 2, 4, 7, 13, 16, 26, 29, 42, 3, 8, 12, 17, 25, 30, 41, 43, 9, 11, 18, 24, 31, 40, 44, 53, 10, 19, 23, 32, 39, 45, 52, 54, 20, 22, 33, 38, 46, 51, 55, 60, 21, 34, 37, 47, 50, 56, 59, 61, 35, 36, 48, 49, 57, 58, 62, 63 )
""" 给定两个字符串 s 和 t ,编写一个函数来判断 t 是否是 s 的字母异位词。 示例 1: 输入: s = "anagram", t = "nagaram" 输出: true 示例 2: 输入: s = "rat", t = "car" 输出: false 来源:力扣(LeetCode) 链接:https://leetcode-cn.com/problems/valid-anagram 著作权归领扣网络所有。商业转载请联系官方授权,非商业转载请注明出处。 """ class Solution: def isAnagram(self, s, t): dict_s = {} dict_t = {} if len(s) != len(t): return False for alpha in s: if alpha in dict_s: dict_s[alpha] += 1 else: dict_s[alpha] = 1 for alpha in t: if alpha in dict_t: dict_t[alpha] += 1 else: dict_t[alpha] = 1 for key, value in dict_s.items(): if key in dict_t and dict_s[key] == dict_t[key]: continue else: return False return True
class Person: def __init__(self, name: Name): self.name = name def test_barry_is_harry(): harry = Person(Name("Harry", "Percival")) barry = harry barry.name = Name("Barry", "Percival") assert harry is barry and barry is harry
def eh_par(n): if n < 2: return '' if n % 2 != 0: n -= 1 print(n) return eh_par(n-2) x = int(input()) print(eh_par(x))
# -*- coding: utf-8 -*- __author__ ='Charles Keith Brown' __email__ = '[email protected]' __version__ = '0.1.1'
# Definition for singly-linked list. # class ListNode(object): # def __init__(self, val=0, next=None): # self.val = val # self.next = next class Solution(object): def lengthOfLongestSubstring(self, s): """ :type s: str :rtype: int """ seen = {} begin_ptr = 0 max_len = 0 for i,v in enumerate(s): last_seen = seen.get(v, None) if last_seen != None and last_seen >= begin_ptr: begin_ptr = seen.get(v) + 1 cur_len = i - begin_ptr + 1 if max_len < cur_len: max_len = cur_len seen[v]=i # save the latest index for this letter return max_len # note: # -- did not see to reset beginning index after first sighting # -- did not try no duplicate letters # -- need to try simple cases first, then go to advanced.
WOQL_IDGEN_JSON = { "@type": "woql:IDGenerator", "woql:base": { "@type": "woql:Datatype", "woql:datatype": {"@type": "xsd:string", "@value": "doc:Station"}, }, "woql:key_list": { "@type": "woql:Array", "woql:array_element": [ { "@type": "woql:ArrayElement", "woql:index": {"@type": "xsd:nonNegativeInteger", "@value": 1 - 1}, "woql:variable_name": {"@type": "xsd:string", "@value": "Start_ID"}, } ], }, "woql:uri": { "@type": "woql:Variable", "woql:variable_name": {"@type": "xsd:string", "@value": "Start_Station_URL"}, }, }
# # @lc app=leetcode.cn id=1632 lang=python3 # # [1632] number-of-good-ways-to-split-a-string # None # @lc code=end
# Copyright 2015 The Chromium Authors. All rights reserved. # Use of this source code is governed by a BSD-style license that can be # found in the LICENSE file. # Path where remote_file_reader should be installed on the device. REMOTE_FILE_READER_DEVICE_PATH = '/data/local/tmp/remote_file_reader' # Path where remote_file_reader is available on Cloud Storage. REMOTE_FILE_READER_CLOUD_PATH = 'gs://mojo/devtools/remote_file_reader'
def setup(): pass def draw(): fill(255, 0, 0) ellipse(mouseX, mouseY, 20, 20)
class ValidationError(Exception): """ Error in validation stage """ pass _CODE_TO_DESCRIPTIONS = { -1: ( 'EINTERNAL', ( 'An internal error has occurred. Please submit a bug report, ' 'detailing the exact circumstances in which this error occurred' ) ), -2: ('EARGS', 'You have passed invalid arguments to this command'), -3: ( 'EAGAIN', ( '(always at the request level) A temporary congestion or server ' 'malfunction prevented your request from being processed. ' 'No data was altered. Retry. Retries must be spaced with ' 'exponential backoff' ) ), -4: ( 'ERATELIMIT', ( 'You have exceeded your command weight per time quota. Please ' 'wait a few seconds, then try again (this should never happen ' 'in sane real-life applications)' ) ), -5: ('EFAILED', 'The upload failed. Please restart it from scratch'), -6: ( 'ETOOMANY', 'Too many concurrent IP addresses are accessing this upload target URL' ), -7: ( 'ERANGE', ( 'The upload file packet is out of range or not starting and ' 'ending on a chunk boundary' ) ), -8: ( 'EEXPIRED', ( 'The upload target URL you are trying to access has expired. ' 'Please request a fresh one' ) ), -9: ('ENOENT', 'Object (typically, node or user) not found'), -10: ('ECIRCULAR', 'Circular linkage attempted'), -11: ( 'EACCESS', 'Access violation (e.g., trying to write to a read-only share)' ), -12: ('EEXIST', 'Trying to create an object that already exists'), -13: ('EINCOMPLETE', 'Trying to access an incomplete resource'), -14: ('EKEY', 'A decryption operation failed (never returned by the API)'), -15: ('ESID', 'Invalid or expired user session, please relogin'), -16: ('EBLOCKED', 'User blocked'), -17: ('EOVERQUOTA', 'Request over quota'), -18: ( 'ETEMPUNAVAIL', 'Resource temporarily not available, please try again later' ), -19: ('ETOOMANYCONNECTIONS', 'many connections on this resource'), -20: ('EWRITE', 'Write failed'), -21: ('EREAD', 'Read failed'), -22: ('EAPPKEY', 'Invalid application key; request not processed'), } class RequestError(Exception): """ Error in API request """ def __init__(self, message): code = message self.code = code code_desc, long_desc = _CODE_TO_DESCRIPTIONS[code] self.message = f'{code_desc}, {long_desc}' def __str__(self): return self.message
#!/usr/bin/env python # -*- coding: utf-8 -*- class CacheDecorator: def __init__(self): self.cache = {} self.func = None def cachedFunc(self, *args): if args not in self.cache: print("Ergebnis berechnet") self.cache[args] = self.func(*args) else: print("Ergebnis geladen") return self.cache[args] def __call__(self, func): self.func = func return self.cachedFunc @CacheDecorator() def fak(n): ergebnis = 1 for i in range(2, n+1): ergebnis *= i return ergebnis print(fak(10)) print(fak(20)) print(fak(20)) print(fak(10))
def MA(series, period=5): """Calculate moving average with period 5 as default """ i = 0 moving_averages = [] while i < len(numbers) - period + 1: this_window = numbers[i: i + period] window_average = sum(this_window) / period moving_averages.append(window_average) i += 1 return moving_averages
""" 1267. 핸드폰 요금 작성자: xCrypt0r 언어: Python 3 사용 메모리: 29,380 KB 소요 시간: 72 ms 해결 날짜: 2020년 9월 26일 """ def main(): input() seconds = list(map(int, input().split())) y, m = 0, 0 for s in seconds: y += s // 30 * 10 + 10 m += s // 60 * 15 + 15 print(f'Y {y}' if y < m else f'M {m}' if y > m else f'Y M {y}') if __name__ == '__main__': main()
#!/usr/bin/env python3 def gen_repr(obj, **kwargs): fields = ', '.join([ f'{key}={value}' for key, value in dict(obj.__dict__, **kwargs).items() ]) return f'{obj.__class__.__name__}({fields})' def __repr__(self): return gen_repr(self)
# -*- coding: utf-8 -*- # # Copyright (c) 2020 Baidu.com, Inc. All Rights Reserved # """ Authors: liyuncong([email protected]) Date: 2020/5/25 14:54 """
# Challenge 58, intermediate # https://www.reddit.com/r/dailyprogrammer/comments/u8jn9/5282012_challenge_58_intermediate/ # Take an input number and return next palindrome # f(808) = 818 # f(999) = 1001 -- need to take char length increases into account # f(2133) = 2222 # what is f(3 ^ 39)? # what is f(7 ^ 100)? # Basic principle: # split number up into halves and make palindrome from 1st half # if new palindrome is <= old number, increase 1st half by 1 and try again # even-length numbers are trivial # odd-length numbers: 1st half includes middle char # Edge cases: # Increasing char length -- 999 to 1001. def p(input_number): # get front half of number if len(str(input_number)) % 2 == 0: # even-length number = str(input_number) front_half = number[:int(len(number) / 2)] # make palindrome using front_half and check if > number new_palindrome = int(front_half + front_half[::-1]) if new_palindrome <= int(number): new_front = str(int(front_half) + 1) # check if 99 99 becomes 100 001 instead of 10001 if len(new_front) > len(str(front_half)): newest_palindrome = int(new_front + new_front[::-1][1:]) return newest_palindrome # return simple inverted palindrome else: newer_palindrome = int(new_front + new_front[::-1]) return newer_palindrome else: return new_palindrome else: # odd length version of above number = str(input_number) front_half = number[:int((len(number) + 1) / 2)] new_palindrome = int(front_half + front_half[::-1][1:]) if new_palindrome <= int(number): new_front = str(int(front_half) + 1) # check if 999 becomes 100 001 instead of 1001: if len(new_front) > len(str(front_half)): new_front = new_front[:-1] newest_palindrome = int(new_front + new_front[::-1]) return newest_palindrome else: newer_palindrome = int(new_front + new_front[::-1][1:]) return newer_palindrome else: return new_palindrome print(p(3 ** 39)) print(p(7 ** 100))
__all__ = [ 'MongoengineMigrateError', 'MigrationGraphError', 'ActionError', 'SchemaError', 'MigrationError', 'InconsistencyError' ] class MongoengineMigrateError(Exception): """Generic error""" class MigrationGraphError(MongoengineMigrateError): """Error related to migration modules names, dependencies, etc.""" class ActionError(MongoengineMigrateError): """Error related to Action itself""" class SchemaError(MongoengineMigrateError): """Error related to schema errors""" class MigrationError(MongoengineMigrateError): """Error which could occur during migration""" class InconsistencyError(MigrationError): """Error which could occur during migration if data inconsistency was detected """
produto1 = float(input("Digite o preço do primeiro produto: ")) produto2 = float(input("Digite o preço do segundo produto: ")) produto3 = float(input("Digite o preço do terceiro produto: ")) if produto1 < produto2 and produto1 < produto3: print("Você deve comprar o produto de R$%3.2f. " % produto1) elif produto2 < produto3 and produto2 < produto1: print ("Você deve comprar o produto de R$%3.2f." % produto2) elif produto3 < produto1 and produto3 < produto2: print("Você deve comprar o produto de R$%3.2f." % produto3)
#!/usr/bin/python # test 1: seed top level, no MIP map command += testtex_command (parent + " -res 256 256 -d uint8 -o out1.tif --testicwrite 1 blah") # test 2: seed top level, automip command += testtex_command (parent + " -res 256 256 -d uint8 -o out2.tif --testicwrite 1 --automip blah") # test 3: procedural MIP map command += testtex_command (parent + " -res 256 256 -d uint8 -o out3.tif --testicwrite 2 blah") # test 4: procedural top level, automip command += testtex_command (parent + " -res 256 256 -d uint8 -o out4.tif --testicwrite 2 --automip blah") outputs = [ "out1.tif", "out2.tif", "out3.tif", "out4.tif" ]
""" Your task is to calculate the number of bit strings of length n. For example, if n=3, the correct answer is 8 because the possible bit strings are 000, 001, 010, 011, 100, 101, 110, and 111. Input The only input line has an integer n. Output Print the result modulo 10^9+7. Constraints 1≤n≤10^6 Example Input: 3 Output: 8 SOLUTION Naive implementation: int(math.pow(2, n) % (1e9 + 7)) The above will throw overflow error (math range error) for large N. To prevent overflow error, apply modulus in each iteration of N. Time O(N) Space O(1) """ def solve(n: int) -> int: mod = 1e9 + 7 res: int = 1 for _ in range(n): res = int(res * 2 % mod) return res if __name__ == "__main__": _n = int(input()) _res: int = solve(_n) print(_res)
# --- internal paths --- # mimic_root_dir = '/cluster/work/grlab/clinical/mimic/MIMIC-III/cdb_1.4/' root_dir = '/cluster/work/grlab/clinical/Inselspital/DataReleases/01-19-2017/InselSpital/' # --- all about mimic --- # source_data = mimic_root_dir + 'source_data/' derived = mimic_root_dir + 'derived_stephanie/' chartevents_path = source_data + 'CHARTEVENTS.csv' labevents_path = source_data + 'LABEVENTS.csv' outputevents_path = source_data + 'OUTPUTEVENTS.csv' inputevents_cv_path = source_data + 'INPUTEVENTS_CV.csv' inputevents_mv_path = source_data + 'INPUTEVENTS_MV.csv' datetimeevents_path = source_data + 'DATETIMEEVENTS.csv' procedureevents_mv_path = source_data + 'PROCEDUREEVENTS_MV.csv' admissions_path = source_data + 'ADMISSIONS.csv' patients_path = source_data + 'PATIENTS.csv' icustays_path = source_data + 'ICUSTAYS.csv' services_path = source_data + 'SERVICES.csv' csv_folder = derived + 'derived_csvs/' # --- all about our data on leomed --- # validation_dir = root_dir + 'external_validation/' misc_dir = root_dir + 'misc_derived/stephanie/' vis_dir = validation_dir + 'vis/' D_ITEMS_path = validation_dir + 'ref_lists/D_ITEMS.csv' D_LABITEMS_path = validation_dir + 'ref_lists/D_LABITEMS.csv' GDOC_path = validation_dir + 'ref_lists/mimic_vars.csv' chunks_file = validation_dir + 'chunks.csv' csvs_dir = validation_dir + 'csvs/' hdf5_dir = validation_dir + 'hdf5/' # mimic is always reduced merged_dir = validation_dir + 'merged/' endpoints_dir = validation_dir + 'endpoints/' predictions_dir = validation_dir + 'predictions/' id2string = root_dir + 'misc_derived/visualisation/id2string_v6.npy' mid2string = root_dir + 'misc_derived/visualisation/mid2string_v6.npy'
"""Functionality related to interactions between DIT and companies.""" INTERACTION_EMAIL_INGESTION_FEATURE_FLAG_NAME = 'interaction-email-ingestion' INTERACTION_EMAIL_NOTIFICATION_FEATURE_FLAG_NAME = 'interaction-email-notification' MAILBOX_INGESTION_FEATURE_FLAG_NAME = 'mailbox-ingestion' MAILBOX_NOTIFICATION_FEATURE_FLAG_NAME = 'mailbox-notification'
class CompositorNodeZcombine: use_alpha = None use_antialias_z = None def update(self): pass
def tetra(n): t = (n * (n + 1) * (n + 2)) / 6 return t print(tetra(5))
class Platform(object): def __init__(self, id=None, name=None, slug=None, napalm_driver=None, rpc_client=None): self.id = id self.name = name self.slug = slug self.napalm_driver = napalm_driver self.rpc_client = rpc_client @classmethod def from_dict(cls, contents): if contents is None: return cls() return cls(**contents)
class Solution(object): def combine(self, n, k): ans = [] def dfs(list_start, list_end, k, start, depth, curr, ans): if depth == k: ans.append(curr[::]) for i in range(start, list_end): curr.append(list_start+i) dfs(list_start, list_end, k, i+1, depth+1, curr, ans) curr.pop() # backtrack dfs(1,n, k, 0, 0, [], ans ) return ans abc = Solution() print (abc.combine(4,3))
def getDimensions(tf): X = tf.constant([1, 0]) Y = tf.constant([0, 1]) BOTH = tf.constant([1, 1]) return X, Y, BOTH def compute_centroid(tf, points): # points {[2, ?]} tensor of float_64 """Computes the centroid of the points.""" return tf.reduce_mean(points, 0) def move_to_center(tf, points, centroid=None): # points {[2, ?]} tensor of float_64 "moves the list of points to the origin" center_points = centroid if centroid is None: center_points = compute_centroid(tf, points) return points - center_points def rotate(tf, points, theta): # points {[2, ?]} tensor of float_64 # theta a tensor containing an angle top = tf.pack([tf.cos(theta), -tf.sin(theta)]) bottom = tf.pack([tf.sin(theta), tf.cos(theta)]) rotation_matrix = tf.pack([top, bottom]) return tf.matmul(points, rotation_matrix, name="rotate_matrices") def rotate_around_center(tf, points, theta): centroid = compute_centroid(tf, points) return rotate(tf, (points - centroid), theta) + centroid def create_mult_func(tf, amount, list): def f1(): return tf.scalar_mul(amount, list) return f1 def create_no_op_func(tensor): def f1(): return tensor return f1 def callForEachDimension(tf, points, dim, callback): """dim is which dimenision is active (currently only 2 x, y) callback is a function that takes in the list of points in the x or y dim and returns function that returns a list of of values""" yes = tf.constant(1) x_list, y_list = tf.split(1, 2, points) x_dim, y_dim = tf.split(0, 2, dim) is_dim_X = tf.reduce_all(tf.equal(x_dim, yes, name="is_dim_x")) is_dim_Y = tf.reduce_all(tf.equal(y_dim, yes, name="is_dim_Y")) x_list_dimed = tf.cond(is_dim_X, callback(tf, x_list, 0), create_no_op_func(x_list)) y_list_dimed = tf.cond(is_dim_Y, callback(tf, y_list, 1), create_no_op_func(y_list)) return tf.concat(1, [x_list_dimed, y_list_dimed]) def create_stretch(amount): def f1(tf, points, dim_called): return create_mult_func(tf, amount, points) return f1 def stretch(tf, points, dim, amount): """points is a 2 by ??? tensor, dim is a 1 by 2 tensor, amount is tensor scalor""" return callForEachDimension(tf, points, dim, create_stretch(amount)) def stretch_around_center(tf, points, dim, amount): """Stretches the points around their center""" centroid = compute_centroid(tf, points) return stretch(tf, points- centroid, dim, amount) + centroid def flip(tf, points, mirror_point, flip_type): """points is a 2 by ??? tensor, dim is a 1 by 2 tensor, amount is tensor scalor""" temp_point = mirror_point - points return points + (2 * temp_point) def compute_flip_point(tf, centroid): two = tf.constant(2.) x, y = tf.split(0, 2, centroid) x_rand = tf.random_normal([], mean=x, stddev=tf.maximum(two, (x - tf.sqrt(x)))) y_rand = tf.random_normal([], mean=y, stddev=tf.maximum(two, (y - tf.sqrt(y)))) return tf.concat(0, [x_rand, y_rand]) def flip_around_center(tf, points, flip_type): """flip the points around their center""" centroid = compute_centroid(tf, points) flipPoint = compute_flip_point(tf, centroid) flipped_points = flip(tf, points, flipPoint, flip_type) flipped_center = compute_centroid(tf, flipped_points) offset = centroid - flipped_center return flipped_points + offset #return offset def create_shear_array(original_tensor, amount): def set_shear(tf, shear_line, dim_called): indices = [[1 - dim_called, 0]] # the of coordinate to update. values = tf.reshape(amount, [1]) # A list of values corresponding to the respective # coordinate in indices. def f1(): shape = tf.shape(shear_line) # The shape of the corresponding dense tensor, same as `c`. shape = tf.to_int64(shape) delta = tf.SparseTensor(indices, values, shape) denseDelta = tf.sparse_tensor_to_dense(delta) combined_shear = denseDelta + shear_line return combined_shear return f1 return set_shear def shear_around_center(tf, points, flip_type, amount): """shear the points around their center""" centroid = compute_centroid(tf, points) shear = tf.constant([[1., 0.], [0., 1.]]) shear = callForEachDimension(tf, shear, flip_type, create_shear_array(shear, amount)) shear = tf.Print(shear, [shear], "resulting shear array") result = tf.matmul(points, shear) sheared_center = compute_centroid(tf, result) offset = centroid - sheared_center return result + offset return offset def create_min_func(tf, list, dim): def f1(): return tf.reshape(tf.reduce_min(list), shape=[1,1]) return f1 def create_max_func(tf, list, dim): def f1(): return tf.reshape(tf.reduce_max(list), shape=[1,1]) return f1 def compute_extremes(tf, points): """Returns extreme points min list = extremes[0] max list = extremes[1] minxX = extremes[0][0] maxY = extremes[1][1]""" X, Y, BOTH = getDimensions(tf) minValues = callForEachDimension(tf, points, BOTH, create_min_func) maxValues = callForEachDimension(tf, points, BOTH, create_max_func) return tf.concat(0, [minValues, maxValues])
# -*- coding: utf-8 -*- qte = int(input()) lista = {} for i in range(qte): v = int(input()) if(v in lista): lista[v] += 1 else: lista[v] = 1 chaves = lista.keys() chaves = sorted(chaves) for k in chaves: print("{} aparece {} vez(es)".format(k,lista[k]))
ES_HOST = 'localhost:9200' ES_INDEX = 'pending-mrcoc' ES_DOC_TYPE = 'cooccurence' API_PREFIX = 'mrcoc' API_VERSION = ''
# programa que recebe login e senha do usuário, e visa impedir que o nome do usuário seja utilizado como senha login = str(input('Nome do usuário: ')).strip senha = str(input('Senha: ')).strip while senha == login: print('ERRO! \nDigite uma senha diferente do seu nome de usuário.') login = str(input('Nome do usuário: ')).strip senha = str(input('Senha: ')).strip # fim do programa
DEBUG = True SECRET_KEY = 'no' SQLALCHEMY_DATABASE_URI = 'sqlite:///master.sqlite3' CELERY_BROKER_URL = 'amqp://guest:guest@localhost:5672//' GITHUB_CLIENT_ID = 'da79a6b5868e690ab984' GITHUB_CLIENT_SECRET = '1701d3bd20bbb29012592fd3a9c64b827e0682d6' ALLOWED_EXTENSIONS = set(['csv', 'tsv', 'ods', 'xls', 'xlsx', 'txt'])
dict = {'a': 1, 'b': 2} list = [1,2,3] str = 'hh' num = 123 num2 = 0.4 class Test: def test(self): print("gg") t = Test() print(type(dict)) print(type(list)) print(type(str)) print(type(num)) print(type(num2)) print(type(Test)) print(type(t))
# -*- coding: utf-8 -*- description = "Denex detector setup" group = "optional" includes = ["det_common"] excludes = ["det2"] tango_base = "tango://phys.maria.frm2:10000/maria/" devices = dict( detimg = device("nicos.devices.tango.ImageChannel", description = "Denex detector image", tangodevice = tango_base + "fastcomtec/detector", fmtstr = "%d cts", unit = "", lowlevel = True, ), det = device("nicos_mlz.maria.devices.detector.MariaDetector", description = "Denex detector", shutter = "shutter", timers = ["timer"], monitors = ["mon0", "mon1"], images = ["detimg"], counters = ["roi1", "roi2", "roi3", "roi4", "roi5", "roi6", "full"], postprocess = [ ("roi1", "detimg", "timer"), ("roi2", "detimg", "timer"), ("roi3", "detimg", "timer"), ("roi4", "detimg", "timer"), ("roi5", "detimg", "timer"), ("roi6", "detimg", "timer"), ("full", "detimg", "timer"), ], liveinterval = 1., ), ) startupcode = "SetDetectors(det)"
""" the only requirements of a CAPTCHA module is that it's generate function returns a tuple of (challenge, solution) strings and that it takes one argument -- the modifiers (if there are any) the challenge string should be a data URI https://developer.mozilla.org/en-US/docs/Web/HTTP/Basics_of_HTTP/Data_URIs prototypical implementation below: """ def generate(mod): return ("data:,lol", "swej")
class Solution: chars = [None, None, "abc", "def", "ghi", "jkl", "mno", "pqrs", "tuv", "wxyz"] def letterCombinations(self, digits): """ :type digits: str :rtype: List[str] """ if len(digits) == 0: return [] if len(digits) == 1: return list(self.chars[int(digits)]) cs, co = self.chars[int(digits[0])], self.letterCombinations(digits[1:]) return [x + y for x in cs for y in co] if __name__ == '__main__': print(Solution().letterCombinations("2")) print(Solution().letterCombinations("234"))
#week 4 chapter 8 - Lists #data structures - a particular way of organizing data in a computer #list is a sequence of values, the values can be any type (strings, integer, floats ...) #values in list are called elements or sometimes items #create list by enclosing elements with square brackets: [0,3,2,500,"hello"] #a list in another list is called nested: [0, "slsd", [0,2]] #create empty list: [] """ cheeses = ["Gouda", "Cheddar", "Edam"] numbers = [2, 17] empty = [] print(cheeses, numbers, empty) print(cheeses[2]) """ #unlike strings, lists are mutable (changeable) because the order of items in a list can be changed or reassigned """ numbers=[0,1,2] print(numbers) numbers[1] = 3 print(numbers) """ #a list is a relationship between indices and elements which is called "mapping" #if an index has a negative value it counts backwards from the end of the list """ numbers=[0,1,2] print(numbers) numbers[-1] = 3 print(numbers) """ #"in" operator also works on lists """ cheeses = ["Gouda", "Cheddar", "Edam"] check = "Gouda" in cheeses print(check) """ #traversing a list """ cheeses = ["Gouda", "Cheddar", "Edam"] for cheese in cheeses: print(cheese) """ #for updating the elements the indices needed, this is often done with # "range" and "len"; range(4) gives the list [0,1,2,3] """ numbers=[0,1,2] for i in range(len(numbers)): numbers[i] = numbers[i] * 2 print(numbers) """ #a nested list still counts as a single list #list operations #+ : concatenates lists #* : repeats a list a given number of times #the slice operator ":" also works on lists """ t=["a", "b", "c", "d", "e", "f", "g", "h"] print(t[1:3]) print(t[3:]) print(t[:]) """ #a slice operator on the left side can update multiple elements """ t=["a", "b", "c", "d", "e", "f", "g", "h"] t[1:3] = ["x","y"] print(t) """ #"extends" appends on list to another """ t1=["a", "b"] t2=["c", "d"] t1.extend(t2) #only t1 is extended print("t1: ", t1) print("t2: ", t2) """ #sorting the elements from low to high .sort() """ t=["y", "q", "a", "h", "z", "b"] t.sort() print(t) """ #deleting list elements """ t=["y", "q", "a", "h", "z", "b"] x = t.pop(1) #pop has a return value print(t) print(x) """ #if the deleted value is not needed use "del" as it returns None """ t=["y", "q", "a", "h", "z", "b"] del t[1] #remove single element del t[1:3] #remove multiple elements print(t) """ #remove an element using the elements name instead of its index """ t=["y", "q", "a", "h", "z", "b"] t.remove("y") print(t) """ #building a list from scratch """ stuff=list() stuff.append("book") stuff.append(99) print(stuff) """ #-----------strings and lists #split a string """ abc="with three words" stuff = abc.split() print(stuff) for word in stuff: print(word) """ #convert string to list with list() """ string="spam" t=list(string) print(t) """ #when you do not use a delimiter for split() it just looks for spaces #give a delimiter as argument such as ";" """ line="first;second;third" thing=line.split(";") print(thing) """ #book chapter 8 - exercise 1 #Exercise 1: Write a function called "chop" that takes a list and modifies # it, removing the first and last elements, and returns None. Then write # a function called "middle" that takes a list and returns a new list # that contains all but the first and last elements. """ t=[1,2,3] def chop(t): del t[0] last = len(t) - 1 del t[last] return None def middle(t): last = len(t) - 1 return t[1:last] #chop(t) x=middle(t) print(x) """ #book chapter 8 - exercise 6 #Exercise 6: Rewrite the program that prompts the user for a list of # numbers and prints out the maximum and minimum of the numbers at the end # when the user enters “done”. Write the program to store the numbers the # user enters in a list and use the max() and min() functions to compute # the maximum and minimum numbers after the loop completes. # Enter a number: 6 # Enter a number: 2 # Enter a number: 9 # Enter a number: 3 # Enter a number: 5 # Enter a number: done # Maximum: 9.0 # Minimum: 2.0 lst = list() while True: number = input("Enter a number: ") try: num = float(number) lst.append(num) except: if number == "done": break else: print("%s is not a number" %number) print("Maximum: ", max(lst)) print("Minimum: ", min(lst))
n = int(input()) a = list(map(int, input().split(" "))) a.sort() for i in range(1, len(a)): a[i] += a[i - 1] print(sum(a))
# arr[i] may be present at arr[i+1] or arr[i-1]. # TC: O(log(N)) | SC: O(1) def search(nums, key): start = 0 end = len(nums)-1 while start <= end: mid = start+((end-start)//2) if nums[mid] == key: return mid if mid < len(nums)-1 and nums[mid+1] == key: return mid+1 if mid > 0 and nums[mid-1] == key: return mid-1 if nums[mid] < key: start = mid+2 else: end = mid-2 return -1 if __name__ == '__main__': arr = [10, 3, 40, 20, 50, 80, 70] print(search(arr, 40)) print(search(arr, 10)) print(search(arr, 70)) print(search(arr, 90))
expected_output = { "version": { "bootldr": "System Bootstrap, Version 17.5.2r, RELEASE SOFTWARE (P)", "build_label": "BLD_POLARIS_DEV_LATEST_20210302_012043", "chassis": "C9300-24P", "chassis_sn": "FCW2223G0B9", "compiled_by": "mcpre", "compiled_date": "Tue 02-Mar-21 00:07", "copyright_years": "1986-2021", "location": "Bengaluru", "curr_config_register": "0x102", "disks": { "crashinfo:.": { "disk_size": "1638400", "type_of_disk": "Crash Files" }, "flash:.": { "disk_size": "11264000", "type_of_disk": "Flash" } }, "hostname": "ssr-cat9300", "image_id": "CAT9K_IOSXE", "image_type": "developer image", "label": "[S2C-build-polaris_dev-BLD_POLARIS_DEV_LATEST_20210302_012043-/nobackup/mcpre/B 149]", "last_reload_reason": "Reload Command", "air_license_level": "AIR DNA Advantage", "license_package": { "dna-advantage": { "license_level": "dna-advantage", "license_type": "Subscription Smart License", "next_reload_license_level": "dna-advantage" }, "network-advantage": { "license_level": "network-advantage", "license_type": "Smart License", "next_reload_license_level": "network-advantage" } }, "main_mem": "1333273", "mem_size": { "non-volatile configuration": "2048", "physical": "8388608" }, "next_reload_air_license_level": "AIR DNA Advantage", "number_of_intfs": { "Forty Gigabit Ethernet": "2", "Gigabit Ethernet": "28", "Ten Gigabit Ethernet": "8", "TwentyFive Gigabit Ethernet": "2", "Virtual Ethernet": "1" }, "os": "IOS-XE", "platform": "Catalyst L3 Switch", "processor_type": "X86", "returned_to_rom_by": "Reload Command", "rom": "IOS-XE ROMMON", "rtr_type": "C9300-24P", "switch_num": { "1": { "active": True, "mac_address": "00:b6:70:ff:06:5e", "mb_assembly_num": "73-18271-03", "mb_rev_num": "A0", "mb_sn": "FOC22221AD2", "mode": "BUNDLE", "model": "C9300-24P", "model_num": "C9300-24P", "model_rev_num": "A0", "ports": "41", "sw_image": "CAT9K_IOSXE", "sw_ver": "17.06.01", "system_sn": "FCW2223G0B9", "uptime": "20 minutes" } }, "system_image": "flash:cat9k_iosxe.BLD_POLARIS_DEV_LATEST_20210302_012043.SSA.bin", "uptime": "19 minutes", "uptime_this_cp": "20 minutes", "version": "17.6.20210302:012459", "version_short": "17.6", "xe_version": "BLD_POLARIS_DEV_LATEST_20210302_012043" } }
user_number = input("Please enter your digit : ") total = 0 for i in range(1, 5): number = user_number * i total = total + int(number) print(total)
primary_separator = '\n' secondary_separator = ',' default_filename_classification = 'tests/test_classification.data' dafault_filename_regression = 'tests/test_regression.data' def load_data(data, isfile=True): if isfile: with open(data) as data_file: data_set = data_file.read() else: data_set = data data_set = data_set.split(primary_separator) data_set = [x.split(secondary_separator) for x in data_set] features = [[float(x) for x in [*y[:-1]]] for y in data_set] labels = [float(x[-1]) for x in data_set] return features, labels
def getColors(color): colors=set() if color not in inverseRules.keys(): return colors for c in inverseRules[color]: colors.add(c) colors.update(getColors(c)) return(colors) with open('day7/input.txt') as f: rules=dict([l.split(' contain') for l in f.read().replace(' bags', '').replace(' bag', '').replace('.', '').replace(' no other', '0 ').splitlines()]) for key in rules: rules[key]=[d[2:].strip() for d in rules[key].split(', ')] inverseRules=dict() #key is contained directly by value for key in rules: for color in rules[key]: if color not in inverseRules.keys(): inverseRules[color]=[key] else: inverseRules[color].append(key) print(len(getColors('shiny gold')))
# fig06_01.py """Using a dictionary to represent an instructor's grade book.""" grade_book = { 'Susan' : [92,85,100], 'Eduardo' : [83,95,79], 'Azizi': [91,89,82], 'Pantipa': [97,91,92] } all_grades_total = 0 all_grades_count = 0 for name, grades in grade_book.items(): total = sum(grades) print(f'Average for {name} is {total/len(grades):.2f}') all_grades_total += total all_grades_count += len(grades) print(f"Class's average is: {all_grades_total/all_grades_count:.2f}")
# # PySNMP MIB module OMNI-gx2Dm200-MIB (http://snmplabs.com/pysmi) # ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/OMNI-gx2Dm200-MIB # Produced by pysmi-0.3.4 at Wed May 1 14:33:11 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") SingleValueConstraint, ValueSizeConstraint, ValueRangeConstraint, ConstraintsIntersection, ConstraintsUnion = mibBuilder.importSymbols("ASN1-REFINEMENT", "SingleValueConstraint", "ValueSizeConstraint", "ValueRangeConstraint", "ConstraintsIntersection", "ConstraintsUnion") gx2Dm200, = mibBuilder.importSymbols("GX2HFC-MIB", "gx2Dm200") trapChangedObjectId, trapNETrapLastTrapTimeStamp, trapNetworkElemSerialNum, trapNetworkElemModelNumber, trapNetworkElemAdminState, trapNetworkElemAlarmStatus, trapPerceivedSeverity, trapNetworkElemAvailStatus, trapChangedValueDisplayString, trapChangedValueInteger, trapIdentifier, trapText, trapNetworkElemOperState = mibBuilder.importSymbols("NLSBBN-TRAPS-MIB", "trapChangedObjectId", "trapNETrapLastTrapTimeStamp", "trapNetworkElemSerialNum", "trapNetworkElemModelNumber", "trapNetworkElemAdminState", "trapNetworkElemAlarmStatus", "trapPerceivedSeverity", "trapNetworkElemAvailStatus", "trapChangedValueDisplayString", "trapChangedValueInteger", "trapIdentifier", "trapText", "trapNetworkElemOperState") NotificationGroup, ModuleCompliance = mibBuilder.importSymbols("SNMPv2-CONF", "NotificationGroup", "ModuleCompliance") NotificationType, iso, ObjectIdentity, IpAddress, Integer32, Unsigned32, Gauge32, ModuleIdentity, NotificationType, MibScalar, MibTable, MibTableRow, MibTableColumn, Counter32, Bits, MibIdentifier, Counter64, TimeTicks = mibBuilder.importSymbols("SNMPv2-SMI", "NotificationType", "iso", "ObjectIdentity", "IpAddress", "Integer32", "Unsigned32", "Gauge32", "ModuleIdentity", "NotificationType", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "Counter32", "Bits", "MibIdentifier", "Counter64", "TimeTicks") TextualConvention, DisplayString = mibBuilder.importSymbols("SNMPv2-TC", "TextualConvention", "DisplayString") class Float(Counter32): pass gx2Dm200Descriptor = MibIdentifier((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 1)) gx2Dm200AnalogTable = MibTable((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2), ) if mibBuilder.loadTexts: gx2Dm200AnalogTable.setStatus('mandatory') if mibBuilder.loadTexts: gx2Dm200AnalogTable.setDescription('This table contains gx2Dm200 specific parameters with nominal and current values.') gx2Dm200AnalogEntry = MibTableRow((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1), ).setIndexNames((0, "OMNI-gx2Dm200-MIB", "gx2Dm200AnalogTableIndex")) if mibBuilder.loadTexts: gx2Dm200AnalogEntry.setStatus('mandatory') if mibBuilder.loadTexts: gx2Dm200AnalogEntry.setDescription('This list contains the analog parameters and descriptions.') gx2Dm200DigitalTable = MibTable((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 3), ) if mibBuilder.loadTexts: gx2Dm200DigitalTable.setStatus('mandatory') if mibBuilder.loadTexts: gx2Dm200DigitalTable.setDescription('This table contains gx2Dm200m specific parameters with nominal and current values.') gx2Dm200DigitalEntry = MibTableRow((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 3, 2), ).setIndexNames((0, "OMNI-gx2Dm200-MIB", "gx2Dm200DigitalTableIndex")) if mibBuilder.loadTexts: gx2Dm200DigitalEntry.setStatus('mandatory') if mibBuilder.loadTexts: gx2Dm200DigitalEntry.setDescription('This list contains digital parameters and descriptions.') gx2Dm200StatusTable = MibTable((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 4), ) if mibBuilder.loadTexts: gx2Dm200StatusTable.setStatus('mandatory') if mibBuilder.loadTexts: gx2Dm200StatusTable.setDescription('This table contains gx2Dm200 specific parameters with nominal and current values.') gx2Dm200StatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 4, 3), ).setIndexNames((0, "OMNI-gx2Dm200-MIB", "gx2Dm200StatusTableIndex")) if mibBuilder.loadTexts: gx2Dm200StatusEntry.setStatus('mandatory') if mibBuilder.loadTexts: gx2Dm200StatusEntry.setDescription('This list contains Status parameters and descriptions.') gx2Dm200FactoryTable = MibTable((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 5), ) if mibBuilder.loadTexts: gx2Dm200FactoryTable.setStatus('mandatory') if mibBuilder.loadTexts: gx2Dm200FactoryTable.setDescription('This table contains gx2Dm200 specific parameters with nominal and current values.') gx2Dm200FactoryEntry = MibTableRow((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 5, 4), ).setIndexNames((0, "OMNI-gx2Dm200-MIB", "gx2Dm200FactoryTableIndex")) if mibBuilder.loadTexts: gx2Dm200FactoryEntry.setStatus('mandatory') if mibBuilder.loadTexts: gx2Dm200FactoryEntry.setDescription('This list contains Factory parameters and descriptions.') gx2Dm200AnalogTableIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2147483647))).setMaxAccess("readonly") if mibBuilder.loadTexts: gx2Dm200AnalogTableIndex.setStatus('mandatory') if mibBuilder.loadTexts: gx2Dm200AnalogTableIndex.setDescription('The value of this object identifies the network element. This index is equal to the hfcCommonTableIndex for the same element.') dm200labelOffsetNomMonitor = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 2), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: dm200labelOffsetNomMonitor.setStatus('optional') if mibBuilder.loadTexts: dm200labelOffsetNomMonitor.setDescription('The value of this object provides the label of the Offset Monitor Analog parameter.') dm200uomOffsetNomMonitor = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 3), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: dm200uomOffsetNomMonitor.setStatus('optional') if mibBuilder.loadTexts: dm200uomOffsetNomMonitor.setDescription('The value of this object provides the Unit of Measure of the Offset Monitor Analog parameter. The unit of measure for this parameter is dB') dm200majorHighOffsetNomMonitor = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 4), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: dm200majorHighOffsetNomMonitor.setStatus('obsolete') if mibBuilder.loadTexts: dm200majorHighOffsetNomMonitor.setDescription('The value of this object provides the Major High alarm value of the Offset Monitor Analog parameter. This object is not used by this module and always returns invalid float value of 0xFFFFFFFF . This object is kept here for persistence.') dm200majorLowOffsetNomMonitor = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 5), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: dm200majorLowOffsetNomMonitor.setStatus('obsolete') if mibBuilder.loadTexts: dm200majorLowOffsetNomMonitor.setDescription('The value of this object provides the Major Low alarm value of the Offset Monitor Power Analog parameter. This object is not used by this module and always returns invalid float value of 0xFFFFFFFF . This object is kept here for persistence.') dm200minorHighOffsetNomMonitor = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 6), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: dm200minorHighOffsetNomMonitor.setStatus('obsolete') if mibBuilder.loadTexts: dm200minorHighOffsetNomMonitor.setDescription('The value of this object provides the Minor High alarm value of the Offset Monitor Power Analog parameter. This object is not used by this module and always returns invalid float value of 0xFFFFFFFF . This object is kept here for persistence.') dm200minorLowOffsetNomMonitor = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 7), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: dm200minorLowOffsetNomMonitor.setStatus('obsolete') if mibBuilder.loadTexts: dm200minorLowOffsetNomMonitor.setDescription('The value of this object provides the Minor Low alarm value of the Offset Monitor Power Analog parameter. This object is not used by this module and always returns invalid float value of 0xFFFFFFFF . This object is kept here for persistence.') dm200currentValueOffsetNomMonitor = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 8), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: dm200currentValueOffsetNomMonitor.setStatus('mandatory') if mibBuilder.loadTexts: dm200currentValueOffsetNomMonitor.setDescription('The value of this object provides the Current value of the Offset Monitor Power Analog parameter.') dm200stateFlagOffsetNomMonitor = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 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: dm200stateFlagOffsetNomMonitor.setStatus('mandatory') if mibBuilder.loadTexts: dm200stateFlagOffsetNomMonitor.setDescription('The value of this object provides the state of the Offset Monitor Power Analog parameter. (1-hidden 2-read-only, 3-updateable).') dm200minValueOffsetNomMonitor = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 10), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: dm200minValueOffsetNomMonitor.setStatus('mandatory') if mibBuilder.loadTexts: dm200minValueOffsetNomMonitor.setDescription('The value of this object provides the minimum value the Offset Monitor Power Analog parameter can achive.') dm200maxValueOffsetNomMonitor = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 11), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: dm200maxValueOffsetNomMonitor.setStatus('mandatory') if mibBuilder.loadTexts: dm200maxValueOffsetNomMonitor.setDescription('The value of this object provides the maximum value the Offset Monitor Power Analog parameter can achive.') dm200alarmStateOffsetNomMonitor = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 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: dm200alarmStateOffsetNomMonitor.setStatus('mandatory') if mibBuilder.loadTexts: dm200alarmStateOffsetNomMonitor.setDescription('The value of this object provides the curent alarm state of the Offset Monitor Power Analog parameter.') dm200labelAttenSetting = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 13), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: dm200labelAttenSetting.setStatus('optional') if mibBuilder.loadTexts: dm200labelAttenSetting.setDescription('The value of this object provides the label of the Attenuator Setting Current Analog parameter.') dm200uomAttenSetting = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 14), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: dm200uomAttenSetting.setStatus('optional') if mibBuilder.loadTexts: dm200uomAttenSetting.setDescription('The value of this object provides the Unit of Measure of the Attenuator Setting Analog parameter. The unit of measure for this parameter is dB') dm200majorHighAttenSetting = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 15), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: dm200majorHighAttenSetting.setStatus('obsolete') if mibBuilder.loadTexts: dm200majorHighAttenSetting.setDescription('The value of this object provides the Major High alarm value of the Attenuator Setting Analog parameter. This object is not used by this module and always returns invalid float value of 0xFFFFFFFF . This object is kept here for persistence.') dm200majorLowAttenSetting = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 16), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: dm200majorLowAttenSetting.setStatus('obsolete') if mibBuilder.loadTexts: dm200majorLowAttenSetting.setDescription('The value of this object provides the Major Low alarm value of the Attenuator Setting Analog parameter. This object is not used by this module and always returns invalid float value of 0xFFFFFFFF . This object is kept here for persistence.') dm200minorHighAttenSetting = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 17), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: dm200minorHighAttenSetting.setStatus('obsolete') if mibBuilder.loadTexts: dm200minorHighAttenSetting.setDescription('The value of this object provides the Minor High alarm value of the Attenuator Setting Analog parameter. This object is not used by this module and always returns invalid float value of 0xFFFFFFFF . This object is kept here for persistence.') dm200minorLowAttenSetting = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 18), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: dm200minorLowAttenSetting.setStatus('obsolete') if mibBuilder.loadTexts: dm200minorLowAttenSetting.setDescription('The value of this object provides the Minor Low alarm value of the Attenuator Setting Analog parameter. This object is not used by this module and always returns invalid float value of 0xFFFFFFFF . This object is kept here for persistence.') dm200currentValueAttenSetting = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 19), Float()).setMaxAccess("readwrite") if mibBuilder.loadTexts: dm200currentValueAttenSetting.setStatus('mandatory') if mibBuilder.loadTexts: dm200currentValueAttenSetting.setDescription('The value of this object provides the Current value of the Attenuator Setting Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') dm200stateFlagAttenSetting = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 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: dm200stateFlagAttenSetting.setStatus('mandatory') if mibBuilder.loadTexts: dm200stateFlagAttenSetting.setDescription('The value of this object provides the state of the Attenuator Setting Analog parameter. (1-hidden 2-read-only, 3-updateable).') dm200minValueAttenSetting = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 21), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: dm200minValueAttenSetting.setStatus('mandatory') if mibBuilder.loadTexts: dm200minValueAttenSetting.setDescription('The value of this object provides the minimum value the Attenuator Setting Analog parameter can achive. This value is a floating point number that is represented as an IEEE 32 bit number.') dm200maxValueAttenSetting = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 22), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: dm200maxValueAttenSetting.setStatus('mandatory') if mibBuilder.loadTexts: dm200maxValueAttenSetting.setDescription('The value of this object provides the maximum value the Attenuator Setting Analog parameter can achive. This value is a floating point number that is represented as an IEEE 32 bit number.') dm200alarmStateAttenSetting = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 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: dm200alarmStateAttenSetting.setStatus('mandatory') if mibBuilder.loadTexts: dm200alarmStateAttenSetting.setDescription('The value of this object provides the curent alarm state of the Attenuator Setting Analog parameter.') dm200labelLaserPower = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 24), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: dm200labelLaserPower.setStatus('optional') if mibBuilder.loadTexts: dm200labelLaserPower.setDescription('The value of this object provides the label of the Laser Optical Power Analog parameter.') dm200uomLaserPower = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 25), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: dm200uomLaserPower.setStatus('optional') if mibBuilder.loadTexts: dm200uomLaserPower.setDescription('The value of this object provides the Unit of Measure of the Laser Optical Power Analog parameter. The unit of measure for this parameter is dBm') dm200majorHighLaserPower = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 26), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: dm200majorHighLaserPower.setStatus('mandatory') if mibBuilder.loadTexts: dm200majorHighLaserPower.setDescription('The value of this object provides the Major High alarm value of the Laser Optical Power Analog parameter.') dm200majorLowLaserPower = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 27), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: dm200majorLowLaserPower.setStatus('mandatory') if mibBuilder.loadTexts: dm200majorLowLaserPower.setDescription('The value of this object provides the Major Low alarm value of the Laser Optical Power Analog parameter.') dm200minorHighLaserPower = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 28), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: dm200minorHighLaserPower.setStatus('obsolete') if mibBuilder.loadTexts: dm200minorHighLaserPower.setDescription('The value of this object provides the Minor High alarm value of the Laser Optical Power Analog parameter. This object is not used by this module and always returns invalid float value of 0xFFFFFFFF . This object is kept here for persistence.') dm200minorLowLaserPower = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 29), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: dm200minorLowLaserPower.setStatus('obsolete') if mibBuilder.loadTexts: dm200minorLowLaserPower.setDescription('The value of this object provides the Minor Low alarm value of the Laser Optical Power Analog parameter. This object is not used by this module and always returns invalid float value of 0xFFFFFFFF . This object is kept here for persistence.') dm200currentValueLaserPower = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 30), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: dm200currentValueLaserPower.setStatus('mandatory') if mibBuilder.loadTexts: dm200currentValueLaserPower.setDescription('The value of this object provides the Current value of the Laser Optical Power Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') dm200stateFlagLaserPower = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 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: dm200stateFlagLaserPower.setStatus('mandatory') if mibBuilder.loadTexts: dm200stateFlagLaserPower.setDescription('The value of this object provides the state of the Laser Optical Power Analog parameter. (1-hidden 2-read-only, 3-updateable).') dm200minValueLaserPower = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 32), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: dm200minValueLaserPower.setStatus('mandatory') if mibBuilder.loadTexts: dm200minValueLaserPower.setDescription('The value of this object provides the minimum value the Laser Optical Power Analog parameter can achive.') dm200maxValueLaserPower = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 33), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: dm200maxValueLaserPower.setStatus('mandatory') if mibBuilder.loadTexts: dm200maxValueLaserPower.setDescription('The value of this object provides the maximum value the Laser Optical Power Analog parameter can achive.') dm200alarmStateLaserPower = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 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: dm200alarmStateLaserPower.setStatus('mandatory') if mibBuilder.loadTexts: dm200alarmStateLaserPower.setDescription('The value of this object provides the curent alarm state of the Laser Optical Power Analog parameter.') dm200labelLaserTemp = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 35), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: dm200labelLaserTemp.setStatus('optional') if mibBuilder.loadTexts: dm200labelLaserTemp.setDescription('The value of this object provides the label of the Laser Temperature Analog parameter.') dm200uomLaserTemp = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 36), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: dm200uomLaserTemp.setStatus('optional') if mibBuilder.loadTexts: dm200uomLaserTemp.setDescription('The value of this object provides the Unit of Measure of the Laser Temperature Analog parameter. The unit of measure for this parameter is degrees C') dm200majorHighLaserTemp = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 37), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: dm200majorHighLaserTemp.setStatus('mandatory') if mibBuilder.loadTexts: dm200majorHighLaserTemp.setDescription('The value of this object provides the Major High alarm value of the Laser Temperature Analog parameter.') dm200majorLowLaserTemp = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 38), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: dm200majorLowLaserTemp.setStatus('mandatory') if mibBuilder.loadTexts: dm200majorLowLaserTemp.setDescription('The value of this object provides the Major Low alarm value of the Laser Temperature Analog parameter.') dm200minorHighLaserTemp = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 39), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: dm200minorHighLaserTemp.setStatus('obsolete') if mibBuilder.loadTexts: dm200minorHighLaserTemp.setDescription('The value of this object provides the Minor High alarm value of the Laser Temperature Analog parameter.') dm200minorLowLaserTemp = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 40), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: dm200minorLowLaserTemp.setStatus('obsolete') if mibBuilder.loadTexts: dm200minorLowLaserTemp.setDescription('The value of this object provides the Minor Low alarm value of the Laser Temperature Analog parameter.') dm200currentValueLaserTemp = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 41), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: dm200currentValueLaserTemp.setStatus('mandatory') if mibBuilder.loadTexts: dm200currentValueLaserTemp.setDescription('The value of this object provides the Current value of the Laser Temperature Analog parameter.') dm200stateFlagLaserTemp = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 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: dm200stateFlagLaserTemp.setStatus('mandatory') if mibBuilder.loadTexts: dm200stateFlagLaserTemp.setDescription('The value of this object provides the state of the Laser Temperature Analog parameter. (1-hidden 2-read-only, 3-updateable).') dm200minValueLaserTemp = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 43), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: dm200minValueLaserTemp.setStatus('mandatory') if mibBuilder.loadTexts: dm200minValueLaserTemp.setDescription('The value of this object provides the minimum value the Laser Temperature Analog parameter can achive.') dm200maxValueLaserTemp = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 44), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: dm200maxValueLaserTemp.setStatus('mandatory') if mibBuilder.loadTexts: dm200maxValueLaserTemp.setDescription('The value of this object provides the maximum value the Laser Temperature Analog parameter can achive.') dm200alarmStateLaserTemp = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 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: dm200alarmStateLaserTemp.setStatus('mandatory') if mibBuilder.loadTexts: dm200alarmStateLaserTemp.setDescription('The value of this object provides the curent alarm state of the Laser Temperature Analog parameter.') dm200labelLaserCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 46), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: dm200labelLaserCurrent.setStatus('optional') if mibBuilder.loadTexts: dm200labelLaserCurrent.setDescription('The value of this object provides the label of the Laser Bias Current Analog parameter.') dm200uomLaserCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 47), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: dm200uomLaserCurrent.setStatus('optional') if mibBuilder.loadTexts: dm200uomLaserCurrent.setDescription('The value of this object provides the Unit of Measure of the Laser Bias Current Analog parameter. The unit of measure for this parameter is mA') dm200majorHighLaserCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 48), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: dm200majorHighLaserCurrent.setStatus('mandatory') if mibBuilder.loadTexts: dm200majorHighLaserCurrent.setDescription('The value of this object provides the Major High alarm value of the Laser Bias Current Analog parameter.') dm200majorLowLaserCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 49), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: dm200majorLowLaserCurrent.setStatus('mandatory') if mibBuilder.loadTexts: dm200majorLowLaserCurrent.setDescription('The value of this object provides the Major Low alarm value of the Laser Bias Current Analog parameter.') dm200minorHighLaserCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 50), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: dm200minorHighLaserCurrent.setStatus('obsolete') if mibBuilder.loadTexts: dm200minorHighLaserCurrent.setDescription('The value of this object provides the Minor High alarm value of the Laser Bias Current Analog parameter. This object is not used by this module and always returns invalid float value of 0xFFFFFFFF . This object is kept here for persistence.') dm200minorLowLaserCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 51), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: dm200minorLowLaserCurrent.setStatus('obsolete') if mibBuilder.loadTexts: dm200minorLowLaserCurrent.setDescription('The value of this object provides the Minor Low alarm value of the Laser Bias Current Analog parameter. This object is not used by this module and always returns invalid float value of 0xFFFFFFFF . This object is kept here for persistence.') dm200currentValueLaserCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 52), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: dm200currentValueLaserCurrent.setStatus('mandatory') if mibBuilder.loadTexts: dm200currentValueLaserCurrent.setDescription('The value of this object provides the Current value of the Laser Bias Current Analog parameter.') dm200stateFlagLaserCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 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: dm200stateFlagLaserCurrent.setStatus('mandatory') if mibBuilder.loadTexts: dm200stateFlagLaserCurrent.setDescription('The value of this object provides the state of the Laser Bias Current Analog parameter. (1-hidden 2-read-only, 3-updateable).') dm200minValueLaserCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 54), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: dm200minValueLaserCurrent.setStatus('mandatory') if mibBuilder.loadTexts: dm200minValueLaserCurrent.setDescription('The value of this object provides the minimum value the Laser Bias Current Analog parameter can achive.') dm200maxValueLaserCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 55), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: dm200maxValueLaserCurrent.setStatus('mandatory') if mibBuilder.loadTexts: dm200maxValueLaserCurrent.setDescription('The value of this object provides the maximum value the Laser Bias Current Analog parameter can achive.') dm200alarmStateLaserCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 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: dm200alarmStateLaserCurrent.setStatus('mandatory') if mibBuilder.loadTexts: dm200alarmStateLaserCurrent.setDescription('The value of this object provides the curent alarm state of the Laser Bias Current Analog parameter.') dm200labelTecCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 57), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: dm200labelTecCurrent.setStatus('optional') if mibBuilder.loadTexts: dm200labelTecCurrent.setDescription('The value of this object provides the label of the TEC Current Analog parameter.') dm200uomTecCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 58), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: dm200uomTecCurrent.setStatus('optional') if mibBuilder.loadTexts: dm200uomTecCurrent.setDescription('The value of this object provides the Unit of Measure of the TEC Current Analog parameter. The unit of measure for this parameter is mA') dm200majorHighTecCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 59), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: dm200majorHighTecCurrent.setStatus('mandatory') if mibBuilder.loadTexts: dm200majorHighTecCurrent.setDescription('The value of this object provides the Major High alarm value of the TEC Current Analog parameter.') dm200majorLowTecCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 60), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: dm200majorLowTecCurrent.setStatus('mandatory') if mibBuilder.loadTexts: dm200majorLowTecCurrent.setDescription('The value of this object provides the Major Low alarm value of the TEC Current Analog parameter.') dm200minorHighTecCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 61), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: dm200minorHighTecCurrent.setStatus('obsolete') if mibBuilder.loadTexts: dm200minorHighTecCurrent.setDescription('The value of this object provides the Minor High alarm value of the TEC Current Analog parameter. This object is not used by this module and always returns invalid float value of 0xFFFFFFFF . This object is kept here for persistence.') dm200minorLowTecCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 62), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: dm200minorLowTecCurrent.setStatus('obsolete') if mibBuilder.loadTexts: dm200minorLowTecCurrent.setDescription('The value of this object provides the Minor Low alarm value of the TEC Current Analog parameter. This object is not used by this module and always returns invalid float value of 0xFFFFFFFF . This object is kept here for persistence.') dm200currentValueTecCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 63), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: dm200currentValueTecCurrent.setStatus('mandatory') if mibBuilder.loadTexts: dm200currentValueTecCurrent.setDescription('The value of this object provides the Current value of the TEC Current Analog parameter.') dm200stateFlagTecCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 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: dm200stateFlagTecCurrent.setStatus('mandatory') if mibBuilder.loadTexts: dm200stateFlagTecCurrent.setDescription('The value of this object provides the state of the TEC Current Analog parameter. (1-hidden 2-read-only, 3-updateable).') dm200minValueTecCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 65), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: dm200minValueTecCurrent.setStatus('mandatory') if mibBuilder.loadTexts: dm200minValueTecCurrent.setDescription('The value of this object provides the minimum value the TEC Current Analog parameter can achive.') dm200maxValueTecCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 66), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: dm200maxValueTecCurrent.setStatus('mandatory') if mibBuilder.loadTexts: dm200maxValueTecCurrent.setDescription('The value of this object provides the maximum value the TEC Current Analog parameter can achive.') dm200alarmStateTecCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 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: dm200alarmStateTecCurrent.setStatus('mandatory') if mibBuilder.loadTexts: dm200alarmStateTecCurrent.setDescription('The value of this object provides the curent alarm state of the TEC Current Analog parameter.') dm200labelModTemp = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 68), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: dm200labelModTemp.setStatus('optional') if mibBuilder.loadTexts: dm200labelModTemp.setDescription('The value of this object provides the label of the Module Temperature Analog parameter.') dm200uomModTemp = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 69), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: dm200uomModTemp.setStatus('optional') if mibBuilder.loadTexts: dm200uomModTemp.setDescription('The value of this object provides the Unit of Measure of the Module Temperature Analog parameter. The unit of measure for this parameter is degrees C') dm200majorHighModTemp = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 70), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: dm200majorHighModTemp.setStatus('mandatory') if mibBuilder.loadTexts: dm200majorHighModTemp.setDescription('The value of this object provides the Major High alarm value of the Module Temperature Analog parameter.') dm200majorLowModTemp = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 71), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: dm200majorLowModTemp.setStatus('mandatory') if mibBuilder.loadTexts: dm200majorLowModTemp.setDescription('The value of this object provides the Major Low alarm value of the Module Temperature Analog parameter.') dm200minorHighModTemp = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 72), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: dm200minorHighModTemp.setStatus('mandatory') if mibBuilder.loadTexts: dm200minorHighModTemp.setDescription('The value of this object provides the Minor High alarm value of the Module Temperature Analog parameter.') dm200minorLowModTemp = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 73), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: dm200minorLowModTemp.setStatus('mandatory') if mibBuilder.loadTexts: dm200minorLowModTemp.setDescription('The value of this object provides the Minor Low alarm value of the Module Temperature Analog parameter.') dm200currentValueModTemp = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 74), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: dm200currentValueModTemp.setStatus('mandatory') if mibBuilder.loadTexts: dm200currentValueModTemp.setDescription('The value of this object provides the Current value of the Module Temperature Analog parameter.') dm200stateFlagModTemp = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 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: dm200stateFlagModTemp.setStatus('mandatory') if mibBuilder.loadTexts: dm200stateFlagModTemp.setDescription('The value of this object provides the state of the Module Temperature Analog parameter. (1-hidden 2-read-only, 3-updateable).') dm200minValueModTemp = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 76), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: dm200minValueModTemp.setStatus('mandatory') if mibBuilder.loadTexts: dm200minValueModTemp.setDescription('The value of this object provides the minimum value the Module Temperature Analog parameter can achive.') dm200maxValueModTemp = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 77), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: dm200maxValueModTemp.setStatus('mandatory') if mibBuilder.loadTexts: dm200maxValueModTemp.setDescription('The value of this object provides the maximum value the Module Temperature Analog parameter can achive.') dm200alarmStateModTemp = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 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: dm200alarmStateModTemp.setStatus('mandatory') if mibBuilder.loadTexts: dm200alarmStateModTemp.setDescription('The value of this object provides the curent alarm state of the Module Temperature Analog parameter.') dm200labelFanCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 79), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: dm200labelFanCurrent.setStatus('optional') if mibBuilder.loadTexts: dm200labelFanCurrent.setDescription('The value of this object provides the label of the Fan Current Analog parameter.') dm200uomFanCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 80), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: dm200uomFanCurrent.setStatus('optional') if mibBuilder.loadTexts: dm200uomFanCurrent.setDescription('The value of this object provides the Unit of Measure of the Fan Current Analog parameter. The unit of measure for this parameter is mA') dm200majorHighFanCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 81), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: dm200majorHighFanCurrent.setStatus('mandatory') if mibBuilder.loadTexts: dm200majorHighFanCurrent.setDescription('The value of this object provides the Major High alarm value of the Fan Current Analog parameter.') dm200majorLowFanCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 82), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: dm200majorLowFanCurrent.setStatus('mandatory') if mibBuilder.loadTexts: dm200majorLowFanCurrent.setDescription('The value of this object provides the Major Low alarm value of the Fan Current Analog parameter.') dm200minorHighFanCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 83), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: dm200minorHighFanCurrent.setStatus('obsolete') if mibBuilder.loadTexts: dm200minorHighFanCurrent.setDescription('The value of this object provides the Minor High alarm value of the Fan Current Analog parameter. This object is not used by this module and always returns invalid float value of 0xFFFFFFFF . This object is kept here for persistence.') dm200minorLowFanCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 84), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: dm200minorLowFanCurrent.setStatus('obsolete') if mibBuilder.loadTexts: dm200minorLowFanCurrent.setDescription('The value of this object provides the Minor Low alarm value of the Fan Current Analog parameter. This object is not used by this module and always returns invalid float value of 0xFFFFFFFF . This object is kept here for persistence.') dm200currentValueFanCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 85), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: dm200currentValueFanCurrent.setStatus('mandatory') if mibBuilder.loadTexts: dm200currentValueFanCurrent.setDescription('The value of this object provides the Current value of the Fan Current Analog parameter.') dm200stateFlagFanCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 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: dm200stateFlagFanCurrent.setStatus('mandatory') if mibBuilder.loadTexts: dm200stateFlagFanCurrent.setDescription('The value of this object provides the state of the Fan Current Analog parameter. (1-hidden 2-read-only, 3-updateable).') dm200minValueFanCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 87), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: dm200minValueFanCurrent.setStatus('mandatory') if mibBuilder.loadTexts: dm200minValueFanCurrent.setDescription('The value of this object provides the minimum value the Fan Current Analog parameter can achive.') dm200maxValueFanCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 2, 1, 88), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: dm200maxValueFanCurrent.setStatus('mandatory') if mibBuilder.loadTexts: dm200maxValueFanCurrent.setDescription('The value of this object provides the maximum value the Fan Current Analog parameter can achive.') dm200alarmStateFanCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 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: dm200alarmStateFanCurrent.setStatus('mandatory') if mibBuilder.loadTexts: dm200alarmStateFanCurrent.setDescription('The value of this object provides the curent alarm state of the Fan Current Analog parameter.') gx2Dm200DigitalTableIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 3, 2, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2147483647))).setMaxAccess("readonly") if mibBuilder.loadTexts: gx2Dm200DigitalTableIndex.setStatus('mandatory') if mibBuilder.loadTexts: gx2Dm200DigitalTableIndex.setDescription('The value of this object identifies the network element. This index is equal to the hfcCommonTableIndex for the same element.') dm200labelRfInput = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 3, 2, 2), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: dm200labelRfInput.setStatus('optional') if mibBuilder.loadTexts: dm200labelRfInput.setDescription('The value of this object provides the label of the RF Input Control Digital parameter.') dm200enumRfInput = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 3, 2, 3), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: dm200enumRfInput.setStatus('optional') if mibBuilder.loadTexts: dm200enumRfInput.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.') dm200valueRfInput = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 3, 2, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("off", 1), ("on", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: dm200valueRfInput.setStatus('mandatory') if mibBuilder.loadTexts: dm200valueRfInput.setDescription('The value of this object is the current value of the parameter.') dm200stateflagRfInput = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 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: dm200stateflagRfInput.setStatus('mandatory') if mibBuilder.loadTexts: dm200stateflagRfInput.setDescription('The value of this object provides the state of the RF Input Control Digital parameter. (1-hidden 2-read-only, 3-updateable).') dm200labelOptOutput = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 3, 2, 6), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: dm200labelOptOutput.setStatus('optional') if mibBuilder.loadTexts: dm200labelOptOutput.setDescription('The value of this object provides the label of the Optical Output Control Digital parameter.') dm200enumOptOutput = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 3, 2, 7), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: dm200enumOptOutput.setStatus('optional') if mibBuilder.loadTexts: dm200enumOptOutput.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.') dm200valueOptOutput = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 3, 2, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("off", 1), ("on", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: dm200valueOptOutput.setStatus('mandatory') if mibBuilder.loadTexts: dm200valueOptOutput.setDescription('The value of this object is the current value of the parameter.') dm200stateflagOptOutput = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 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: dm200stateflagOptOutput.setStatus('mandatory') if mibBuilder.loadTexts: dm200stateflagOptOutput.setDescription('The value of this object provides the state of the the parameter. (1-hidden, 2-read-only, 3-updateable).') dm200labelSbsControl = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 3, 2, 10), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: dm200labelSbsControl.setStatus('optional') if mibBuilder.loadTexts: dm200labelSbsControl.setDescription('The value of this object provides the label of the SBS Control Digital parameter.') dm200enumSbsControl = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 3, 2, 11), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: dm200enumSbsControl.setStatus('optional') if mibBuilder.loadTexts: dm200enumSbsControl.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.') dm200valueSbsControl = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 3, 2, 12), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("off", 1), ("on", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: dm200valueSbsControl.setStatus('mandatory') if mibBuilder.loadTexts: dm200valueSbsControl.setDescription('The value of this object is the current value of the parameter.') dm200stateflagSbsControl = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 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: dm200stateflagSbsControl.setStatus('mandatory') if mibBuilder.loadTexts: dm200stateflagSbsControl.setDescription('The value of this object provides the state of the the parameter. (1-hidden, 2-read-only, 3-updateable).') dm200labelFactoryDefault = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 3, 2, 14), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: dm200labelFactoryDefault.setStatus('optional') if mibBuilder.loadTexts: dm200labelFactoryDefault.setDescription('The value of this object provides the label of the Factory Default Digital parameter.') dm200enumFactoryDefault = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 3, 2, 15), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: dm200enumFactoryDefault.setStatus('optional') if mibBuilder.loadTexts: dm200enumFactoryDefault.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..') dm200valueFactoryDefault = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 3, 2, 16), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("off", 1), ("on", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: dm200valueFactoryDefault.setStatus('mandatory') if mibBuilder.loadTexts: dm200valueFactoryDefault.setDescription('The value of this object is the current value of the parameter. Return value is meaningless') dm200stateflagFactoryDefault = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 3, 2, 17), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("hidden", 1), ("read-only", 2), ("updateable", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: dm200stateflagFactoryDefault.setStatus('mandatory') if mibBuilder.loadTexts: dm200stateflagFactoryDefault.setDescription('The value of this object provides the state of the the parameter. (1-hidden, 2-read-only, 3-updateable).') gx2Dm200StatusTableIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 4, 3, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2147483647))).setMaxAccess("readonly") if mibBuilder.loadTexts: gx2Dm200StatusTableIndex.setStatus('mandatory') if mibBuilder.loadTexts: gx2Dm200StatusTableIndex.setDescription('The value of this object identifies the network element. This index is equal to the hfcCommonTableIndex for the same element.') dm200labelBoot = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 4, 3, 2), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: dm200labelBoot.setStatus('optional') if mibBuilder.loadTexts: dm200labelBoot.setDescription('The value of this object provides the label of the Boot Status Status parameter.') dm200valueBoot = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 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: dm200valueBoot.setStatus('mandatory') if mibBuilder.loadTexts: dm200valueBoot.setDescription('The value of this object provides the current state of the parameter (1-ok, 2-undetermined 3-warning, 4-minor, 5-major, 6-critical).') dm200stateflagBoot = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 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: dm200stateflagBoot.setStatus('mandatory') if mibBuilder.loadTexts: dm200stateflagBoot.setDescription('The value of this object provides the state of the the parameter. (1-hidden, 2-read-only, 3-updateable).') dm200labelFlash = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 4, 3, 5), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: dm200labelFlash.setStatus('optional') if mibBuilder.loadTexts: dm200labelFlash.setDescription('The value of this object provides the label of the Flash Status Status parameter.') dm200valueFlash = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 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: dm200valueFlash.setStatus('mandatory') if mibBuilder.loadTexts: dm200valueFlash.setDescription('The value of this object provides the current state of the parameter (1-ok, 2-undetermined 3-warning, 4-minor, 5-major, 6-critical).') dm200stateflagFlash = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 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: dm200stateflagFlash.setStatus('mandatory') if mibBuilder.loadTexts: dm200stateflagFlash.setDescription('The value of this object provides the state of the the parameter. (1-hidden, 2-read-only, 3-updateable).') dm200labelFactoryDataCRC = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 4, 3, 8), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: dm200labelFactoryDataCRC.setStatus('optional') if mibBuilder.loadTexts: dm200labelFactoryDataCRC.setDescription('The value of this object provides the label of the Factory Data CRC Status parameter.') dm200valueFactoryDataCRC = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 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: dm200valueFactoryDataCRC.setStatus('mandatory') if mibBuilder.loadTexts: dm200valueFactoryDataCRC.setDescription('The value of this object provides the current state of the parameter (1-ok, 2-undetermined 3-warning, 4-minor, 5-major, 6-critical).') dm200stateflagFactoryDataCRC = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 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: dm200stateflagFactoryDataCRC.setStatus('mandatory') if mibBuilder.loadTexts: dm200stateflagFactoryDataCRC.setDescription('The value of this object provides the state of the the parameter. (1-hidden, 2-read-only, 3-updateable).') dm200labelLaserDataCRC = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 4, 3, 11), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: dm200labelLaserDataCRC.setStatus('optional') if mibBuilder.loadTexts: dm200labelLaserDataCRC.setDescription('The value of this object provides the label of the Laser Data CRC Status parameter.') dm200valueLaserDataCRC = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 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: dm200valueLaserDataCRC.setStatus('mandatory') if mibBuilder.loadTexts: dm200valueLaserDataCRC.setDescription('The value of this object provides the current state of the parameter (1-ok, 2-undetermined 3-warning, 4-minor, 5-major, 6-critical).') dm200stateflagLaserDataCRC = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 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: dm200stateflagLaserDataCRC.setStatus('mandatory') if mibBuilder.loadTexts: dm200stateflagLaserDataCRC.setDescription('The value of this object provides the state of the the parameter. (1-hidden, 2-read-only, 3-updateable).') dm200labelAlarmDataCrc = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 4, 3, 14), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: dm200labelAlarmDataCrc.setStatus('optional') if mibBuilder.loadTexts: dm200labelAlarmDataCrc.setDescription('The value of this object provides the label of the Alarm Data Crc parameter.') dm200valueAlarmDataCrc = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 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: dm200valueAlarmDataCrc.setStatus('mandatory') if mibBuilder.loadTexts: dm200valueAlarmDataCrc.setDescription('The value of this object provides the current state of the parameter (1-ok, 2-undetermined 3-warning, 4-minor, 5-major, 6-critical).') dm200stateflagAlarmDataCrc = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 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: dm200stateflagAlarmDataCrc.setStatus('mandatory') if mibBuilder.loadTexts: dm200stateflagAlarmDataCrc.setDescription('The value of this object provides the state of the the parameter. (1-hidden, 2-read-only, 3-updateable).') dm200labelRFInputStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 4, 3, 17), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: dm200labelRFInputStatus.setStatus('optional') if mibBuilder.loadTexts: dm200labelRFInputStatus.setDescription('The value of this object provides the label of the Alarm Data Crc parameter.') dm200valueRFInputStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 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: dm200valueRFInputStatus.setStatus('mandatory') if mibBuilder.loadTexts: dm200valueRFInputStatus.setDescription('The value of this object provides the current state of the parameter (1-ok, 2-undetermined 3-warning, 4-minor, 5-major, 6-critical).') dm200stateflagRFInputStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 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: dm200stateflagRFInputStatus.setStatus('mandatory') if mibBuilder.loadTexts: dm200stateflagRFInputStatus.setDescription('The value of this object provides the state of the the parameter. (1-hidden, 2-read-only, 3-updateable).') gx2Dm200FactoryTableIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 5, 4, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2147483647))).setMaxAccess("readonly") if mibBuilder.loadTexts: gx2Dm200FactoryTableIndex.setStatus('mandatory') if mibBuilder.loadTexts: gx2Dm200FactoryTableIndex.setDescription('The value of this object identifies the network element. This index is equal to the hfcCommonTableIndex for the same element.') dm200bootControlByte = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 5, 4, 2), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dm200bootControlByte.setStatus('mandatory') if mibBuilder.loadTexts: dm200bootControlByte.setDescription('The value of this object indicates which bank the firmware is currently being boot from.') dm200bootStatusByte = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 5, 4, 3), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dm200bootStatusByte.setStatus('mandatory') if mibBuilder.loadTexts: dm200bootStatusByte.setDescription('This object indicates the status of the last boot. Bit 2 = Bank 0/1 Active (0 = Bank 0, 1 = Bank 1), Bit 1 = Bank 1 Fail and Bit 0 = Bank 0 Fail (0 = Pass, 1 = Fail)') dm200bank1CRC = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 5, 4, 4), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dm200bank1CRC.setStatus('mandatory') if mibBuilder.loadTexts: dm200bank1CRC.setDescription('This object provides the CRC code of bank 0. The display formate for the data is Hex.') dm200bank2CRC = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 5, 4, 5), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dm200bank2CRC.setStatus('mandatory') if mibBuilder.loadTexts: dm200bank2CRC.setDescription('This object provides the CRC code of bank 1.The display formate for the data is Hex.') dm200prgEEPROMByte = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 5, 4, 6), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dm200prgEEPROMByte.setStatus('mandatory') if mibBuilder.loadTexts: dm200prgEEPROMByte.setDescription('This object indicates if the EEPROM has been programmed') dm200factoryCRC = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 5, 4, 7), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dm200factoryCRC.setStatus('mandatory') if mibBuilder.loadTexts: dm200factoryCRC.setDescription('This object provides the CRC code for the Factory data.') dm200calculateCRC = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 5, 4, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("factory", 1), ("na", 2), ("alarm", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: dm200calculateCRC.setStatus('obsolete') if mibBuilder.loadTexts: dm200calculateCRC.setDescription('This object indicates which of the Enums will have the CRC calculated.') dm200hourMeter = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 5, 4, 9), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dm200hourMeter.setStatus('mandatory') if mibBuilder.loadTexts: dm200hourMeter.setDescription('This object provides the hour meter reading of the module.') dm200flashPrgCntA = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 5, 4, 10), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dm200flashPrgCntA.setStatus('mandatory') if mibBuilder.loadTexts: dm200flashPrgCntA.setDescription('This object provides the number of times Bank 1 flash has been programmed.') dm200flashPrgCntB = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 5, 4, 11), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dm200flashPrgCntB.setStatus('mandatory') if mibBuilder.loadTexts: dm200flashPrgCntB.setDescription('This object provides the number of times Bank 1 flash has been programmed.') dm200flashBankARev = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 5, 4, 12), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: dm200flashBankARev.setStatus('mandatory') if mibBuilder.loadTexts: dm200flashBankARev.setDescription('This object provides the revision of flash bank 0. The rev is 2 characters.') dm200flashBankBRev = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19, 5, 4, 13), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: dm200flashBankBRev.setStatus('mandatory') if mibBuilder.loadTexts: dm200flashBankBRev.setDescription('This object provides the revision of flash bank 1. The rev is 2 characters.') trapDM200ConfigChangeInteger = NotificationType((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19) + (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: trapDM200ConfigChangeInteger.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'") trapDM200ConfigChangeDisplayString = NotificationType((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19) + (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: trapDM200ConfigChangeDisplayString.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'") trapDM200fanCurrentAlarm = NotificationType((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19) + (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: trapDM200fanCurrentAlarm.setDescription('This trap is issued when the Fan Current parameter goes out of range. trapAdditionalInfoInteger variable contains current reading of the this parameter.') trapDM200ModuleTempAlarm = NotificationType((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19) + (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: trapDM200ModuleTempAlarm.setDescription('This trap is issued when the Module Temperature parameter goes out of range. trapAdditionalInfoInteger variable contains current reading of the this parameter.') trapDM200omiOffsetAlarm = NotificationType((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19) + (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: trapDM200omiOffsetAlarm.setDescription('This trap is issued when the OMI Offset goes out of range.') trapDM200tecCurrentAlarm = NotificationType((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19) + (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: trapDM200tecCurrentAlarm.setDescription('This trap is issued when the TEC Current parameter goes out of range. trapAdditionalInfoInteger variable contains current reading of the this parameter.') trapDM200LaserCurrentAlarm = NotificationType((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19) + (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: trapDM200LaserCurrentAlarm.setDescription('This trap is issued when the Laser Current parameter goes out of range. trapAdditionalInfoInteger variable contains current reading of the this parameter.') trapDM200LaserTempAlarm = NotificationType((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19) + (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: trapDM200LaserTempAlarm.setDescription('This trap is issued when the Laser Temp parameter goes out of range. trapAdditionalInfoInteger variable contains current reading of the this parameter.') trapDM200LaserPowerAlarm = NotificationType((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19) + (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: trapDM200LaserPowerAlarm.setDescription('This trap is issued when the Laser Power parameter goes out of range. trapAdditionalInfoInteger variable contains current reading of the this parameter.') trapDM200FlashAlarm = NotificationType((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19) + (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: trapDM200FlashAlarm.setDescription('This trap is issued when the Laser Modules detects an error during Flash memory operations.') trapDM200BankBootAlarm = NotificationType((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19) + (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: trapDM200BankBootAlarm.setDescription('This trap is issued when the Laser Modules detects an error while booting from bank 0 or bank 1.') trapDM200AlarmDataCRCAlarm = NotificationType((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19) + (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: trapDM200AlarmDataCRCAlarm.setDescription('This trap is issued when the Alarm Data CRC is incorrect.') trapDM200FactoryDataCRCAlarm = NotificationType((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19) + (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: trapDM200FactoryDataCRCAlarm.setDescription('This trap is issued when the Factory Data CRC is incorrect.') trapDM200CalDataCRCAlarm = NotificationType((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19) + (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: trapDM200CalDataCRCAlarm.setDescription('This trap is issued when the Cal Data CRC is incorrect.') trapDM200ResetFacDefault = NotificationType((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19) + (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: trapDM200ResetFacDefault.setDescription('This trap is issued when the DM200 resets to factory defaults') trapDM200UserRFOffAlarm = NotificationType((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19) + (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: trapDM200UserRFOffAlarm.setDescription('This trap is issued when the the User RF is turned off.') trapDM200UserOpticalOffAlarm = NotificationType((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19) + (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: trapDM200UserOpticalOffAlarm.setDescription('This trap is issued when the User Optical Power is turned off.') trapDM200UserSBSOffAlarm = NotificationType((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19) + (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: trapDM200UserSBSOffAlarm.setDescription('This trap is issued when the User SBS is turned off.') trapDM200RFInputAlarm = NotificationType((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19) + (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: trapDM200RFInputAlarm.setDescription('This trap is issued when the Laser Modules RF input parameter goes out of range. trapAdditionalInfoInteger variable contains current reading of the this parameter.') trapDM200RFOverloadAlarm = NotificationType((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 19) + (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: trapDM200RFOverloadAlarm.setDescription('This trap is issued when the Laser Modules RF overload parameter goes out of range. trapAdditionalInfoInteger variable contains current reading of the this parameter.') mibBuilder.exportSymbols("OMNI-gx2Dm200-MIB", dm200minorHighLaserPower=dm200minorHighLaserPower, dm200labelBoot=dm200labelBoot, gx2Dm200StatusTableIndex=gx2Dm200StatusTableIndex, dm200labelModTemp=dm200labelModTemp, dm200maxValueOffsetNomMonitor=dm200maxValueOffsetNomMonitor, trapDM200omiOffsetAlarm=trapDM200omiOffsetAlarm, dm200minValueOffsetNomMonitor=dm200minValueOffsetNomMonitor, dm200uomTecCurrent=dm200uomTecCurrent, dm200currentValueTecCurrent=dm200currentValueTecCurrent, dm200stateFlagLaserTemp=dm200stateFlagLaserTemp, dm200stateFlagAttenSetting=dm200stateFlagAttenSetting, dm200stateflagFactoryDefault=dm200stateflagFactoryDefault, dm200maxValueFanCurrent=dm200maxValueFanCurrent, dm200majorLowLaserPower=dm200majorLowLaserPower, dm200alarmStateTecCurrent=dm200alarmStateTecCurrent, gx2Dm200AnalogEntry=gx2Dm200AnalogEntry, dm200maxValueModTemp=dm200maxValueModTemp, dm200majorLowOffsetNomMonitor=dm200majorLowOffsetNomMonitor, dm200alarmStateModTemp=dm200alarmStateModTemp, dm200alarmStateAttenSetting=dm200alarmStateAttenSetting, gx2Dm200DigitalTableIndex=gx2Dm200DigitalTableIndex, dm200bootControlByte=dm200bootControlByte, dm200factoryCRC=dm200factoryCRC, Float=Float, dm200majorHighLaserPower=dm200majorHighLaserPower, dm200minorHighOffsetNomMonitor=dm200minorHighOffsetNomMonitor, dm200currentValueLaserPower=dm200currentValueLaserPower, dm200labelOffsetNomMonitor=dm200labelOffsetNomMonitor, dm200minValueFanCurrent=dm200minValueFanCurrent, trapDM200UserSBSOffAlarm=trapDM200UserSBSOffAlarm, dm200flashPrgCntB=dm200flashPrgCntB, dm200alarmStateLaserTemp=dm200alarmStateLaserTemp, dm200stateflagFlash=dm200stateflagFlash, gx2Dm200DigitalTable=gx2Dm200DigitalTable, trapDM200ConfigChangeInteger=trapDM200ConfigChangeInteger, dm200labelFlash=dm200labelFlash, gx2Dm200AnalogTableIndex=gx2Dm200AnalogTableIndex, dm200labelLaserTemp=dm200labelLaserTemp, dm200stateFlagFanCurrent=dm200stateFlagFanCurrent, dm200labelOptOutput=dm200labelOptOutput, gx2Dm200StatusTable=gx2Dm200StatusTable, dm200majorLowAttenSetting=dm200majorLowAttenSetting, dm200maxValueLaserPower=dm200maxValueLaserPower, dm200valueOptOutput=dm200valueOptOutput, dm200minorHighTecCurrent=dm200minorHighTecCurrent, trapDM200fanCurrentAlarm=trapDM200fanCurrentAlarm, dm200uomModTemp=dm200uomModTemp, gx2Dm200AnalogTable=gx2Dm200AnalogTable, dm200bank2CRC=dm200bank2CRC, dm200uomFanCurrent=dm200uomFanCurrent, dm200majorLowModTemp=dm200majorLowModTemp, dm200minorHighAttenSetting=dm200minorHighAttenSetting, dm200valueBoot=dm200valueBoot, trapDM200AlarmDataCRCAlarm=trapDM200AlarmDataCRCAlarm, dm200alarmStateOffsetNomMonitor=dm200alarmStateOffsetNomMonitor, trapDM200RFOverloadAlarm=trapDM200RFOverloadAlarm, dm200labelFactoryDataCRC=dm200labelFactoryDataCRC, dm200stateflagAlarmDataCrc=dm200stateflagAlarmDataCrc, dm200majorHighFanCurrent=dm200majorHighFanCurrent, dm200majorLowFanCurrent=dm200majorLowFanCurrent, dm200minorLowLaserTemp=dm200minorLowLaserTemp, gx2Dm200StatusEntry=gx2Dm200StatusEntry, dm200labelFanCurrent=dm200labelFanCurrent, dm200currentValueOffsetNomMonitor=dm200currentValueOffsetNomMonitor, dm200majorHighModTemp=dm200majorHighModTemp, dm200currentValueFanCurrent=dm200currentValueFanCurrent, dm200labelTecCurrent=dm200labelTecCurrent, dm200minorLowModTemp=dm200minorLowModTemp, trapDM200ConfigChangeDisplayString=trapDM200ConfigChangeDisplayString, dm200minorLowLaserCurrent=dm200minorLowLaserCurrent, dm200minValueModTemp=dm200minValueModTemp, trapDM200BankBootAlarm=trapDM200BankBootAlarm, dm200stateflagOptOutput=dm200stateflagOptOutput, dm200prgEEPROMByte=dm200prgEEPROMByte, trapDM200tecCurrentAlarm=trapDM200tecCurrentAlarm, trapDM200LaserTempAlarm=trapDM200LaserTempAlarm, dm200valueRfInput=dm200valueRfInput, dm200enumSbsControl=dm200enumSbsControl, dm200stateflagSbsControl=dm200stateflagSbsControl, dm200stateflagFactoryDataCRC=dm200stateflagFactoryDataCRC, dm200valueFactoryDefault=dm200valueFactoryDefault, trapDM200FactoryDataCRCAlarm=trapDM200FactoryDataCRCAlarm, dm200uomLaserTemp=dm200uomLaserTemp, dm200minorLowTecCurrent=dm200minorLowTecCurrent, dm200minorHighModTemp=dm200minorHighModTemp, dm200labelAttenSetting=dm200labelAttenSetting, dm200alarmStateFanCurrent=dm200alarmStateFanCurrent, dm200minorHighLaserTemp=dm200minorHighLaserTemp, dm200majorHighTecCurrent=dm200majorHighTecCurrent, dm200majorHighOffsetNomMonitor=dm200majorHighOffsetNomMonitor, gx2Dm200DigitalEntry=gx2Dm200DigitalEntry, dm200currentValueAttenSetting=dm200currentValueAttenSetting, dm200majorHighLaserCurrent=dm200majorHighLaserCurrent, dm200labelRfInput=dm200labelRfInput, dm200labelAlarmDataCrc=dm200labelAlarmDataCrc, dm200uomLaserPower=dm200uomLaserPower, trapDM200RFInputAlarm=trapDM200RFInputAlarm, dm200currentValueModTemp=dm200currentValueModTemp, dm200uomOffsetNomMonitor=dm200uomOffsetNomMonitor, dm200labelRFInputStatus=dm200labelRFInputStatus, dm200minValueTecCurrent=dm200minValueTecCurrent, dm200alarmStateLaserPower=dm200alarmStateLaserPower, gx2Dm200Descriptor=gx2Dm200Descriptor, dm200majorLowLaserCurrent=dm200majorLowLaserCurrent, dm200labelLaserDataCRC=dm200labelLaserDataCRC, dm200stateFlagLaserCurrent=dm200stateFlagLaserCurrent, dm200minorHighFanCurrent=dm200minorHighFanCurrent, dm200maxValueTecCurrent=dm200maxValueTecCurrent, dm200majorLowTecCurrent=dm200majorLowTecCurrent, dm200majorHighAttenSetting=dm200majorHighAttenSetting, dm200valueFlash=dm200valueFlash, dm200majorHighLaserTemp=dm200majorHighLaserTemp, dm200stateFlagOffsetNomMonitor=dm200stateFlagOffsetNomMonitor, dm200valueAlarmDataCrc=dm200valueAlarmDataCrc, dm200stateFlagTecCurrent=dm200stateFlagTecCurrent, trapDM200FlashAlarm=trapDM200FlashAlarm, dm200minValueLaserCurrent=dm200minValueLaserCurrent, dm200stateflagRFInputStatus=dm200stateflagRFInputStatus, dm200maxValueLaserTemp=dm200maxValueLaserTemp, dm200currentValueLaserTemp=dm200currentValueLaserTemp, dm200majorLowLaserTemp=dm200majorLowLaserTemp, dm200calculateCRC=dm200calculateCRC, dm200labelLaserPower=dm200labelLaserPower, dm200flashBankBRev=dm200flashBankBRev, dm200flashBankARev=dm200flashBankARev, dm200bootStatusByte=dm200bootStatusByte, dm200minValueLaserPower=dm200minValueLaserPower, dm200labelLaserCurrent=dm200labelLaserCurrent, dm200minorHighLaserCurrent=dm200minorHighLaserCurrent, dm200currentValueLaserCurrent=dm200currentValueLaserCurrent, dm200uomLaserCurrent=dm200uomLaserCurrent, gx2Dm200FactoryTable=gx2Dm200FactoryTable, dm200valueRFInputStatus=dm200valueRFInputStatus, dm200labelFactoryDefault=dm200labelFactoryDefault, dm200stateFlagLaserPower=dm200stateFlagLaserPower, dm200minorLowFanCurrent=dm200minorLowFanCurrent, trapDM200UserOpticalOffAlarm=trapDM200UserOpticalOffAlarm, gx2Dm200FactoryEntry=gx2Dm200FactoryEntry, dm200minValueLaserTemp=dm200minValueLaserTemp, dm200alarmStateLaserCurrent=dm200alarmStateLaserCurrent, dm200labelSbsControl=dm200labelSbsControl, dm200valueFactoryDataCRC=dm200valueFactoryDataCRC, dm200enumRfInput=dm200enumRfInput, dm200stateflagLaserDataCRC=dm200stateflagLaserDataCRC, dm200enumFactoryDefault=dm200enumFactoryDefault, dm200bank1CRC=dm200bank1CRC, dm200hourMeter=dm200hourMeter, dm200maxValueLaserCurrent=dm200maxValueLaserCurrent, trapDM200UserRFOffAlarm=trapDM200UserRFOffAlarm, trapDM200LaserCurrentAlarm=trapDM200LaserCurrentAlarm, trapDM200ModuleTempAlarm=trapDM200ModuleTempAlarm, dm200flashPrgCntA=dm200flashPrgCntA, dm200enumOptOutput=dm200enumOptOutput, trapDM200ResetFacDefault=trapDM200ResetFacDefault, dm200minorLowAttenSetting=dm200minorLowAttenSetting, dm200stateflagRfInput=dm200stateflagRfInput, dm200minValueAttenSetting=dm200minValueAttenSetting, dm200maxValueAttenSetting=dm200maxValueAttenSetting, dm200valueLaserDataCRC=dm200valueLaserDataCRC, gx2Dm200FactoryTableIndex=gx2Dm200FactoryTableIndex, dm200minorLowOffsetNomMonitor=dm200minorLowOffsetNomMonitor, dm200valueSbsControl=dm200valueSbsControl, trapDM200LaserPowerAlarm=trapDM200LaserPowerAlarm, dm200stateFlagModTemp=dm200stateFlagModTemp, trapDM200CalDataCRCAlarm=trapDM200CalDataCRCAlarm, dm200stateflagBoot=dm200stateflagBoot, dm200minorLowLaserPower=dm200minorLowLaserPower, dm200uomAttenSetting=dm200uomAttenSetting)
year = int(input("Año: ")) month = int(input("Mes: ")) day = int(input("Dia: ")) while not (1900 < year < 2021 and 0<month<13 and 0 < day < 32) : print("Escribe un año correcto") year = int(input("Año: ")) month = int(input("Mes: ")) day = int(input("Dia: ")) print(year,"-",month,"-",day,sep="")
#aula 1 de strings x = "eu" y = "sou" z = " " #concatenação de strings a = x + y + z #numero não é uma string, logo o python nao permite juntar com outras variaveis numero = 5 #o usuario pode criar uma string para você string_do_usuario = input('digite sua string: ')
mybooltr= True #We declare the mybooltrue equal to True myboolfa= False #We declare the myboolfalse equal to False print(mybooltr == myboolfa) #It will print false because my mybooltr doesnt equal to myboolfa print(mybooltr != myboolfa) #it will print true for the same reason print(2 == 3) #It will print false because 2 doesnt equal to 3 print(7>7.0) #it will print false because 7 is not bigger from 7,0 print(9 >= 9.0) #it will print true for the same reason as above
# # @lc app=leetcode id=717 lang=python # # [717] 1-bit and 2-bit Characters # # https://leetcode.com/problems/1-bit-and-2-bit-characters/description/ # # algorithms # Easy (49.25%) # Likes: 278 # Dislikes: 705 # Total Accepted: 44.9K # Total Submissions: 91.1K # Testcase Example: '[1,0,0]' # # We have two special characters. The first character can be represented by one # bit 0. The second character can be represented by two bits (10 or 11). # # Now given a string represented by several bits. Return whether the last # character must be a one-bit character or not. The given string will always # end with a zero. # # Example 1: # # Input: # bits = [1, 0, 0] # Output: True # Explanation: # The only way to decode it is two-bit character and one-bit character. So the # last character is one-bit character. # # # # Example 2: # # Input: # bits = [1, 1, 1, 0] # Output: False # Explanation: # The only way to decode it is two-bit character and two-bit character. So the # last character is NOT one-bit character. # # # # Note: # 1 . # bits[i] is always 0 or 1. # # class Solution(object): def isOneBitCharacter(self, bits): """ :type bits: List[int] :rtype: bool """ # hard to understand index = 0 while index < len(bits) - 1: if bits[index] == 1: index += 2 else: index += 1 return index == len(bits) - 1
# Databricks notebook source # MAGIC %scala # MAGIC spark.conf.set("com.databricks.training.module_name", "Sensor_IoT") # MAGIC val dbNamePrefix = { # MAGIC val tags = com.databricks.logging.AttributionContext.current.tags # MAGIC val name = tags.getOrElse(com.databricks.logging.BaseTagDefinitions.TAG_USER, java.util.UUID.randomUUID.toString.replace("-", "")) # MAGIC val username = if (name != "unknown") name else dbutils.widgets.get("databricksUsername") # MAGIC # MAGIC val username_final = username.split('@')(0) # MAGIC val module_name = spark.conf.get("com.databricks.training.module_name").toLowerCase() # MAGIC # MAGIC val databaseName = (username_final+"_"+module_name).replaceAll("[^a-zA-Z0-9]", "_") + "_db" # MAGIC spark.conf.set("com.databricks.training.spark.dbName", databaseName) # MAGIC spark.conf.set("com.databricks.training.spark.userName", username_final) # MAGIC databaseName # MAGIC } # COMMAND ---------- databaseName = spark.conf.get("com.databricks.training.spark.dbName") userName = spark.conf.get("com.databricks.training.spark.userName").replace('.', '_') displayHTML("""User name is <b style="color:green">{}</b>.""".format(userName)) # COMMAND ---------- spark.sql("CREATE DATABASE IF NOT EXISTS {}".format(databaseName)) spark.sql("USE {}".format(databaseName)) displayHTML("""Using the database <b style="color:green">{}</b>.""".format(databaseName)) # COMMAND ----------
class Context(object): browser = None # строительство фермы, при ошибке строительства buildCornOnError = True queueProperties = None
# from https://gist.github.com/jalavik/976294 # original XML at http://www.w3.org/Math/characters/unicode.xml # XSL for conversion: https://gist.github.com/798546 unicode_to_latex = { u"\u0020": "\\space ", u"\u0023": "\\#", u"\u0024": "\\textdollar ", u"\u0025": "\\%", u"\u0026": "\\&amp;", u"\u0027": "\\textquotesingle ", u"\u002A": "\\ast ", u"\u005C": "\\textbackslash ", u"\u005E": "\\^{}", u"\u005F": "\\_", u"\u0060": "\\textasciigrave ", u"\u007B": "\\lbrace ", u"\u007C": "\\vert ", u"\u007D": "\\rbrace ", u"\u007E": "\\textasciitilde ", u"\u00A1": "\\textexclamdown ", u"\u00A2": "\\textcent ", u"\u00A3": "\\textsterling ", u"\u00A4": "\\textcurrency ", u"\u00A5": "\\textyen ", u"\u00A6": "\\textbrokenbar ", u"\u00A7": "\\textsection ", u"\u00A8": "\\textasciidieresis ", u"\u00A9": "\\textcopyright ", u"\u00AA": "\\textordfeminine ", u"\u00AB": "\\guillemotleft ", u"\u00AC": "\\lnot ", u"\u00AD": "\\-", u"\u00AE": "\\textregistered ", u"\u00AF": "\\textasciimacron ", u"\u00B0": "\\textdegree ", u"\u00B1": "\\pm ", u"\u00B2": "{^2}", u"\u00B3": "{^3}", u"\u00B4": "\\textasciiacute ", u"\u00B5": "\\mathrm{\\mu}", u"\u00B6": "\\textparagraph ", u"\u00B7": "\\cdot ", u"\u00B8": "\\c{}", u"\u00B9": "{^1}", u"\u00BA": "\\textordmasculine ", u"\u00BB": "\\guillemotright ", u"\u00BC": "\\textonequarter ", u"\u00BD": "\\textonehalf ", u"\u00BE": "\\textthreequarters ", u"\u00BF": "\\textquestiondown ", u"\u00C0": "\\`{A}", u"\u00C1": "\\'{A}", u"\u00C2": "\\^{A}", u"\u00C3": "\\~{A}", u"\u00C4": "\\\"{A}", u"\u00C5": "\\AA ", u"\u00C6": "\\AE ", u"\u00C7": "\\c{C}", u"\u00C8": "\\`{E}", u"\u00C9": "\\'{E}", u"\u00CA": "\\^{E}", u"\u00CB": "\\\"{E}", u"\u00CC": "\\`{I}", u"\u00CD": "\\'{I}", u"\u00CE": "\\^{I}", u"\u00CF": "\\\"{I}", u"\u00D0": "\\DH ", u"\u00D1": "\\~{N}", u"\u00D2": "\\`{O}", u"\u00D3": "\\'{O}", u"\u00D4": "\\^{O}", u"\u00D5": "\\~{O}", u"\u00D6": "\\\"{O}", u"\u00D7": "\\texttimes ", u"\u00D8": "\\O ", u"\u00D9": "\\`{U}", u"\u00DA": "\\'{U}", u"\u00DB": "\\^{U}", u"\u00DC": "\\\"{U}", u"\u00DD": "\\'{Y}", u"\u00DE": "\\TH ", u"\u00DF": "\\ss ", u"\u00E0": "\\`{a}", u"\u00E1": "\\'{a}", u"\u00E2": "\\^{a}", u"\u00E3": "\\~{a}", u"\u00E4": "\\\"{a}", u"\u00E5": "\\aa ", u"\u00E6": "\\ae ", u"\u00E7": "\\c{c}", u"\u00E8": "\\`{e}", u"\u00E9": "\\'{e}", u"\u00EA": "\\^{e}", u"\u00EB": "\\\"{e}", u"\u00EC": "\\`{\\i}", u"\u00ED": "\\'{\\i}", u"\u00EE": "\\^{\\i}", u"\u00EF": "\\\"{\\i}", u"\u00F0": "\\dh ", u"\u00F1": "\\~{n}", u"\u00F2": "\\`{o}", u"\u00F3": "\\'{o}", u"\u00F4": "\\^{o}", u"\u00F5": "\\~{o}", u"\u00F6": "\\\"{o}", u"\u00F7": "\\div ", u"\u00F8": "\\o ", u"\u00F9": "\\`{u}", u"\u00FA": "\\'{u}", u"\u00FB": "\\^{u}", u"\u00FC": "\\\"{u}", u"\u00FD": "\\'{y}", u"\u00FE": "\\th ", u"\u00FF": "\\\"{y}", u"\u0100": "\\={A}", u"\u0101": "\\={a}", u"\u0102": "\\u{A}", u"\u0103": "\\u{a}", u"\u0104": "\\k{A}", u"\u0105": "\\k{a}", u"\u0106": "\\'{C}", u"\u0107": "\\'{c}", u"\u0108": "\\^{C}", u"\u0109": "\\^{c}", u"\u010A": "\\.{C}", u"\u010B": "\\.{c}", u"\u010C": "\\v{C}", u"\u010D": "\\v{c}", u"\u010E": "\\v{D}", u"\u010F": "\\v{d}", u"\u0110": "\\DJ ", u"\u0111": "\\dj ", u"\u0112": "\\={E}", u"\u0113": "\\={e}", u"\u0114": "\\u{E}", u"\u0115": "\\u{e}", u"\u0116": "\\.{E}", u"\u0117": "\\.{e}", u"\u0118": "\\k{E}", u"\u0119": "\\k{e}", u"\u011A": "\\v{E}", u"\u011B": "\\v{e}", u"\u011C": "\\^{G}", u"\u011D": "\\^{g}", u"\u011E": "\\u{G}", u"\u011F": "\\u{g}", u"\u0120": "\\.{G}", u"\u0121": "\\.{g}", u"\u0122": "\\c{G}", u"\u0123": "\\c{g}", u"\u0124": "\\^{H}", u"\u0125": "\\^{h}", u"\u0126": "{\\fontencoding{LELA}\\selectfont\\char40}", u"\u0127": "\\Elzxh ", u"\u0128": "\\~{I}", u"\u0129": "\\~{\\i}", u"\u012A": "\\={I}", u"\u012B": "\\={\\i}", u"\u012C": "\\u{I}", u"\u012D": "\\u{\\i}", u"\u012E": "\\k{I}", u"\u012F": "\\k{i}", u"\u0130": "\\.{I}", u"\u0131": "\\i ", u"\u0132": "IJ", u"\u0133": "ij", u"\u0134": "\\^{J}", u"\u0135": "\\^{\\j}", u"\u0136": "\\c{K}", u"\u0137": "\\c{k}", u"\u0138": "{\\fontencoding{LELA}\\selectfont\\char91}", u"\u0139": "\\'{L}", u"\u013A": "\\'{l}", u"\u013B": "\\c{L}", u"\u013C": "\\c{l}", u"\u013D": "\\v{L}", u"\u013E": "\\v{l}", u"\u013F": "{\\fontencoding{LELA}\\selectfont\\char201}", u"\u0140": "{\\fontencoding{LELA}\\selectfont\\char202}", u"\u0141": "\\L ", u"\u0142": "\\l ", u"\u0143": "\\'{N}", u"\u0144": "\\'{n}", u"\u0145": "\\c{N}", u"\u0146": "\\c{n}", u"\u0147": "\\v{N}", u"\u0148": "\\v{n}", u"\u0149": "'n", u"\u014A": "\\NG ", u"\u014B": "\\ng ", u"\u014C": "\\={O}", u"\u014D": "\\={o}", u"\u014E": "\\u{O}", u"\u014F": "\\u{o}", u"\u0150": "\\H{O}", u"\u0151": "\\H{o}", u"\u0152": "\\OE ", u"\u0153": "\\oe ", u"\u0154": "\\'{R}", u"\u0155": "\\'{r}", u"\u0156": "\\c{R}", u"\u0157": "\\c{r}", u"\u0158": "\\v{R}", u"\u0159": "\\v{r}", u"\u015A": "\\'{S}", u"\u015B": "\\'{s}", u"\u015C": "\\^{S}", u"\u015D": "\\^{s}", u"\u015E": "\\c{S}", u"\u015F": "\\c{s}", u"\u0160": "\\v{S}", u"\u0161": "\\v{s}", u"\u0162": "\\c{T}", u"\u0163": "\\c{t}", u"\u0164": "\\v{T}", u"\u0165": "\\v{t}", u"\u0166": "{\\fontencoding{LELA}\\selectfont\\char47}", u"\u0167": "{\\fontencoding{LELA}\\selectfont\\char63}", u"\u0168": "\\~{U}", u"\u0169": "\\~{u}", u"\u016A": "\\={U}", u"\u016B": "\\={u}", u"\u016C": "\\u{U}", u"\u016D": "\\u{u}", u"\u016E": "\\r{U}", u"\u016F": "\\r{u}", u"\u0170": "\\H{U}", u"\u0171": "\\H{u}", u"\u0172": "\\k{U}", u"\u0173": "\\k{u}", u"\u0174": "\\^{W}", u"\u0175": "\\^{w}", u"\u0176": "\\^{Y}", u"\u0177": "\\^{y}", u"\u0178": "\\\"{Y}", u"\u0179": "\\'{Z}", u"\u017A": "\\'{z}", u"\u017B": "\\.{Z}", u"\u017C": "\\.{z}", u"\u017D": "\\v{Z}", u"\u017E": "\\v{z}", u"\u0195": "\\texthvlig ", u"\u019E": "\\textnrleg ", u"\u01AA": "\\eth ", u"\u01BA": "{\\fontencoding{LELA}\\selectfont\\char195}", u"\u01C2": "\\textdoublepipe ", u"\u01F5": "\\'{g}", u"\u0250": "\\Elztrna ", u"\u0252": "\\Elztrnsa ", u"\u0254": "\\Elzopeno ", u"\u0256": "\\Elzrtld ", u"\u0258": "{\\fontencoding{LEIP}\\selectfont\\char61}", u"\u0259": "\\Elzschwa ", u"\u025B": "\\varepsilon ", u"\u0263": "\\Elzpgamma ", u"\u0264": "\\Elzpbgam ", u"\u0265": "\\Elztrnh ", u"\u026C": "\\Elzbtdl ", u"\u026D": "\\Elzrtll ", u"\u026F": "\\Elztrnm ", u"\u0270": "\\Elztrnmlr ", u"\u0271": "\\Elzltlmr ", u"\u0272": "\\Elzltln ", u"\u0273": "\\Elzrtln ", u"\u0277": "\\Elzclomeg ", u"\u0278": "\\textphi ", u"\u0279": "\\Elztrnr ", u"\u027A": "\\Elztrnrl ", u"\u027B": "\\Elzrttrnr ", u"\u027C": "\\Elzrl ", u"\u027D": "\\Elzrtlr ", u"\u027E": "\\Elzfhr ", u"\u027F": "{\\fontencoding{LEIP}\\selectfont\\char202}", u"\u0282": "\\Elzrtls ", u"\u0283": "\\Elzesh ", u"\u0287": "\\Elztrnt ", u"\u0288": "\\Elzrtlt ", u"\u028A": "\\Elzpupsil ", u"\u028B": "\\Elzpscrv ", u"\u028C": "\\Elzinvv ", u"\u028D": "\\Elzinvw ", u"\u028E": "\\Elztrny ", u"\u0290": "\\Elzrtlz ", u"\u0292": "\\Elzyogh ", u"\u0294": "\\Elzglst ", u"\u0295": "\\Elzreglst ", u"\u0296": "\\Elzinglst ", u"\u029E": "\\textturnk ", u"\u02A4": "\\Elzdyogh ", u"\u02A7": "\\Elztesh ", u"\u02C7": "\\textasciicaron ", u"\u02C8": "\\Elzverts ", u"\u02CC": "\\Elzverti ", u"\u02D0": "\\Elzlmrk ", u"\u02D1": "\\Elzhlmrk ", u"\u02D2": "\\Elzsbrhr ", u"\u02D3": "\\Elzsblhr ", u"\u02D4": "\\Elzrais ", u"\u02D5": "\\Elzlow ", u"\u02D8": "\\textasciibreve ", u"\u02D9": "\\textperiodcentered ", u"\u02DA": "\\r{}", u"\u02DB": "\\k{}", u"\u02DC": "\\texttildelow ", u"\u02DD": "\\H{}", u"\u02E5": "\\tone{55}", u"\u02E6": "\\tone{44}", u"\u02E7": "\\tone{33}", u"\u02E8": "\\tone{22}", u"\u02E9": "\\tone{11}", u"\u0300": "\\`", u"\u0301": "\\'", u"\u0302": "\\^", u"\u0303": "\\~", u"\u0304": "\\=", u"\u0306": "\\u", u"\u0307": "\\.", u"\u0308": "\\\"", u"\u030A": "\\r", u"\u030B": "\\H", u"\u030C": "\\v", u"\u030F": "\\cyrchar\\C", u"\u0311": "{\\fontencoding{LECO}\\selectfont\\char177}", u"\u0318": "{\\fontencoding{LECO}\\selectfont\\char184}", u"\u0319": "{\\fontencoding{LECO}\\selectfont\\char185}", u"\u0321": "\\Elzpalh ", u"\u0322": "\\Elzrh ", u"\u0327": "\\c", u"\u0328": "\\k", u"\u032A": "\\Elzsbbrg ", u"\u032B": "{\\fontencoding{LECO}\\selectfont\\char203}", u"\u032F": "{\\fontencoding{LECO}\\selectfont\\char207}", u"\u0335": "\\Elzxl ", u"\u0336": "\\Elzbar ", u"\u0337": "{\\fontencoding{LECO}\\selectfont\\char215}", u"\u0338": "{\\fontencoding{LECO}\\selectfont\\char216}", u"\u033A": "{\\fontencoding{LECO}\\selectfont\\char218}", u"\u033B": "{\\fontencoding{LECO}\\selectfont\\char219}", u"\u033C": "{\\fontencoding{LECO}\\selectfont\\char220}", u"\u033D": "{\\fontencoding{LECO}\\selectfont\\char221}", u"\u0361": "{\\fontencoding{LECO}\\selectfont\\char225}", u"\u0386": "\\'{A}", u"\u0388": "\\'{E}", u"\u0389": "\\'{H}", u"\u038A": "\\'{}{I}", u"\u038C": "\\'{}O", u"\u038E": "\\mathrm{'Y}", u"\u038F": "\\mathrm{'\\Omega}", u"\u0390": "\\acute{\\ddot{\\iota}}", u"\u0391": "\\Alpha ", u"\u0392": "\\Beta ", u"\u0393": "\\Gamma ", u"\u0394": "\\Delta ", u"\u0395": "\\Epsilon ", u"\u0396": "\\Zeta ", u"\u0397": "\\Eta ", u"\u0398": "\\Theta ", u"\u0399": "\\Iota ", u"\u039A": "\\Kappa ", u"\u039B": "\\Lambda ", u"\u039E": "\\Xi ", u"\u03A0": "\\Pi ", u"\u03A1": "\\Rho ", u"\u03A3": "\\Sigma ", u"\u03A4": "\\Tau ", u"\u03A5": "\\Upsilon ", u"\u03A6": "\\Phi ", u"\u03A7": "\\Chi ", u"\u03A8": "\\Psi ", u"\u03A9": "\\Omega ", u"\u03AA": "\\mathrm{\\ddot{I}}", u"\u03AB": "\\mathrm{\\ddot{Y}}", u"\u03AC": "\\'{$\\alpha$}", u"\u03AD": "\\acute{\\epsilon}", u"\u03AE": "\\acute{\\eta}", u"\u03AF": "\\acute{\\iota}", u"\u03B0": "\\acute{\\ddot{\\upsilon}}", u"\u03B1": "\\alpha ", u"\u03B2": "\\beta ", u"\u03B3": "\\gamma ", u"\u03B4": "\\delta ", u"\u03B5": "\\epsilon ", u"\u03B6": "\\zeta ", u"\u03B7": "\\eta ", u"\u03B8": "\\texttheta ", u"\u03B9": "\\iota ", u"\u03BA": "\\kappa ", u"\u03BB": "\\lambda ", u"\u03BC": "\\mu ", u"\u03BD": "\\nu ", u"\u03BE": "\\xi ", u"\u03C0": "\\pi ", u"\u03C1": "\\rho ", u"\u03C2": "\\varsigma ", u"\u03C3": "\\sigma ", u"\u03C4": "\\tau ", u"\u03C5": "\\upsilon ", u"\u03C6": "\\varphi ", u"\u03C7": "\\chi ", u"\u03C8": "\\psi ", u"\u03C9": "\\omega ", u"\u03CA": "\\ddot{\\iota}", u"\u03CB": "\\ddot{\\upsilon}", u"\u03CC": "\\'{o}", u"\u03CD": "\\acute{\\upsilon}", u"\u03CE": "\\acute{\\omega}", u"\u03D0": "\\Pisymbol{ppi022}{87}", u"\u03D1": "\\textvartheta ", u"\u03D2": "\\Upsilon ", u"\u03D5": "\\phi ", u"\u03D6": "\\varpi ", u"\u03DA": "\\Stigma ", u"\u03DC": "\\Digamma ", u"\u03DD": "\\digamma ", u"\u03DE": "\\Koppa ", u"\u03E0": "\\Sampi ", u"\u03F0": "\\varkappa ", u"\u03F1": "\\varrho ", u"\u03F4": "\\textTheta ", u"\u03F6": "\\backepsilon ", u"\u0401": "\\cyrchar\\CYRYO ", u"\u0402": "\\cyrchar\\CYRDJE ", u"\u0403": "\\cyrchar{\\'\\CYRG}", u"\u0404": "\\cyrchar\\CYRIE ", u"\u0405": "\\cyrchar\\CYRDZE ", u"\u0406": "\\cyrchar\\CYRII ", u"\u0407": "\\cyrchar\\CYRYI ", u"\u0408": "\\cyrchar\\CYRJE ", u"\u0409": "\\cyrchar\\CYRLJE ", u"\u040A": "\\cyrchar\\CYRNJE ", u"\u040B": "\\cyrchar\\CYRTSHE ", u"\u040C": "\\cyrchar{\\'\\CYRK}", u"\u040E": "\\cyrchar\\CYRUSHRT ", u"\u040F": "\\cyrchar\\CYRDZHE ", u"\u0410": "\\cyrchar\\CYRA ", u"\u0411": "\\cyrchar\\CYRB ", u"\u0412": "\\cyrchar\\CYRV ", u"\u0413": "\\cyrchar\\CYRG ", u"\u0414": "\\cyrchar\\CYRD ", u"\u0415": "\\cyrchar\\CYRE ", u"\u0416": "\\cyrchar\\CYRZH ", u"\u0417": "\\cyrchar\\CYRZ ", u"\u0418": "\\cyrchar\\CYRI ", u"\u0419": "\\cyrchar\\CYRISHRT ", u"\u041A": "\\cyrchar\\CYRK ", u"\u041B": "\\cyrchar\\CYRL ", u"\u041C": "\\cyrchar\\CYRM ", u"\u041D": "\\cyrchar\\CYRN ", u"\u041E": "\\cyrchar\\CYRO ", u"\u041F": "\\cyrchar\\CYRP ", u"\u0420": "\\cyrchar\\CYRR ", u"\u0421": "\\cyrchar\\CYRS ", u"\u0422": "\\cyrchar\\CYRT ", u"\u0423": "\\cyrchar\\CYRU ", u"\u0424": "\\cyrchar\\CYRF ", u"\u0425": "\\cyrchar\\CYRH ", u"\u0426": "\\cyrchar\\CYRC ", u"\u0427": "\\cyrchar\\CYRCH ", u"\u0428": "\\cyrchar\\CYRSH ", u"\u0429": "\\cyrchar\\CYRSHCH ", u"\u042A": "\\cyrchar\\CYRHRDSN ", u"\u042B": "\\cyrchar\\CYRERY ", u"\u042C": "\\cyrchar\\CYRSFTSN ", u"\u042D": "\\cyrchar\\CYREREV ", u"\u042E": "\\cyrchar\\CYRYU ", u"\u042F": "\\cyrchar\\CYRYA ", u"\u0430": "\\cyrchar\\cyra ", u"\u0431": "\\cyrchar\\cyrb ", u"\u0432": "\\cyrchar\\cyrv ", u"\u0433": "\\cyrchar\\cyrg ", u"\u0434": "\\cyrchar\\cyrd ", u"\u0435": "\\cyrchar\\cyre ", u"\u0436": "\\cyrchar\\cyrzh ", u"\u0437": "\\cyrchar\\cyrz ", u"\u0438": "\\cyrchar\\cyri ", u"\u0439": "\\cyrchar\\cyrishrt ", u"\u043A": "\\cyrchar\\cyrk ", u"\u043B": "\\cyrchar\\cyrl ", u"\u043C": "\\cyrchar\\cyrm ", u"\u043D": "\\cyrchar\\cyrn ", u"\u043E": "\\cyrchar\\cyro ", u"\u043F": "\\cyrchar\\cyrp ", u"\u0440": "\\cyrchar\\cyrr ", u"\u0441": "\\cyrchar\\cyrs ", u"\u0442": "\\cyrchar\\cyrt ", u"\u0443": "\\cyrchar\\cyru ", u"\u0444": "\\cyrchar\\cyrf ", u"\u0445": "\\cyrchar\\cyrh ", u"\u0446": "\\cyrchar\\cyrc ", u"\u0447": "\\cyrchar\\cyrch ", u"\u0448": "\\cyrchar\\cyrsh ", u"\u0449": "\\cyrchar\\cyrshch ", u"\u044A": "\\cyrchar\\cyrhrdsn ", u"\u044B": "\\cyrchar\\cyrery ", u"\u044C": "\\cyrchar\\cyrsftsn ", u"\u044D": "\\cyrchar\\cyrerev ", u"\u044E": "\\cyrchar\\cyryu ", u"\u044F": "\\cyrchar\\cyrya ", u"\u0451": "\\cyrchar\\cyryo ", u"\u0452": "\\cyrchar\\cyrdje ", u"\u0453": "\\cyrchar{\\'\\cyrg}", u"\u0454": "\\cyrchar\\cyrie ", u"\u0455": "\\cyrchar\\cyrdze ", u"\u0456": "\\cyrchar\\cyrii ", u"\u0457": "\\cyrchar\\cyryi ", u"\u0458": "\\cyrchar\\cyrje ", u"\u0459": "\\cyrchar\\cyrlje ", u"\u045A": "\\cyrchar\\cyrnje ", u"\u045B": "\\cyrchar\\cyrtshe ", u"\u045C": "\\cyrchar{\\'\\cyrk}", u"\u045E": "\\cyrchar\\cyrushrt ", u"\u045F": "\\cyrchar\\cyrdzhe ", u"\u0460": "\\cyrchar\\CYROMEGA ", u"\u0461": "\\cyrchar\\cyromega ", u"\u0462": "\\cyrchar\\CYRYAT ", u"\u0464": "\\cyrchar\\CYRIOTE ", u"\u0465": "\\cyrchar\\cyriote ", u"\u0466": "\\cyrchar\\CYRLYUS ", u"\u0467": "\\cyrchar\\cyrlyus ", u"\u0468": "\\cyrchar\\CYRIOTLYUS ", u"\u0469": "\\cyrchar\\cyriotlyus ", u"\u046A": "\\cyrchar\\CYRBYUS ", u"\u046C": "\\cyrchar\\CYRIOTBYUS ", u"\u046D": "\\cyrchar\\cyriotbyus ", u"\u046E": "\\cyrchar\\CYRKSI ", u"\u046F": "\\cyrchar\\cyrksi ", u"\u0470": "\\cyrchar\\CYRPSI ", u"\u0471": "\\cyrchar\\cyrpsi ", u"\u0472": "\\cyrchar\\CYRFITA ", u"\u0474": "\\cyrchar\\CYRIZH ", u"\u0478": "\\cyrchar\\CYRUK ", u"\u0479": "\\cyrchar\\cyruk ", u"\u047A": "\\cyrchar\\CYROMEGARND ", u"\u047B": "\\cyrchar\\cyromegarnd ", u"\u047C": "\\cyrchar\\CYROMEGATITLO ", u"\u047D": "\\cyrchar\\cyromegatitlo ", u"\u047E": "\\cyrchar\\CYROT ", u"\u047F": "\\cyrchar\\cyrot ", u"\u0480": "\\cyrchar\\CYRKOPPA ", u"\u0481": "\\cyrchar\\cyrkoppa ", u"\u0482": "\\cyrchar\\cyrthousands ", u"\u0488": "\\cyrchar\\cyrhundredthousands ", u"\u0489": "\\cyrchar\\cyrmillions ", u"\u048C": "\\cyrchar\\CYRSEMISFTSN ", u"\u048D": "\\cyrchar\\cyrsemisftsn ", u"\u048E": "\\cyrchar\\CYRRTICK ", u"\u048F": "\\cyrchar\\cyrrtick ", u"\u0490": "\\cyrchar\\CYRGUP ", u"\u0491": "\\cyrchar\\cyrgup ", u"\u0492": "\\cyrchar\\CYRGHCRS ", u"\u0493": "\\cyrchar\\cyrghcrs ", u"\u0494": "\\cyrchar\\CYRGHK ", u"\u0495": "\\cyrchar\\cyrghk ", u"\u0496": "\\cyrchar\\CYRZHDSC ", u"\u0497": "\\cyrchar\\cyrzhdsc ", u"\u0498": "\\cyrchar\\CYRZDSC ", u"\u0499": "\\cyrchar\\cyrzdsc ", u"\u049A": "\\cyrchar\\CYRKDSC ", u"\u049B": "\\cyrchar\\cyrkdsc ", u"\u049C": "\\cyrchar\\CYRKVCRS ", u"\u049D": "\\cyrchar\\cyrkvcrs ", u"\u049E": "\\cyrchar\\CYRKHCRS ", u"\u049F": "\\cyrchar\\cyrkhcrs ", u"\u04A0": "\\cyrchar\\CYRKBEAK ", u"\u04A1": "\\cyrchar\\cyrkbeak ", u"\u04A2": "\\cyrchar\\CYRNDSC ", u"\u04A3": "\\cyrchar\\cyrndsc ", u"\u04A4": "\\cyrchar\\CYRNG ", u"\u04A5": "\\cyrchar\\cyrng ", u"\u04A6": "\\cyrchar\\CYRPHK ", u"\u04A7": "\\cyrchar\\cyrphk ", u"\u04A8": "\\cyrchar\\CYRABHHA ", u"\u04A9": "\\cyrchar\\cyrabhha ", u"\u04AA": "\\cyrchar\\CYRSDSC ", u"\u04AB": "\\cyrchar\\cyrsdsc ", u"\u04AC": "\\cyrchar\\CYRTDSC ", u"\u04AD": "\\cyrchar\\cyrtdsc ", u"\u04AE": "\\cyrchar\\CYRY ", u"\u04AF": "\\cyrchar\\cyry ", u"\u04B0": "\\cyrchar\\CYRYHCRS ", u"\u04B1": "\\cyrchar\\cyryhcrs ", u"\u04B2": "\\cyrchar\\CYRHDSC ", u"\u04B3": "\\cyrchar\\cyrhdsc ", u"\u04B4": "\\cyrchar\\CYRTETSE ", u"\u04B5": "\\cyrchar\\cyrtetse ", u"\u04B6": "\\cyrchar\\CYRCHRDSC ", u"\u04B7": "\\cyrchar\\cyrchrdsc ", u"\u04B8": "\\cyrchar\\CYRCHVCRS ", u"\u04B9": "\\cyrchar\\cyrchvcrs ", u"\u04BA": "\\cyrchar\\CYRSHHA ", u"\u04BB": "\\cyrchar\\cyrshha ", u"\u04BC": "\\cyrchar\\CYRABHCH ", u"\u04BD": "\\cyrchar\\cyrabhch ", u"\u04BE": "\\cyrchar\\CYRABHCHDSC ", u"\u04BF": "\\cyrchar\\cyrabhchdsc ", u"\u04C0": "\\cyrchar\\CYRpalochka ", u"\u04C3": "\\cyrchar\\CYRKHK ", u"\u04C4": "\\cyrchar\\cyrkhk ", u"\u04C7": "\\cyrchar\\CYRNHK ", u"\u04C8": "\\cyrchar\\cyrnhk ", u"\u04CB": "\\cyrchar\\CYRCHLDSC ", u"\u04CC": "\\cyrchar\\cyrchldsc ", u"\u04D4": "\\cyrchar\\CYRAE ", u"\u04D5": "\\cyrchar\\cyrae ", u"\u04D8": "\\cyrchar\\CYRSCHWA ", u"\u04D9": "\\cyrchar\\cyrschwa ", u"\u04E0": "\\cyrchar\\CYRABHDZE ", u"\u04E1": "\\cyrchar\\cyrabhdze ", u"\u04E8": "\\cyrchar\\CYROTLD ", u"\u04E9": "\\cyrchar\\cyrotld ", u"\u2002": "\\hspace{0.6em}", u"\u2003": "\\hspace{1em}", u"\u2004": "\\hspace{0.33em}", u"\u2005": "\\hspace{0.25em}", u"\u2006": "\\hspace{0.166em}", u"\u2007": "\\hphantom{0}", u"\u2008": "\\hphantom{,}", u"\u2009": "\\hspace{0.167em}", u"\u2009-0200A-0200A": "\\;", u"\u200A": "\\mkern1mu ", u"\u2013": "\\textendash ", u"\u2014": "\\textemdash ", u"\u2015": "\\rule{1em}{1pt}", u"\u2016": "\\Vert ", u"\u201B": "\\Elzreapos ", u"\u201C": "\\textquotedblleft ", u"\u201D": "\\textquotedblright ", u"\u201E": ",,", u"\u2020": "\\textdagger ", u"\u2021": "\\textdaggerdbl ", u"\u2022": "\\textbullet ", u"\u2025": "..", u"\u2026": "\\ldots ", u"\u2030": "\\textperthousand ", u"\u2031": "\\textpertenthousand ", u"\u2032": "{'}", u"\u2033": "{''}", u"\u2034": "{'''}", u"\u2035": "\\backprime ", u"\u2039": "\\guilsinglleft ", u"\u203A": "\\guilsinglright ", u"\u2057": "''''", u"\u205F": "\\mkern4mu ", u"\u2060": "\\nolinebreak ", u"\u20A7": "\\ensuremath{\\Elzpes}", u"\u20AC": "\\mbox{\\texteuro} ", u"\u20DB": "\\dddot ", u"\u20DC": "\\ddddot ", u"\u2102": "\\mathbb{C}", u"\u210A": "\\mathscr{g}", u"\u210B": "\\mathscr{H}", u"\u210C": "\\mathfrak{H}", u"\u210D": "\\mathbb{H}", u"\u210F": "\\hslash ", u"\u2110": "\\mathscr{I}", u"\u2111": "\\mathfrak{I}", u"\u2112": "\\mathscr{L}", u"\u2113": "\\mathscr{l}", u"\u2115": "\\mathbb{N}", u"\u2116": "\\cyrchar\\textnumero ", u"\u2118": "\\wp ", u"\u2119": "\\mathbb{P}", u"\u211A": "\\mathbb{Q}", u"\u211B": "\\mathscr{R}", u"\u211C": "\\mathfrak{R}", u"\u211D": "\\mathbb{R}", u"\u211E": "\\Elzxrat ", u"\u2122": "\\texttrademark ", u"\u2124": "\\mathbb{Z}", u"\u2126": "\\Omega ", u"\u2127": "\\mho ", u"\u2128": "\\mathfrak{Z}", u"\u2129": "\\ElsevierGlyph{2129}", u"\u212B": "\\AA ", u"\u212C": "\\mathscr{B}", u"\u212D": "\\mathfrak{C}", u"\u212F": "\\mathscr{e}", u"\u2130": "\\mathscr{E}", u"\u2131": "\\mathscr{F}", u"\u2133": "\\mathscr{M}", u"\u2134": "\\mathscr{o}", u"\u2135": "\\aleph ", u"\u2136": "\\beth ", u"\u2137": "\\gimel ", u"\u2138": "\\daleth ", u"\u2153": "\\textfrac{1}{3}", u"\u2154": "\\textfrac{2}{3}", u"\u2155": "\\textfrac{1}{5}", u"\u2156": "\\textfrac{2}{5}", u"\u2157": "\\textfrac{3}{5}", u"\u2158": "\\textfrac{4}{5}", u"\u2159": "\\textfrac{1}{6}", u"\u215A": "\\textfrac{5}{6}", u"\u215B": "\\textfrac{1}{8}", u"\u215C": "\\textfrac{3}{8}", u"\u215D": "\\textfrac{5}{8}", u"\u215E": "\\textfrac{7}{8}", u"\u2190": "\\leftarrow ", u"\u2191": "\\uparrow ", u"\u2192": "\\rightarrow ", u"\u2193": "\\downarrow ", u"\u2194": "\\leftrightarrow ", u"\u2195": "\\updownarrow ", u"\u2196": "\\nwarrow ", u"\u2197": "\\nearrow ", u"\u2198": "\\searrow ", u"\u2199": "\\swarrow ", u"\u219A": "\\nleftarrow ", u"\u219B": "\\nrightarrow ", u"\u219C": "\\arrowwaveright ", u"\u219D": "\\arrowwaveright ", u"\u219E": "\\twoheadleftarrow ", u"\u21A0": "\\twoheadrightarrow ", u"\u21A2": "\\leftarrowtail ", u"\u21A3": "\\rightarrowtail ", u"\u21A6": "\\mapsto ", u"\u21A9": "\\hookleftarrow ", u"\u21AA": "\\hookrightarrow ", u"\u21AB": "\\looparrowleft ", u"\u21AC": "\\looparrowright ", u"\u21AD": "\\leftrightsquigarrow ", u"\u21AE": "\\nleftrightarrow ", u"\u21B0": "\\Lsh ", u"\u21B1": "\\Rsh ", u"\u21B3": "\\ElsevierGlyph{21B3}", u"\u21B6": "\\curvearrowleft ", u"\u21B7": "\\curvearrowright ", u"\u21BA": "\\circlearrowleft ", u"\u21BB": "\\circlearrowright ", u"\u21BC": "\\leftharpoonup ", u"\u21BD": "\\leftharpoondown ", u"\u21BE": "\\upharpoonright ", u"\u21BF": "\\upharpoonleft ", u"\u21C0": "\\rightharpoonup ", u"\u21C1": "\\rightharpoondown ", u"\u21C2": "\\downharpoonright ", u"\u21C3": "\\downharpoonleft ", u"\u21C4": "\\rightleftarrows ", u"\u21C5": "\\dblarrowupdown ", u"\u21C6": "\\leftrightarrows ", u"\u21C7": "\\leftleftarrows ", u"\u21C8": "\\upuparrows ", u"\u21C9": "\\rightrightarrows ", u"\u21CA": "\\downdownarrows ", u"\u21CB": "\\leftrightharpoons ", u"\u21CC": "\\rightleftharpoons ", u"\u21CD": "\\nLeftarrow ", u"\u21CE": "\\nLeftrightarrow ", u"\u21CF": "\\nRightarrow ", u"\u21D0": "\\Leftarrow ", u"\u21D1": "\\Uparrow ", u"\u21D2": "\\Rightarrow ", u"\u21D3": "\\Downarrow ", u"\u21D4": "\\Leftrightarrow ", u"\u21D5": "\\Updownarrow ", u"\u21DA": "\\Lleftarrow ", u"\u21DB": "\\Rrightarrow ", u"\u21DD": "\\rightsquigarrow ", u"\u21F5": "\\DownArrowUpArrow ", u"\u2200": "\\forall ", u"\u2201": "\\complement ", u"\u2202": "\\partial ", u"\u2203": "\\exists ", u"\u2204": "\\nexists ", u"\u2205": "\\varnothing ", u"\u2207": "\\nabla ", u"\u2208": "\\in ", u"\u2209": "\\not\\in ", u"\u220B": "\\ni ", u"\u220C": "\\not\\ni ", u"\u220F": "\\prod ", u"\u2210": "\\coprod ", u"\u2211": "\\sum ", u"\u2213": "\\mp ", u"\u2214": "\\dotplus ", u"\u2216": "\\setminus ", u"\u2217": "{_\\ast}", u"\u2218": "\\circ ", u"\u2219": "\\bullet ", u"\u221A": "\\surd ", u"\u221D": "\\propto ", u"\u221E": "\\infty ", u"\u221F": "\\rightangle ", u"\u2220": "\\angle ", u"\u2221": "\\measuredangle ", u"\u2222": "\\sphericalangle ", u"\u2223": "\\mid ", u"\u2224": "\\nmid ", u"\u2225": "\\parallel ", u"\u2226": "\\nparallel ", u"\u2227": "\\wedge ", u"\u2228": "\\vee ", u"\u2229": "\\cap ", u"\u222A": "\\cup ", u"\u222B": "\\int ", u"\u222C": "\\int\\!\\int ", u"\u222D": "\\int\\!\\int\\!\\int ", u"\u222E": "\\oint ", u"\u222F": "\\surfintegral ", u"\u2230": "\\volintegral ", u"\u2231": "\\clwintegral ", u"\u2232": "\\ElsevierGlyph{2232}", u"\u2233": "\\ElsevierGlyph{2233}", u"\u2234": "\\therefore ", u"\u2235": "\\because ", u"\u2237": "\\Colon ", u"\u2238": "\\ElsevierGlyph{2238}", u"\u223A": "\\mathbin{{:}\\!\\!{-}\\!\\!{:}}", u"\u223B": "\\homothetic ", u"\u223C": "\\sim ", u"\u223D": "\\backsim ", u"\u223E": "\\lazysinv ", u"\u2240": "\\wr ", u"\u2241": "\\not\\sim ", u"\u2242": "\\ElsevierGlyph{2242}", u"\u2242-00338": "\\NotEqualTilde ", u"\u2243": "\\simeq ", u"\u2244": "\\not\\simeq ", u"\u2245": "\\cong ", u"\u2246": "\\approxnotequal ", u"\u2247": "\\not\\cong ", u"\u2248": "\\approx ", u"\u2249": "\\not\\approx ", u"\u224A": "\\approxeq ", u"\u224B": "\\tildetrpl ", u"\u224B-00338": "\\not\\apid ", u"\u224C": "\\allequal ", u"\u224D": "\\asymp ", u"\u224E": "\\Bumpeq ", u"\u224E-00338": "\\NotHumpDownHump ", u"\u224F": "\\bumpeq ", u"\u224F-00338": "\\NotHumpEqual ", u"\u2250": "\\doteq ", u"\u2250-00338": "\\not\\doteq", u"\u2251": "\\doteqdot ", u"\u2252": "\\fallingdotseq ", u"\u2253": "\\risingdotseq ", u"\u2254": ":=", u"\u2255": "=:", u"\u2256": "\\eqcirc ", u"\u2257": "\\circeq ", u"\u2259": "\\estimates ", u"\u225A": "\\ElsevierGlyph{225A}", u"\u225B": "\\starequal ", u"\u225C": "\\triangleq ", u"\u225F": "\\ElsevierGlyph{225F}", u"\u2260": "\\not =", u"\u2261": "\\equiv ", u"\u2262": "\\not\\equiv ", u"\u2264": "\\leq ", u"\u2265": "\\geq ", u"\u2266": "\\leqq ", u"\u2267": "\\geqq ", u"\u2268": "\\lneqq ", u"\u2268-0FE00": "\\lvertneqq ", u"\u2269": "\\gneqq ", u"\u2269-0FE00": "\\gvertneqq ", u"\u226A": "\\ll ", u"\u226A-00338": "\\NotLessLess ", u"\u226B": "\\gg ", u"\u226B-00338": "\\NotGreaterGreater ", u"\u226C": "\\between ", u"\u226D": "\\not\\kern-0.3em\\times ", u"\u226E": "\\not&lt;", u"\u226F": "\\not&gt;", u"\u2270": "\\not\\leq ", u"\u2271": "\\not\\geq ", u"\u2272": "\\lessequivlnt ", u"\u2273": "\\greaterequivlnt ", u"\u2274": "\\ElsevierGlyph{2274}", u"\u2275": "\\ElsevierGlyph{2275}", u"\u2276": "\\lessgtr ", u"\u2277": "\\gtrless ", u"\u2278": "\\notlessgreater ", u"\u2279": "\\notgreaterless ", u"\u227A": "\\prec ", u"\u227B": "\\succ ", u"\u227C": "\\preccurlyeq ", u"\u227D": "\\succcurlyeq ", u"\u227E": "\\precapprox ", u"\u227E-00338": "\\NotPrecedesTilde ", u"\u227F": "\\succapprox ", u"\u227F-00338": "\\NotSucceedsTilde ", u"\u2280": "\\not\\prec ", u"\u2281": "\\not\\succ ", u"\u2282": "\\subset ", u"\u2283": "\\supset ", u"\u2284": "\\not\\subset ", u"\u2285": "\\not\\supset ", u"\u2286": "\\subseteq ", u"\u2287": "\\supseteq ", u"\u2288": "\\not\\subseteq ", u"\u2289": "\\not\\supseteq ", u"\u228A": "\\subsetneq ", u"\u228A-0FE00": "\\varsubsetneqq ", u"\u228B": "\\supsetneq ", u"\u228B-0FE00": "\\varsupsetneq ", u"\u228E": "\\uplus ", u"\u228F": "\\sqsubset ", u"\u228F-00338": "\\NotSquareSubset ", u"\u2290": "\\sqsupset ", u"\u2290-00338": "\\NotSquareSuperset ", u"\u2291": "\\sqsubseteq ", u"\u2292": "\\sqsupseteq ", u"\u2293": "\\sqcap ", u"\u2294": "\\sqcup ", u"\u2295": "\\oplus ", u"\u2296": "\\ominus ", u"\u2297": "\\otimes ", u"\u2298": "\\oslash ", u"\u2299": "\\odot ", u"\u229A": "\\circledcirc ", u"\u229B": "\\circledast ", u"\u229D": "\\circleddash ", u"\u229E": "\\boxplus ", u"\u229F": "\\boxminus ", u"\u22A0": "\\boxtimes ", u"\u22A1": "\\boxdot ", u"\u22A2": "\\vdash ", u"\u22A3": "\\dashv ", u"\u22A4": "\\top ", u"\u22A5": "\\perp ", u"\u22A7": "\\truestate ", u"\u22A8": "\\forcesextra ", u"\u22A9": "\\Vdash ", u"\u22AA": "\\Vvdash ", u"\u22AB": "\\VDash ", u"\u22AC": "\\nvdash ", u"\u22AD": "\\nvDash ", u"\u22AE": "\\nVdash ", u"\u22AF": "\\nVDash ", u"\u22B2": "\\vartriangleleft ", u"\u22B3": "\\vartriangleright ", u"\u22B4": "\\trianglelefteq ", u"\u22B5": "\\trianglerighteq ", u"\u22B6": "\\original ", u"\u22B7": "\\image ", u"\u22B8": "\\multimap ", u"\u22B9": "\\hermitconjmatrix ", u"\u22BA": "\\intercal ", u"\u22BB": "\\veebar ", u"\u22BE": "\\rightanglearc ", u"\u22C0": "\\ElsevierGlyph{22C0}", u"\u22C1": "\\ElsevierGlyph{22C1}", u"\u22C2": "\\bigcap ", u"\u22C3": "\\bigcup ", u"\u22C4": "\\diamond ", u"\u22C5": "\\cdot ", u"\u22C6": "\\star ", u"\u22C7": "\\divideontimes ", u"\u22C8": "\\bowtie ", u"\u22C9": "\\ltimes ", u"\u22CA": "\\rtimes ", u"\u22CB": "\\leftthreetimes ", u"\u22CC": "\\rightthreetimes ", u"\u22CD": "\\backsimeq ", u"\u22CE": "\\curlyvee ", u"\u22CF": "\\curlywedge ", u"\u22D0": "\\Subset ", u"\u22D1": "\\Supset ", u"\u22D2": "\\Cap ", u"\u22D3": "\\Cup ", u"\u22D4": "\\pitchfork ", u"\u22D6": "\\lessdot ", u"\u22D7": "\\gtrdot ", u"\u22D8": "\\verymuchless ", u"\u22D9": "\\verymuchgreater ", u"\u22DA": "\\lesseqgtr ", u"\u22DB": "\\gtreqless ", u"\u22DE": "\\curlyeqprec ", u"\u22DF": "\\curlyeqsucc ", u"\u22E2": "\\not\\sqsubseteq ", u"\u22E3": "\\not\\sqsupseteq ", u"\u22E5": "\\Elzsqspne ", u"\u22E6": "\\lnsim ", u"\u22E7": "\\gnsim ", u"\u22E8": "\\precedesnotsimilar ", u"\u22E9": "\\succnsim ", u"\u22EA": "\\ntriangleleft ", u"\u22EB": "\\ntriangleright ", u"\u22EC": "\\ntrianglelefteq ", u"\u22ED": "\\ntrianglerighteq ", u"\u22EE": "\\vdots ", u"\u22EF": "\\cdots ", u"\u22F0": "\\upslopeellipsis ", u"\u22F1": "\\downslopeellipsis ", u"\u2305": "\\barwedge ", u"\u2306": "\\perspcorrespond ", u"\u2308": "\\lceil ", u"\u2309": "\\rceil ", u"\u230A": "\\lfloor ", u"\u230B": "\\rfloor ", u"\u2315": "\\recorder ", u"\u2316": "\\mathchar\"2208", u"\u231C": "\\ulcorner ", u"\u231D": "\\urcorner ", u"\u231E": "\\llcorner ", u"\u231F": "\\lrcorner ", u"\u2322": "\\frown ", u"\u2323": "\\smile ", u"\u2329": "\\langle ", u"\u232A": "\\rangle ", u"\u233D": "\\ElsevierGlyph{E838}", u"\u23A3": "\\Elzdlcorn ", u"\u23B0": "\\lmoustache ", u"\u23B1": "\\rmoustache ", u"\u2423": "\\textvisiblespace ", u"\u2460": "\\ding{172}", u"\u2461": "\\ding{173}", u"\u2462": "\\ding{174}", u"\u2463": "\\ding{175}", u"\u2464": "\\ding{176}", u"\u2465": "\\ding{177}", u"\u2466": "\\ding{178}", u"\u2467": "\\ding{179}", u"\u2468": "\\ding{180}", u"\u2469": "\\ding{181}", u"\u24C8": "\\circledS ", u"\u2506": "\\Elzdshfnc ", u"\u2519": "\\Elzsqfnw ", u"\u2571": "\\diagup ", u"\u25A0": "\\ding{110}", u"\u25A1": "\\square ", u"\u25AA": "\\blacksquare ", u"\u25AD": "\\fbox{~~}", u"\u25AF": "\\Elzvrecto ", u"\u25B1": "\\ElsevierGlyph{E381}", u"\u25B2": "\\ding{115}", u"\u25B3": "\\bigtriangleup ", u"\u25B4": "\\blacktriangle ", u"\u25B5": "\\vartriangle ", u"\u25B8": "\\blacktriangleright ", u"\u25B9": "\\triangleright ", u"\u25BC": "\\ding{116}", u"\u25BD": "\\bigtriangledown ", u"\u25BE": "\\blacktriangledown ", u"\u25BF": "\\triangledown ", u"\u25C2": "\\blacktriangleleft ", u"\u25C3": "\\triangleleft ", u"\u25C6": "\\ding{117}", u"\u25CA": "\\lozenge ", u"\u25CB": "\\bigcirc ", u"\u25CF": "\\ding{108}", u"\u25D0": "\\Elzcirfl ", u"\u25D1": "\\Elzcirfr ", u"\u25D2": "\\Elzcirfb ", u"\u25D7": "\\ding{119}", u"\u25D8": "\\Elzrvbull ", u"\u25E7": "\\Elzsqfl ", u"\u25E8": "\\Elzsqfr ", u"\u25EA": "\\Elzsqfse ", u"\u25EF": "\\bigcirc ", u"\u2605": "\\ding{72}", u"\u2606": "\\ding{73}", u"\u260E": "\\ding{37}", u"\u261B": "\\ding{42}", u"\u261E": "\\ding{43}", u"\u263E": "\\rightmoon ", u"\u263F": "\\mercury ", u"\u2640": "\\venus ", u"\u2642": "\\male ", u"\u2643": "\\jupiter ", u"\u2644": "\\saturn ", u"\u2645": "\\uranus ", u"\u2646": "\\neptune ", u"\u2647": "\\pluto ", u"\u2648": "\\aries ", u"\u2649": "\\taurus ", u"\u264A": "\\gemini ", u"\u264B": "\\cancer ", u"\u264C": "\\leo ", u"\u264D": "\\virgo ", u"\u264E": "\\libra ", u"\u264F": "\\scorpio ", u"\u2650": "\\sagittarius ", u"\u2651": "\\capricornus ", u"\u2652": "\\aquarius ", u"\u2653": "\\pisces ", u"\u2660": "\\ding{171}", u"\u2662": "\\diamond ", u"\u2663": "\\ding{168}", u"\u2665": "\\ding{170}", u"\u2666": "\\ding{169}", u"\u2669": "\\quarternote ", u"\u266A": "\\eighthnote ", u"\u266D": "\\flat ", u"\u266E": "\\natural ", u"\u266F": "\\sharp ", u"\u2701": "\\ding{33}", u"\u2702": "\\ding{34}", u"\u2703": "\\ding{35}", u"\u2704": "\\ding{36}", u"\u2706": "\\ding{38}", u"\u2707": "\\ding{39}", u"\u2708": "\\ding{40}", u"\u2709": "\\ding{41}", u"\u270C": "\\ding{44}", u"\u270D": "\\ding{45}", u"\u270E": "\\ding{46}", u"\u270F": "\\ding{47}", u"\u2710": "\\ding{48}", u"\u2711": "\\ding{49}", u"\u2712": "\\ding{50}", u"\u2713": "\\ding{51}", u"\u2714": "\\ding{52}", u"\u2715": "\\ding{53}", u"\u2716": "\\ding{54}", u"\u2717": "\\ding{55}", u"\u2718": "\\ding{56}", u"\u2719": "\\ding{57}", u"\u271A": "\\ding{58}", u"\u271B": "\\ding{59}", u"\u271C": "\\ding{60}", u"\u271D": "\\ding{61}", u"\u271E": "\\ding{62}", u"\u271F": "\\ding{63}", u"\u2720": "\\ding{64}", u"\u2721": "\\ding{65}", u"\u2722": "\\ding{66}", u"\u2723": "\\ding{67}", u"\u2724": "\\ding{68}", u"\u2725": "\\ding{69}", u"\u2726": "\\ding{70}", u"\u2727": "\\ding{71}", u"\u2729": "\\ding{73}", u"\u272A": "\\ding{74}", u"\u272B": "\\ding{75}", u"\u272C": "\\ding{76}", u"\u272D": "\\ding{77}", u"\u272E": "\\ding{78}", u"\u272F": "\\ding{79}", u"\u2730": "\\ding{80}", u"\u2731": "\\ding{81}", u"\u2732": "\\ding{82}", u"\u2733": "\\ding{83}", u"\u2734": "\\ding{84}", u"\u2735": "\\ding{85}", u"\u2736": "\\ding{86}", u"\u2737": "\\ding{87}", u"\u2738": "\\ding{88}", u"\u2739": "\\ding{89}", u"\u273A": "\\ding{90}", u"\u273B": "\\ding{91}", u"\u273C": "\\ding{92}", u"\u273D": "\\ding{93}", u"\u273E": "\\ding{94}", u"\u273F": "\\ding{95}", u"\u2740": "\\ding{96}", u"\u2741": "\\ding{97}", u"\u2742": "\\ding{98}", u"\u2743": "\\ding{99}", u"\u2744": "\\ding{100}", u"\u2745": "\\ding{101}", u"\u2746": "\\ding{102}", u"\u2747": "\\ding{103}", u"\u2748": "\\ding{104}", u"\u2749": "\\ding{105}", u"\u274A": "\\ding{106}", u"\u274B": "\\ding{107}", u"\u274D": "\\ding{109}", u"\u274F": "\\ding{111}", u"\u2750": "\\ding{112}", u"\u2751": "\\ding{113}", u"\u2752": "\\ding{114}", u"\u2756": "\\ding{118}", u"\u2758": "\\ding{120}", u"\u2759": "\\ding{121}", u"\u275A": "\\ding{122}", u"\u275B": "\\ding{123}", u"\u275C": "\\ding{124}", u"\u275D": "\\ding{125}", u"\u275E": "\\ding{126}", u"\u2761": "\\ding{161}", u"\u2762": "\\ding{162}", u"\u2763": "\\ding{163}", u"\u2764": "\\ding{164}", u"\u2765": "\\ding{165}", u"\u2766": "\\ding{166}", u"\u2767": "\\ding{167}", u"\u2776": "\\ding{182}", u"\u2777": "\\ding{183}", u"\u2778": "\\ding{184}", u"\u2779": "\\ding{185}", u"\u277A": "\\ding{186}", u"\u277B": "\\ding{187}", u"\u277C": "\\ding{188}", u"\u277D": "\\ding{189}", u"\u277E": "\\ding{190}", u"\u277F": "\\ding{191}", u"\u2780": "\\ding{192}", u"\u2781": "\\ding{193}", u"\u2782": "\\ding{194}", u"\u2783": "\\ding{195}", u"\u2784": "\\ding{196}", u"\u2785": "\\ding{197}", u"\u2786": "\\ding{198}", u"\u2787": "\\ding{199}", u"\u2788": "\\ding{200}", u"\u2789": "\\ding{201}", u"\u278A": "\\ding{202}", u"\u278B": "\\ding{203}", u"\u278C": "\\ding{204}", u"\u278D": "\\ding{205}", u"\u278E": "\\ding{206}", u"\u278F": "\\ding{207}", u"\u2790": "\\ding{208}", u"\u2791": "\\ding{209}", u"\u2792": "\\ding{210}", u"\u2793": "\\ding{211}", u"\u2794": "\\ding{212}", u"\u2798": "\\ding{216}", u"\u2799": "\\ding{217}", u"\u279A": "\\ding{218}", u"\u279B": "\\ding{219}", u"\u279C": "\\ding{220}", u"\u279D": "\\ding{221}", u"\u279E": "\\ding{222}", u"\u279F": "\\ding{223}", u"\u27A0": "\\ding{224}", u"\u27A1": "\\ding{225}", u"\u27A2": "\\ding{226}", u"\u27A3": "\\ding{227}", u"\u27A4": "\\ding{228}", u"\u27A5": "\\ding{229}", u"\u27A6": "\\ding{230}", u"\u27A7": "\\ding{231}", u"\u27A8": "\\ding{232}", u"\u27A9": "\\ding{233}", u"\u27AA": "\\ding{234}", u"\u27AB": "\\ding{235}", u"\u27AC": "\\ding{236}", u"\u27AD": "\\ding{237}", u"\u27AE": "\\ding{238}", u"\u27AF": "\\ding{239}", u"\u27B1": "\\ding{241}", u"\u27B2": "\\ding{242}", u"\u27B3": "\\ding{243}", u"\u27B4": "\\ding{244}", u"\u27B5": "\\ding{245}", u"\u27B6": "\\ding{246}", u"\u27B7": "\\ding{247}", u"\u27B8": "\\ding{248}", u"\u27B9": "\\ding{249}", u"\u27BA": "\\ding{250}", u"\u27BB": "\\ding{251}", u"\u27BC": "\\ding{252}", u"\u27BD": "\\ding{253}", u"\u27BE": "\\ding{254}", u"\u27F5": "\\longleftarrow ", u"\u27F6": "\\longrightarrow ", u"\u27F7": "\\longleftrightarrow ", u"\u27F8": "\\Longleftarrow ", u"\u27F9": "\\Longrightarrow ", u"\u27FA": "\\Longleftrightarrow ", u"\u27FC": "\\longmapsto ", u"\u27FF": "\\sim\\joinrel\\leadsto", u"\u2905": "\\ElsevierGlyph{E212}", u"\u2912": "\\UpArrowBar ", u"\u2913": "\\DownArrowBar ", u"\u2923": "\\ElsevierGlyph{E20C}", u"\u2924": "\\ElsevierGlyph{E20D}", u"\u2925": "\\ElsevierGlyph{E20B}", u"\u2926": "\\ElsevierGlyph{E20A}", u"\u2927": "\\ElsevierGlyph{E211}", u"\u2928": "\\ElsevierGlyph{E20E}", u"\u2929": "\\ElsevierGlyph{E20F}", u"\u292A": "\\ElsevierGlyph{E210}", u"\u2933": "\\ElsevierGlyph{E21C}", u"\u2933-00338": "\\ElsevierGlyph{E21D}", u"\u2936": "\\ElsevierGlyph{E21A}", u"\u2937": "\\ElsevierGlyph{E219}", u"\u2940": "\\Elolarr ", u"\u2941": "\\Elorarr ", u"\u2942": "\\ElzRlarr ", u"\u2944": "\\ElzrLarr ", u"\u2947": "\\Elzrarrx ", u"\u294E": "\\LeftRightVector ", u"\u294F": "\\RightUpDownVector ", u"\u2950": "\\DownLeftRightVector ", u"\u2951": "\\LeftUpDownVector ", u"\u2952": "\\LeftVectorBar ", u"\u2953": "\\RightVectorBar ", u"\u2954": "\\RightUpVectorBar ", u"\u2955": "\\RightDownVectorBar ", u"\u2956": "\\DownLeftVectorBar ", u"\u2957": "\\DownRightVectorBar ", u"\u2958": "\\LeftUpVectorBar ", u"\u2959": "\\LeftDownVectorBar ", u"\u295A": "\\LeftTeeVector ", u"\u295B": "\\RightTeeVector ", u"\u295C": "\\RightUpTeeVector ", u"\u295D": "\\RightDownTeeVector ", u"\u295E": "\\DownLeftTeeVector ", u"\u295F": "\\DownRightTeeVector ", u"\u2960": "\\LeftUpTeeVector ", u"\u2961": "\\LeftDownTeeVector ", u"\u296E": "\\UpEquilibrium ", u"\u296F": "\\ReverseUpEquilibrium ", u"\u2970": "\\RoundImplies ", u"\u297C": "\\ElsevierGlyph{E214}", u"\u297D": "\\ElsevierGlyph{E215}", u"\u2980": "\\Elztfnc ", u"\u2985": "\\ElsevierGlyph{3018}", u"\u2986": "\\Elroang ", u"\u2993": "&lt;\\kern-0.58em(", u"\u2994": "\\ElsevierGlyph{E291}", u"\u2999": "\\Elzddfnc ", u"\u299C": "\\Angle ", u"\u29A0": "\\Elzlpargt ", u"\u29B5": "\\ElsevierGlyph{E260}", u"\u29B6": "\\ElsevierGlyph{E61B}", u"\u29CA": "\\ElzLap ", u"\u29CB": "\\Elzdefas ", u"\u29CF": "\\LeftTriangleBar ", u"\u29CF-00338": "\\NotLeftTriangleBar ", u"\u29D0": "\\RightTriangleBar ", u"\u29D0-00338": "\\NotRightTriangleBar ", u"\u29DC": "\\ElsevierGlyph{E372}", u"\u29EB": "\\blacklozenge ", u"\u29F4": "\\RuleDelayed ", u"\u2A04": "\\Elxuplus ", u"\u2A05": "\\ElzThr ", u"\u2A06": "\\Elxsqcup ", u"\u2A07": "\\ElzInf ", u"\u2A08": "\\ElzSup ", u"\u2A0D": "\\ElzCint ", u"\u2A0F": "\\clockoint ", u"\u2A10": "\\ElsevierGlyph{E395}", u"\u2A16": "\\sqrint ", u"\u2A25": "\\ElsevierGlyph{E25A}", u"\u2A2A": "\\ElsevierGlyph{E25B}", u"\u2A2D": "\\ElsevierGlyph{E25C}", u"\u2A2E": "\\ElsevierGlyph{E25D}", u"\u2A2F": "\\ElzTimes ", u"\u2A34": "\\ElsevierGlyph{E25E}", u"\u2A35": "\\ElsevierGlyph{E25E}", u"\u2A3C": "\\ElsevierGlyph{E259}", u"\u2A3F": "\\amalg ", u"\u2A53": "\\ElzAnd ", u"\u2A54": "\\ElzOr ", u"\u2A55": "\\ElsevierGlyph{E36E}", u"\u2A56": "\\ElOr ", u"\u2A5E": "\\perspcorrespond ", u"\u2A5F": "\\Elzminhat ", u"\u2A63": "\\ElsevierGlyph{225A}", u"\u2A6E": "\\stackrel{*}{=}", u"\u2A75": "\\Equal ", u"\u2A7D": "\\leqslant ", u"\u2A7D-00338": "\\nleqslant ", u"\u2A7E": "\\geqslant ", u"\u2A7E-00338": "\\ngeqslant ", u"\u2A85": "\\lessapprox ", u"\u2A86": "\\gtrapprox ", u"\u2A87": "\\lneq ", u"\u2A88": "\\gneq ", u"\u2A89": "\\lnapprox ", u"\u2A8A": "\\gnapprox ", u"\u2A8B": "\\lesseqqgtr ", u"\u2A8C": "\\gtreqqless ", u"\u2A95": "\\eqslantless ", u"\u2A96": "\\eqslantgtr ", u"\u2A9D": "\\Pisymbol{ppi020}{117}", u"\u2A9E": "\\Pisymbol{ppi020}{105}", u"\u2AA1": "\\NestedLessLess ", u"\u2AA1-00338": "\\NotNestedLessLess ", u"\u2AA2": "\\NestedGreaterGreater ", u"\u2AA2-00338": "\\NotNestedGreaterGreater ", u"\u2AAF": "\\preceq ", u"\u2AAF-00338": "\\not\\preceq ", u"\u2AB0": "\\succeq ", u"\u2AB0-00338": "\\not\\succeq ", u"\u2AB5": "\\precneqq ", u"\u2AB6": "\\succneqq ", u"\u2AB7": "\\precapprox ", u"\u2AB8": "\\succapprox ", u"\u2AB9": "\\precnapprox ", u"\u2ABA": "\\succnapprox ", u"\u2AC5": "\\subseteqq ", u"\u2AC5-00338": "\\nsubseteqq ", u"\u2AC6": "\\supseteqq ", u"\u2AC6-00338": "\\nsupseteqq", u"\u2ACB": "\\subsetneqq ", u"\u2ACC": "\\supsetneqq ", u"\u2AEB": "\\ElsevierGlyph{E30D}", u"\u2AF6": "\\Elztdcol ", u"\u2AFD": "{{/}\\!\\!{/}}", u"\u2AFD-020E5": "{\\rlap{\\textbackslash}{{/}\\!\\!{/}}}", u"\u300A": "\\ElsevierGlyph{300A}", u"\u300B": "\\ElsevierGlyph{300B}", u"\u3018": "\\ElsevierGlyph{3018}", u"\u3019": "\\ElsevierGlyph{3019}", u"\u301A": "\\openbracketleft ", u"\u301B": "\\openbracketright ", u"\uFB00": "ff", u"\uFB01": "fi", u"\uFB02": "fl", u"\uFB03": "ffi", u"\uFB04": "ffl", u"\uD400": "\\mathbf{A}", u"\uD401": "\\mathbf{B}", u"\uD402": "\\mathbf{C}", u"\uD403": "\\mathbf{D}", u"\uD404": "\\mathbf{E}", u"\uD405": "\\mathbf{F}", u"\uD406": "\\mathbf{G}", u"\uD407": "\\mathbf{H}", u"\uD408": "\\mathbf{I}", u"\uD409": "\\mathbf{J}", u"\uD40A": "\\mathbf{K}", u"\uD40B": "\\mathbf{L}", u"\uD40C": "\\mathbf{M}", u"\uD40D": "\\mathbf{N}", u"\uD40E": "\\mathbf{O}", u"\uD40F": "\\mathbf{P}", u"\uD410": "\\mathbf{Q}", u"\uD411": "\\mathbf{R}", u"\uD412": "\\mathbf{S}", u"\uD413": "\\mathbf{T}", u"\uD414": "\\mathbf{U}", u"\uD415": "\\mathbf{V}", u"\uD416": "\\mathbf{W}", u"\uD417": "\\mathbf{X}", u"\uD418": "\\mathbf{Y}", u"\uD419": "\\mathbf{Z}", u"\uD41A": "\\mathbf{a}", u"\uD41B": "\\mathbf{b}", u"\uD41C": "\\mathbf{c}", u"\uD41D": "\\mathbf{d}", u"\uD41E": "\\mathbf{e}", u"\uD41F": "\\mathbf{f}", u"\uD420": "\\mathbf{g}", u"\uD421": "\\mathbf{h}", u"\uD422": "\\mathbf{i}", u"\uD423": "\\mathbf{j}", u"\uD424": "\\mathbf{k}", u"\uD425": "\\mathbf{l}", u"\uD426": "\\mathbf{m}", u"\uD427": "\\mathbf{n}", u"\uD428": "\\mathbf{o}", u"\uD429": "\\mathbf{p}", u"\uD42A": "\\mathbf{q}", u"\uD42B": "\\mathbf{r}", u"\uD42C": "\\mathbf{s}", u"\uD42D": "\\mathbf{t}", u"\uD42E": "\\mathbf{u}", u"\uD42F": "\\mathbf{v}", u"\uD430": "\\mathbf{w}", u"\uD431": "\\mathbf{x}", u"\uD432": "\\mathbf{y}", u"\uD433": "\\mathbf{z}", u"\uD434": "\\mathsl{A}", u"\uD435": "\\mathsl{B}", u"\uD436": "\\mathsl{C}", u"\uD437": "\\mathsl{D}", u"\uD438": "\\mathsl{E}", u"\uD439": "\\mathsl{F}", u"\uD43A": "\\mathsl{G}", u"\uD43B": "\\mathsl{H}", u"\uD43C": "\\mathsl{I}", u"\uD43D": "\\mathsl{J}", u"\uD43E": "\\mathsl{K}", u"\uD43F": "\\mathsl{L}", u"\uD440": "\\mathsl{M}", u"\uD441": "\\mathsl{N}", u"\uD442": "\\mathsl{O}", u"\uD443": "\\mathsl{P}", u"\uD444": "\\mathsl{Q}", u"\uD445": "\\mathsl{R}", u"\uD446": "\\mathsl{S}", u"\uD447": "\\mathsl{T}", u"\uD448": "\\mathsl{U}", u"\uD449": "\\mathsl{V}", u"\uD44A": "\\mathsl{W}", u"\uD44B": "\\mathsl{X}", u"\uD44C": "\\mathsl{Y}", u"\uD44D": "\\mathsl{Z}", u"\uD44E": "\\mathsl{a}", u"\uD44F": "\\mathsl{b}", u"\uD450": "\\mathsl{c}", u"\uD451": "\\mathsl{d}", u"\uD452": "\\mathsl{e}", u"\uD453": "\\mathsl{f}", u"\uD454": "\\mathsl{g}", u"\uD456": "\\mathsl{i}", u"\uD457": "\\mathsl{j}", u"\uD458": "\\mathsl{k}", u"\uD459": "\\mathsl{l}", u"\uD45A": "\\mathsl{m}", u"\uD45B": "\\mathsl{n}", u"\uD45C": "\\mathsl{o}", u"\uD45D": "\\mathsl{p}", u"\uD45E": "\\mathsl{q}", u"\uD45F": "\\mathsl{r}", u"\uD460": "\\mathsl{s}", u"\uD461": "\\mathsl{t}", u"\uD462": "\\mathsl{u}", u"\uD463": "\\mathsl{v}", u"\uD464": "\\mathsl{w}", u"\uD465": "\\mathsl{x}", u"\uD466": "\\mathsl{y}", u"\uD467": "\\mathsl{z}", u"\uD468": "\\mathbit{A}", u"\uD469": "\\mathbit{B}", u"\uD46A": "\\mathbit{C}", u"\uD46B": "\\mathbit{D}", u"\uD46C": "\\mathbit{E}", u"\uD46D": "\\mathbit{F}", u"\uD46E": "\\mathbit{G}", u"\uD46F": "\\mathbit{H}", u"\uD470": "\\mathbit{I}", u"\uD471": "\\mathbit{J}", u"\uD472": "\\mathbit{K}", u"\uD473": "\\mathbit{L}", u"\uD474": "\\mathbit{M}", u"\uD475": "\\mathbit{N}", u"\uD476": "\\mathbit{O}", u"\uD477": "\\mathbit{P}", u"\uD478": "\\mathbit{Q}", u"\uD479": "\\mathbit{R}", u"\uD47A": "\\mathbit{S}", u"\uD47B": "\\mathbit{T}", u"\uD47C": "\\mathbit{U}", u"\uD47D": "\\mathbit{V}", u"\uD47E": "\\mathbit{W}", u"\uD47F": "\\mathbit{X}", u"\uD480": "\\mathbit{Y}", u"\uD481": "\\mathbit{Z}", u"\uD482": "\\mathbit{a}", u"\uD483": "\\mathbit{b}", u"\uD484": "\\mathbit{c}", u"\uD485": "\\mathbit{d}", u"\uD486": "\\mathbit{e}", u"\uD487": "\\mathbit{f}", u"\uD488": "\\mathbit{g}", u"\uD489": "\\mathbit{h}", u"\uD48A": "\\mathbit{i}", u"\uD48B": "\\mathbit{j}", u"\uD48C": "\\mathbit{k}", u"\uD48D": "\\mathbit{l}", u"\uD48E": "\\mathbit{m}", u"\uD48F": "\\mathbit{n}", u"\uD490": "\\mathbit{o}", u"\uD491": "\\mathbit{p}", u"\uD492": "\\mathbit{q}", u"\uD493": "\\mathbit{r}", u"\uD494": "\\mathbit{s}", u"\uD495": "\\mathbit{t}", u"\uD496": "\\mathbit{u}", u"\uD497": "\\mathbit{v}", u"\uD498": "\\mathbit{w}", u"\uD499": "\\mathbit{x}", u"\uD49A": "\\mathbit{y}", u"\uD49B": "\\mathbit{z}", u"\uD49C": "\\mathscr{A}", u"\uD49E": "\\mathscr{C}", u"\uD49F": "\\mathscr{D}", u"\uD4A2": "\\mathscr{G}", u"\uD4A5": "\\mathscr{J}", u"\uD4A6": "\\mathscr{K}", u"\uD4A9": "\\mathscr{N}", u"\uD4AA": "\\mathscr{O}", u"\uD4AB": "\\mathscr{P}", u"\uD4AC": "\\mathscr{Q}", u"\uD4AE": "\\mathscr{S}", u"\uD4AF": "\\mathscr{T}", u"\uD4B0": "\\mathscr{U}", u"\uD4B1": "\\mathscr{V}", u"\uD4B2": "\\mathscr{W}", u"\uD4B3": "\\mathscr{X}", u"\uD4B4": "\\mathscr{Y}", u"\uD4B5": "\\mathscr{Z}", u"\uD4B6": "\\mathscr{a}", u"\uD4B7": "\\mathscr{b}", u"\uD4B8": "\\mathscr{c}", u"\uD4B9": "\\mathscr{d}", u"\uD4BB": "\\mathscr{f}", u"\uD4BD": "\\mathscr{h}", u"\uD4BE": "\\mathscr{i}", u"\uD4BF": "\\mathscr{j}", u"\uD4C0": "\\mathscr{k}", u"\uD4C1": "\\mathscr{l}", u"\uD4C2": "\\mathscr{m}", u"\uD4C3": "\\mathscr{n}", u"\uD4C5": "\\mathscr{p}", u"\uD4C6": "\\mathscr{q}", u"\uD4C7": "\\mathscr{r}", u"\uD4C8": "\\mathscr{s}", u"\uD4C9": "\\mathscr{t}", u"\uD4CA": "\\mathscr{u}", u"\uD4CB": "\\mathscr{v}", u"\uD4CC": "\\mathscr{w}", u"\uD4CD": "\\mathscr{x}", u"\uD4CE": "\\mathscr{y}", u"\uD4CF": "\\mathscr{z}", u"\uD4D0": "\\mathmit{A}", u"\uD4D1": "\\mathmit{B}", u"\uD4D2": "\\mathmit{C}", u"\uD4D3": "\\mathmit{D}", u"\uD4D4": "\\mathmit{E}", u"\uD4D5": "\\mathmit{F}", u"\uD4D6": "\\mathmit{G}", u"\uD4D7": "\\mathmit{H}", u"\uD4D8": "\\mathmit{I}", u"\uD4D9": "\\mathmit{J}", u"\uD4DA": "\\mathmit{K}", u"\uD4DB": "\\mathmit{L}", u"\uD4DC": "\\mathmit{M}", u"\uD4DD": "\\mathmit{N}", u"\uD4DE": "\\mathmit{O}", u"\uD4DF": "\\mathmit{P}", u"\uD4E0": "\\mathmit{Q}", u"\uD4E1": "\\mathmit{R}", u"\uD4E2": "\\mathmit{S}", u"\uD4E3": "\\mathmit{T}", u"\uD4E4": "\\mathmit{U}", u"\uD4E5": "\\mathmit{V}", u"\uD4E6": "\\mathmit{W}", u"\uD4E7": "\\mathmit{X}", u"\uD4E8": "\\mathmit{Y}", u"\uD4E9": "\\mathmit{Z}", u"\uD4EA": "\\mathmit{a}", u"\uD4EB": "\\mathmit{b}", u"\uD4EC": "\\mathmit{c}", u"\uD4ED": "\\mathmit{d}", u"\uD4EE": "\\mathmit{e}", u"\uD4EF": "\\mathmit{f}", u"\uD4F0": "\\mathmit{g}", u"\uD4F1": "\\mathmit{h}", u"\uD4F2": "\\mathmit{i}", u"\uD4F3": "\\mathmit{j}", u"\uD4F4": "\\mathmit{k}", u"\uD4F5": "\\mathmit{l}", u"\uD4F6": "\\mathmit{m}", u"\uD4F7": "\\mathmit{n}", u"\uD4F8": "\\mathmit{o}", u"\uD4F9": "\\mathmit{p}", u"\uD4FA": "\\mathmit{q}", u"\uD4FB": "\\mathmit{r}", u"\uD4FC": "\\mathmit{s}", u"\uD4FD": "\\mathmit{t}", u"\uD4FE": "\\mathmit{u}", u"\uD4FF": "\\mathmit{v}", u"\uD500": "\\mathmit{w}", u"\uD501": "\\mathmit{x}", u"\uD502": "\\mathmit{y}", u"\uD503": "\\mathmit{z}", u"\uD504": "\\mathfrak{A}", u"\uD505": "\\mathfrak{B}", u"\uD507": "\\mathfrak{D}", u"\uD508": "\\mathfrak{E}", u"\uD509": "\\mathfrak{F}", u"\uD50A": "\\mathfrak{G}", u"\uD50D": "\\mathfrak{J}", u"\uD50E": "\\mathfrak{K}", u"\uD50F": "\\mathfrak{L}", u"\uD510": "\\mathfrak{M}", u"\uD511": "\\mathfrak{N}", u"\uD512": "\\mathfrak{O}", u"\uD513": "\\mathfrak{P}", u"\uD514": "\\mathfrak{Q}", u"\uD516": "\\mathfrak{S}", u"\uD517": "\\mathfrak{T}", u"\uD518": "\\mathfrak{U}", u"\uD519": "\\mathfrak{V}", u"\uD51A": "\\mathfrak{W}", u"\uD51B": "\\mathfrak{X}", u"\uD51C": "\\mathfrak{Y}", u"\uD51E": "\\mathfrak{a}", u"\uD51F": "\\mathfrak{b}", u"\uD520": "\\mathfrak{c}", u"\uD521": "\\mathfrak{d}", u"\uD522": "\\mathfrak{e}", u"\uD523": "\\mathfrak{f}", u"\uD524": "\\mathfrak{g}", u"\uD525": "\\mathfrak{h}", u"\uD526": "\\mathfrak{i}", u"\uD527": "\\mathfrak{j}", u"\uD528": "\\mathfrak{k}", u"\uD529": "\\mathfrak{l}", u"\uD52A": "\\mathfrak{m}", u"\uD52B": "\\mathfrak{n}", u"\uD52C": "\\mathfrak{o}", u"\uD52D": "\\mathfrak{p}", u"\uD52E": "\\mathfrak{q}", u"\uD52F": "\\mathfrak{r}", u"\uD530": "\\mathfrak{s}", u"\uD531": "\\mathfrak{t}", u"\uD532": "\\mathfrak{u}", u"\uD533": "\\mathfrak{v}", u"\uD534": "\\mathfrak{w}", u"\uD535": "\\mathfrak{x}", u"\uD536": "\\mathfrak{y}", u"\uD537": "\\mathfrak{z}", u"\uD538": "\\mathbb{A}", u"\uD539": "\\mathbb{B}", u"\uD53B": "\\mathbb{D}", u"\uD53C": "\\mathbb{E}", u"\uD53D": "\\mathbb{F}", u"\uD53E": "\\mathbb{G}", u"\uD540": "\\mathbb{I}", u"\uD541": "\\mathbb{J}", u"\uD542": "\\mathbb{K}", u"\uD543": "\\mathbb{L}", u"\uD544": "\\mathbb{M}", u"\uD546": "\\mathbb{O}", u"\uD54A": "\\mathbb{S}", u"\uD54B": "\\mathbb{T}", u"\uD54C": "\\mathbb{U}", u"\uD54D": "\\mathbb{V}", u"\uD54E": "\\mathbb{W}", u"\uD54F": "\\mathbb{X}", u"\uD550": "\\mathbb{Y}", u"\uD552": "\\mathbb{a}", u"\uD553": "\\mathbb{b}", u"\uD554": "\\mathbb{c}", u"\uD555": "\\mathbb{d}", u"\uD556": "\\mathbb{e}", u"\uD557": "\\mathbb{f}", u"\uD558": "\\mathbb{g}", u"\uD559": "\\mathbb{h}", u"\uD55A": "\\mathbb{i}", u"\uD55B": "\\mathbb{j}", u"\uD55C": "\\mathbb{k}", u"\uD55D": "\\mathbb{l}", u"\uD55E": "\\mathbb{m}", u"\uD55F": "\\mathbb{n}", u"\uD560": "\\mathbb{o}", u"\uD561": "\\mathbb{p}", u"\uD562": "\\mathbb{q}", u"\uD563": "\\mathbb{r}", u"\uD564": "\\mathbb{s}", u"\uD565": "\\mathbb{t}", u"\uD566": "\\mathbb{u}", u"\uD567": "\\mathbb{v}", u"\uD568": "\\mathbb{w}", u"\uD569": "\\mathbb{x}", u"\uD56A": "\\mathbb{y}", u"\uD56B": "\\mathbb{z}", u"\uD56C": "\\mathslbb{A}", u"\uD56D": "\\mathslbb{B}", u"\uD56E": "\\mathslbb{C}", u"\uD56F": "\\mathslbb{D}", u"\uD570": "\\mathslbb{E}", u"\uD571": "\\mathslbb{F}", u"\uD572": "\\mathslbb{G}", u"\uD573": "\\mathslbb{H}", u"\uD574": "\\mathslbb{I}", u"\uD575": "\\mathslbb{J}", u"\uD576": "\\mathslbb{K}", u"\uD577": "\\mathslbb{L}", u"\uD578": "\\mathslbb{M}", u"\uD579": "\\mathslbb{N}", u"\uD57A": "\\mathslbb{O}", u"\uD57B": "\\mathslbb{P}", u"\uD57C": "\\mathslbb{Q}", u"\uD57D": "\\mathslbb{R}", u"\uD57E": "\\mathslbb{S}", u"\uD57F": "\\mathslbb{T}", u"\uD580": "\\mathslbb{U}", u"\uD581": "\\mathslbb{V}", u"\uD582": "\\mathslbb{W}", u"\uD583": "\\mathslbb{X}", u"\uD584": "\\mathslbb{Y}", u"\uD585": "\\mathslbb{Z}", u"\uD586": "\\mathslbb{a}", u"\uD587": "\\mathslbb{b}", u"\uD588": "\\mathslbb{c}", u"\uD589": "\\mathslbb{d}", u"\uD58A": "\\mathslbb{e}", u"\uD58B": "\\mathslbb{f}", u"\uD58C": "\\mathslbb{g}", u"\uD58D": "\\mathslbb{h}", u"\uD58E": "\\mathslbb{i}", u"\uD58F": "\\mathslbb{j}", u"\uD590": "\\mathslbb{k}", u"\uD591": "\\mathslbb{l}", u"\uD592": "\\mathslbb{m}", u"\uD593": "\\mathslbb{n}", u"\uD594": "\\mathslbb{o}", u"\uD595": "\\mathslbb{p}", u"\uD596": "\\mathslbb{q}", u"\uD597": "\\mathslbb{r}", u"\uD598": "\\mathslbb{s}", u"\uD599": "\\mathslbb{t}", u"\uD59A": "\\mathslbb{u}", u"\uD59B": "\\mathslbb{v}", u"\uD59C": "\\mathslbb{w}", u"\uD59D": "\\mathslbb{x}", u"\uD59E": "\\mathslbb{y}", u"\uD59F": "\\mathslbb{z}", u"\uD5A0": "\\mathsf{A}", u"\uD5A1": "\\mathsf{B}", u"\uD5A2": "\\mathsf{C}", u"\uD5A3": "\\mathsf{D}", u"\uD5A4": "\\mathsf{E}", u"\uD5A5": "\\mathsf{F}", u"\uD5A6": "\\mathsf{G}", u"\uD5A7": "\\mathsf{H}", u"\uD5A8": "\\mathsf{I}", u"\uD5A9": "\\mathsf{J}", u"\uD5AA": "\\mathsf{K}", u"\uD5AB": "\\mathsf{L}", u"\uD5AC": "\\mathsf{M}", u"\uD5AD": "\\mathsf{N}", u"\uD5AE": "\\mathsf{O}", u"\uD5AF": "\\mathsf{P}", u"\uD5B0": "\\mathsf{Q}", u"\uD5B1": "\\mathsf{R}", u"\uD5B2": "\\mathsf{S}", u"\uD5B3": "\\mathsf{T}", u"\uD5B4": "\\mathsf{U}", u"\uD5B5": "\\mathsf{V}", u"\uD5B6": "\\mathsf{W}", u"\uD5B7": "\\mathsf{X}", u"\uD5B8": "\\mathsf{Y}", u"\uD5B9": "\\mathsf{Z}", u"\uD5BA": "\\mathsf{a}", u"\uD5BB": "\\mathsf{b}", u"\uD5BC": "\\mathsf{c}", u"\uD5BD": "\\mathsf{d}", u"\uD5BE": "\\mathsf{e}", u"\uD5BF": "\\mathsf{f}", u"\uD5C0": "\\mathsf{g}", u"\uD5C1": "\\mathsf{h}", u"\uD5C2": "\\mathsf{i}", u"\uD5C3": "\\mathsf{j}", u"\uD5C4": "\\mathsf{k}", u"\uD5C5": "\\mathsf{l}", u"\uD5C6": "\\mathsf{m}", u"\uD5C7": "\\mathsf{n}", u"\uD5C8": "\\mathsf{o}", u"\uD5C9": "\\mathsf{p}", u"\uD5CA": "\\mathsf{q}", u"\uD5CB": "\\mathsf{r}", u"\uD5CC": "\\mathsf{s}", u"\uD5CD": "\\mathsf{t}", u"\uD5CE": "\\mathsf{u}", u"\uD5CF": "\\mathsf{v}", u"\uD5D0": "\\mathsf{w}", u"\uD5D1": "\\mathsf{x}", u"\uD5D2": "\\mathsf{y}", u"\uD5D3": "\\mathsf{z}", u"\uD5D4": "\\mathsfbf{A}", u"\uD5D5": "\\mathsfbf{B}", u"\uD5D6": "\\mathsfbf{C}", u"\uD5D7": "\\mathsfbf{D}", u"\uD5D8": "\\mathsfbf{E}", u"\uD5D9": "\\mathsfbf{F}", u"\uD5DA": "\\mathsfbf{G}", u"\uD5DB": "\\mathsfbf{H}", u"\uD5DC": "\\mathsfbf{I}", u"\uD5DD": "\\mathsfbf{J}", u"\uD5DE": "\\mathsfbf{K}", u"\uD5DF": "\\mathsfbf{L}", u"\uD5E0": "\\mathsfbf{M}", u"\uD5E1": "\\mathsfbf{N}", u"\uD5E2": "\\mathsfbf{O}", u"\uD5E3": "\\mathsfbf{P}", u"\uD5E4": "\\mathsfbf{Q}", u"\uD5E5": "\\mathsfbf{R}", u"\uD5E6": "\\mathsfbf{S}", u"\uD5E7": "\\mathsfbf{T}", u"\uD5E8": "\\mathsfbf{U}", u"\uD5E9": "\\mathsfbf{V}", u"\uD5EA": "\\mathsfbf{W}", u"\uD5EB": "\\mathsfbf{X}", u"\uD5EC": "\\mathsfbf{Y}", u"\uD5ED": "\\mathsfbf{Z}", u"\uD5EE": "\\mathsfbf{a}", u"\uD5EF": "\\mathsfbf{b}", u"\uD5F0": "\\mathsfbf{c}", u"\uD5F1": "\\mathsfbf{d}", u"\uD5F2": "\\mathsfbf{e}", u"\uD5F3": "\\mathsfbf{f}", u"\uD5F4": "\\mathsfbf{g}", u"\uD5F5": "\\mathsfbf{h}", u"\uD5F6": "\\mathsfbf{i}", u"\uD5F7": "\\mathsfbf{j}", u"\uD5F8": "\\mathsfbf{k}", u"\uD5F9": "\\mathsfbf{l}", u"\uD5FA": "\\mathsfbf{m}", u"\uD5FB": "\\mathsfbf{n}", u"\uD5FC": "\\mathsfbf{o}", u"\uD5FD": "\\mathsfbf{p}", u"\uD5FE": "\\mathsfbf{q}", u"\uD5FF": "\\mathsfbf{r}", u"\uD600": "\\mathsfbf{s}", u"\uD601": "\\mathsfbf{t}", u"\uD602": "\\mathsfbf{u}", u"\uD603": "\\mathsfbf{v}", u"\uD604": "\\mathsfbf{w}", u"\uD605": "\\mathsfbf{x}", u"\uD606": "\\mathsfbf{y}", u"\uD607": "\\mathsfbf{z}", u"\uD608": "\\mathsfsl{A}", u"\uD609": "\\mathsfsl{B}", u"\uD60A": "\\mathsfsl{C}", u"\uD60B": "\\mathsfsl{D}", u"\uD60C": "\\mathsfsl{E}", u"\uD60D": "\\mathsfsl{F}", u"\uD60E": "\\mathsfsl{G}", u"\uD60F": "\\mathsfsl{H}", u"\uD610": "\\mathsfsl{I}", u"\uD611": "\\mathsfsl{J}", u"\uD612": "\\mathsfsl{K}", u"\uD613": "\\mathsfsl{L}", u"\uD614": "\\mathsfsl{M}", u"\uD615": "\\mathsfsl{N}", u"\uD616": "\\mathsfsl{O}", u"\uD617": "\\mathsfsl{P}", u"\uD618": "\\mathsfsl{Q}", u"\uD619": "\\mathsfsl{R}", u"\uD61A": "\\mathsfsl{S}", u"\uD61B": "\\mathsfsl{T}", u"\uD61C": "\\mathsfsl{U}", u"\uD61D": "\\mathsfsl{V}", u"\uD61E": "\\mathsfsl{W}", u"\uD61F": "\\mathsfsl{X}", u"\uD620": "\\mathsfsl{Y}", u"\uD621": "\\mathsfsl{Z}", u"\uD622": "\\mathsfsl{a}", u"\uD623": "\\mathsfsl{b}", u"\uD624": "\\mathsfsl{c}", u"\uD625": "\\mathsfsl{d}", u"\uD626": "\\mathsfsl{e}", u"\uD627": "\\mathsfsl{f}", u"\uD628": "\\mathsfsl{g}", u"\uD629": "\\mathsfsl{h}", u"\uD62A": "\\mathsfsl{i}", u"\uD62B": "\\mathsfsl{j}", u"\uD62C": "\\mathsfsl{k}", u"\uD62D": "\\mathsfsl{l}", u"\uD62E": "\\mathsfsl{m}", u"\uD62F": "\\mathsfsl{n}", u"\uD630": "\\mathsfsl{o}", u"\uD631": "\\mathsfsl{p}", u"\uD632": "\\mathsfsl{q}", u"\uD633": "\\mathsfsl{r}", u"\uD634": "\\mathsfsl{s}", u"\uD635": "\\mathsfsl{t}", u"\uD636": "\\mathsfsl{u}", u"\uD637": "\\mathsfsl{v}", u"\uD638": "\\mathsfsl{w}", u"\uD639": "\\mathsfsl{x}", u"\uD63A": "\\mathsfsl{y}", u"\uD63B": "\\mathsfsl{z}", u"\uD63C": "\\mathsfbfsl{A}", u"\uD63D": "\\mathsfbfsl{B}", u"\uD63E": "\\mathsfbfsl{C}", u"\uD63F": "\\mathsfbfsl{D}", u"\uD640": "\\mathsfbfsl{E}", u"\uD641": "\\mathsfbfsl{F}", u"\uD642": "\\mathsfbfsl{G}", u"\uD643": "\\mathsfbfsl{H}", u"\uD644": "\\mathsfbfsl{I}", u"\uD645": "\\mathsfbfsl{J}", u"\uD646": "\\mathsfbfsl{K}", u"\uD647": "\\mathsfbfsl{L}", u"\uD648": "\\mathsfbfsl{M}", u"\uD649": "\\mathsfbfsl{N}", u"\uD64A": "\\mathsfbfsl{O}", u"\uD64B": "\\mathsfbfsl{P}", u"\uD64C": "\\mathsfbfsl{Q}", u"\uD64D": "\\mathsfbfsl{R}", u"\uD64E": "\\mathsfbfsl{S}", u"\uD64F": "\\mathsfbfsl{T}", u"\uD650": "\\mathsfbfsl{U}", u"\uD651": "\\mathsfbfsl{V}", u"\uD652": "\\mathsfbfsl{W}", u"\uD653": "\\mathsfbfsl{X}", u"\uD654": "\\mathsfbfsl{Y}", u"\uD655": "\\mathsfbfsl{Z}", u"\uD656": "\\mathsfbfsl{a}", u"\uD657": "\\mathsfbfsl{b}", u"\uD658": "\\mathsfbfsl{c}", u"\uD659": "\\mathsfbfsl{d}", u"\uD65A": "\\mathsfbfsl{e}", u"\uD65B": "\\mathsfbfsl{f}", u"\uD65C": "\\mathsfbfsl{g}", u"\uD65D": "\\mathsfbfsl{h}", u"\uD65E": "\\mathsfbfsl{i}", u"\uD65F": "\\mathsfbfsl{j}", u"\uD660": "\\mathsfbfsl{k}", u"\uD661": "\\mathsfbfsl{l}", u"\uD662": "\\mathsfbfsl{m}", u"\uD663": "\\mathsfbfsl{n}", u"\uD664": "\\mathsfbfsl{o}", u"\uD665": "\\mathsfbfsl{p}", u"\uD666": "\\mathsfbfsl{q}", u"\uD667": "\\mathsfbfsl{r}", u"\uD668": "\\mathsfbfsl{s}", u"\uD669": "\\mathsfbfsl{t}", u"\uD66A": "\\mathsfbfsl{u}", u"\uD66B": "\\mathsfbfsl{v}", u"\uD66C": "\\mathsfbfsl{w}", u"\uD66D": "\\mathsfbfsl{x}", u"\uD66E": "\\mathsfbfsl{y}", u"\uD66F": "\\mathsfbfsl{z}", u"\uD670": "\\mathtt{A}", u"\uD671": "\\mathtt{B}", u"\uD672": "\\mathtt{C}", u"\uD673": "\\mathtt{D}", u"\uD674": "\\mathtt{E}", u"\uD675": "\\mathtt{F}", u"\uD676": "\\mathtt{G}", u"\uD677": "\\mathtt{H}", u"\uD678": "\\mathtt{I}", u"\uD679": "\\mathtt{J}", u"\uD67A": "\\mathtt{K}", u"\uD67B": "\\mathtt{L}", u"\uD67C": "\\mathtt{M}", u"\uD67D": "\\mathtt{N}", u"\uD67E": "\\mathtt{O}", u"\uD67F": "\\mathtt{P}", u"\uD680": "\\mathtt{Q}", u"\uD681": "\\mathtt{R}", u"\uD682": "\\mathtt{S}", u"\uD683": "\\mathtt{T}", u"\uD684": "\\mathtt{U}", u"\uD685": "\\mathtt{V}", u"\uD686": "\\mathtt{W}", u"\uD687": "\\mathtt{X}", u"\uD688": "\\mathtt{Y}", u"\uD689": "\\mathtt{Z}", u"\uD68A": "\\mathtt{a}", u"\uD68B": "\\mathtt{b}", u"\uD68C": "\\mathtt{c}", u"\uD68D": "\\mathtt{d}", u"\uD68E": "\\mathtt{e}", u"\uD68F": "\\mathtt{f}", u"\uD690": "\\mathtt{g}", u"\uD691": "\\mathtt{h}", u"\uD692": "\\mathtt{i}", u"\uD693": "\\mathtt{j}", u"\uD694": "\\mathtt{k}", u"\uD695": "\\mathtt{l}", u"\uD696": "\\mathtt{m}", u"\uD697": "\\mathtt{n}", u"\uD698": "\\mathtt{o}", u"\uD699": "\\mathtt{p}", u"\uD69A": "\\mathtt{q}", u"\uD69B": "\\mathtt{r}", u"\uD69C": "\\mathtt{s}", u"\uD69D": "\\mathtt{t}", u"\uD69E": "\\mathtt{u}", u"\uD69F": "\\mathtt{v}", u"\uD6A0": "\\mathtt{w}", u"\uD6A1": "\\mathtt{x}", u"\uD6A2": "\\mathtt{y}", u"\uD6A3": "\\mathtt{z}", u"\uD6A8": "\\mathbf{\\Alpha}", u"\uD6A9": "\\mathbf{\\Beta}", u"\uD6AA": "\\mathbf{\\Gamma}", u"\uD6AB": "\\mathbf{\\Delta}", u"\uD6AC": "\\mathbf{\\Epsilon}", u"\uD6AD": "\\mathbf{\\Zeta}", u"\uD6AE": "\\mathbf{\\Eta}", u"\uD6AF": "\\mathbf{\\Theta}", u"\uD6B0": "\\mathbf{\\Iota}", u"\uD6B1": "\\mathbf{\\Kappa}", u"\uD6B2": "\\mathbf{\\Lambda}", u"\uD6B5": "\\mathbf{\\Xi}", u"\uD6B7": "\\mathbf{\\Pi}", u"\uD6B8": "\\mathbf{\\Rho}", u"\uD6B9": "\\mathbf{\\vartheta}", u"\uD6BA": "\\mathbf{\\Sigma}", u"\uD6BB": "\\mathbf{\\Tau}", u"\uD6BC": "\\mathbf{\\Upsilon}", u"\uD6BD": "\\mathbf{\\Phi}", u"\uD6BE": "\\mathbf{\\Chi}", u"\uD6BF": "\\mathbf{\\Psi}", u"\uD6C0": "\\mathbf{\\Omega}", u"\uD6C1": "\\mathbf{\\nabla}", u"\uD6C2": "\\mathbf{\\Alpha}", u"\uD6C3": "\\mathbf{\\Beta}", u"\uD6C4": "\\mathbf{\\Gamma}", u"\uD6C5": "\\mathbf{\\Delta}", u"\uD6C6": "\\mathbf{\\Epsilon}", u"\uD6C7": "\\mathbf{\\Zeta}", u"\uD6C8": "\\mathbf{\\Eta}", u"\uD6C9": "\\mathbf{\\theta}", u"\uD6CA": "\\mathbf{\\Iota}", u"\uD6CB": "\\mathbf{\\Kappa}", u"\uD6CC": "\\mathbf{\\Lambda}", u"\uD6CF": "\\mathbf{\\Xi}", u"\uD6D1": "\\mathbf{\\Pi}", u"\uD6D2": "\\mathbf{\\Rho}", u"\uD6D3": "\\mathbf{\\varsigma}", u"\uD6D4": "\\mathbf{\\Sigma}", u"\uD6D5": "\\mathbf{\\Tau}", u"\uD6D6": "\\mathbf{\\Upsilon}", u"\uD6D7": "\\mathbf{\\Phi}", u"\uD6D8": "\\mathbf{\\Chi}", u"\uD6D9": "\\mathbf{\\Psi}", u"\uD6DA": "\\mathbf{\\Omega}", u"\uD6DB": "\\partial ", u"\uD6DC": "\\in", u"\uD6DD": "\\mathbf{\\vartheta}", u"\uD6DE": "\\mathbf{\\varkappa}", u"\uD6DF": "\\mathbf{\\phi}", u"\uD6E0": "\\mathbf{\\varrho}", u"\uD6E1": "\\mathbf{\\varpi}", u"\uD6E2": "\\mathsl{\\Alpha}", u"\uD6E3": "\\mathsl{\\Beta}", u"\uD6E4": "\\mathsl{\\Gamma}", u"\uD6E5": "\\mathsl{\\Delta}", u"\uD6E6": "\\mathsl{\\Epsilon}", u"\uD6E7": "\\mathsl{\\Zeta}", u"\uD6E8": "\\mathsl{\\Eta}", u"\uD6E9": "\\mathsl{\\Theta}", u"\uD6EA": "\\mathsl{\\Iota}", u"\uD6EB": "\\mathsl{\\Kappa}", u"\uD6EC": "\\mathsl{\\Lambda}", u"\uD6EF": "\\mathsl{\\Xi}", u"\uD6F1": "\\mathsl{\\Pi}", u"\uD6F2": "\\mathsl{\\Rho}", u"\uD6F3": "\\mathsl{\\vartheta}", u"\uD6F4": "\\mathsl{\\Sigma}", u"\uD6F5": "\\mathsl{\\Tau}", u"\uD6F6": "\\mathsl{\\Upsilon}", u"\uD6F7": "\\mathsl{\\Phi}", u"\uD6F8": "\\mathsl{\\Chi}", u"\uD6F9": "\\mathsl{\\Psi}", u"\uD6FA": "\\mathsl{\\Omega}", u"\uD6FB": "\\mathsl{\\nabla}", u"\uD6FC": "\\mathsl{\\Alpha}", u"\uD6FD": "\\mathsl{\\Beta}", u"\uD6FE": "\\mathsl{\\Gamma}", u"\uD6FF": "\\mathsl{\\Delta}", u"\uD700": "\\mathsl{\\Epsilon}", u"\uD701": "\\mathsl{\\Zeta}", u"\uD702": "\\mathsl{\\Eta}", u"\uD703": "\\mathsl{\\Theta}", u"\uD704": "\\mathsl{\\Iota}", u"\uD705": "\\mathsl{\\Kappa}", u"\uD706": "\\mathsl{\\Lambda}", u"\uD709": "\\mathsl{\\Xi}", u"\uD70B": "\\mathsl{\\Pi}", u"\uD70C": "\\mathsl{\\Rho}", u"\uD70D": "\\mathsl{\\varsigma}", u"\uD70E": "\\mathsl{\\Sigma}", u"\uD70F": "\\mathsl{\\Tau}", u"\uD710": "\\mathsl{\\Upsilon}", u"\uD711": "\\mathsl{\\Phi}", u"\uD712": "\\mathsl{\\Chi}", u"\uD713": "\\mathsl{\\Psi}", u"\uD714": "\\mathsl{\\Omega}", u"\uD715": "\\partial ", u"\uD716": "\\in", u"\uD717": "\\mathsl{\\vartheta}", u"\uD718": "\\mathsl{\\varkappa}", u"\uD719": "\\mathsl{\\phi}", u"\uD71A": "\\mathsl{\\varrho}", u"\uD71B": "\\mathsl{\\varpi}", u"\uD71C": "\\mathbit{\\Alpha}", u"\uD71D": "\\mathbit{\\Beta}", u"\uD71E": "\\mathbit{\\Gamma}", u"\uD71F": "\\mathbit{\\Delta}", u"\uD720": "\\mathbit{\\Epsilon}", u"\uD721": "\\mathbit{\\Zeta}", u"\uD722": "\\mathbit{\\Eta}", u"\uD723": "\\mathbit{\\Theta}", u"\uD724": "\\mathbit{\\Iota}", u"\uD725": "\\mathbit{\\Kappa}", u"\uD726": "\\mathbit{\\Lambda}", u"\uD729": "\\mathbit{\\Xi}", u"\uD72B": "\\mathbit{\\Pi}", u"\uD72C": "\\mathbit{\\Rho}", u"\uD72D": "\\mathbit{O}", u"\uD72E": "\\mathbit{\\Sigma}", u"\uD72F": "\\mathbit{\\Tau}", u"\uD730": "\\mathbit{\\Upsilon}", u"\uD731": "\\mathbit{\\Phi}", u"\uD732": "\\mathbit{\\Chi}", u"\uD733": "\\mathbit{\\Psi}", u"\uD734": "\\mathbit{\\Omega}", u"\uD735": "\\mathbit{\\nabla}", u"\uD736": "\\mathbit{\\Alpha}", u"\uD737": "\\mathbit{\\Beta}", u"\uD738": "\\mathbit{\\Gamma}", u"\uD739": "\\mathbit{\\Delta}", u"\uD73A": "\\mathbit{\\Epsilon}", u"\uD73B": "\\mathbit{\\Zeta}", u"\uD73C": "\\mathbit{\\Eta}", u"\uD73D": "\\mathbit{\\Theta}", u"\uD73E": "\\mathbit{\\Iota}", u"\uD73F": "\\mathbit{\\Kappa}", u"\uD740": "\\mathbit{\\Lambda}", u"\uD743": "\\mathbit{\\Xi}", u"\uD745": "\\mathbit{\\Pi}", u"\uD746": "\\mathbit{\\Rho}", u"\uD747": "\\mathbit{\\varsigma}", u"\uD748": "\\mathbit{\\Sigma}", u"\uD749": "\\mathbit{\\Tau}", u"\uD74A": "\\mathbit{\\Upsilon}", u"\uD74B": "\\mathbit{\\Phi}", u"\uD74C": "\\mathbit{\\Chi}", u"\uD74D": "\\mathbit{\\Psi}", u"\uD74E": "\\mathbit{\\Omega}", u"\uD74F": "\\partial ", u"\uD750": "\\in", u"\uD751": "\\mathbit{\\vartheta}", u"\uD752": "\\mathbit{\\varkappa}", u"\uD753": "\\mathbit{\\phi}", u"\uD754": "\\mathbit{\\varrho}", u"\uD755": "\\mathbit{\\varpi}", u"\uD756": "\\mathsfbf{\\Alpha}", u"\uD757": "\\mathsfbf{\\Beta}", u"\uD758": "\\mathsfbf{\\Gamma}", u"\uD759": "\\mathsfbf{\\Delta}", u"\uD75A": "\\mathsfbf{\\Epsilon}", u"\uD75B": "\\mathsfbf{\\Zeta}", u"\uD75C": "\\mathsfbf{\\Eta}", u"\uD75D": "\\mathsfbf{\\Theta}", u"\uD75E": "\\mathsfbf{\\Iota}", u"\uD75F": "\\mathsfbf{\\Kappa}", u"\uD760": "\\mathsfbf{\\Lambda}", u"\uD763": "\\mathsfbf{\\Xi}", u"\uD765": "\\mathsfbf{\\Pi}", u"\uD766": "\\mathsfbf{\\Rho}", u"\uD767": "\\mathsfbf{\\vartheta}", u"\uD768": "\\mathsfbf{\\Sigma}", u"\uD769": "\\mathsfbf{\\Tau}", u"\uD76A": "\\mathsfbf{\\Upsilon}", u"\uD76B": "\\mathsfbf{\\Phi}", u"\uD76C": "\\mathsfbf{\\Chi}", u"\uD76D": "\\mathsfbf{\\Psi}", u"\uD76E": "\\mathsfbf{\\Omega}", u"\uD76F": "\\mathsfbf{\\nabla}", u"\uD770": "\\mathsfbf{\\Alpha}", u"\uD771": "\\mathsfbf{\\Beta}", u"\uD772": "\\mathsfbf{\\Gamma}", u"\uD773": "\\mathsfbf{\\Delta}", u"\uD774": "\\mathsfbf{\\Epsilon}", u"\uD775": "\\mathsfbf{\\Zeta}", u"\uD776": "\\mathsfbf{\\Eta}", u"\uD777": "\\mathsfbf{\\Theta}", u"\uD778": "\\mathsfbf{\\Iota}", u"\uD779": "\\mathsfbf{\\Kappa}", u"\uD77A": "\\mathsfbf{\\Lambda}", u"\uD77D": "\\mathsfbf{\\Xi}", u"\uD77F": "\\mathsfbf{\\Pi}", u"\uD780": "\\mathsfbf{\\Rho}", u"\uD781": "\\mathsfbf{\\varsigma}", u"\uD782": "\\mathsfbf{\\Sigma}", u"\uD783": "\\mathsfbf{\\Tau}", u"\uD784": "\\mathsfbf{\\Upsilon}", u"\uD785": "\\mathsfbf{\\Phi}", u"\uD786": "\\mathsfbf{\\Chi}", u"\uD787": "\\mathsfbf{\\Psi}", u"\uD788": "\\mathsfbf{\\Omega}", u"\uD789": "\\partial ", u"\uD78A": "\\in", u"\uD78B": "\\mathsfbf{\\vartheta}", u"\uD78C": "\\mathsfbf{\\varkappa}", u"\uD78D": "\\mathsfbf{\\phi}", u"\uD78E": "\\mathsfbf{\\varrho}", u"\uD78F": "\\mathsfbf{\\varpi}", u"\uD790": "\\mathsfbfsl{\\Alpha}", u"\uD791": "\\mathsfbfsl{\\Beta}", u"\uD792": "\\mathsfbfsl{\\Gamma}", u"\uD793": "\\mathsfbfsl{\\Delta}", u"\uD794": "\\mathsfbfsl{\\Epsilon}", u"\uD795": "\\mathsfbfsl{\\Zeta}", u"\uD796": "\\mathsfbfsl{\\Eta}", u"\uD797": "\\mathsfbfsl{\\vartheta}", u"\uD798": "\\mathsfbfsl{\\Iota}", u"\uD799": "\\mathsfbfsl{\\Kappa}", u"\uD79A": "\\mathsfbfsl{\\Lambda}", u"\uD79D": "\\mathsfbfsl{\\Xi}", u"\uD79F": "\\mathsfbfsl{\\Pi}", u"\uD7A0": "\\mathsfbfsl{\\Rho}", u"\uD7A1": "\\mathsfbfsl{\\vartheta}", u"\uD7A2": "\\mathsfbfsl{\\Sigma}", u"\uD7A3": "\\mathsfbfsl{\\Tau}", u"\uD7A4": "\\mathsfbfsl{\\Upsilon}", u"\uD7A5": "\\mathsfbfsl{\\Phi}", u"\uD7A6": "\\mathsfbfsl{\\Chi}", u"\uD7A7": "\\mathsfbfsl{\\Psi}", u"\uD7A8": "\\mathsfbfsl{\\Omega}", u"\uD7A9": "\\mathsfbfsl{\\nabla}", u"\uD7AA": "\\mathsfbfsl{\\Alpha}", u"\uD7AB": "\\mathsfbfsl{\\Beta}", u"\uD7AC": "\\mathsfbfsl{\\Gamma}", u"\uD7AD": "\\mathsfbfsl{\\Delta}", u"\uD7AE": "\\mathsfbfsl{\\Epsilon}", u"\uD7AF": "\\mathsfbfsl{\\Zeta}", u"\uD7B0": "\\mathsfbfsl{\\Eta}", u"\uD7B1": "\\mathsfbfsl{\\vartheta}", u"\uD7B2": "\\mathsfbfsl{\\Iota}", u"\uD7B3": "\\mathsfbfsl{\\Kappa}", u"\uD7B4": "\\mathsfbfsl{\\Lambda}", u"\uD7B7": "\\mathsfbfsl{\\Xi}", u"\uD7B9": "\\mathsfbfsl{\\Pi}", u"\uD7BA": "\\mathsfbfsl{\\Rho}", u"\uD7BB": "\\mathsfbfsl{\\varsigma}", u"\uD7BC": "\\mathsfbfsl{\\Sigma}", u"\uD7BD": "\\mathsfbfsl{\\Tau}", u"\uD7BE": "\\mathsfbfsl{\\Upsilon}", u"\uD7BF": "\\mathsfbfsl{\\Phi}", u"\uD7C0": "\\mathsfbfsl{\\Chi}", u"\uD7C1": "\\mathsfbfsl{\\Psi}", u"\uD7C2": "\\mathsfbfsl{\\Omega}", u"\uD7C3": "\\partial ", u"\uD7C4": "\\in", u"\uD7C5": "\\mathsfbfsl{\\vartheta}", u"\uD7C6": "\\mathsfbfsl{\\varkappa}", u"\uD7C7": "\\mathsfbfsl{\\phi}", u"\uD7C8": "\\mathsfbfsl{\\varrho}", u"\uD7C9": "\\mathsfbfsl{\\varpi}", u"\uD7CE": "\\mathbf{0}", u"\uD7CF": "\\mathbf{1}", u"\uD7D0": "\\mathbf{2}", u"\uD7D1": "\\mathbf{3}", u"\uD7D2": "\\mathbf{4}", u"\uD7D3": "\\mathbf{5}", u"\uD7D4": "\\mathbf{6}", u"\uD7D5": "\\mathbf{7}", u"\uD7D6": "\\mathbf{8}", u"\uD7D7": "\\mathbf{9}", u"\uD7D8": "\\mathbb{0}", u"\uD7D9": "\\mathbb{1}", u"\uD7DA": "\\mathbb{2}", u"\uD7DB": "\\mathbb{3}", u"\uD7DC": "\\mathbb{4}", u"\uD7DD": "\\mathbb{5}", u"\uD7DE": "\\mathbb{6}", u"\uD7DF": "\\mathbb{7}", u"\uD7E0": "\\mathbb{8}", u"\uD7E1": "\\mathbb{9}", u"\uD7E2": "\\mathsf{0}", u"\uD7E3": "\\mathsf{1}", u"\uD7E4": "\\mathsf{2}", u"\uD7E5": "\\mathsf{3}", u"\uD7E6": "\\mathsf{4}", u"\uD7E7": "\\mathsf{5}", u"\uD7E8": "\\mathsf{6}", u"\uD7E9": "\\mathsf{7}", u"\uD7EA": "\\mathsf{8}", u"\uD7EB": "\\mathsf{9}", u"\uD7EC": "\\mathsfbf{0}", u"\uD7ED": "\\mathsfbf{1}", u"\uD7EE": "\\mathsfbf{2}", u"\uD7EF": "\\mathsfbf{3}", u"\uD7F0": "\\mathsfbf{4}", u"\uD7F1": "\\mathsfbf{5}", u"\uD7F2": "\\mathsfbf{6}", u"\uD7F3": "\\mathsfbf{7}", u"\uD7F4": "\\mathsfbf{8}", u"\uD7F5": "\\mathsfbf{9}", u"\uD7F6": "\\mathtt{0}", u"\uD7F7": "\\mathtt{1}", u"\uD7F8": "\\mathtt{2}", u"\uD7F9": "\\mathtt{3}", u"\uD7FA": "\\mathtt{4}", u"\uD7FB": "\\mathtt{5}", u"\uD7FC": "\\mathtt{6}", u"\uD7FD": "\\mathtt{7}", u"\uD7FE": "\\mathtt{8}", u"\uD7FF": "\\mathtt{9}", } bibtex_to_unicode = {} for unicode_value in unicode_to_latex: bibtex = unicode_to_latex[unicode_value] bibtex = unicode(bibtex, "utf-8") bibtex = bibtex.strip() bibtex = bibtex.replace("\\", "") bibtex = bibtex.replace("{", "") bibtex = bibtex.replace("}", "") bibtex = "{"+bibtex+"}" bibtex_to_unicode[bibtex] = unicode_value
# 445. Add Two Numbers II ''' You are given two non-empty linked lists representing two non-negative integers. The most significant digit comes first and each of their nodes contain a single digit. Add the two numbers and return it as a linked list. You may assume the two numbers do not contain any leading zero, except the number 0 itself. Input: (7 -> 2 -> 4 -> 3) + (5 -> 6 -> 4) Output: 7 -> 8 -> 0 -> 7 ''' class Solution: def addTwoNumbers(self, l1: ListNode, l2: ListNode) -> ListNode: stack1 = list() stack2 = list() while l1: stack1.append(l1.val) l1 = l1.next while l2: stack2.append(l2.val) l2 = l2.next carryValue = 0 new_next = None while stack1 != [] or stack2 != []: sums = carryValue if stack1 != []: sums += stack1.pop() if stack2 != []: sums += stack2.pop() carryValue = sums // 10 if sums >= 10: carryValue = 1 remainder = sums % 10 new_next = ListNode(remainder, new_next) else: carryValue = 0 new_next = ListNode(sums, new_next) if carryValue == 1: new_next = ListNode(1, new_next) return new_next
# If T-Rex is angry, hungry, and bored he will eat the Triceratops # Otherwise if T-Rex is tired and hungry, he will eat the Iguanadon # Otherwise if T-Rex is hungry and bored, he will eat the Stegasaurus. # Otherwise if T-Rex is tired, he goes to sleep # Otherwise if T-Rex is angry and bored, he will fight with the Velociraptor. # Otherwise if T-Rex is angry or bored, he roars # Otherwise T-Rex gives a toothy smile angry = True bored = True hungry = False tired = False # Example if statement if angry and hungry and bored: print("T-Rex eats the Triceratops!") elif tired and hungry: print("T-Rex eats the Iguanadon") elif hungry and bored: print("T-Rex eats the Stegasaurus") elif tired: print("T-Rex goes to sleep.") elif angry and bored: print("T-Rex fights with the Velociraptor") elif angry or bored: print("T-Rex roars! RAWR!") else: print("T-Rex gives a toothy smile.")
# Gamemode Utilities def get_gamemode_name(id): if (id is 0): return "Conquest" if (id is 1): return "Domination" if (id is 2): return "Team Deathmatch" if (id is 3): return "Zombies" if (id is 4): return "Disarm"
#: Mapping of files from unihan-etl (UNIHAN database) UNIHAN_FILES = [ 'Unihan_DictionaryLikeData.txt', 'Unihan_IRGSources.txt', 'Unihan_NumericValues.txt', 'Unihan_RadicalStrokeCounts.txt', 'Unihan_Readings.txt', 'Unihan_Variants.txt', ] #: Mapping of field names from unihan-etl (UNIHAN database) UNIHAN_FIELDS = [ 'kAccountingNumeric', 'kCangjie', 'kCantonese', 'kCheungBauer', 'kCihaiT', 'kCompatibilityVariant', 'kDefinition', 'kFenn', 'kFourCornerCode', 'kFrequency', 'kGradeLevel', 'kHDZRadBreak', 'kHKGlyph', 'kHangul', 'kHanyuPinlu', 'kHanyuPinyin', 'kJapaneseKun', 'kJapaneseOn', 'kKorean', 'kMandarin', 'kOtherNumeric', 'kPhonetic', 'kPrimaryNumeric', 'kRSAdobe_Japan1_6', 'kRSJapanese', 'kRSKanWa', 'kRSKangXi', 'kRSKorean', 'kRSUnicode', 'kSemanticVariant', 'kSimplifiedVariant', 'kSpecializedSemanticVariant', 'kTang', 'kTotalStrokes', 'kTraditionalVariant', 'kVietnamese', 'kXHC1983', 'kZVariant', ] #: Default settings passed to unihan-etl UNIHAN_ETL_DEFAULT_OPTIONS = { 'input_files': UNIHAN_FILES, 'fields': UNIHAN_FIELDS, 'format': 'python', 'expand': False, }
"""This is python equivalent of Wrapping/Tcl/vtktesting/mccases.tcl. Used for setting vertex values for clipping, cutting, and contouring tests. This script is used while running python tests translated from Tcl.""" def case1 ( scalars, IN, OUT, caseLabel ): scalars.InsertValue(0,IN ) scalars.InsertValue(1,OUT) scalars.InsertValue(2,OUT) scalars.InsertValue(3,OUT) scalars.InsertValue(4,OUT) scalars.InsertValue(5,OUT) scalars.InsertValue(6,OUT) scalars.InsertValue(7,OUT) if IN == 1: caseLabel.SetText("Case 1 - 00000001") else : caseLabel.SetText("Case 1c - 11111110") pass def case2 ( scalars, IN, OUT, caseLabel ): scalars.InsertValue(0,IN) scalars.InsertValue(1,IN) scalars.InsertValue(2,OUT) scalars.InsertValue(3,OUT) scalars.InsertValue(4,OUT) scalars.InsertValue(5,OUT) scalars.InsertValue(6,OUT) scalars.InsertValue(7,OUT) if IN == 1: caseLabel.SetText("Case 2 - 00000011") else: caseLabel.SetText("Case 2c - 11111100") pass
def is_email_valid(email): if not '@' in email: return False name, domain = email.split('@', 1) if not name: return False return '.' in domain
class Solution: """ @param str: An array of char @param offset: An integer @return: nothing """ def rotateString(self, str, offset): ''' abcdefg dcba gfe efgabcd ''' n = len(str) if n == 0: return offset %= n self.reverseInPlace(str, 0, n - offset - 1) self.reverseInPlace(str, n - offset, n - 1) self.reverseInPlace(str, 0, n - 1) def reverseInPlace(self, arr, left, right): while left < right: arr[left], arr[right] = arr[right], arr[left] left += 1 right -= 1
''' Doctor's Secret Cheeku is ill. He goes to Homeopathic Doctor - Dr. Thind. Doctor always recommends medicines after reading from a secret book that he has. This secret book has recipe to cure any disease. Cheeku is chalak. He wants to know if Doctor is giving him correct medicine or not. So he asks Doctor 2 questions - Length of name of Book. Number of pages in the Book. Cheeku will take medicine from him only if Length of name of Book is lesser than or equal to 23 and number of pages in book is between 500 to 1000. Otherwise he will not take medicine from this Doctor. Help Cheeku decide. Print "Take Medicine" if he should take medicine from doctor. Else print "Don't take Medicine". Input: 2 integers- First denoting length of Secret Book. Second is number of pages in Book. Output: If Cheeku should take medicine, print - "Take Medicine" Else print - "Don't take Medicine". SAMPLE INPUT 10 600 SAMPLE OUTPUT Take Medicine ''' a,b = map(int,input().split()) print ("Take Medicine" if a <=23 and 500 >= b <=1000 else "Don't take Medicine")
# Copyright 2018 The Chromium Authors. All rights reserved. # Use of this source code is governed by a BSD-style license that can be # found in the LICENSE file. """Content public presubmit script See https://dev.chromium.org/developers/how-tos/depottools/presubmit-scripts for more details about the presubmit API built into gcl. """ def _CheckConstInterfaces(input_api, output_api): # Matches 'virtual...const = 0;', 'virtual...const;' or 'virtual...const {}' pattern = input_api.re.compile(r'virtual[^;]*const\s*(=\s*0)?\s*({}|;)', input_api.re.MULTILINE) files = [] for f in input_api.AffectedSourceFiles(input_api.FilterSourceFile): if not f.LocalPath().endswith('.h'): continue contents = input_api.ReadFile(f) if pattern.search(contents): files.append(f) if len(files): return [output_api.PresubmitError( 'Do not add const to content/public ' 'interfaces. See ' 'https://www.chromium.org/developers/content-module/content-api', files) ] return [] def CheckChangeOnUpload(input_api, output_api): results = [] results.extend(_CheckConstInterfaces(input_api, output_api)) return results def CheckChangeOnCommit(input_api, output_api): results = [] results.extend(_CheckConstInterfaces(input_api, output_api)) return results
# This file holds metadata about the project. It should import only from # standard library modules (this includes not importing other modules in the # package) so that it can be loaded by setup.py before dependencies are # installed. source = "https://github.com/wikimedia/wmfdata-python" version = "1.3.3"
''' Pattern Enter number of rows: 5 54321 4321 321 21 1 ''' print('number pattern: ') number_rows=int(input('Enter number of rows: ')) for row in range(number_rows,0,-1): for column in range(row,0,-1): if column < 10: print(f'0{column}',end=' ') else: print(column,end=' ') print()
frase = 'Curso Em Vídeo Python' print(frase.replace('Python','Android')) ''' |c|u|r|s|o| |e|m| |v|í|d|e|o| |p|y|t|h|o|n| 0 1 2 3 4 5 6 7 8 9 0 1 2 3 4 5 6 7 8 9 0 ''' #fatiamento print(frase[9]) print(frase[9:21]) # print(frase[9:21:2]) #x:y:z z = pular de 2 em 2 print(frase[:5]) #começa no 0 e termina no 5 print(frase[15:]) #começa no 15 e termina no último print(frase[9::3]) #começa no 9, vai até o último e pula de 3 em 3 #análise print(len(frase)) #comprimento da frase print(frase.count('o')) #contador do alfabeto print(frase.count('o',0,13)) #fatiamento print(frase.find('deo')) #diz onde encontrou e começou print(frase.find('Android')) #retorna -1 não foi encontrado na string frase print('curso'in frase) #busca palavra na string e retorna true or false #transformação print(frase.replace('Python','Android')) print(frase) print(frase.upper()) # Oque está em minúsculo fica maiúsculo print(frase.lower()) # Oque está em maiúsculo fica em minúsculo print(frase.capitalize()) #joga tudo para minúsculo e deixa o primeiro em maiúsculo print(frase.title()) #primeiro caractere de cada palavra fica em maiúsculo print(frase.strip()) #apaga espaços em branco no começo e no final da string print(frase.rstrip()) #apaga espaços em branco no final da string a direita print(frase.lstrip()) #apaga espaços em branco no começo da string a esquerda #divisão print(frase.split()) #cada palavra recebe indexação nova, são string's colocadas dentro de uma lista e essa listas terão numeração dividido = frase.split() print(dividido[2]) print(dividido[2][3]) #junção print(''.join(frase))
class Solution: def threeSum(self, nums): arr = [] map = {nums[i]: i for i in range(len(nums))} if (len(list(map.keys())) == 1 and nums[0] == 0 and len(nums) > 3): return [[0]*3] for m in range(len(nums)-1): for n in range(m+1, len(nums)): target = (0 - (nums[m] + nums[n])) if((target in map) and (map[target] != n and map[target] != m)): sorteditems = sorted([nums[n], nums[m], target]) if sorteditems not in arr: arr.append(sorteditems) break return arr if __name__ == "__main__": sol = Solution() nums = [-1, 0, 1, 2, -1, -4] print(sol.threeSum(nums))
def containsCloseNums(nums, k): ''' Given an array of integers nums and an integer k, determine whether there are two distinct indices i and j in the array where nums[i] = nums[j] and the absolute difference between i and j is less than or equal to k. Example For nums = [0, 1, 2, 3, 5, 2] and k = 3, the output should be containsCloseNums(nums, k) = true. There are two 2s in nums, and the absolute difference between their positions is exactly 3. For nums = [0, 1, 2, 3, 5, 2] and k = 2, the output should be containsCloseNums(nums, k) = false. The absolute difference between the positions of the two 2s is 3, which is more than k. Input/Output [execution time limit] 4 seconds (py3) [input] array.integer nums Guaranteed constraints: 0 ≤ nums.length ≤ 55000, -231 - 1 ≤ nums[i] ≤ 231 - 1. [input] integer k Guaranteed constraints: 0 ≤ k ≤ 35000. [output] boolean ''' # testing nums = [0, 1, 2, 3, 5, 2] k = 3 print(containsCloseNums(nums, k)) # should be true nums = [0, 1, 2, 3, 5, 2] k = 2 print(containsCloseNums(nums, k)) # should be false nums = [1, 0, 1, 1] k = 1 print(containsCloseNums(nums, k)) # should be true
class Solution: def projectionArea(self, grid): """ :type grid: List[List[int]] :rtype: int """ M, N = len(grid), len(grid[0]) rowMax, colMax = [0] * M, [0] * N xy = sum(0 if grid[i][j] == 0 else 1 for i in range(M) for j in range(N)) xz = sum(list(map(max, grid))) yz = sum(list(map(max, [[grid[i][j] for i in range(M)] for j in range(N)]))) return xy + xz + yz grid = [[1,2],[3,4]] p = Solution() print(p.projectionArea(grid))
class C(): pass # a really complex class class D(C, B): pass
num = 353 reverse_num = 0 temp = num # print(num,reverse_num) while(temp != 0): remainder = int(temp % 10) print(remainder) reverse_num = int((reverse_num*10) + remainder) print(reverse_num) temp = int(temp / 10) # print(reverse_num) if reverse_num == num: print('It is Palindrome') else: print('not Palindrome')