content
stringlengths
7
1.05M
fixed_cases
stringlengths
1
1.28M
def convert_temp(unit_in, unit_out, temp): """Convert farenheit <-> celsius and return results. - unit_in: either "f" or "c" - unit_out: either "f" or "c" - temp: temperature (in f or c, depending on unit_in) Return results of conversion, if any. If unit_in or unit_out are invalid, return "Invalid unit [UNIT_IN]". For example: convert_temp("c", "f", 0) => 32.0 convert_temp("f", "c", 212) => 100.0 Equation: F->C: (F - 32) * 5/9 C -> F: (C * 9/5) + 32 """ # YOUR CODE HERE if unit_in == "c" and unit_out == "f": "converting to F" return temp * 1.8 + 32 elif unit_in == "f" and unit_out == "c": return (temp - 32) * (5/9) elif unit_out == unit_in: return temp else: return f"invalid due to {unit_in} or {unit_out}" print("c", "f", 0, convert_temp("c", "f", 0), "should be 32.0") print("f", "c", 212, convert_temp("f", "c", 212), "should be 100.0") print("z", "f", 32, convert_temp("z", "f", 32), "should be Invalid unit z") print("c", "z", 32, convert_temp("c", "z", 32), "should be Invalid unit z") print("f", "f", 75.5, convert_temp("f", "f", 75.5), "should be 75.5")
def convert_temp(unit_in, unit_out, temp): """Convert farenheit <-> celsius and return results. - unit_in: either "f" or "c" - unit_out: either "f" or "c" - temp: temperature (in f or c, depending on unit_in) Return results of conversion, if any. If unit_in or unit_out are invalid, return "Invalid unit [UNIT_IN]". For example: convert_temp("c", "f", 0) => 32.0 convert_temp("f", "c", 212) => 100.0 Equation: F->C: (F - 32) * 5/9 C -> F: (C * 9/5) + 32 """ if unit_in == 'c' and unit_out == 'f': 'converting to F' return temp * 1.8 + 32 elif unit_in == 'f' and unit_out == 'c': return (temp - 32) * (5 / 9) elif unit_out == unit_in: return temp else: return f'invalid due to {unit_in} or {unit_out}' print('c', 'f', 0, convert_temp('c', 'f', 0), 'should be 32.0') print('f', 'c', 212, convert_temp('f', 'c', 212), 'should be 100.0') print('z', 'f', 32, convert_temp('z', 'f', 32), 'should be Invalid unit z') print('c', 'z', 32, convert_temp('c', 'z', 32), 'should be Invalid unit z') print('f', 'f', 75.5, convert_temp('f', 'f', 75.5), 'should be 75.5')
class TemplatesAdminHook(object): ''' Hook baseclass ''' @classmethod def pre_save(cls, request, form, template_path): pass @classmethod def post_save(cls, request, form, template_path): pass @classmethod def contribute_to_form(cls, form, template_path): return form
class Templatesadminhook(object): """ Hook baseclass """ @classmethod def pre_save(cls, request, form, template_path): pass @classmethod def post_save(cls, request, form, template_path): pass @classmethod def contribute_to_form(cls, form, template_path): return form
#!/usr/bin/env python class SNVMixRecord(object): def __init__(self, line): """ :param line: a line of SNVMix2 output :type line: str """ data = line.strip().split() location = data[0].split(':') self.chromosome = location[0] self.position = int(location[1]) self.reference = data[1] self.alternative = data[2] details = data[3].split(',') self.reference_count = int(details[0].split(':')[1]) self.alternative_count = int(details[1].split(':')[1]) self.genotype_likelihood = map(float, details[2:5]) self.genotype = int(details[5]) #__init__ def __str__(self): return "{}:{} {} {} {}:{},{}:{},{},{}\n".format( self.chromosome, self.position, self.reference, self.alternative, self.reference, self.reference_count, self.alternative, self.alternative_count, ",".join(map("{:.10f}".format, self.genotype_likelihood)), self.genotype) #SNVMixRecord def walker(handle): """ """ for line in handle.readlines(): yield SNVMixRecord(line) #walker
class Snvmixrecord(object): def __init__(self, line): """ :param line: a line of SNVMix2 output :type line: str """ data = line.strip().split() location = data[0].split(':') self.chromosome = location[0] self.position = int(location[1]) self.reference = data[1] self.alternative = data[2] details = data[3].split(',') self.reference_count = int(details[0].split(':')[1]) self.alternative_count = int(details[1].split(':')[1]) self.genotype_likelihood = map(float, details[2:5]) self.genotype = int(details[5]) def __str__(self): return '{}:{} {} {} {}:{},{}:{},{},{}\n'.format(self.chromosome, self.position, self.reference, self.alternative, self.reference, self.reference_count, self.alternative, self.alternative_count, ','.join(map('{:.10f}'.format, self.genotype_likelihood)), self.genotype) def walker(handle): """ """ for line in handle.readlines(): yield snv_mix_record(line)
''' 2 Check if a number is odd or even ''' def odd_or_even_using_modulus(n): if n%2 == 0: return("Even") else: return("Odd") def odd_or_even_using_bitwise_and(n): if n&1 == 0: return("Even") else: return("Odd") if __name__ == "__main__": n = int(input("Number? ")) print(odd_or_even_using_modulus(n)) print(odd_or_even_using_bitwise_and(n))
""" 2 Check if a number is odd or even """ def odd_or_even_using_modulus(n): if n % 2 == 0: return 'Even' else: return 'Odd' def odd_or_even_using_bitwise_and(n): if n & 1 == 0: return 'Even' else: return 'Odd' if __name__ == '__main__': n = int(input('Number? ')) print(odd_or_even_using_modulus(n)) print(odd_or_even_using_bitwise_and(n))
class Solution: def verifyPostorder(self, postorder: List[int]) -> bool: def recursion(startIdx, endIdx): if startIdx >= endIdx: return True curIdx = startIdx while postorder[curIdx] < postorder[endIdx]: curIdx += 1 rightStartIdx = curIdx while postorder[curIdx] > postorder[endIdx]: curIdx += 1 return curIdx == endIdx and \ recursion(startIdx, rightStartIdx - 1) and \ recursion(rightStartIdx, endIdx - 1) return recursion(0, len(postorder) - 1)
class Solution: def verify_postorder(self, postorder: List[int]) -> bool: def recursion(startIdx, endIdx): if startIdx >= endIdx: return True cur_idx = startIdx while postorder[curIdx] < postorder[endIdx]: cur_idx += 1 right_start_idx = curIdx while postorder[curIdx] > postorder[endIdx]: cur_idx += 1 return curIdx == endIdx and recursion(startIdx, rightStartIdx - 1) and recursion(rightStartIdx, endIdx - 1) return recursion(0, len(postorder) - 1)
""" from : https://leetcode.com/problems/candy-crush/discuss/1028524/Python-Straightforward-and-Clean-with-Explanation Don't be intimidated by how long or ugly the code looks. Sometimes I fall into that trap. It's simpler than it seems. Also, I would love feedback if this is helpful, or if there are any mistakes! A key insight to the problem is to know that in order to make crushing the candies an easier process, you should store the locations of the board where a candy can be crushed in a separate data structure. We will use a set called "crushable" and store coordinates of the board where a candy may be crushed 5 Main Steps. Mark where the candies can be crushed horizontally Loop through the board and check 3 spots at a time to see if there is the same character and that character isn't 0 Mark where the candies can be crushed vertically Same thing, but vertically Crush the candies Go through the set of crushable locations, and edit the original board Shift candies down if there are zeroes below them. Pay attention to the columns. We will start from the bottom of the board, and work our way up, shifting the candies that were not crushed into their "fallen" position. Find out where to determine whether or not a board's candies can be crushed anymore If we loop through the entire board, and no candy was crushed, then we are finished. Time: O(m * n) where m = rows and n = cols. Or you could say O(n) where n = every element in the board - We must loop through the entire board no matter what Space: O(n) where n is the total number of elements in the board - In the worst case scenario, we store the locations of every spot on the board in the crushable set """ class Solution: def candyCrush(self, board: List[List[int]]) -> List[List[int]]: m, n = len(board), len(board[0]) stable = False while True: stable = True crushable = set() # 1. check for horizontal crushables for x in range(m): for y in range(n-2): if board[x][y] == board[x][y+1] == board[x][y+2] != 0: stable = False crushable.update([(x, y), (x, y+1), (x, y+2)]) # 2. check for vertical crushables for x in range(m-2): for y in range(n): if board[x][y] == board[x+1][y] == board[x+2][y] != 0: stable = False crushable.update([(x, y), (x+1, y), (x+2, y)]) # 5. if no candies were crushed, we're done if stable: return board # 3. crush the candies for x, y in crushable: board[x][y] = 0 # 4. let the candies "fall" for y in range(n): offset = 0 for x in range(m-1, -1, -1): # loop through column backward k = x + offset if (x, y) in crushable: # this will help us put items at bottom of the board offset += 1 else: board[k][y] = board[x][y] # notice the use of k # now that all items have been copied to their right spots, place zero's appropriately at the top of the board for x in range(offset): board[x][y] = 0
""" from : https://leetcode.com/problems/candy-crush/discuss/1028524/Python-Straightforward-and-Clean-with-Explanation Don't be intimidated by how long or ugly the code looks. Sometimes I fall into that trap. It's simpler than it seems. Also, I would love feedback if this is helpful, or if there are any mistakes! A key insight to the problem is to know that in order to make crushing the candies an easier process, you should store the locations of the board where a candy can be crushed in a separate data structure. We will use a set called "crushable" and store coordinates of the board where a candy may be crushed 5 Main Steps. Mark where the candies can be crushed horizontally Loop through the board and check 3 spots at a time to see if there is the same character and that character isn't 0 Mark where the candies can be crushed vertically Same thing, but vertically Crush the candies Go through the set of crushable locations, and edit the original board Shift candies down if there are zeroes below them. Pay attention to the columns. We will start from the bottom of the board, and work our way up, shifting the candies that were not crushed into their "fallen" position. Find out where to determine whether or not a board's candies can be crushed anymore If we loop through the entire board, and no candy was crushed, then we are finished. Time: O(m * n) where m = rows and n = cols. Or you could say O(n) where n = every element in the board - We must loop through the entire board no matter what Space: O(n) where n is the total number of elements in the board - In the worst case scenario, we store the locations of every spot on the board in the crushable set """ class Solution: def candy_crush(self, board: List[List[int]]) -> List[List[int]]: (m, n) = (len(board), len(board[0])) stable = False while True: stable = True crushable = set() for x in range(m): for y in range(n - 2): if board[x][y] == board[x][y + 1] == board[x][y + 2] != 0: stable = False crushable.update([(x, y), (x, y + 1), (x, y + 2)]) for x in range(m - 2): for y in range(n): if board[x][y] == board[x + 1][y] == board[x + 2][y] != 0: stable = False crushable.update([(x, y), (x + 1, y), (x + 2, y)]) if stable: return board for (x, y) in crushable: board[x][y] = 0 for y in range(n): offset = 0 for x in range(m - 1, -1, -1): k = x + offset if (x, y) in crushable: offset += 1 else: board[k][y] = board[x][y] for x in range(offset): board[x][y] = 0
# darwin64.py # Mac OS X platform specific configuration def config(env,args): debug = args.get('debug',0) if int(debug): env.Append(CXXFLAGS = env.Split('-g -O0')) else: env.Append(CXXFLAGS = '-O') env.Append(CPPDEFINES= 'NDEBUG') env.Append(CPPDEFINES= 'WITH_DEBUG') env.Append(CXXFLAGS = env.Split('-Wall -fPIC')) env.Append(CPPDEFINES = 'MACVERS') cxxversion = env.subst('$CXXVERSION') if float(cxxversion[0:2])>=4.0: env.Append(CXXFLAGS = env.Split('-Wextra -Wno-missing-field-initializers')) if not int(debug): env.Append(CXXFLAGS = '-Wno-unused-parameter') env.Append(SHLINKFLAGS = '-Wl,-undefined,dynamic_lookup') env.Append(SHLINKFLAGS = '-Wl,-headerpad_max_install_names') env.Replace(RPATH_ORIGIN_TAG = '@loader_path') #end darwin64.py
def config(env, args): debug = args.get('debug', 0) if int(debug): env.Append(CXXFLAGS=env.Split('-g -O0')) else: env.Append(CXXFLAGS='-O') env.Append(CPPDEFINES='NDEBUG') env.Append(CPPDEFINES='WITH_DEBUG') env.Append(CXXFLAGS=env.Split('-Wall -fPIC')) env.Append(CPPDEFINES='MACVERS') cxxversion = env.subst('$CXXVERSION') if float(cxxversion[0:2]) >= 4.0: env.Append(CXXFLAGS=env.Split('-Wextra -Wno-missing-field-initializers')) if not int(debug): env.Append(CXXFLAGS='-Wno-unused-parameter') env.Append(SHLINKFLAGS='-Wl,-undefined,dynamic_lookup') env.Append(SHLINKFLAGS='-Wl,-headerpad_max_install_names') env.Replace(RPATH_ORIGIN_TAG='@loader_path')
class ProjectView(object): def __init__(self, project_id, name, status, selected_cluster_id): self.id = project_id self.name = name self.status = status self.selected_cluster_id = selected_cluster_id class ClusterView(object): def __init__(self, cluster_id, anchor, selected=False): self.id = cluster_id self.anchor = anchor self.train_pages = list() self.test_pages = list() self.other_pages = list() self.selected = selected def add_page(self, page_id, page_type, file_name, live_url, thumbnail_url, small_thumbnail_url): page = dict() page['page_id'] = page_id page['file'] = file_name page['live_url'] = live_url page['thumbnail_url'] = thumbnail_url page['small_thumbnail_url'] = small_thumbnail_url if page_type == 'train': self.train_pages.append(page) elif page_type == 'test': self.test_pages.append(page) elif page_type == 'other': self.other_pages.append(page) class PageView(object): def __init__(self, page_id, page_file, live_url, thumbnail_url, small_thumbnail_url, page_type): self.page_id = page_id self.file = page_file self.live_url = live_url self.thumbnail_url = thumbnail_url self.small_thumbnail_url = small_thumbnail_url self.type = page_type self.fields = dict() self.cluster_id = None self.valid = None def add_field_values(self, rule_name, field_values): self.fields[rule_name] = field_values class HarvestView(object): def __init__(self, project_id, crawl_id, status, pages_fetched, pages_failed, jl_url, url, email, depth, prefer_pagination, multi_urls, concurrent_requests, concurrent_requests_per_domain, duration, error_page_percentage, error_page_percentage_period, started_ms, completed_ms): self.project_id = project_id self.crawl_id = crawl_id self.status = status.value self.pages_fetched = pages_fetched self.pages_failed = pages_failed self.jl_file_location = jl_url self.url = url self.email = email self.depth = depth self.prefer_pagination = prefer_pagination self.multi_urls = multi_urls self.concurrent_requests = concurrent_requests self.concurrent_requests_per_domain = concurrent_requests_per_domain self.duration = duration self.error_page_percentage = error_page_percentage self.error_page_percentage_period = error_page_percentage_period self.started_ms = started_ms self.completed_ms = completed_ms class HarvestViewBasic(object): def __init__(self, project_id, crawl_id, status): self.project_id = project_id self.crawl_id = crawl_id self.status = status.value
class Projectview(object): def __init__(self, project_id, name, status, selected_cluster_id): self.id = project_id self.name = name self.status = status self.selected_cluster_id = selected_cluster_id class Clusterview(object): def __init__(self, cluster_id, anchor, selected=False): self.id = cluster_id self.anchor = anchor self.train_pages = list() self.test_pages = list() self.other_pages = list() self.selected = selected def add_page(self, page_id, page_type, file_name, live_url, thumbnail_url, small_thumbnail_url): page = dict() page['page_id'] = page_id page['file'] = file_name page['live_url'] = live_url page['thumbnail_url'] = thumbnail_url page['small_thumbnail_url'] = small_thumbnail_url if page_type == 'train': self.train_pages.append(page) elif page_type == 'test': self.test_pages.append(page) elif page_type == 'other': self.other_pages.append(page) class Pageview(object): def __init__(self, page_id, page_file, live_url, thumbnail_url, small_thumbnail_url, page_type): self.page_id = page_id self.file = page_file self.live_url = live_url self.thumbnail_url = thumbnail_url self.small_thumbnail_url = small_thumbnail_url self.type = page_type self.fields = dict() self.cluster_id = None self.valid = None def add_field_values(self, rule_name, field_values): self.fields[rule_name] = field_values class Harvestview(object): def __init__(self, project_id, crawl_id, status, pages_fetched, pages_failed, jl_url, url, email, depth, prefer_pagination, multi_urls, concurrent_requests, concurrent_requests_per_domain, duration, error_page_percentage, error_page_percentage_period, started_ms, completed_ms): self.project_id = project_id self.crawl_id = crawl_id self.status = status.value self.pages_fetched = pages_fetched self.pages_failed = pages_failed self.jl_file_location = jl_url self.url = url self.email = email self.depth = depth self.prefer_pagination = prefer_pagination self.multi_urls = multi_urls self.concurrent_requests = concurrent_requests self.concurrent_requests_per_domain = concurrent_requests_per_domain self.duration = duration self.error_page_percentage = error_page_percentage self.error_page_percentage_period = error_page_percentage_period self.started_ms = started_ms self.completed_ms = completed_ms class Harvestviewbasic(object): def __init__(self, project_id, crawl_id, status): self.project_id = project_id self.crawl_id = crawl_id self.status = status.value
b2bi_strings = { 19: "g1VrCfVNFH+rV57qwbKeQla3oBPyyFjb4gEwtD6wgY2IlHxi8PIxjhilZLQd3c+N2dF9vKj79McEnR128FDVDU7ah4JipfLyAoRr8uy7R4FirnY8Xox1OSAS23Chz39lWmFFAq0lmg0C5s62acgk2ALzDECWwvguqPfmsc+Uv77MtWF1ubIFwQEGJhtOCKDKTim1gG6E+eYH0k1NmX5orDwhHmDzdJAt8AcmIJKPxlSSxdrfmp+4iNaFdUMDqOHw38QBUydx36LhOqhwgmsjRMjTjAnYP+ccxUxg2vtUSokJw1CEopZQyheiKpsTOUqwExE075jPIvOB8tQGCvSyEktRne19vpWSGMxLy0/JLiRMvhW/GLGz9dEKC7zlEBskyaCooILbMKs2nF1MTgW+v/Ojm8iPbZyS03qxTLYaYgPiUerZStsc7JwvDkaWFCqYizSQW0uIuqpHDSWw+QW1fKsUPwHeh4Sb1hALuY5cDzWfG3ooLlcjHVb2fh78WwBaIzCFq1ZLWGmZpknaXBKX6qSBFfx/FBtaL0bZUn4pJrlZkUul2byeiAuoQJM21Uo9tOkZd9sCdgxEpeq0FvjYNrEMmwALN09jWA8O+2lKZSDzHdTLXt3tod84tu5YBriYu/2iwoA60fmDsJi5U9NeYBFC8lspydLwTm5CL0ooBQO2NrPfm7Mise589fCo6FzCnWibbV6bxWEnCj7rvaDmDALkPzvqt78RA2AsUZgbRKXtuX8Uasr0DYAzI16AxpYMe7qV7SCbV8o0XAtH8mRv7uCDoCFPHxVurV6dfP7r6JxmMCFtm6p2aGSl53cVPJaFYe4+IhMrIKm0SHtAeyTrGLtQTl/5Shyf9PaIuD6m+fudI+Vlyo3bCltcb6AVwwCG1yGlbJtZiScaxrea/bnj+iH2YJX+Jhu/BmI3UuKRaXjRl6jGMHHl2tzbu0gmv7XAtNt+Q3JykxXFdRIsASq99m1EPc6IWxytDZK4l8RP1rFPsxUb2rv1t/nkWrlsvcZONwT9IxfjSQ3xI2YMb+JhAkN1cNHDdebrc7LmyvOrmuAfUeK24qHvYgTzlVU0+E1jpqdXWEN/YTa1FqVNUEBGeKkUebOJQYUlMAmc6fbx0UzxuaoJ5CcbtyqbAWGSgMH5cyUeEaZcDjWSwc2pPnC0tDqJAxle9Fmzlf/I585+r/JSMn1LE0cxu5lnMOPuIYRV3m5Gls5RiKMb9B0G1OVK6fRtFuvBSTDynXVRPH91NZUZg8P9sMh0CMVfie391yaSekdjiuhDTBMt21bdsS0AVhUYpnWokFiAmItcW53ovF8PYE7Xjx8MKFugL8BwyDoMiz3TaQhDzbIoPXavJyDiyQa1Jr66fqCDFc1hGKG6SGwcsVuKpXzCMxGsf8eMzNxAEDh/gZAea3h+rpF4swe4ScmCiry4yQejQdI0lX5plYQFoYWGHDws1Ox54nHbt/RN8Wg3Lnqg4PdleSvoiPDbhiEwuf2zRcM7RJ7H0uot4dJJI8Gmz6ED4ZkwJjxcYzY6ttNIpjZ1TC38WcXF70X48VyHBfX9V9+EaBVraT7lYvdGc4UUeO6Do/aF0edADzQMDtB0y4Jd7bi/83M9rBIOEww3NGwPoO0AA140wSrA7QXAMyUzkZEzHalIwrRmaA6nX+zWUDrh7IEVF+AFjrCPjcqecWwRH/0yEl2CmMdE1", 20: "1a1USvhbJJvwXzAFYKyqtxLNETlX+8CkgYTdFCTDqE4DZF2s4eOxOr/nFIIBzhF1MnJrB+SwbPQ47mv9cJ0Vv06YKt+byDXWfcHB5AE0+ffVnUPE1tSQh7d99QN6wxR1ks3IXAfIM5yPHGhOzjTE+GUiKprbOjwpu9JaRF8OFTkVKToxSKs/9K9NixB0kIlqPiqRlVsjObXfjaYz5CBa/niGxK8oXtTGdT5mIUzaqhxZdogZHqs0q1xEK1d+Fwu/3UBfrwktoKsU2t7UpqN9BnaZiMLV/TfjMzhh9mHY4qvYDdkqzxSgvRpG1Z+o2IbD/SVZFA9IX2PPuEhy6gA12MD3f9aCKxpgMY3j1S3/n7B5m/YCgxb4DhnFfRFKJpYDBL1xRb5vsca959SSz4nt2TxenncpfWiNphwh+biYJW8HHbJWhEGlfLgVn+TIt0zPydwZqm4Bdzw2+ImZq7pWuFdDBI6nBtWjVaHvYKUco2whqjr9EBniKTKGF0rkuBnNkXUTDkP83EeJhra0l/6NJx1U5c6m+KwQfU4hfirZlkNbZflXVPEjmATzK8YqcY8t9+2Euew8DfV2KsX2si7fiBNbs5iPENS9dAS2QK6p7YNSvXAoYWWkqdxQ/C1k7XH+DWdXDVKba8Fj+o9lo7dEeUiMrxVf5l4ogLEvtyZcfUjcym9MBFo+MwSX+2H4eR9EI0jvq4XnQn9Mt3Gs7fZSbLdyApGwBcY0Xk2hjREYrszAxmx9icn/vLAKE7NQMOuGqfN8NlWXt3LsYBvKiuF5CuTDBfMPfTDIxM1yeezKE7VxW8rhKRSk00KecpKXGAGTKG2VWsl1z5AVkbhTNOgTXp+tKBusXzOkN9D/ci2/9vY1gxdFANsWDR66JrsBVuyPDWXWVk8v38wyeBxGK/ICru31Yq8wzE4hgUlk6UaJEt6rE7pl6LaxSZfSvGew+3hqdtbqUHhqYxuvYZ1cC4VWEK/3Ocv5gRSBwd3lW5GOGZEh6c0S8jBmbcTwkB1uWmNBHIOmnKLkQLROo1kDPQLKzYLDN0/p2V6N37QQcI6f2L+NSG+YpELl4ksQyRaO9ZUvWiSMzJeCn80NNd1D7rTSpd8UUW7Zbla19esQDYvWhO7FasGIGJhz28Zcpz05aS+0eS754mqCZ+oiMkSjX+dKrlq3PTRkMzgY2B2Q46j0hv+l2oRWOG3t7/FoJ9dNpgsKcMQzgLLqJTCegQLxkZu8H9avz5/J7lStUCTXL9jqLkZ7icGRvdfPEk0yVFWB5yMRb6+vr8WCz2y1GqVOJ0/iB5qA/znWMG1XtNYnFbSPO7ogwzIczoIqTIZOkAWbzyCiyRsmgPUZOh8FKBXLEp2+matFWDigUsFLo9w8x+OGIYaURDnf7xvyzdanpIe4Ko/HB9g8HbI9ahEwKnEUiyAFuB7Ep8ogXjfFOTTZgn/yFOAFJN897ueinBLytlwAqIignw5c32oRK4pLp3cPPugNp7Bpo0DmnpAYX2uKI6XUIZKGgYwSVFCL7797X9d9VmM1Bev+L9RHOEagzp/TmnWrsbyBTd+WGF8j2Kq9lcRZBlPPPDCLzroKdPz3UeT8peydmbbRRoo09f+qcc8VV23ajQk/iZRTGBMT6J7ZiWNQUYC8pyylihSS4kWgwO1TcV7i/HHFDOHkDG8O3h4M+XMXahb2qps+EQYSjsi6cQat2", 21: "ja5LlWB1/b5CWAv9jHbpvX2oREFxmGQfj2IY3nV3+rrGA4vzbh9q0HW/Ky4mbgX0sNOmql/oScQcO9DpCluqQW8yuWivhJjvBgqyOHQKWBxX3VZ0K68xhGbedfVw3J0uSfpp4UZ9yKh9IUdOx786KwBRfUf1C0p4Ka9VzK0VFcJRNwm9WWCt8Mc1CX/FJerhISHpoC96JHHf59Y+Mp4NH+VPisTihMiEEWbSJXvqI04Jv/rBLEkSsZ8PVcUKk32eozPzNjkvWutNNdU0LDoSTIfkMFHPTpCTAl0nmbodjPZ5UUCCcgPWs8Aw5/Ym0tUVUGVFLwzgmxNJxua1lk4u/hRILHDDZaVK8DzdHrZwCRuehxBqzqyRVPONBsCl+ZaSMK6Ud/hFvgub9JwnYn7qCpdR0XLUdiWA1K5jFkg8scXkRoi5OLrHTXDUG+IFx5xykvXh6zOpoFtNIO24eE4R/G9fc9L5WY6/leZZl1mLFlDivgxkWXzoGR/YUo37DfHunu726OXNfvYAVsWTpt4fQI7fYnoz+498HVjCAz/NZy30C0UuFS6ooSBwUye+Mz+VWETPJqZVz6DTZ0MsEPytq2Wnpg5dkDgraPhCDmFvIpF9tPJdTNOyjVaj42pDLp6Mih2+FqkkMezcZ1U8NdtUg6VSq8O3ckpbzfAC8/+YF1KhEQelsiZqtCE266emXyOok3voEl7l28TmXaFo0S/aWVuU8mPnWsvra+STdasBGCgrrH+LrHJzeZuDuqeHcb+lgEdinWZrSrfddbGr8jXVTr8kgaqKBt2U4/XZFVg862UY4Pi0FObPP7d5fWMC83Ec3T2BQ/Q5NGqbtE+AB1ixbTWTGMQ9+hRS4KSTV+9Uw63Im0211KOyTVRC0P1BKSx/oHqCZnFmZ63nK1vfeAsL628+3w9dKjzwOFWRlvaVsWLu4Z3W68qVIrzQvWP3J/+bN92BcvGVtDkAsbEzMZglCy0vk5YyrYD/wp1yyIK2QDJ1/9ygB8R+YffRBj0hVhW0guuneT0lgWaLm8dXjx9tNhu24b3hzlhvC2Ez2xlvMHTRMB849RdvC8hUm3r0f3Un4KWFxUq/uUb6bUbj3BqrSYd0tUJEm6smBwtU6PxEpqlGpTv08o9AARRi271eVyPYELPkTBrlwVmjbY6LjEXOH4wvRS60b7ssZn9JeIrlxsWxImEHhbTn+fPNL4WfTJeRuoaQL+DlpEl7UpzG2HUeP2tsWYq+5MkH5bwYLuAeCvmwkG3pVchzcZDuqsMwnDyCqHftoe07HeXScmrXoFbw72TkgaIpSsgTufJWorX7kGgEI7EOXxu+QmkApIdK7oO6gPwPXpu/312vDLkX9pcMlxtDZ4eQD3MAx9JLNjoyp5JKjpMvo9y7u8tqLxMbQioujReQoq3E3cSkmg5MxGAsuxuHPJFW7n2lcJ+vqop/axxGcfhThn747uVkUeTq1ct3m453vpDmaY3o4HbjKtcfEAYG4Dpl9WZxuxHUI7bD3DRMZyOoCDJnTJuBQMaZYGLDjdeZN/fQHE5wP5sM+R9sp4KXvbV+qmSr2H5djmklqZD0rqxcWw4y8DRGOeySxP45OCQ09u/wucos5zIxvmU2z/XY0KYzHeeTW0DOSHZijxVeXF2Dv3PcAidqTDLk+4JZvsj2XZvK4HK6Mnrf5Wewx0x2ku05QI7zgjXn//4x7", 22: "NZevmKsu/JtTKnC6Lu+9PSFc5aQBcxPpL4Mv6YVwG1CaFvILWNeZFSAoJ/umsNK7FlvtWBzZ7AzAWoDg9jAiNi6JsPc//+p1mbVtT3BlWcuJT83a66oqLmMkB+3MjQGh7RDdp9wQuJfqzErTX0vxvn1stOa0d7QBsmJuOrNkNI5jyMrxXqdoV5/ZPBZ5bupt8GTIHtJlB9S6vFyzM3zri5W+YTE3ympLhhNgVdVJ3aamYSQFdBI8MIvj3jygo7/qUNCJWnhvF2ruwrZlIYGlQwHkgDNyVxQ2um1IaqIj/oS1DQqzgQj/PBQ2XROtfbzQfJW5iviPAnt6YiouK5nWQ3SrebiHuxh1W2IouxTcZZ0pLJp/cKNBl7YBP9Zn0i16dyOpJubp9KLXEoP/gwWCDAuboZAoflYEkM5OP5igvELgsTaD0H9pnmIyFy0ZGj6SoYXNayMC9yUWUSSnqSSURwyw7n81lPCdg982MoJAiqYhpMhWcl+/s6SyNu6FpE/HYdb+8RGEyGV+Z8RXb7EiJKh1w4xU7V5AWxZPaK0mJeNSAS0yFeet7EmAR9GpyeAKD8hbt4+jfFYZ9nnNXqyt3PD8tDyxRImKZdtK7NE4p44STmGd7cQNhsG8IRc7MzeFuAouuTulAy+s02rBqNsfpQZ4o3fE0CHArUwfMIan1nxZYhtePz0UUcDpj7Q0+D6QrloasLddVTsDPl3igUXdwdY4l26uIiSNgjZth5jcs0PmDzZ46wQKNraj4cVZk8gF41O7LpkqJV5ZSLZ2q5H4DR+1WpPZEP5nRVu9HFaYg/KwOW1krsSzdtUKGP9/mHtIcsVwfOH317T74AGg6yGHJ+W4DquRqiEdcxTeTvNOlqvwXShZRcYbCDmj23lJFvfNW3wxCAQaaxucBolL+jUA/lMS4Y/gBoBTazrVlSBPZCXH0NnGKu3mr3NOQy9U7C8yAlxu2mRfkhgJV0a4M3YL+tXNu35ahLgwLI8wyFik8P1PDYUNoXkNlV+/iAUz0+KIm+0hL06y0vsAePFkOMQLLQao82de+XyI8SYTYaOslCD1YP6XfQpevRd1XOAbLKTz9Qid6C8w09BW8w+0l3nca8eOLwkbX3Fex8m4pPIInd17OllAYPU23Fda9YtRUwCGMfZdTQrMtcm75OcR6L4PWwRRj2tulVgAycvnsQQAv6U4B6SV5V45z2R24e3pPFNCSbiBpt+8NVw+GVI2Eejsu60vmuCW2EE1cA9Z/5mMTDyV62+fxNS9xI17EAkfNsu3Oo+4ku37k1Zo5w12aoIeBmL6aDyITmDliCdycHe6W42VENu+3H66gO88px3PzV+4Kwb27jd+3gHZjrIk5UB/gmswr5wGuXFK5Ta9uX8ADpLzZ9DlQgpUVoqoQXz7Ten6NT1jUsBVOk4PtBfnxd2CJFaXq3XQjTY0yF0PuXKoe/LFB+tspogd29ob7wriC8jYJqtA4xDsXtnjFJLSUnQmD0/TiLdRL4YOlMvPGIcqSx62HLDqisubv6wbNyqlgiBb6Cgfr/hflwDB5/HfgYltviAd/siElCPhEslIlGrgZLgVTXu38ZN3bxqtXQ3PgwPoZ5mJfl9G5MgFPiXC6gSyJhIeJH6xnXyQHK4I6m0V4QpSXT1GxUDVSVcKk9TUh2a8JnBiPn3cs20SPw8U8jljTRWXa6bRn7wj5Xx+yIWeH", 23: "RmqMCPZznUl5OFjK+SuzpfozdUfMBLoBxYn5ZZPC3OXRQL0v83IorrEIWraDHzDWKjuMLjreyhF6RE9RrHkfDUAoLOAk+GhkNqXPk/DtTXHBQ4luJphXzsFgOIjuYHzQe0cH8LjXyitaiNgxlnuE0WYnaQGATIxj25vxMnf7mEbpam8WJsOmrt26HffMevQp6S4RvjrZzvfYLuEyCDRl7M8wq+xS3b8wHNocf0zJveH/vG62pPdWR/9g0Uhv8z2+K8hjyBEON48cCi/QecAXwWCnnjK/FYXYuzi1Fnp1ngQbNku2GIEUhZ6OZPegtufRWYTL8b8tmy/6Pt6Pzuk9NIILmI+wSx+UsT49wuzqrW7seQ1zpSOfQPmnt52VkRzfv//Idu8VnyqgUzj2HJX5fpEEHk9fejkFRxDcpDZguVlKtMzxyMM4Au2W/ZlfgFPinhIgZr6aA+6DLBluCGXouXUrI0TDioG8z+3J8c5HTWOG/CRjG+P0syhjc887WVDkxLOle5yFKoPqFzW8mmRshmfitj4kQ/2+s7mRtml+fs3TFcG57E2dLj1zpKvFiKBHjmus1N6ux+EWcHl9PBG0WFVEhFNCXLf4FxcWpuDLrKedmmcnCE+i7wSQ0euex1gc0DmKdaAY1NcRs4mUYJ/BGDnT/YJhco2sK/u0upMZ2ayaJ5dnKf8/6iiuAoll5pLaBxb8r2+8LlMFopeSY7nVslJ890OH8riABTKaOaI0du01HdB0JBjXlFaQkenZg2NSnQjK54b7T9viK1nrBl01cz2jY/x8yzX7s5in2GSzoKUaggcAzboayPz1IPdmbDL+4btBfSU+uImfxqsBHUaR9tn+QCb6OMpfvbLUJu9OX669NNhNs9Hh16b0V+3YPwF+rbagMuVUOxvrk9JZyNnUT/IfwocCttfWdFUvBuDuc5rMR8YEV5X7Bnp8VL/7fq4AwSza5ZnCklMv9GywhwWpkU6tB2OZ/YfxAndD1KMp64Oq7FppsuuqiGeCqfeROloGZAhC08TiuPyY9V0BNY1zwmBBIZmsyqEjmuuwKFDr4lm6Td7MH9S8yrcWSDmo0+WcHIyg7/Jpd/0VU55vrirKSDQogW0SUdU2UGFhMSKyv6EyWCol/Ihd1gP1DXpuRs5l75YJAyogzP/xNMwHhxJfbkvCPyZ3iUJVz/Mh1OiR2gx9akWeYVYGFNaN516HSS9O/8OsdEs+C1crJX4IkVXABw589aSVDpvgNyZou4lNa08YJPFhiHd2FCROkea3owGRG4ZeZWb5fXiZH+9eguo3Pq0Uen6IlHJVRx2AKdoc5v5huLUw5Gw/d9MloZuZvsjrto0V2ATJBWfCk6w2P/9IpozK6Ly8A7LusRLtWNCIE6NFuPEi2OUHh1697GTWKGaQo5H9G5ceWTkt9O19joJG/i5XaZmcg3oPvGCQ28Y6AYQYRNNCkIcZ+IQ6qrPjG+GstrPJioqIpRinnOwYF67c7GN8PBmYoWN39ELq3RVKocCAiwsk4r3re3/oCTssvXnK/W1UYQiWCvJFIbIc66FRNhKITYlV7bGn1+wzlhxxeHagUO4NO7zdmC8/pVj8g8Nm1CMcGf6MMCbsODsrdKW2juQv8VpjXz1b+T87gN2WhA6Q2wFFX8X2lVWhaS1kK6e9egbgNU7PZB4HT3zc6a/VT1+1j1Be2o6K5cWXi09/y", 24: "GW7Yw4wkFqS9oI1Xwqo4j8lNq2y+6bDlCMwR3iO0D1RCDM19bcdCrlDQR/CgmwMjXABuXuPob+vndkUkVS8ShLZ08JyRp1CDBeeiQLo6HzIfzPeWIhH3UejyCdiQCUxKPupoSIZKklEipzBr/hARQ3FY7CUlG5a6DOYW6WZ13krJXASQoyl/4R+w8LF3QSrqyCCOHAD4DhRizBPI0NJn0XiPT1H7O6eRqBBXVx1I1xPRhJMZ5e8qmNBV4MV6f3M9svHqzIIyq9MhrofJYqMXdntPNpU0YP6tWPK76iO8uh/cOumjnURpz8J0N7myG829b1HdYi42LM9WiEqIqlna0yB95rnI2mfYopdQcl3O+vYWQDNs3rekl7F4amdE/OAxbTN7FmjC8dqG5HxWvw+Td/si0GwPqdfeAF1vRpJZlFHMhj3AL6a5mtBYJY2SXQS0GDPGqv81ZNkEvqOWZpxF8OLu84l0rdrsUFzkLahuES7OWp5puvq5E9067CjVcNhJl7hj3v6n9b/I2x5j8IVVQzyHEYniwLBnIRB+JTYZ0fWsmW7iaDI3rp26TswaXNFoMPIxUc8zlhCQjPRUA6cP+zRqkwrog186wJG1Y8LJ+2AvqGTZD8rKFaURI6ZdyfKG7PMVveo0wor8sOan9hIJ/5IufWd8kKI9FmOvW7BAgbySBamDFnU3sXG6TXfc8+xbZG8sRPdgOJZXTM72wEnPtu7kboFK6BgwiKU1mWJV7+GEH6gXk7Qk1Fm8b+fXFUqWb61aCrknhHVVuxlTMUuT2iD/3Hs6kdY4NpotdDP/uoeJ4dNXzf/OwLS7yR5SM4g6PLrUDupce46+okSu8dkG9P7V/LfoBNQgblWEn3GYzl1ZN+G90LKtP0uH1NDtowuA/PA9JsDaj9grRVC90XwnWT7G0g0DZnARXtjBzrBeZrKO0VFQs0upE2cGxMPwsYCcMJaVkIjHfE+fX9TkalAFVzakwMK8A988YbADKUA3BWReWdGxTnWUSnfz7DkFcWFAGMR6G1OlS99sKqbUH60a4e35KjzyW4Yngn885PCcmCgeW1fBBxbz8/nlPQ6CxrS5emuAumIc98zoqhyCPHHqO4umTMki9yNjB+MHC2kCUc1u/TFg08QLq2YN8rfQ6mvmFVRzAmI45uMr73mF1BASNfqFk02Ia1j89IBlHjsGZrtArRZ0f+4iFY2CMOSXdDV28KMNjN6DuC0w8WVXIhrj1f58bRt4OMzVSvSLrOxUTJ/gq9DRh8M39xyPjV+X5YYZPX1FM15Ijc8aSKrPXqoxma3JEZv2ja7BoaEtiB46o3Uh+8Y4cUkz4P6mj7n4EvxcX6pdn2be4l0LAKwZm/rWVjLCQSpIrKU1OCNGYqeLBfcjRU10PT8STsQ2PRO2xcHzhQkdvqp0jTjuRNfxyYohFMIgrXgu7jH6hgSEMDSWGpf0/Wu7+jloNuK+cRV2tUUrC600eoOb5Cb0uI6463y92Ogm42nlm9ODBB06acWdiuSudAFtqBPeyNETxo0PofXSvQGDbANDuG3BNGiRndbssFCVcs0hrjBgoinWY629fA3PLyd2aHDs20arMwhfgRaCiFLnR3y8yZiyUlgxX70ridZc41NFJgXjgnZrsutQhWCnClAKSS8AfpI1dNXXue+K9B+kHkVFnoq+u9pAzPWBlzIfond87eFLvKi/hYYeB", 25: "bWiNDLGvGrg4MzPocNRkh1XjWSj2GckaR1FTOFjuSJvSACq84EpxDeUeSwR26yjaGRoaDnXSvOTkLE60M7je34UQsrSW5c+fr9AZYfj6S5MVlqrFsWi/BZ0YSCi/NfY5+ANVnMJdKiPgCdE4S0aiWpF/8qGy4vWPg/sVHuoOZdUbiivzUVGE6V5154smbcfzOxBtPl3nwpuxs/yceFPDX05vYcSBfzuBykJkZZyVPtVB3rcthuYWfeuYNBnSKjeoKW1rmsPkqxTWSIx/K8+WuIV0AAX2+yf4BvsjAw1/A66uroS3IHUwOlWXyI9IqVuyhFg1Zw5WhLw95pyB5lDvveVjVxY3Ug18T1pDWROQCCrhXXzEpFc0kt1HNI8ECIjRULH89D40PDLptBEocjMcPDsgspO7cIsL9xbjGwY9CxIuursAEXe+FjNcV2kTRxqUg9+r8h3ypgcJ47XRF5xfbOGbXByMyqi/yq5Sqrj3BwPPV1JL7m6LT2s2VKFTwAqWMyVCw3b4aVTulx7dYJMugcSlt9IwfO8JBdbSzOoViKQ3b5+5/1pgiPeVCxGZ6kzkqpGzxTqYxheeTB5lH4aQUIW1gIwhNnDuKQHmzAh5ly+dToc8pTMNLD8CTTwLc2CYGIjifc55xnOwIWwkBVuNLb9FAKaIemHu1xztiPMcLSwp+YCmPM3hf8pVc69Qgdw6ZdxwcNg28uhHG6TDGZc5r+aQk5Cb5h8tX7KiT6Vl/gw54I363ITh2f/uNqVbHh0HHmq3cLHkYowsEpU7nSnnxukzlF+jdTTZ279tvOjnvz9WpJZrllQVb6rrvvyceqjkBN/EosR3kdxZcN7eZLBVlUh9SCtg2WslC+EkpFQf8WBKhBAOFDlvX9bMuVVkgbdHLTnN3Rx7UWJtu79rWhPAL6ijSQk93QeQa2Lky6yNNvnf5yBKNdTfyV1rW9bReOjYAQEcH7PrcI5xKRRCBLq/4wer9qCxeOaAXSXU6jf6byjgd1fc909Ozop6gto0O4MqXfGqTltvJtjG5lnrbuFfi3WnHxfjTX/GlB5iH6eVVgLFdmp/MwydP2yqQZR5+816hg76ZkHho8nu5U+8wtJjRn9qoOGuHazvMAduQpS3jNZnjYuthTtNvdo47J7A+NXbhMRs8l4ToTYn4OvrzGVG5BzRbQ/ZC+oTnJscgo9oIYYfQRFckP9enGFC7+2NvvX2sbL6rSLT+vf4Uxqi6rEX3uWy6ke+2Hr/3YZAifPUnLoEbx7H7xYyc3Ay8FmU6U58tW6GLuMvF89jL1q/Kht/vjjllvIIa/O0HSMoSaaPlj3LHjoCQ54t/Nay2ttCci1IxLT/J2TwQh9Jd+NQOQcAcNrO6rQzur0MMwQ7HcN3veYaGKn8rN/hsFsMuN9AcU5spRDSPbFu6n+F2M4YZWp25kgURdkCm5fkgLCTEPm5giGSNe/r9LxWD7bRB1fzNexpHxmO3aVpdI4fbA1YtQXJP2X0mMFttKNmgUD4zq8w7NduOjxkh+EYo88pwWIXVoLtGK3dq+eyTn1CvkblP482g7b0tImbkal/BNYIyvy+NRGi73pcnPnU+4IPVW1cOsUPqOavL7qusFLFyfGIDxeiouFl4f/GigRsbbp83nmJhv1bfD0rzBiy1C4mRQeKPpzoETd+Nz8nLWGRfCQtOZCtiOQMcn08LLGtanUTlx4Mb", 26: "sJUlNPxi5rnASaTtLqppNWkSDE01LKkt8oK6mkoS2Fe7ch2ktEgOFwcDm2q0jMzExby94YIPff8kWbkQlVNu3sP6M8oKY+CLyPPwW1Xr7QhJmU8+8g/ZOK/9F2fNXaZmx50zb4ygrb+oWt2Hu5Wjq2AWJJq/uJqdQ9ghT6Jh2pLTY3Kls/LEkefQ+7dckLKgk6OI4zF76TNOCddrz+LVSYXPJP+jgVEN+t9YnUIOLoVSvt/QXjJVEwZb1Zn+MpjuSEQFltgYbRtK1D9oOUPqek8X9QRYQkUT3IpoPzJWfrVI9IheE1PfT6u4kLed20qFKxffsLM/7BcmxzFrBNWAPhFThnU5F732oaBSulzET4Hz9y/9I6EMzAdGk72YMDfTTFDt7DV+SBXq1dAVnb2mDVCUdio4Q0w8n67vxw0dDzj7ZS3cYzBKTJIyj5L0LGmn3FcufEYb0PXu3gUXppDVpDRx8sYV0ncVpSQtZLrxehGi843Hrh+5FKRvXQv7vZNTh2pTUNWije4+JLdf+pQus4X27a41QWr3sjEHL88xwtmbki0dseIzHPeI7kddZvfRhvnwjfigagJ/C8Wbu3a4FWp3ZUvRqS7pQ0OqSexSc4/R/lsRqsxqbC3L5faJXnxwgm46UskJGDxAatI4wmVua2D8eNFRfoVHEFLiwI+0l0IKRnn+w+91ZUuzUMRJwo5kXgXKBGeKfh8twVery+vocnjDWNiNPqiVwlq6ipMJAdxiGuz1nXO3sPS+3oEt0EnClpZe2yjmISU2N38N+F3JTnYhzMN6EiuDGSpGQtSoekzuUw5+hdwuced5CvZZ4UPwCYwgTtcx1trMMVDv/ctxzCIsE1MiOGkq/Q2aZfjEbD9JqY7FYJxP0FQJ9l5rIZgMAhEZBs17pNTY6nUnCxfwZnRAOu6CTi9in0ipq9dnE4tWb2IziDYfctbXJe5bQvLSTzLnmyNrRgrdGtr+ktHWTFtW3LsS9uIhIOrSq5Zv8800kDUkOsOjOFP8RZ2wjSznlMhU35NBiGgv81D/Voq9jDnKqN+Sq8QSYGtndOGeD2Ef08FYoVlP57Fi0arfaRqLsJDKVvryoFrgOEDbGn9H2OLd8C+lkC8uONDmE/r3yNw6qY2P313UgyppzoFyaaNlPA9HH3Whwo95uMmivQHe3qtcyOEqkfePra/gTQsKblB7BEAOY0Ns+x3j3n19ZH/5k75fwfKnpJNp4lP8KiyzmdYfrSLQavEVYEskN+aYXIonw/Bitv5AxkuIsd4ujuY9n1MKW6obp18R1j7z8LdfZ3nVN30IjVL86iOCtxjjvQ2LSSeiwVLpCQp3hsewdMjlRCZ3nllTk1PjN80qafW4BWE1usSoIUUPw/EVF3+LpoJj+gM3KrUh3zCra5tliG/0d/S8DRlqFEpB427F4aW+2/FZCgbtIBXTAFt8WbRu4iMf4O0WzbAIJ3iW1SKpFqFfpwZFKyOnuPR6prPGUdVpgRrIVSfwT6xeEebhsU6W7zSM6ZASnVXGhk9vqcCHifxiiX9vBiL0zowx9H6dynXcJOeTfzNCqf4u+6JfJZPcGTw1r/Aq2QUB4+M1LJzhDOWvjiZ+1AsGNo8eTjKIVyb8LiM3Pefxc4hzVIMa8FyRf3jPu9cokWp3A5rE03/0bGbf3YNn5Vlq84ptIpRck3SP57qTp9JG/mD7XDZIQtsGs", 27: "AJMai8w/VPKkR9Mc9x7vIbfYpr156+Bb708xDul6fb4xvbEbq7G5wpOz5DL7zOXHwP8muvS/N59t8s84YN4RIoCvFKRi+rr5P2UX47+Wrt9NGWRfCPibPwy6FovZYrTRcfJwFQ/LW9ZMIIOHqIJeDarwiyDj2nY+ZyI+XkZX22RbXxW9kGXgmTch/2g/+nW2rbV4idnJ0rtO3TdwYp56ir5duCg2NWmJMm4wlSxvPCHzLDpgO/YZJoDNKL0XOnSstKNcpLgdmZv5CiipLHE0763shCJtJQvzvkDk4IXcog4KTbsPaX0zUh9U9GSBz+0ocZfnxrRuZPYqOmzl/Em2c7gtITm7isOjIsIvLWvbYtY9zuMtuNXeedPWZB5HjjbxJHcniLkqV4+m80F+xlOpqgaK6CHCVdYmespqGOxUJm0901gDGsaOLwOxh59uzcjdagTe/v1KfjsZbs1UAXhbLERJHH6pbMEsJatAi0PeEGgk2+D1PNWtdP7T1oXE1kMVmF2YnZnByI0thFERmNUKfKLh4scfRywvchzB1eUYIATFT1XvMl0lbr6OH4R145ag2atns2xz7qk1kMgu/tJcU4ePTmZ0qPfFerpC1HPf7auP7V/78aBGJTgt23jG2aKVjJvoZT53rGc/UWaL7r1PnrtAcXyAVq2hitC4STw8Q3bx8KgtrxfcawDxcUj1jve9PmPFd9GPTWh4FPYjslj4GaEOuTwjgLMrqQjfe+c6bBW0zssZ1gSuOqOtjKiDUuGExf5jjU8f2q9UHCvPCfSRxsHuxHBw5fE7V1sQm71Fi+w9JWrU/jj5qAy3FRVyN6Lv4ywIfK2oIS/Qer9Jmqo1q3ZQcuwBcibHU+VCLn0SBoizmTskyG0HUMH4GtLr3hntWC+xZrHo1BdyTPoVrOXi7XHXQa5ZgsrB7XFDVLdeVPPdiy1Vjs5XpIDTJ+bU+/0wzSQx3jCU6E+CuoIg5uswe17niACEr8rdJmv9jbAfQIucvBZB0SuTIDW/ad0ulcEMqBhXFKzCC82lgmxWMrHyewshBTuChcnXycEgI85/3venIyAYA/JaNLfqdXIqfNqaxZLYRUCI7U0OiXebfyO0AFIcOHaee9QJ3RBv2RXTjFM9Nnl2C3OzNo4VN4G8Fbu97zV8Q5Vuj+h7B13zGkTXvQZsONSKKPHm0WpTe08o7iRS9YqtGPF41xipztjYsUbOBzsYn1a4pmCiRW+SufH32K2YgQg+f8pAC3q6NZdwFfWx8KiTZsE4AfAxTPNMeNkaEOOOR/toAk3fB6HA/oV6toUdykr2eBh08Gth2RoK6qnCiCGH4mHBFNTr78ISN47V1+gkIoQeWda3fpSToeDcGAE5xbrImiGZC+369Mziqqveb1bXszuzMwswfLIjWSQnYmvlcyaZe+Fog5B1fyXs3fvePLAAQIETkw2QCF90HduZSqPKHIK8wpe7GlN97CbxrgYT6NZJPPs8KLAeeatM7nYW09L2mECN2RJdsWi5FHkZJM9mJZAfwAabl+NP5f+PmQehNmXahp2QFncjDKBSCJu+n+aTzYk++gufEsklRrpCismF8m1w6nJX/Iw9zsDmzQO1tMCOruQTY8jBhTckq9r5j4MxeGFyMz81cnb0wlMKTTVk+6Tqw19RysCbed+pWPEBR603K7EE+l36q13AvQ+T1z5IXXE5RczzXyo+3", 28: "txBNzl3jFPQDRw53EmD2/SM+GhDYL8YeZA9yfeHvWLKmkDI1idAV9iRaw3q8rvIg+ja1utsbMgGdTMeR9iq+NVsmJQ9YjbnvawPqX+lzdMqEg++Of5h2mG+cjmt8X94FcDHAL4OMU7GmzPRDSTAzRl/K7zQIKNoldM6H5r89ZRWVOZFmNvBOPbCc4ZXP82b3k+Zc63k1ANp6Vm2vEuNAOkqt5/iC5b6iFkDPn2UlkhRAgsGvjdUFqpiNRGoaMaEeKydJfjVr7iZ/SDWWaAV3bmqZQceYlMf3xS+bKf6Pbj9JJC+ZOd4xh/sIhZ/fTd3Rz8mNpa5FfGstCB/39W/PSwBWaGmJvAWiTPX+fCTNiCDWCXcwQGZMMeRYfVpshbwLsM7TLiUPDdt+nutT4XGexcfThQnMnLfptY6G5IClBJ2l9ArYe6TGgDJF9eNQOuCqxJVhRQjopcLEy1QywHf18aQEcvfoK/X4N38NFwV/t7WSVXuS+Z3fLu/fs2enGIgWqCYFLbBaciOAiBLcAFZUss3ux7Lvmt914TNKdH52brJkcDe0ipF31iQfUvBgoaQ7mEHUjKOvvbhvNt+jtBYZ7f/K1jHKfTW28AyJmxxS6zA8yAwk1x6Je0jSwiZx0V3Ajdp7sfHIBIVgLFWw5J51PVhNiGbSKcDWzBLkZ49p/Kd0X6VqJVPYxI+VFU8Jgf1syyDGk0oJUD1MbWMcIsygNRrUv+JErai6Zl8kei0BqEqWtfsuFEIcioO9yNVLLfWUc0xLErJt8FJW2thu3sUp60tLGMK5ohEPXiIhqDjfvq1cPkWLv7g6mhXVEeW1WPsJYzJRgLG1DXxZn/RoQNWMPCs/Um1xHAuKAd/7UXOes080kz4xkMOfZITe3XpF3pJFSL8stWOAa2L79vk/S3sna3+ViHEGW/Xv6T8ULZV6LM8iLOP0/fP6h2cbIZU0PTupHP7W2Er/0Fp+GA8azqAtEtlmJQVMnIE7C/JPrKQc4cQS6Q2cQYrzCmU6RPOHXH2ogiKiNFTVlZCcYRjI2JP5pzJAUksrX2KORTEzrIw0IkY95K6Z+DRn6XgDHmWbhebnQbI6zt2gezuCcO/q7g075hX1h4E0L5Tbmgsfzl9urh01B1BvkjNdwm1dGpOmJD8jnaiaqfs6pUoxypOzsWQ8vWWXy9FRDEemNhVO4AdJo8j4Wo5hbGYZC8AQhO5S795i/fDpYM3F/yulsOtmu2HHjJQtNmM62c7avBg1bUCP0cDjhk4a82YXeJ5KwlSYRalSElWR6I9IeHmvGWCDD64B0HEqYnxJHoYzVYtg6GXQhgeoc4RBzKvzW3Ua8YFyKOZWEZmmG/Ze1NmnM2KlDZG/+W4/azHrIqGURexAIwYemRL3oi+M8LP/uB2w+lQyc24+TDDjL2JaI4gHUd7l8eHDE45NGrBfCIoucnGBW3KdQ/QuWMCcaGy67j924SvQJ5LaPTMESjiI57X6ZYHfM9GZRnWRs6fuFlBCDMqyOKvdzu7zUAdP8nVH9iFC5JK9MINsBcqogSjx29SfbErY7LJ0iucY1yPSNC38kx0qrCnfM9uranYkm8zevDoKApivW5yNql5CK6zIl/wj4xFvnyCPzuXxpDYrlI4JP7sPDP4cRVCEpr6vEMdyy6mPNVJt3kfL3iIoawxxLhrMQr4MFlmhTnMvA/h8C0ADS6gVezhyL", 29: "wxYYAWBoGOiG1LDIoB6q9b+Q6FSQ37/hK5Iwm5q1H302nNX0BF0mVZGUz45q3tnZvyzB6k0h4Q6eFswBkL1ybmhCZydfzybzwTRRfquzIGuO2bLd7OE+zBp2z5tTY2R2ttj9+8eb68NkYhUQ/GaAX7/t8bCf0bkQ+9OEETNG3opH774FxIi1NfFZ9q+e34vuYNa/ySQqzFWpKYL7umLktHxNyW34oSKydBL8reT4e9LQ2OWb7tw5T6NAkLayZOWLsLvIKHS97uGIrj4gIWn2oJSid1daDx6imyYDwNBM1447sEKNhO9ocmzreqkl/0veJMBloI4l1BhGZsn+uWb6JcVI2cZ2NG8GoTjtV2qTevwhFDiYOobcNIhnI7IscdTrjUxUzHP5wDMRzoYtLE0RjgfR5/Z4Res8QsUKuRTBm95HyIwYRXXBDNFBhwfRIP6KX3kMHeovZxzJlkJ1sXfvbadx3WIQTIerrY27kBXmoZiTWLewrQntclnTC+4hqFrJDLskMDgF7simxBJikEAvcDXMYek9JoAbxfXmnaJ6N+P/hsbvHfkg8E4wFy3jFzm3AiJWGFYE7b9h9jWSqDeGRk4VxbcDyBpiGZzaNNbih3+OLu/BfedOQtLBrLwna8/eeaGMcdWFAHwsvd8zF9fx73Um9acmwwMFDW2mtMw1UDfPo4xPD+sOCjR6K5eF880NypOap2VfmkNcOgkp+xJWLBKgQvOVo6+nsUizrOoxuacrSt7DW3LZhyXvkZfHJqIFAoumaLquFqsvc1QGcqdd94KHUOYgRvPuswdhYOPHuxWDewC35BPhNQuFZgd7EdvXW1dBLJ+e5y6+TW4Y1bzfXZ2X5vH5wbSPZGtbalYZjHInIM+CVEhdBBmVsP/M/C6CmXbcTr8htdi9CBbpwBTAHenwE3U44IJu3IUxKImpfIRzGpLue2yMXV12voAV9FPtLWlfV3HT3JuQbs+8oEqXpuhpE2dB57iHN2eYb9PRi4isx4vx+LApjpizKhC2Fp/CxxdyYVwf+Jc2ref3qd+8zaoeZ2A6SZtvU1BtV9s97GzmyZMnzC4JJe1MYv9guJ8kvddAEv5dLz6EP7zUEK6ym+E5a6m4xRtXre92h6LbcwY8d+qixMwb1NFoBLq2NoEeDDiFWccR4p89xQHdqRFobIPDNZMAbPVJXg43fLMn5PWntolJg3dlgizQW+dIJR7ivOEeQTGVvfFtEpSTc8ozh4/jsT/8OXjwK2r+SF8PAeUHQoAMm7MS/PL3v1KbSWE3mkZS9TIv4nnWfpDzex9P9+QG5RW3+NtG6QllKd1ls09Clnh7/nztR10OpOPISDdCiocEo/RwdJvlRC3sr2xp34YzwK+QNLmtTss9XGLiIQPO/8sEYVMMRoKKf5jEx+GhbCksrHlARM9szccMXQGU4QR58hFzfSwwdMWWe7+y20JIkETMZumE12sZl2lVpzuYKYe+7R56dx0RsQI/bajtofhDyA9mOSCniZdwn8FwqN0zHjpG3YeBnT94432lx/RToGb2RswALcQc5mSsTuuuuQF5EWdoC7TjNeL0BXjcesfGqisOb0XmnP6uZP2s4E8AiuoKQ2ra7jZUeLjWz4oG5dLIppqoOI+G0HcYYGzFRs140NOOlfDAYRWcBIAwWTSpOwryQnYTnfHjhUBh4zyNUaU80/I8yhDlnXW5aaBgR", 30: "he+Oglok0VNbqzseriv2cfJ7O64lMOW7AVT48OANvibWYdnAXJ63ObMvcQoSDQzIVehrfoNAHICJoExoXBp8QajFX2MZzfRuyPSJDuTIw8UCg1/swoHyPdes4ZhkYax3vG2KHnCHej5yyk6mwp9ag3M6E5H8R0NNR2pLfQLqnaj12sSuci7zAhvCFDBtXwpxJE3W/sc60Bk/2lS50Mj70g0g2qmcSfQLWqbQR4Re+hLcSLFNcd12LtztaUPKrayZL9D3RN2uQPVtrjlZdNjVjlnpbUeIP5CJnl5SNi/l64Qqy7I09RNPpe0x6joEhkEnDNNJl4VmK8GWYnuUi8ZxYv9uYHB99bMxMsT/uO2itUTwo9bGJ3CdDaIW8DH+bv7FFsS7MiXGCJYXbv+l9otBWpBfEZjlagQffx+8Bc71BOowrxjql3B3IT9m/QHgbWW1q2/yhan/GslT1JZPuGpc+JYT4lh6qsc7R8sy6ph//JMxf3Mmij+0tY9jrqTeJ0k4UFUZ1j1BDMZhV3bPkvFJivDPNRAGIlGKBFC2/i4caSrp3FK5w+mYsM3NrAJTfA9QVeKdf+TZxPdCFoTBavRuTZzeD4I1PFpfdDGORkX2xnOcWdcdhAiqiO58pi9/dTVXJQPuYUvqeMwCXzAsmfV/afe1eVnH5yMIrEaqR2MQyu2kdLMFiQPtixwlWFYVm6hq8+ajf9ts+XghjGiYKvN7h+HSDIwx0aQMHXL27q8/o1+qmcWuqW6gKdDSjNad9yDTWn0PAnNKg9+ZRCYifQ75Qn7K92osaDcuV8TWIzoxkFyk3G1j15ECVfvHU+VvSkvGWcAILRcIfojx8XpQUlB7ADI51DsCi1gXijzNYsRF1VQpjSzrL/S7g36Z/cD/HTYRbO/NGuudWtQk1z6lpCj2v2o4kFxj1J95RaFdet4ZW+1i1nm/ojcg/6fZzdk6cQDdIWG0bNiFpoc9ICEswaQOTPgjnARctfWrE3smNsDnIICal8fZm3AQJsqO6joJuQTICwdnpjQ/S6YL2tagruM9dMF+Q8IUBvObAHr9XEWp0ML7p23z0Ajv2+2wX7TiF6AiZMk4uEy8tY6f5VUgwafM04cN0rI07xpoIJ54b5W6QPQzGbnxMzf1NFyIPkFkZfTGDJvwGXhfoYi39pApNEfgv85tMmH9zUb6QJdF0xSe0N2IKUZ6+tAbQeL0cmEX3XdiRBmqqiwTEMbkcoUJW24EWCwHxZNXSClQFzYsxkEyf1+ultn+dQVc6SaIYkdgkrm8kSOC16++nUyQZt5tB3ACf8wPVSHJFLFnXn+E2R1zvxjhpuzM+HETJFrA6rpDwXF86+I1WXSnKCqQqRVJMXP9YQvA7ankrSra9DQq8H6ImAtVKGzxCo248tcH704xtqMWrdM0xMjHZhcpuroErKY+wtHwpzjvvtcsW6iWqCb8xx3JnjRE6uwh7XiYJ4nLUPzFMTJkj0K77v6KBV45A619o+0pJ8QIAANdpMfH87yDHWSqsf4EGqp1JkYLfaXGn3IWxAwDEaFMoavJ0aGTqeqth4hPwwiuK4x6GAVYga2IRAskcAyGppRL7qPGPSltrUyAk8qj7lTYcPSrI0s8PhiUwOwe2EP6H9OvGncWksenAJDiRuevMZHcNx9sp23PC0y9Gf0TMJXr0l7gMGFHoc6Yo/Uai5wqTe9WPXzdvcUhU", 32: "1BD61bVLs392PHuU2G4KpOoaAdfUjdOboXI4IRu8FqALul4DXMaGZz/tI9YKOvVEStFSGK1lBHkMNIuCX0cOhH9xvfVhs6aU/zg9FzaujhvpfwFcsysWH7jyfk3LG36m6lvJRaVCcOF1Ii8EBIPR4mbn57I62evCEU8f23HlcdhIbsfgFxaCfB/71hJdSZ6ZaksVfLzlzW1dDT0wo86cXGPxqrAkX7QDDw1vajy6dfppCmz8hhOgyLpSeEjWGn50yh6MJVDMWeD8BewEwerkMQ02ebgUO5xzuoUbiTdlCeCdVQAnoEO0lmZZdBkjwPTueXIuxIBSJcHy4N0gc8wKaQIBr9u7v/ulyZ0E3aU/xePYo+0MivmEe8hOILdv6o+dPQY0hdiP6MacsXpueWp/5p6LlQHuolPWP4bdvZTq+iSwiou7AnQtGO5TMLG+Y4QJNI9l+ZBxZw/ea+S/V9hVMcWdfkbqU5ZPm4xNGCmBubsEfL9gXA0yETMUHdA3WDAhvoCsMOzl9WXaa9FZAtz45YH05SGMToh1pOdCPDCfh4Y7yvNpiwQEGUbcVdEETgvXB9bWq4gTLKpTKKBwU0agcylbJdXJRMXVk0Bhdm/R1gWgwvJ1kYOdXsZmAeanU7nZKCltfSjYjoSwi5KaaXC9behYoCREvpQyEkDxevX5gKy7cTmbnxyt1Yp7Cf+iOamBnowA60PO8RiyNa5/5Yxd1gQ6WBbxJnBG+GHmalxEZt7djr1S2HrUHcRO6yGU1iC+UyVonwpmVQzH/dx2SknlSzwxaWavKxwXnG0Y5suqiYdJb2DtWJhvCmBVIBhM2habOBIiPz94qUz/aaE/wrO2d5vRPjHUB06lTYmGNIthfvGYNr3LUrmeLJz0waCeaxAWSvJ3BCQsAJ0Z7FAEOD/tuOgpP0zBCB/xURsVdpqtlt8fNtv7nVICEtqoW47gJmQaU90EKEpnb7dITzpnHEM6d8BB9f3DvTE0v7OslGUAWORUboW6upGlMtTK83DQGex0wiQFNIm+cO6FvYwuZD5YYxQF2QtoLGobYD2kgQ8aACeR0Blw33wgi2/kJKwIhclDRCzKcNUJ7c8tZzRj36YBkRbj0+fJk8I+QB7WVNS/2X3YoDNJCtP4/weJG1AWHrNklc9wRYz+RPhcgWaJ1XDXT8mM2D3otL7MiGSAhoOSBV1W/gnccpvpAtNRur12jX6eL5Hd65caj1afAB+W5LFzXEMGEk3F04eQEi2Gw7tAZ+P/ClZan7Eac0v4XdCNnyQkZegXqpJ3PA3smKf2ykv0Yb0uGRM21/1gmbojgfFG1qSqpmAdvVCt2UXjT98YS/x9CQShKYVM3f/eC9reRMGNz6g+BQY6c+6Crxqr5JIDYaFl6hgC6ffUs5dKbu3G1fIbFmQ7Qsh3BKowPh+8nMnN2u+C1fSz9ObfUIEZfCBGIpZm9/FoGhCEGRcBT7pvnGd45srZ76HuJrpUuGGSXVjYAUFFoXOjihbjqxcEtjC6C6aBChZDl5ckOOpB1OkggKr3v2QFjWs8Q1fBoiXXyceEVxRCRAxZlbaS3auLk0uEixf50uy11rjL/giRQ3IcZFNR+U8YjbtF3ThmXWkqB3cxGyeCLoDg2+GEOSC8Ka3DY+5L+M5QCZnFw1baNBP+Coh0dsB3Fj9KJDn24V0B70PzMR5YRTogJfNW9HmQ1DU1p", 33: "1+mEBWySPDPPa6hIQnodaw2DvQRr7DSJtbEX3S98atxRz9DACl1C1zcgN4QR1SS2cIcHoAW1Gldlc4Sc4BpablOIyq5GuUyrEbLA+trrC6kBbk+UDLG1E5+9QHpt32qiMkH2M5BSq1oF2k8PAqgAeiy8ZLTF6GglNmPaH9L6QWrQk4eLuU44ioOpGR2XFthg/MgvMHVeEBLW2zMF/0rRt7ALH19+BZ7Fx2YV0p3hlQdlPjQ/F3+CcwTWAJsDC5SwYIpCRK1CTlZ8bCCjz8UktjVyP7rGppWzYvVU8tTLhbpwZC5HbLJ5TEhaQxvrwf5bDpeZ2BGvM2mpVuPZqRDGvuAgzE1B4kccBvE1ceYdd9aiCFuqzM5u4CrR0zfudcsGVDHXlcTDfjVK8xDEZgwOi41P8ek4G31iE2y9GxUq9rTkXBS6TRVStRemSHj3cRtiC+PM6j5lgg/ZErEOdPaYet+NrHZkeJM3ynqysRWLqMD0xc6ce9qzy6OHPKk9oRgykrencxM8JWFoAeP5iZvCwzhC7uBQeRuJtgjFDf8nVjHVlO6fyj0uaJVfh84uYJBf6CiAlEC2KgoqoHq2A5I3/d81uPomZ/gPJfy7QvDloWI0MCBwJ65zebxgMKs8bE3P1rEurVUNFMZksZuH2uWMD9diysIELn50mzp846jyIot/5x6txtt7ZS8x9nCxyPVvo2oFr6HANovWmKzOg3aY1VDDYxIgt7HjqAJqDAKNcIRJ2GNCYDpX4H9hW0qiMXd+mELaQiMudux2rh61okI3gPYEX5LvFnG6yB+L8oqmm/Bxs5kCvFJTt2rGeAa2U0o5WgK8UEfIh64Qdi8dTDU05Bcv3xX0Cu+OQXopERG7FSanfDsjsTi2c+81Ucj7DCljcyrJN0cXfSt4XYHlFZQeyqZWmz7Ko7PLFFlQeIBVFwwEWynn5Pz3L8fpAV9i8Dzs+rfNzN8T2YA6azXOuPbGOmfN+dMHfdX3CPB1Yk5Jf0M5urY4WfFVcOEo5ytACO7jiyWNohAYP1KR9QvCwGP3zSbPIkGEtIRM9jU23VY8DopyuWLMOftHhyLbF00QFjzaVXiezDoFdBAFK1Bf6QSCWZXKiNPUhFsaLEyB5PPWyLEz8eoSpnECUHTQNNVFLr9sfvTZE/bi6bayEQdnTJrHBUbvxW+lmJrQNj2TsCiaMw0a1mocSzO7PxN7BRLth7KOOla1yyQrsiGuVxiqZQgYPGekPAKtJ9S6giYYV4fueo0B3kp8eU8aj3az33+ymf06HUKlSwjHJ9cFbHb/tAOSVQQ1lTk36HARl1IU4MK02cr59ZfmU7AgOX8YnYxtk/zefEQeZ8ZbV8xP/0eIzBLAYa/M+KeJwPAb3bUMXaYrTj6q2WGllzQal77MMRWvVQrjoo8mxGVAjcohpDcYqxZuPpsufoXiVNqDgg8HQV78i0I/BR/eVAVQZsoUtGG3F2wdNuhEft7bYKIaJh39ENDwCPFx35/Jq6GVSufEoDztqJYVvRBOafQj9qQYX2BmvsuSjp6FWjeNNrr5B7vIXXkJpDlEMJXK4gxtygeX+fKMEMBeJ4drYgyec5hHtgNe05Kr4SepCpmdmE8bVZiNrVTkknKrskMbx87pOfMlZ7Gc4uA7cEJVrKPWQuY6quQ5V5DBrKIr16apv42q5zMEf0HmW/GTKwMD394GQxXtJ4CMP", 34: "z+w82inXAGhksAdWEg3/pUSjYzwO/JinnltFOv3mGkk4nLF2ouneX+qfMuGldR+T97g6s7ZEqZPuseQBq3ff53E0DX+PSbd3sGx6vCQE3SJuiTkCaSqxLSTKwU/X+m++4RG9YqYjsdyarJU1bzcVW+XUIIVSYeceGm8b8aQ65wQ6KTO6tnhah/iQpSECwRsXMaJjjlvYfavsAbf4diQyhvrpdRpL1cvNDQsSeFEeqnYpe16nSUqpYhIv4Y1iVW/naURon4B/8GJmAuw2gLm+TQgL/Eaj3EmQn6FR9JuYu0TT7VOzoF5RwKLVzywPqLemu0qC0WEV/j9WEPVlnA7vrvKe8dzR/bcgLbbgfemPGc7XXIpMmDAssUpjPF/1DFeyOnbqyijEVtpbj5koptMHkUePcagp7FyeQy5n07dVA3xPqB+hg5IOc/cQYu+Fuj59izPpDvqrlGcMFzViyYueedNFyf53u46KreCyyHJ72LRFi+kJV13aNUXaSRW/pNmKJ4LvmfbAH1O/H//Rnc6geViT+ntO26OLmKiHT4hoH5MoQsh3xpawE4NHvsUJHe87FJCRrR1SopvKU4QpORf7C2u6J9o/qHsUP5v8KWz8SM7UZ9L6E0bSVcnGLq2Ie20C+SmYy52JRMjhj6LTtZPOilfLiNawlNlSaarUCHxxwtUGk/kgFKDT7QBBE/XsClIFDgw2b+/9P6QkXsfQuXF3zae0XLeM6XYHWfR6j4ijBCYQAlCkAfwTWkD4ROxd794vmwvGL+NzXBj/lj5xBiRSg03X0rJbXhl82mZBhREPIqDbOrI1hVD/NMbH9+l6RCargwEhrDGlpisnxIWhXwTmuZBcvfDc0Mb0I8nCPtZFeNPCUCT1oui8My5ltx4moDv7YUAUvXp0ItRoiMg+j7JIVhuzItDwPOM+1XlaoP7ox43siumc4fMzgipy0YHCKsF2g6laTNvWJumI0p4gL+59Eq7zfhd+cFWKqv9spEastkENhvcPgSvktW6tWzH6JGABixC1pPtHFKJfEaz3JQ757BTjeEOfLMDl3lGPsU9NHYcTHN2FA7l8l53iwQGIF0H6eY8bPH9Jw7V9lYwWZF1R4Y14K+Q5Zuw0/OLNMK1dc7ZeyvMmYXQruyJwOsjE+t1UPcuOcEjF5CXYTq60bD2YkCY3WgpoX1GFxbPghA5HB6Bv8lf0vNw7d4ly94vOkrVoqV8RkfLQMch70L8om42+ut79HXVVdZ7v84uFIFmTy5Xlvoh/H/dy0dsnI18cTZaJoK6XW+E9BHUZYk1Rmyw/22QWTkLJo6qP9tgPrGYGXNLvWrUF3GrUKPjVb38+iy2GuKwn9F7LHv+GOoRShpNR15/HiRkDSoisigJSYQbEi6I4mN3VXRVCy+kYlNoKYevJcCnlqTQptNua2j3TwlYYdZVQBKKFt70KlYvGe8gngFB6fJB9x+Sn34mpwOxKyMEL6SapUhXtaN9syR+WZJr6MVfRST2lSZSYdApw1OfTgtWHbZgtRuc9gPwB3LyLP4dPW+vtOCnh8qAPdMOxdtaPS6OQqemX7tcfv7KeAuBR1qLL41PhCaw0YgyduVbHLexJea18OiX3zm02plqhb+kSPGE35/VBvLKBDS68TS9l1xZBg8WtZlZuBRySoOin8e0867DQPj9x7pR/+Ctrt5N1oJopHRHiqkSrvZnAX+qwb", 35: "deHkltVU2/ywTfmtqi6Hq/pX9+F4/LB6znSWqjgElq1Fu+TUljq13hYgWo1JsrnPXFHU/rxPTmAib43eG4RW7RCj82Xvd4laiqsbF2nmhSYIAxAPnsJIMA/gHRu/9XiKQpYyPQiJxMrmFzim6kIKrKCq1nNwoz5qEsh/rmlrYRedtihp1HJY6/WPHjuKrMavTZJmDU4wsY7BwDSH7uXBFWyLl0vETZKBc6snr31D0TgAHNlCZunVqVOyx+m/u9AigkNyMcJZBYubWBubrazdKT22oBYOLDcWhY0wPC2J5puR0TpZKKszleiy/9LIo2zmj6zRVnb1vaN0M/QM0ooPwsq5TC0Gu5pWtSHQG5Fp9NnWxwsomLV2Cri4shcLhwOf4WmWJ0aiPStLPlJViA1bdvGXp4m4tUYjFvU08KygTo0AUd/hTDBDx2zh6uGj8UeWqga8AUmTIu7uJUEJlRzEb6Z1mr6Xvcagxq8yb8LEDki/N42t3hJvqvOOwMK11lmJmyg3CGGmut63dueWiEwcUaPsLuVL0x5zxBB5XGOo8tth0nTyugK5hZjCHzrl9e1iIYnB6L7PsccRVmTHIt4FAhx5vz3jwKDjEJUHCfBpcCcVjt1vBAsWIjbtMUna+D0+PUT74/fCg7PWwTUkJA0j0Qmmkpkqr2qYEMPW02qG0WgFi1/ti1rYkkxg+8sGx3NvEwi4tiVljru5a7Tw8QRUiRrykBkJOGXlEufho2tIXHS1fZct+VJkRLP65p1ajBedzYqenJ4R3bKDC7wZzsSAK3wR4Z0/1TQ28QlJ2TFO3H1M4oeu9vsfUXUemX3eVdbzKuBAWDRMw849X/+BQbIwE6kVN9Ba2f1oTbU1zLNbJlaL/CuI5kbtAiYqgKJ+t0qM7ocF+jk1axIX+FouiWLd0GJksB2dCQihcDou0T586DQMQt2uUm+JHsYtyDBflBpGW0Gq2g4vn863AKcl+jhgMA/R+RoCMLwHHAZimJHWKM+tK5/O6gef4dvJqXtAf3u4mRdhdqG5MnGZF7uVRXyYN7UPg1Y7vxNTNEhOwP81PJ3iFvBNCzg3Mx0mik1bMJ/wXcztblGeFKwY6ClgKCp6KokxBciqYbrFSF8TQ+7u9ZDBUwOqKI7nM4haZL9CtjLAG/mQaxmEAGRM4zS65/EKpg8cghnc17fwbV9NUl86UBnDZZVdJNo/AhSmXLbAxBIf4W/m3QfYFI/KXhYODZ+w5fJ0hiDRbrbJ57plPI261XXw4V+ympF62ziTMwaE0y0RCy0JGz2ItGdIdWrl4QWqk2HZBFyerR3wnNYc3xkGIsxKm+KaXwZbFK2MH7JmhsDyQsSjS3r4BKML/JFSGVXpUOvcOYD6TT+FI/mvlnaCe79FcfRvsRUTcUlHM/uBpPIBimdO7V2PY9hjpO0KG9lUzMKD2DiRoHLtDDcVxKnAkkS5U2xJB5jbhfwnA7rRDHEDJDL7Sfo8muU6nKc+tITUWBDeV4L4HX60jX0r8+05vTsNkHXBA2KPaO1PFAMRnItoFNXanu319ngVS7WEZg00O1vwou+8P09V5DGY/dHSMYXnJpdCFpyG+vHd0viflxrVK2Jz8HqxN/u1nBZo1DRtt7c50qnF8VlS95tTF3VPEd4q+X0MPbaTCSjKY3nL01aCb8gD6y6bKj7rNkqWOYTDIPPluh/NasOT+d/CjXe5r", 36: "KRzOjXba313Ngv/sC7sbTi6wlRm1cF2MF/JR7byyOWCMghpFXhQbbv81U5lx2VvIEDxjNs2p9bTWGoi1XY8PjsoGWEJ9IluCV2OLKc90Utc+nSA/JdFLowE9EnxnWFwU3yFi8wMERwvuwLD3hAJOpv2O0FEqxadU4pldsdv6F6klfQOE/8A7UqvXPHL7yF6V+h/D472qrBLw9MhIaoeOwwjOxhk38aDmDwoWP42ZWzciEHwutp2LzcIDjrd/JnRlse41VKzrjmEmlX8luOAdGR4aTrNXxEWjvjdxu5fuTtq77LYsYZ+DBZpLm54SD0w/zpxw2XYTHOuDM17ybOYk8oruUY2Ed16jaeSMB2NvEXRWVYORpRanRhL4nG1bdbvqWpLGV905xSi7y3xfNPFAEoh1DUI+34ZMfVLntIlZbxXStbHR5DS98qjaSjwnPo+rE0vz3qYooNluzq5A2MukbSugmEOusZiICOjgGpjnQ34HKEZbWNyj0JZEflxRBvk35BT67vxdteYn0P7paeofskE/gpNRZ8BWRFYR/vN3jFTwAMZff0Q5dOuIJ0IQDwfFcO4KUmf35pbuIjMoTbwpL4s5NUumPHX7ca9++E1fUIczTgyUtaOQ/+1q8kmCyWOy/xYn+8A7D6zv+FMKARXaVJ1heJp33a9PpCFAqxTUK1/JP0Y/7RcGebA+S7qsI1EATZdtGV+3X+2PKO8lNA6LjvKTMt8VswTwzxPCZfXg0yKQKTFe9r4U+Qf5qPhi/WmZ9Ei8rIiFNfyFyD5iEdn0Sat4aO45srpYIHlQYScO1CjnXaoWEnT35DfDKIoQgzCVlfFLRIOeLivzJJ4MI6slggLAamVo6EI8kqHKULdX3HJQtZSQZqSJtbiYk/cuTHkHhhkm3X+Aome2nwkrvWzdtODCBOWXcgNcH/WFF3Q0fM9Vubjmzx8uNsYWAp3WjWwsA5EsS4pex+V1jxDYs9gwu9BUMpXjDgAJyIL7k1mB4Y80SieU9flRYf5a+O5EJUJprNrRKK9Yju55gMesywFeugp9c7mJttoAutRQUAZkSEGlaQL89X0fBh7qzJtptjtMKn+Zhy7nDULNXc+xjNPZkbWWk1iH0NW0c48iyYI3CjB2p8G0q2BL4Z77tPevKptLCgBDPCuAhzZ4qODWLRlXtzE4MyBuGYlF6HUariel2v6yiqV3A8pJPo+DNKNL88Q3+8gvBSFUmoLg3QptP2n4VybWMNBUrLLWCmMYv9QN78v2umIkc9s7xD0ZrRCbk3OHVXygrJ+JXwoi1v59Qw3KANgf45Phi0wVdIKGH+7SaClZi2ZpJMPaY7r048Ny8vTm3qNUQlv4aapTmwwrNYM6DlImbbe9UTbH2GejFTWpQnTsvzGeKgzInPpKvXSIya2aGBSzzs3SPrmxjv8iaw6QwlpYt6hybQVE5N0fEiXWIIMMGDoGIzN+NEe2I8ecKd7hSQ6bKIwancMnJrnxBd6dZSuw9h7vBnk2nNI7UTG5NS+32HmFt6+9FQ3tUDx0vmYVZUONRLqRMQqp+/EWhMQETjTr6TJbC3RthlhhYtkWrikvrDXn8eTiNAifsdl+Ig7Lb3s5KdpZizKW/oTVVQ8lOdBjXGMYlE6HjAGaa1/Wkb5toKBGjmZ2Y1++4Ha/HAYAO7MbAbzySx4OxIIPjNyCknGE+QHMp4ECF96XcAth+", 37: "EuNbAoTznvXT4Mldn44+rZMrMlJOuJL6ul1nYJt/JLlpvq7EM59g5yG038oXFqbNr5pzwtLckyRjFAryMWpD1kXIwvvtBmET9T0oT5g2ul7PuKnys6C+DyhvrZ+jpAsvUFjjojuH9u836/Bb3bz/5iiwnpAeodc9toG+qExIUj+AaLQA0dAbrcUc0Gg2cYtlyMYvVPf4pOrcoDj4kIV6cfpDi6Qn/vuNWhay+p3aX6rsJ0JVT68E4oCnWLDBhCNNKWoSz3LHhdmdUpytG0G9vf0l9vpfxy3pfQuacvFY1C90PheWWX/JEka7/4QLVoJigOpfVa7dw4YbXyqKJ4zYLhlxuJEGnbWt+LQdROXRMQCQjv8Wu30aCVWoytk7wC3X8Mh0Lvhk6KVnQn+1Xdw/AeGWDkmP7798kIIRyQOLJvwJwL0xXOyB4iWizyrDOs8OwQuR+wBBMzZr3I+78dzPhqcSJpEVl6Md7WrEjY6uwNV/8hi0YX16E4ULsqQXIgRRoEHvwceek5Htw+fmZEK/QGH11F5WIiYfX0KEEvqtyCfK1LAJlGyH3zdebKNEwwTHSiDgB/lwzcVVhitT68atPSjh8h81d3z8Xjk6NeedXRMgRBRku8mEcJ1gXaJkC9C2+mf98+z3QPEjrZLFIXuAjJRJ8wmt4LuFACOnDhv/rAR2ikE2VKiGRr9sqxFj4udH073BoTkbWRs1Vdtna5ySA9zV0dWV/OesjKnPvbkcUPkE/cygDQY3gQlHXGy/i2mxKRiTfxhA13BhtRk3s+0nIiqE14ZVXn3+fNK5j2oE388UkXR/zcQEbT2iv3QK4w6ruMuMJSjTzHP3QhQlLlzNex/rQLk8gE0rpgJN3+j5dgdGyS899SH8qk/d7QHYbrve8hGBuSBN8+GlOJYwbg7XtozPG16N+m6Bp4m1EvchlANwlHllsIfvxVWAYH+HAvR1T++Mfl1ymp47pndfVveTxxsVr7OH0+62DWn8iffDx3rdt31jWNREAppvRbIUiLIXKsD9SWfun7OmwvvFIYmr2F83FIl3cdHb+uC2A4FzqAI5SyH9nDOb5nLS6yaYYX1hXOcOt0if66/aXFQw6NNcyw5kSNbPLl7gXlQ9tW9ZbFuHt3B/1k6VvXlNrCGOu8JRt1WYbwibcnuJ5xkWbdb1+oWjwqhgP8I8A1Qv+ygW4kg7aJcDaJbeZJn2BPALE8J/0aNghYbkJVQcJ7YJm+C34rlgZFmDpsBWCd+yZ0WaiW57sgs8NM65eBXi0sQFlns6rSAYUoxin+dqn27BxnFeCU4EZjIeZ6QXLbefT6tx9ToFUGOJytgTnbODIFuVLpw9KYxauXtk/JK6WuUkoJR3yiXZRqhZA7WX5KPOdh3DCbOXiH8J3Z1WcaEU0G7HU5Yp0m3azBbEyaoMjeeEppFqySUUlkBMh8hljsAbnPwcuDIThQ91A3sLFwMLZQsyrA/yq0WIs6D5dpt1g8Y2jCYzEjVD9LyeARr/LoS6CYLEV64dpOQH32ddx6Xclg9b2u04L2jiTOaxcPR0bCkjH7evrlFYMFzPr2Wd3vGAAy0TR0zKtq6d0fpU4qKm+FNepAfw8xVF3ig8lWwTtyjaKEuLaOFrE1SkzFn2+45dehiV0Per39DUnmCm9tnHN+RycTPrpBZYdc0y3zG3JEo7vm8eKO1ophh9Oj/ZJwZ/gJ20A", 38: "iJ08wLXUdcfxSGAkQZcNE8Oz+ioj/ZVrvA/RCKFQFvGxGgGkfU1DfvcXbX1OU1OTSSgsyHS8izW1Y1hexVMZS5joASbe0kGG6/sS6wJu8mezCo+f5bDSr7A/ah/Q9K9U0A2c/Q2Sbs8cZSAau96FCEoekOkd0wH9/8XiNp2g9Gqgf4koqIwhcDi06CX7jYqdslEqCon1FtYt9V07peVNxCmqKbbbbjfkKCGqrp+lRUjx9yyXKEsaPiYAt0ccRTiNXJ22aZl3hJ930+IxnW6p2t7MzFdOYba1cu5hMZY+6R2RYVjkMS+WLdjdDMr20R4q0+bgpX3cMndyiRGHfePK7jpF6dlpIvJlEe1LpkaRSbk1ksNsRghJoeZNF7Wn64UoSuODmUly/m7HB0SXo7azMXyq9pcU/+9v8OrsEdfISBHKIT0dREPHgwzMwzE//MCSXbiG6Yw98fwIKY4VSL4kXNZZGq486rj7t2YtvqhBtStQqiBhE2xNvMrhZRl+Sq9KgewFI0LxEGXdEoToIfI1rpvkNxECZY0N9RG9lQyVlv3Lc4KVrNOFw9ZPdKgOtyPEK+Hd6HfK/K7hQpLQ2AGaVZDtLhQVc1Ypga/mR6BpB7JOnO+D0Lq3LxXl0/mNfSJRx9c7QuB9iCTJA0hcOaQq4x42PQurnanopPwrTmrN98svg+ueKTFD8vB9OLI5Bl2XYBRDOz4ba1pmD6diVhlstDsAMvCxtpoAcRtr8wFPxPkZGJpkgb0CrWEEFK6HJ3xQbsNt2+hokp+jUN7HLLMgSGjIUmJ+ut2yzA6UgJVjn93dOb794Njs99t6kHN6PUFb83WQ4hYwiqxOOmP8KrhkvFHkCMWUOiMIGfsVIMptbIag6kQktnOikZZnmb5k4ky0KOLpa1ycLn/2894mtrlvK2TX3mjhBb7aXei6UwB3/QggfF0TftMqTalpy+aFQV1vagW6GylcEgEp/uuGMejJBY4+UY/IFp0O+vHpmn/42TdPA3emwz9QD8mLqaFSz7SCa07M0BzKxtn3mYOHwIukLrOJ1SWs7I7Y1359dyRTJ4D8BCryPBzQyVoGMPeYlMvUDS1C5kyvonM5L7OPe/uuPyQpKK0lCyxp1hZECI2Z19A7yUj17FSf80q2KLEOjUb9hJsk+WPy3Sd0zQK149JUh0qlgwn1oyfo5DbXNqT7FJG9r9CH3jkTraAIlTglvXKWxKp0ve0GIhhxkH54fVtjFsxlDx+I/6OMrHSV9RBIUbOzIjWaphlITovS4n8Wleg0cC9/iiFGAXrdz6DKS/KfAZmMN1xeI65KCbG9Fc3oy8pUcnw7W66tJXiozXAnTSVjca4TyB/8xiU3/wvXOonr+xEliSw7TGPzofKchaHxbs82ue/5BxdZU62xvL6zDfK4YySEDItgjpmhyoLqFBqAdOhwKFUAR/hGIi6+xRRuDQmpxIjPZNNKPT6HEEIGHJ+AUiHEaQzZr9pFIkk2aod75TXpCgLyKiq/eZkai04AonLY+Pj12YLwRzdULzL4C6GSb0aYHBQJBU+PPFm4hE+sXqR2OuAztAHkPFtLhUfTKCdtZeq4KNvMMEbIyPtaWjI0yLWYWuf0qNVe+Pc1k8m86AqEWhlzrFt7LoygQxTL+DnsDaWOvS2QTsYMwWK8vUmObqjGkR2SYU6L6aymRWAmuEtx2fnbOdw79KoJmilqJ", 39: "mJyVAIKOjJh3P0Ud7rxlYsoimPozIVdO9Uz0w8GbnmnaFyxeNJ9SpnLuo88qk1h6SE+Q5/aW7oiepq68iTnX1lgtlD9hvVQ/nX5gjaCar7+IY1dWQ4j74OqKam88+gxFEhRmRhBjVqOHN91UItu/9OEYVBIzvT+nUFmRrzyWHc/L1qjH7zNdcnxkp7EylSKihslnKF9CysljWWAHshFg8Bxg4L1krKW2g6zGRSFWqMA21CqHM37ZfNNsEKYZM5vQwXLX+R44VYJnM5Ps7BfUtq3N0oyRk+hhgeIx6/MbfTVR1CHzLVFBjVTjY11sSdigFcGhaeEYsD7sxz+Zr7fGY4vFslSddqGgq1DxV6OWN5XRAM6PwFlDYwTzspvawiIhHHa1giP5t6ZK3LTB+PywgyTZBUYvwPRTuFbKGAN+kElYCvFgWNzIPsbRKJVQEj3660bxgOpkQb/jnvYGExx0DRtsHhsvjalT3pFAHQ6YRHlMPKQiChTVT3ghqQeZJqUsb0euYFICdkUKoR8r6K9Jmecyk9rgjevWZrwV2tQDeM7f3aQx/46Ak1rppNKieNAzPyWLQfIprh/wLQzBvhR14OBxzLmnoI3KwAkKjvSezh39S3O8Fu0a7Sowk6npiBG+Le+snayzSqwHq7CfR+K+fMVr7Ls8lgU9ywhKJamcFVouqAhHMDC88TLJReL5/3t250EOJVtUj39wBImU1671f33kQSVPduiOgAyjbc1CNGi1tJJgkKJwsqQAOQINAIMM5HwtalSA51PNW7xuW5+SGZDFUDwy9jzUQV7Mxl60T73t9TilYeTdLA0DMHTsQkZcuGFym0T4/DOgX7Sn4pg4p9q3XEs6ZeCrNIr04ksoOq0G51VtB5mJEbSNnZpDlrguBz+LBdxWl5hHkl22BM643SscX3t02/ZTQ+eFuvPfocdLNKThf0/SfBjPv5A8gMP1pADFM4oSmBPupIpmWqm7CVzH2umkntgOEqIKDzkPvR8XCeOHiHT6faaioy/vh4qHjNmCqMHtfFF1bo3flVeOWBlfthmoD15KKFIbxsfzWXFzc1kIZtk8txUZUf+gNiyeKLDh2Cqzxjia1iJ1FAZEqjQduWv5Dv7GnoXGBMffsYAAdHAn5xAZfyuRtBZ3N91ojjO2ShBi9+9ODRpLHxMiTmc1utYyxfXwt039nWXICbRl2OapjLSxOgYjq4rZwpRJkvi1QIw7Irx9hXAVEIGiP01DoscrKZZzXXnBaKnqNNp4/G4ERbC9QdfA4tKRfjU8bqJjjZEW/TADFh3Hof8w2D4d3iReb/G8kponqySZQHjY4ZRHHD51IqKIPOxHw3nzUu3X22JxbTlvB1AWkSsjFTEm2qxV+ZFMrRzW9v+nvi0lmypZJq7dGT839yhymuOItT7f+BjErSiqOR+O3ZqXpuq/UAoEEzM8daVTAYy7kDIoT6L8Gg1hT9ON9I9D9CQwJPJ1+kCp/UTwSEnXspo9xrHa/3TJyFpmTzzgFnwK14uO9XEDhV6M8mhsyAG6ZnLYuBTbwpt3/UsGnMaRFn78IM1GoKWe27naoQMx/Wg7ck8G8HivV17olRHSESwnveklRvOUetGfLlC0Ibj3mST6UzFamTh9M/lBD0xD+fY5AuEKD5g5Askt5yAUYNZ29mHf78I0vyVvzg+TlXOJcFGrrcc/WmDisNioyDZVp43CP", 40: "1ZhsTBMED2s+u5cwhcGkliDhSztMY4QNqeBkeD2yu0NiweLl26GKKgDews6Zz2xVHoXu96H821FAULe0/cTGB1Yqieh2KoL4rW+NMF+/QvC4plrwEdG5bOHd+x77F3ZN0fKfP7nvPg/lQ8Gd7pObbQX6tf8W/fd8SFwpcHnTIZRgDQfZv0S/vDVEeYlXhY6MrSM1z43YulwKCgGxGqX8eMHf5djQDJ6TBJP7VpKnGwS9FkoaeBNc9fHQ13fQw2AMYKxtv+DXgwkI1OV6iYzQiBa6U7krtu19UrJ6usVqZ7POovvJQM5UrJ2LJ2z7wFebOc1gh5fYFlAGfYuooIGkbvD8DmgIoWLXZjq96Y0QWizr2kpySTegUk4R2N7vEncp1huyKO8GiNcGmd5ZpsmbkjIg5FBOng8EsZjgwy5DLn1CZD31F6BSxfuo62k1aOHZFhL0hqU3f0FAF4vy3/BcgfHjkizL5OCua0xbFH4iiS+zerKePwr8X2qflJYJOVUQRAB7bF2QGF1/9c7NvFELyIeAfLL79HdiCPsohTgEUCHOoS3dP1GJiZApJJOzj/HPb2dRiVBWW9db2QfacJMpJgDH5i7Va6jVQNkvajBQ2HUoTvfQq5Ac7ib49iH6SwwDSnWs5MtDOti25ZcKa2XXgiM2mQe+k8SFfj0Cz0xgL2j5thRvJGXeS1IYUXnnXcN0yeFMZywbxt2N0q982wVrBGv8eC5oC5fqfLSyVJCmvPlVR2z/qie8RBCPpiIUzwAX/htqAciZDv8tDE7kb3czNeVjTjqG4RwZbsZ6oJYwH7NoywHxDpKfqY2qcmBY+OF6SvHacJB7HG3ZK1MqMOOQL/XHuc5np0fBmezHIgUVM4L0IT5zPZ5mCUP6oj/vyH/K9smbhlZ44zoeSG5QZQj8ZxSFQN2LBV8CQK6Z1zOCizPCDIQl2ym3f6McMrCIyKsztnkPRBG7IUNELaFRY6sXivDGVQZoibScy6GX809inJogu0k7m0UoICHRwcrHXaP97mpphwYTEaQQQpIJhoeEGNgPUM91o0zSOjjGTPqQBo5jphDT/P9qK6j86BGaqXxr6ZDrAFQOFrlyB+IOEQmAB9mGabVZ1ANc55tRhMMaTumyzdvJcAiiV+KvM9IOOl0VLDyvjBiHPu16MVt8x8mTi+iwBsyI6XsSt3jFm46XIkSrPEGcadm/GzQP8YjCWtDgupwMLJVKMbEcIM9cKsOZL/J6dIuzKOtTcY5EmOymg38AQrJNyOlu+c9yQeV8nIISvgwvWc+dRjduLQTzZvoZM2i90Dnfu5OE0aVwyJq+Teuyvj2UPJkqt8JQo4mKBLKmoWOk70SsWZQaI23+ZsSjXasvKDV27JaqPhVyrClcPcTwHI3b2Ct7n4Zu1l+KyKndxJNCj8a5HDBOWd2NuyL/+EcrrCqqx1iPyElhEWVBs5A0QZlSNSLMwbOuL/S9v/6uRXhutuQbeFzm52s0PUDJ1zYXDYea0Is+i9TZheSanrhHMLLZz98dRFhnub8w7Apv76OF/juYONeU3Xrh3F+kfJqSBWo771jwc6XykDlSS169jnJkPh6e3h+sawtAXo6sUXdVQEdEJULxWDdUCsUN6nLn7bWA7FRX0IKu1T0PCpx84JpSdoMn3oa09nQaFFTS0S+Ay/5R5EwBRfvqX0K1258m2bwPMZR1HUM9xZOu+", 41: "cmSMbHTVKbFzQ1M3luQYY7B74byV/99JWPleTZP5FkhYWctFq6KuPzV5Ap1BkIcrY9vcpeVbAZ6bevNfeP2GBoh/5aC9mdA+KVsBE9V+HOTFGbC/E1XnkM+BhBcO9wDp9TrBfQelOsTogRFiGOeaQZ92Hd3HM37SJd7ZB3Q33pDb7MuqUXDSR6LDBBkZzxL4TdeyBQZ+WGf1n45DM+RUZqPpVEzlKX0unzSwrVpobakSIMc9tQ6FEM1kVhpbuOnS4SA+2S8qhrauxBFl/OpAPRg4FNXO+rXynCjDKuFQ9hGQAZ2eAibdXbgC6vqKNfuya3KDQ2uPLd9//NqQIzBAt9u8ojG2ECICWHR83elgM3jzOVPl+3I291umXPD/MohHHfeo5VbTeOXfdWkT9MFjvmbQVKpMar32PNVd0yEYRShewPjlVKTPC8yWkJAH586bssTzOAdgV9nEMBAs8/vkOjYAGo9qRERNVPQSHH1Kw+yPkXv4iZAJkLg+Lq7pc0LMtGRhdQReRRMJ2kIVco5mUOv0BPmRCKvxlxI0B9LvXrCeMG5bgXH9T0tVo43YMr6IPzHl6eXAZn0Ba37/Lb6k+onEDEf4FLu8o9ok2wBp6Jj4uIpaedn1NVP0FpkidxyOMvC6AM8Dnwr2h7KsAvY4hzEXYi6p+C8JzIPQdGpbuo17koN5beZ1M4hGvkBGhABnhi20IQjmoJnYx4BHGCMcznjldyPAq2XKtuJ/U9VA9eJB0oD2cGPPfsT58Mk8cavLKFCLVQSaDMXj5ht66FxgjkF7NZz8ZQ66tgEuM905GJz+j8xbzJ8Luoeygm4y7G4KQF4xllLIGGio8VsG/KzN46AGdu4J/Z/IsWdU+DgB+Sb2xpt8Fhk9tvb9q4ZQSEDFpCkwSZfOpKQ05NY2yQ4K3WmxAoIZHNIsBk2TV3xh13B4AVxpJ6ps63fhzEsw69M9CI2bmWe7CZ4UAnLBpkmbbo3hAKRcWt8dNx7/n6OlOsaLUqd2kU7P0+0PqBV3rir3j/2XnWYtL4kqhfOiy2XcHL6FecKCS7XPERIaGJKfEbrAIZ+MUlUfPdRHRYIf3GOcrO4d9nbMz816oIZR3FgGFH4ZcmY73gEw6oTqnkt3k1HO/d5KZeBucs9usK2W+66Gul5N3ZcfZ6EEkW6r65ToxcHXgSmnSgfZ9uXj/1N5nYFAO1syK/9K8slVBiXvT7OEjyFQfDi6TzcGDK6UnNLE8LBGHWE73YkGO+l0ZiutWD80pOHK3wktZe1RQIwyGGJ+hiuSqBjba0H2ujSVHhz0JGkmUV3fPsk/I37+gGQ1GcZpoUF5Uv9BRtLhaPSk2u5BF3tyztX1QylP+D7dfTHurOTW6HW5TtsepeT6og8XRC/RKdjUaxPNFmRcojTWX/PLsaMRzya/VBolFl0qC50pBL2XyI4jiO0Qfh3oxm8zM5OI60HDokRpTLvHN7OoPUKGvge6KOETxaS6X5Un1oAkn3+HsQLmRIKokFF4eghynOFyKeKcbEIOGINiWVErJfRmmGAdGefw4yC704HBQMqclVt7Cv8sopyHjI7tdGvRG2J54xFMVFVZpSji/PzRwGP3DxpPD91/loiIMTWPHDIeV3H/S3gfFl8onKNG69fCK/Zh5BSLvBuWwRuBhVRSYXeWbGlMZXuA965KVmDGvKntiTpZHjX3n+Nr7kGftJTNM", 42: "S5odpFp7mVhmSkcP/QYfL93MKc1zRAu9Lfw1C5igdZL98uzX/nB24v3pPDvTR3Yd/evsHvZYkpBGdZSH1dkYmz8vK6swGhE2/tNQfZU6FrnhH5LldczZYJ6jm6Wfgb5RPhEsVrXGg5qwo1gTfH+g9hLT8y5dLuLjESIWgxZ4CPSevZlZ7UK1OwPylOnDRR3aQXLe1XIgPPZE1tCDrkATVQ6uMSJXopeTUlAOuBaoXYq+zmJkXXwwK3cl0aA8EKj43KxLkBuaFsRXoF2/UMqZfCiZm9UoW/0FnII9lI17xlHHHD0czuIogX1e9giM0FYy+fo6fsheYXU/0qDA0Yg1DCDs0qot6CHyrVp2YRV7VwERk5hjkbJZnPx1GNUGExCV+ZmYTVItTSHk1bSXOwleByufi0X36Ip21zoUnvZ4R6WLwgXcWPrnxYtE5cokqvgjrQ8FvsmsLbwOjo7II1taRQrN/BKRS3zd8u1t/dtJIA5cPQ3iPU4sEP5WjD42Dc1dZtbMsELetGBD4jrgiGTBAYw/viCpX/oO40XbaLDDcyfeuhgefaTlLnEsUjDuEh6u/+AeWE1Gu6aGqH6nHOAoONsYFHABmKSFmrwK/hiQbQw/UokHCxwigbFibudwjStChuloZoLddPaoN8MG5tRX2a7CzVR7KXk/j9gFsWCEvWUaMEVl5odg7nxleN7uC1ZC0ovHLuSWHS3bieV/aV0Y97rHRzVUQyvMdWAEjMg0lzUoW/PwF+2hr7TgSN98ef5gl30zsYtyuYc+V+y0ProGMVBwKSsuiOt0zWCjUcQsiTcr0nlp/SBfZZNNHmo+FkrRCeEpFrCsr/Ya4g5WB59Giz4lUai8NOpp1jRRzDYBnaRQcmN2bRLA2TlWbcwY3LucX0x41OdpjKQPLnu/0Hhghbk3kwZoRPnuifpuHpwxXK/9ytOIGRZiP/N4x4NnIpOkaTXBhpl1ibuHU+fF/HBKW0BRXqq95kD9oGLGEd5jt3n5okjEmIecXXEROOwm2vaw8A8mYyMFGormwyWQTcFgaw3xkL37UlsapPTLvGs8qoZntw+h4zpuBgR2z+7GI8MrWCwDdZhgHdvbcM68QPGNBYfKJVQ/WVMEoVCGVKMqgm/qTOf4q97b9+U5TNUJcUn3VW5n+odpWzoh+Xsg3ELA32YeWQ8rxArzdfmAzaUxL1Xijau36ftVHxAohXxYdQ2C1BzGlXL7UDKMkriL3IxSruHvqsM6NuRsmH3sxCPNy4byQy61+VjIjbnLgHvmUodtlq9h091aHFaORkWBaijguA7RWHzfU8BnROOHrLLmR3+T9XY+TvYDvUzt67eP4yXo2b6DVcwurppCdrHUEG51Ppcry+XkE7rMj/bS0tjTSrcKRkg3pmRk/o5WdLjA7TR++vVe640a5aG0NiBnLjLLaYH3qfgFj8sNxAMndzV6DqjmSt3UuUPrXRTXlW8otVY89gv+nCwhuEQYG6pC9G1Z7unQa1WCg/AUIBXqmMFC6Y5pYj97WHk2euqbxlnvuliuEsK4/p+ULdn5sKAg9d6C0UIx01/EHlWk7hxQ9VCZlQUjbduRMUKM3rIrgNZIQAOwVscFvA2a/P/8sjr702KcAwrnoep2d3/NbmvfXo+DmXQApwqKcVkHLxrUeCiKNxcWwlINYOIJHBfA7lkisWK2iB9IbE6wPXo/bh1rFXG92", 43: "qlic4QxQP1V3A/bl1oY9xdnoDrmH3iRgT5K1wSFHxPN+Yl6gKYY5KXz6qeWbzmgSwgIftqqX+di/h5UbLeipPUtZkmqugN8zgfvzMx8o0eOA//mkB8ALmRXF9y3agVYC3YRqodHu25AkghNY1g3P3xhdTmZjKwV0X1rLpKzwigOQ5cyFxzQf7WDOkAoT1+L2J8M9dQzRs4E3LIpGQj5cSm+mCYCw6LIO8W5opHLj/nMvNA2Zt+kgH+bjDaXuv+BrXqAB1n3KLXlvclb71kb4W7Q+4m+zzvetDjFOBKez/JHf4sHduCsFEUSBMW5eyAVJ01H7TdV7uQIJ/PJNcx+TJx5eLtXLN3egbKcXXBXfWxQf/vW5UJvYulGtuwMz7OGYrQQh7zdEhv+/S1c+zgYCFSsyDK4q4JT7yz2kzgoymXw2z+/R9yNAVGI85YZ7XGMIN7Hsz0IeoS/m8slY+1yAZftRnJzN21+eNv4QcHBVePYH/KZA9aAME63W4ovEssGzLKWS5pI8p0KGQhtZDC5Th8epf7e4bywUuLFIzJNyeNRD3tGeanbn4QlzVmQlaEklEiSGjdB9Oi2smwB5N5LFMj/VUZi6KNJWKy9GjkoO2GY/s1EaTT+mskQUVQUAVB3nfHRabPckIvshwZ/ammEI4UnxjzmoY65tzAaKz5iANMWFGddUtvkJ3uYg1bFWNcsaqPPoxr7+drhJnpr6TfhP7WMQOtKPUqWKeUAy506xfexnmfkdUVaacXfBRkDeQ9+gdMfRQ3GqX4UD4FNQgxPgKfHE42AG2WoeP06brGttkUv0/UxYcDXTKxDUJ+M6hXZNVdyNvqm3zPat+eb+oBQz8EvGm6ZAbSNNzfNdbiOEWNkaLpklIwBt81VguNqLTaArv+DOQOANPEPojA3B5gDx/fUkOmvY9d25EQBXIINKyJQqggxV48cPwx2qCzAHpUTKmRN2wjnWE9GOOcEL3yCZtZsWExlfQnnQqOT04O+E0vhhn4YcjEpBCieXGQrqm1nXx4i02dtr4yevVOBAgHZHMF1uIZAnNHJG6bxtBmGds8vHQlY+BNRHjqklxChjQeH0ZA7PXkcK/OIeK6sb9zcOSF5YjLusBjSrmS8K+/iu/cVq7C4SzAEPhsqH1UiMYNSmpOibd65W7YGCmFU3hegfN6TJ36zu5gikskuyzls2qj0YLCpFpDhbtYoUT+OQPyGUifHF+kFt3fprOUULOZGwgXDSMtjbFb00iHXO+sfyQY6pGjr6B+Hd8zio+asNylt7U/2Pirn57EyK+t0YqOX6GL5cz9N/k6H+SFKF1NFR64zT+lrAQPiVlIgfTidi3PkjdwkTFXQZuDzra+1rlygv3VSuyW9IRPbWrWWxBo/TD2MCDgbeT1A7REqLdS2zIla9/dQ6BCL2eja2EQvbvyD3d/4kTqi8ER2cN+ckTsUZbeQOp65XhHZ3V+qG0/I8kNiINcsoHsg4HbcO13NSfmyJSS765rtK00ABCFd8D5WmN9x8f0XrJHL5VHZqfBaaq11ADnITRst5eHU/yKnnVPt8iY9SFB85/UtKCejlfohlCzvhfarU/9bH5fRXTO6A10RDdTPaR9iw3JbfP4LwdjwNJA7/NWa61wi3H8/J14KbWzs56fn/RnMSfj+ynwjfp2KW86/04g+bRzezUdfvFVIQfkof7iiKdsrRAkHODjSSl", 44: "0aGubiMSm4NwvVSy/h654kI2IrI/ZeODxzEUYYWk+0s3al3IY0UFwrWcH39uAbqzeDr//L1LCbylnszVcKbfEseBXLXDGLNH+bCZz8O7TgqcfRNPCVFbCFZDSQ2uR41+WpoBHJ6pi8aQ4qbO66eVbWF4E0vu94x3tTPm27+ZaQCbVPy899nPGx1EQkP6DJf6x3vlSRxcywQhyI4G5+wcKEoAYBNf7aAvCkd/z5lvTM39jyuiIgyiO3H1RCZFxzo1sZmgD77ZYrWXNHIGsAKtTpsFIUnEBOS0ATzmpFWTNscS5YQ78TARhKiI6yot8tE/hbrT836nb0noqD5OcSVdzUvAqf6YjNO4FwFt2Ad8g9NLbb6wV7RO/pwHeQ6n/+uAXQpL+7g0jFBUrZWNygNzzyMewOF3LME6BB3KlNI7sfelFdLFPYdCs8czzgEg49YPPghTT30R889NPQjuvMKqyUM3MJo7YSKqdKGCaf17PhUNfOmjqeO2HnWaHggfJhVO0l4qxeoyGbYSn21ZJPMDqBQ5ulU0i1Ez7RN8H/jzhGsrsj1ZzCpMCOc+XG/Cm4X7e/s2fll3W7pSgWBHCb//9V5+HHriLLTcAiKxZrMT80zj5zkVWgsFNctL+691QmFc0effGejTZ4XXN70YQxUARi2uQmgucAny19XoxZrsOdo+A185a0F17uOjwFmaEObbK4xwB01t4NqrzxViFLQxTVbHFo/0HIzt/qUdRDJ6PHFB/STz7pNxdm1vBGYrqiL6g2r8VhLOajhfsP6g/ZX6BZAMVXFbBigiVqQTWQk42yzEA4tTq3XnzUNTMAN5GVRuVLXDOknb9NEQCDG4jWKrZ3ug40CteiLWTJdd63k/qgKUZmeudy227CmN1rzgvLCadJ3gnrzqils+rZyY/L2kJqYHIZ6VBJJA0UCYgs7+U2WijCoemiwu9kiluAixLKb47XgqVWPAZuHdeSENlwry+huxo6aJvoNszEB9r1obZKzoSIxuDEn9oP8GjmxPFlG+38+hW2dDGFh7yuVIPY4biKN9ylDKfDvWVTkRkmgLqE5mvbrWBo1yl/lgZ7VwHTrxhODUl7kDiyGGzHdzLMAhRqV4EC6U7/VClrodtjzZAu51CHyRnD3L66mvvwNLG+PoMx8K6UMNs+yY188MNiJmXqYSyVv9Wwu8FIYtNFBJ5hzwEsCIhVJGsQTNhXshILyh+tGNj2IpYLynl8DaKnP7kuv+0TODRxhLT/w2VLDssowLaz2ZzlOLcmAbhMmMYCfm0ZVHamtR3Yq51bmTha/Rd7YA75KBTjYmfcn2fzE0WFW9bv7RsKA8denrS84HOeO4DSkNo6KzgXVhS2tirLRBoaNcrHEWwb96ohj1qN7iByw1sl7JPie0g1vMNmz65CnNb8Q81LdwA+Ek3GbuVL9SNIpVjjyTqP1UA9WX0n+FgbsXFjPpX0avvxoQBguFt+daDM79yNUavJWJ2g8Sl+E/sCDGMcHUXeCsYJYXI+7ygriONf+wP8vrU6K4Jui8eJtGGRBzNKqi2ZnE3Q10h02WkE4jpGcY57pAJCDt/8PBi/+qMXnzIdzjpgIFYjlXziE+0EWWMPN72N/xExH3IM25mdCMdtU88Zcu70OALU4T8RFnnn+zqec0TCGpzkk75vY7aaF/Lp2tbhxrQmNn8ye4kufJv1Xdz2ZGwOhWCDDnC", 45: "LKNonYLFqjtdN/FuTNf+AnY/W4MM4Hm2hlAPTtrle4gFcz/Mk4Jqm1McASaSHaefK7Mat5yRdgUyw6P18daxP4rTZgy8Fj/yPjeTytbj4JKoODWIof9bg/5T2ZB9leXBLxO7H7ROFQMW7OQHNPhMUk98XRyX1agPicxBFR7qVK24szS6hDkJ3YSVmKT8dvzC0odHxCZ0gBlITw+r4iQvY6wt+aF++aOORckq1ET/7a3X366PDKVrh9XfftNlPy2r7KBDeyAzQL5LDRNRwKt35cKJ0VpLRq9IsKYhKtRo8PrPKm1Q5oHouNUMy8imb/mp8zYqaw82QcYO79fxho8JjZmHso6Pxm6aWQlc8R7lwz2/jvadRa5/egJ15OhNkb+q/0CGNfifrLtUzm5+z9hXeWP5v/zsZKB36LdlkB5PJpZ5zWuPCw0cK2vJBfDfeKtWdQ+my4kTY/8ZBL1Z18YMzdmAUhVjtt1uQfP0j3TumTp0EpItDjeLbj2YqBewUjU05i40BKnDMs10a1rxEkxlNlOcWlQF9ItfQ3mHuj7dTllkE8xHj0pTYGT4Le376cV2dOt7iG/bKtmz7mbpgpxHdVMwHcA15kjvuwt8H+hQewBo8bmTvBovf9JloKkpBqIEuIgNV3hdo6oZQi4+Q0pITRBPPnl9XeCs+GL6psyY19wSq5LCE+y+Wsgw9U44/icAZUo9Nownmg8DzJICYay/XZkSzmB93+g3aU9pjBut2Sl32v2An2GkCo7zyW+c5wmnymWGa+kueB7dzFjoONQDoVJlQ8Tl5tJXN03z5qhReoKSS9atv+dykSg0bfTmdRJXTIVD4+fB43p1NzmTOHhHiACsZ3rT8spRTxm2YLLUyZqckLlR5dsRdEsLBZXMHfaf31VYfUpXjjrN0SBMOonyF5wJRXixFt6yoDBuEG6aPumgUEW8OLIDI6VyNyCK3cHcfRc2Z+uWcfQoUFLk2jK4TrIBePLT8McCE8LPdQoG9m931gW39JAf5R42wMn51JUvgaxJv58+9giUl8Y3SmVeP1DGgWIH/iSL7vmLT3qJJifOmBJNPgAx2EINeoO/l6oVMMLMXH3EFreArIBITJMWM/giCKkP3vP/CmQD/Nc4uQjALiOG3wsXdsTtwcf8antNQiooc6snN4muVBpqSb3e+ISnhXTnzoM3aHamBP80TZgXB60eG41cvDOrz9yfbcE/RjBzvd9HcUINlUP9g+yEwy9AK1X1U14+CDotpoRITFbl5rkhkzUgDcMQ2tMDdK/vjouPomSpw58aPz+UTJjdTRxoHLj+bx6WJL5Cco36AmKe8FEnszRL/Vevva5ovW7dbWktK1kjf11AJg8zk06l9FlZIZZVb9wK+Q2+EbtwiOxdoKyrWSyA6dkOADJEZyhLC/b43Vb+3VLp3FpdrIdobC1GRKrQHAInLW9Jk31lXeGNskaboVu21JUeEgGvBrpqZESwR4RGvYLZ+y4pMEXuzsvVRceBkt0nbIqSsFBNMMbSPWMezY+jo9tHaXX+nuAcXt/jOE1jVBT3fri6i7lA4GXa4X1styx69y/upchR7WhmakqXY/Tk5J0ZyA7s72P+hOScaq4oS6a5R2QdYT2WpWr/sDwBJdM5VzFCg69AREfUh5+Ut2OjtUKcQVQ4EXpA0j6t+LLOnGSQSiKi5B3pvgrQTGU+7TtZDGeFd9+zo", 46: "6twYD5LDeq7bTib8gbrL6emaGPd9IO2ZP7DHeuhW5zKZn2DVIh/UQGPE6dYEyF4mDIzIjplEoBgQYoFy/Krx1gdlnwKAwUVssJc+oheIzOn8jVF660UAmEdB3kSvzxvn/NW9CNYuZ2LNTQj8IVzfgfmWRN3mZdAukz1LONbi1eYcM/DxyOouA46x21KuWCsVy+I6YVA49zKDS0aFzrcoNV2ZRH8NuhAIY1azJMi2F2FfdYTReyMnaEH5TM1+bmxPrTTu4S64jCx9JDiJ0x//A7chPfedF9IfCQq26H3w9v66t7n724++H6JE+z/qmvGMtIekwimgU8hRw15q0wsSpb+Tg26TEkeEuRwDJtNgpTW1bUKNHDbhwZreZ3YNTQoa7RGREkzlhS4cy6E00Y9ZzhyTse+fG6AJ9hKkx4HMShlFmDL/xlURxh8zbXRgXJhMKYJg3omMpUeecKbpTj8LevApqeiUxpueXI4dps4CmWvOss2KL7xOd/Vi5rz0O5Pj5ddK1HAavYHNPIktiFhy+bQF5oe6lWxNV7qoRgodMiU+ZkKE2dGX0Gw1Ob/gBhSETr0uMMcLNPfaqWn3PcETn3/JapsS7KLQVYGB8gQV/rKA4PdbA4CMc/Uqnp6PwrYAYJIyIU1NeBFpuk41RWGZ1VoUvX+CbGNL304/Ym+H526KVtKpvbQErFRiOkHyoWH588kHekWcR3CIGpw3PSjytkroe48nhcLxoSQTNLr2OdR77qVDDg2GsTB3sbxJ9uNjYPFIChSgb6hdpZRPNvvDJmohBcY3e9uX7z28nUv/9th/evjNcxa/SwY3WvYudBjiO2D0/3Y89dIugQdq4qSLX+KNBOwpr3bogHWHzPH2e6/mOw/3o+z776mU9hVNgrIEtmK7bVYbGMkbk0rmJe+Deo/NIZBnr/AGjNoOtu9aMnn0htq9d9N8jlyHT+nDz163QnufdEWClPQvKQdV+Rx1BagRqsJd28J6QjQw3DYM5xSHb3RL00eeP46l4bDzLb08rZtC/GDnJgwm/fSXwSJkGelwiqPbybd3/BYMfrUx95Agxg+7fzkbqZGOqJyVuTGd3zyaY7VhEBf5JFqOHEeBvQ5MlYbg/c4lvNjZyEgMzm9U3PGDaSb5Ub7r8IpnVY9bvLJro9byrct6bhN3+ijvmrud75KnXmlx4QwrnaI/77/TkYooQkqKDJbhMFOMnJ3Re9Z2+T1JttFpOEFM5RZBwHu5EFEkwp+bWFmhwNqBWgxxsGcxK3Wj8Hg/arg1k/gvRew9f03h4H+rbP1XpJMPhtZdKky+UnM7cMzRZsz2EBWmLKjIV/53QF085bCSNDJ/D3mzRCGTUb+vOYERHcgnZ9WnwLJ1Yn0h9f4RNCGq4zti6ipDuq2otqrPkFohABE+Mi5G7jXFoOSIbYu8gSybHmM54Njbt64daC0MnWed3DKW37SH2PVD6YhfSNAt0OKczS55oxEyC7Wr3yGAlPASg2xZSelFUjnk28lLRnsEF2G/6VCcLu9T4e6lfS5uj+KLF95rrtTFG6jjNj9WL+TvTlcQGjeAL8ItYSd8+ZF348WFAzErhXOD6NAm++/0fJZnlbDI1kEk0nmRCwAhV58VbenW6wgcMkodO2MVM4gpVYs/1kbPG8FZGjHFbtFrIXZIOQUErsjSMSp+2kNMfff59IWzUTdzwR9Fsj6WQXS7l", 47: "08NR2vpOTnQ7MQkmmoH6AH6w4ozuYm9gw0Pw4J+629DbBwUqpIfbz+iKWA5uGyawDZVqBNo5WiZXKEvF6bDyE8pNfuFXKu/x9QgQSXNpka4BXA7HVs2wLhpD9524PE+GeDxaziL25eJWTk8S5/7E9peJSNyGoKodmnY7WAkE5Zr41mhJXInIFd2uc1/bkzxLGGhjgKlzH+2xmyHMV4BTmqzjhbmmKpm1GSnlmSP9UjmGeOuGbwhbd+B/x9UMQ+gY2uRh+1QasXTodqFF7K499WcsBGN80ioP7gI+KCejV8ahubAUp/pvlP/i3vPzBMg38UfCInCgcp7/P+iJQTSwcLTlRLGoSd4eRVgvVAwrEqKMgMS4lFK3hzWLEaLFi/dJkUJvYlzWbb1x7V1W0gbLEGZb/Lrc924kVGooWpsbb8/ABX7rFm0QVBWpvpRJsLe5lrzPx6Cu9qr5nTPLO/2X2vDGg16wo0I3P8wH4N/H+cTEjBJ/CD0MWIt1yINwwWPYt8Uu+1FFmIOoumhF96NI+SJIoNOr/YsJgIxpPjGbwFq8O7Ji4CaN5pH++gEoITHKdM1UcyJO54bHVqMwxNWzS3D4ccPY9jAhi0xSV/nxmQnWN2wdkGYCnwe0xN45BwvEj9L0CP4qhpO2aUZPStsqnQCT/Fw0HsVnmKlyPqeV+iZbeYMalhVw6Kzw/qc5mZsv52BYi6fibO1PplyfoWkqRCZ929kLWppRy7s0VCDEAeDR4tTPxdSkemL9an5e/vMc15S+B3J8hVBEyWIUk9LHWnwLfZ5KeqHOlnsaQ8P4W23V9Kqv+zc9BeEsxcvS7V91mjKf/Klt3kZiwxSnDbKOg79u9Sh4f6a68epb6HX3z4qHpXoTELe2lU59pshR8pcPWBqJYFq3/+e8qF0gSYjszEP7G6xCGo5oxRX6OK4vR/68LpIctIxstD/q8apM+oAQ4dO0LnXYX+r6BF5pa7Ljw0ZVKzdpTX3z9sWxWe6U+4zxhw91Fi66y2MfZ8CvQaM06ycAdxLlBl7P3cWFEhat7mv5ml5PQgKCOk9TF+ii6lrSBx3w9B3afC3jh+sJad18Vpt8H5ZzbqTbDtAZgaYShutFGQFmKZ5crL3yrsuuPUvZVrt1bcvbaCOBy6ESwdAOUtlOU3yUrEpnCWZdNWt6M2ZP4690Yyt4sOBIN+uaazxEWqhOlyuMxp9kPCuLqZeWw9MhDM4o71NrgKxI83Bmbp2T8La09bL3XM3kCTef0GkjsRTjrOBgXafl6TzpTDgwwkVNKqoBO1xkeasLl8UM/YtjsG2Rm3/95++g44zR4buH8a4kcYA2rZdWm0/v6CPDCCbJDk8oUavBkZb41arWIaeZUxikeBSUNQBOgBfcgOhMv960nCitRVMp/27O2Gj6tx6NETj1v/ue8OgMVIpqMmEKpcxdTFph5riZ802p27kMjndAdyIW0wNhFQbkElgTNozG2GojatkR23Iyuxa6QGWKhmSs4zzl7c/Em/ZAIY9j10ie72Wnh/wzne/RQ4Jy3hVa3/wC14RFCW9MxHLB8/AEqfRyuBOTBIeyaqMZFJpn9rKm0lKQkiTYVpQi6hzWJ6oWeGlyKkbSBhYRs8QdwwZ39TzpdjCsEcYmq/dK0GafzDXm2EqpO//Uf1HfhjQ4DxkXcDA5kjzFlgjUTsuKgg4znPfBwV3o78f7hlDE0", 48: "PsA+6WzDhpOQzInDh2PVkUMo+W3NOzdwy2HOBKAw04uCE0rUHZKlTovziOX2xzB1X3szYHnJQCLrsNIHJKpSo0fa0UGXS3b9RApoKsTFYu4OcPDJWFuZ6ujmZ3CH4IQoz6wadhXgQ0tLEvCVoaQnNRKLwnDR7LA/CRXvDwlBMZKwmIGgaNZy0QCv5iwU8f9MOQyML0XsiO+WsJ1dRbxN5X8E1QA4/AhG/SrcaUCeHtFrC2i7WpRRibE5WsEpzVzbGjLjH02/QmIkr7HP7X6aMk2h6qssYj8nrJSpfMN9BdO8wyBorDVBCA5YkYbiASYrQex6dp313liHNi8oZMrovdciBExLVzD5se2kjPC1LGCc8YF2ABmMwUlHKWpSzARqZZ2Ut3b2BJ78VVbzjJfsFH7PcHZ8gBRV8HyhV4PZIPaO9gvcPHhBcXNOnsHZxTeIa0VNKjL11tlGE/5vC1thj6dE5WT7E6xbY2kcpfCLr7mhdO2ytpGp23G3soI42UnEbR6beQJH1dgZ/cQuCEFSUBk75Bl4aje+vUs61C8j5FvnNGXY8BuX3p6eW/m9nIKwbxlPLJEBxFQ3VjuPKePkfg0qktS97xfxc8Nz5/ZF2Oru9nCksCCFFyFP34gBtvtzDIWxmSJqgDS2tC2qNML2CeYvUf3wOIDs2OoBNjKw9rF2+q0497lEX0XXtuBbjnwVLvNYpAPn8h3xrvUJVcY9n69McON8WYwFrUaIAsUeFClLaQW4pTkDGURlittjlCcdFCSEizV04rqovqb1Ib+Mr0ZvaXW41rrdesKiuqlGKqOzcHEJbpmZglwyODvb/h5LyRb9XFW/v3LpmcvXcIg+d08xJZyoqI2e3xVRoT9Z+jkpXrWlM6s6jQ4RccVaJyWQ3A9T7SzAQmH+tWJkPcttCzY+/lnz1ooTqmozQ/3jdr3VugRMF465UGObCvTOynmuv7nXNF7Awu3Id0xgTcvbez0cewVfi3ydwRTgFvh+DWc2ExKNpbzy/O0GI+uky1mgUtOm6ze/Uoaid+iiMCHCLzKUslCGI81NfqOvexmAGsL1VcaRllV1TdmR+9X+QarSxyTH6jSol3l+l7bYjgjPZqYrkEAhHUpOePBu6GoJ4P1XzdywJbmBeS/kKcLcCtM+KUT+eucuAudrSqvFtjW0XGlqll+pkHHrn2vprIXU3Z17OPP2W3k0XA4pSD7JmwzXKWAewxJ7/gnNlyECNzXYFtgLpwhhN8F96garZrqZS9oG4svFEi8+LVj8t4vhs20xg9aZ5RWp2QMZSpABtP+vHoaaqj/u9gi7JbOOUNluMD4o/OmuNYSZIvMynLPg4vI2SyUtlck1BJ+4BKloQfL6mn2fjX+JY4VbYvtPSiwY38o3j+l22podZUNtgqaxzHhMBTYS7ErfQvlYA0nbZTJHuMTWFwUarG5on4mqdtecmtgXoSgB9+EkymFl5cGLS76TKNU6xHcPOVD0kFPoxK8tHQqqBxTCznG313a7lXr15ghp0l3GQf2Twtr0NUHRyCpiToiJDZS9og3/CkWrWrdH/bLNdqurhz2XStDLSIdhKGXAOBPV7/+zdezeJXTkLIUH/U0QAgJKP7pwiyw5+Nl0RIfa8PTaPdaBiHQHv/Trn+jK1+h2eSqDa3r5UfgWOpASNew3iCenzwUm4pY+bMBWu29k7F4bagRkH9R0xBs4Y", }
b2bi_strings = {19: 'g1VrCfVNFH+rV57qwbKeQla3oBPyyFjb4gEwtD6wgY2IlHxi8PIxjhilZLQd3c+N2dF9vKj79McEnR128FDVDU7ah4JipfLyAoRr8uy7R4FirnY8Xox1OSAS23Chz39lWmFFAq0lmg0C5s62acgk2ALzDECWwvguqPfmsc+Uv77MtWF1ubIFwQEGJhtOCKDKTim1gG6E+eYH0k1NmX5orDwhHmDzdJAt8AcmIJKPxlSSxdrfmp+4iNaFdUMDqOHw38QBUydx36LhOqhwgmsjRMjTjAnYP+ccxUxg2vtUSokJw1CEopZQyheiKpsTOUqwExE075jPIvOB8tQGCvSyEktRne19vpWSGMxLy0/JLiRMvhW/GLGz9dEKC7zlEBskyaCooILbMKs2nF1MTgW+v/Ojm8iPbZyS03qxTLYaYgPiUerZStsc7JwvDkaWFCqYizSQW0uIuqpHDSWw+QW1fKsUPwHeh4Sb1hALuY5cDzWfG3ooLlcjHVb2fh78WwBaIzCFq1ZLWGmZpknaXBKX6qSBFfx/FBtaL0bZUn4pJrlZkUul2byeiAuoQJM21Uo9tOkZd9sCdgxEpeq0FvjYNrEMmwALN09jWA8O+2lKZSDzHdTLXt3tod84tu5YBriYu/2iwoA60fmDsJi5U9NeYBFC8lspydLwTm5CL0ooBQO2NrPfm7Mise589fCo6FzCnWibbV6bxWEnCj7rvaDmDALkPzvqt78RA2AsUZgbRKXtuX8Uasr0DYAzI16AxpYMe7qV7SCbV8o0XAtH8mRv7uCDoCFPHxVurV6dfP7r6JxmMCFtm6p2aGSl53cVPJaFYe4+IhMrIKm0SHtAeyTrGLtQTl/5Shyf9PaIuD6m+fudI+Vlyo3bCltcb6AVwwCG1yGlbJtZiScaxrea/bnj+iH2YJX+Jhu/BmI3UuKRaXjRl6jGMHHl2tzbu0gmv7XAtNt+Q3JykxXFdRIsASq99m1EPc6IWxytDZK4l8RP1rFPsxUb2rv1t/nkWrlsvcZONwT9IxfjSQ3xI2YMb+JhAkN1cNHDdebrc7LmyvOrmuAfUeK24qHvYgTzlVU0+E1jpqdXWEN/YTa1FqVNUEBGeKkUebOJQYUlMAmc6fbx0UzxuaoJ5CcbtyqbAWGSgMH5cyUeEaZcDjWSwc2pPnC0tDqJAxle9Fmzlf/I585+r/JSMn1LE0cxu5lnMOPuIYRV3m5Gls5RiKMb9B0G1OVK6fRtFuvBSTDynXVRPH91NZUZg8P9sMh0CMVfie391yaSekdjiuhDTBMt21bdsS0AVhUYpnWokFiAmItcW53ovF8PYE7Xjx8MKFugL8BwyDoMiz3TaQhDzbIoPXavJyDiyQa1Jr66fqCDFc1hGKG6SGwcsVuKpXzCMxGsf8eMzNxAEDh/gZAea3h+rpF4swe4ScmCiry4yQejQdI0lX5plYQFoYWGHDws1Ox54nHbt/RN8Wg3Lnqg4PdleSvoiPDbhiEwuf2zRcM7RJ7H0uot4dJJI8Gmz6ED4ZkwJjxcYzY6ttNIpjZ1TC38WcXF70X48VyHBfX9V9+EaBVraT7lYvdGc4UUeO6Do/aF0edADzQMDtB0y4Jd7bi/83M9rBIOEww3NGwPoO0AA140wSrA7QXAMyUzkZEzHalIwrRmaA6nX+zWUDrh7IEVF+AFjrCPjcqecWwRH/0yEl2CmMdE1', 20: '1a1USvhbJJvwXzAFYKyqtxLNETlX+8CkgYTdFCTDqE4DZF2s4eOxOr/nFIIBzhF1MnJrB+SwbPQ47mv9cJ0Vv06YKt+byDXWfcHB5AE0+ffVnUPE1tSQh7d99QN6wxR1ks3IXAfIM5yPHGhOzjTE+GUiKprbOjwpu9JaRF8OFTkVKToxSKs/9K9NixB0kIlqPiqRlVsjObXfjaYz5CBa/niGxK8oXtTGdT5mIUzaqhxZdogZHqs0q1xEK1d+Fwu/3UBfrwktoKsU2t7UpqN9BnaZiMLV/TfjMzhh9mHY4qvYDdkqzxSgvRpG1Z+o2IbD/SVZFA9IX2PPuEhy6gA12MD3f9aCKxpgMY3j1S3/n7B5m/YCgxb4DhnFfRFKJpYDBL1xRb5vsca959SSz4nt2TxenncpfWiNphwh+biYJW8HHbJWhEGlfLgVn+TIt0zPydwZqm4Bdzw2+ImZq7pWuFdDBI6nBtWjVaHvYKUco2whqjr9EBniKTKGF0rkuBnNkXUTDkP83EeJhra0l/6NJx1U5c6m+KwQfU4hfirZlkNbZflXVPEjmATzK8YqcY8t9+2Euew8DfV2KsX2si7fiBNbs5iPENS9dAS2QK6p7YNSvXAoYWWkqdxQ/C1k7XH+DWdXDVKba8Fj+o9lo7dEeUiMrxVf5l4ogLEvtyZcfUjcym9MBFo+MwSX+2H4eR9EI0jvq4XnQn9Mt3Gs7fZSbLdyApGwBcY0Xk2hjREYrszAxmx9icn/vLAKE7NQMOuGqfN8NlWXt3LsYBvKiuF5CuTDBfMPfTDIxM1yeezKE7VxW8rhKRSk00KecpKXGAGTKG2VWsl1z5AVkbhTNOgTXp+tKBusXzOkN9D/ci2/9vY1gxdFANsWDR66JrsBVuyPDWXWVk8v38wyeBxGK/ICru31Yq8wzE4hgUlk6UaJEt6rE7pl6LaxSZfSvGew+3hqdtbqUHhqYxuvYZ1cC4VWEK/3Ocv5gRSBwd3lW5GOGZEh6c0S8jBmbcTwkB1uWmNBHIOmnKLkQLROo1kDPQLKzYLDN0/p2V6N37QQcI6f2L+NSG+YpELl4ksQyRaO9ZUvWiSMzJeCn80NNd1D7rTSpd8UUW7Zbla19esQDYvWhO7FasGIGJhz28Zcpz05aS+0eS754mqCZ+oiMkSjX+dKrlq3PTRkMzgY2B2Q46j0hv+l2oRWOG3t7/FoJ9dNpgsKcMQzgLLqJTCegQLxkZu8H9avz5/J7lStUCTXL9jqLkZ7icGRvdfPEk0yVFWB5yMRb6+vr8WCz2y1GqVOJ0/iB5qA/znWMG1XtNYnFbSPO7ogwzIczoIqTIZOkAWbzyCiyRsmgPUZOh8FKBXLEp2+matFWDigUsFLo9w8x+OGIYaURDnf7xvyzdanpIe4Ko/HB9g8HbI9ahEwKnEUiyAFuB7Ep8ogXjfFOTTZgn/yFOAFJN897ueinBLytlwAqIignw5c32oRK4pLp3cPPugNp7Bpo0DmnpAYX2uKI6XUIZKGgYwSVFCL7797X9d9VmM1Bev+L9RHOEagzp/TmnWrsbyBTd+WGF8j2Kq9lcRZBlPPPDCLzroKdPz3UeT8peydmbbRRoo09f+qcc8VV23ajQk/iZRTGBMT6J7ZiWNQUYC8pyylihSS4kWgwO1TcV7i/HHFDOHkDG8O3h4M+XMXahb2qps+EQYSjsi6cQat2', 21: 'ja5LlWB1/b5CWAv9jHbpvX2oREFxmGQfj2IY3nV3+rrGA4vzbh9q0HW/Ky4mbgX0sNOmql/oScQcO9DpCluqQW8yuWivhJjvBgqyOHQKWBxX3VZ0K68xhGbedfVw3J0uSfpp4UZ9yKh9IUdOx786KwBRfUf1C0p4Ka9VzK0VFcJRNwm9WWCt8Mc1CX/FJerhISHpoC96JHHf59Y+Mp4NH+VPisTihMiEEWbSJXvqI04Jv/rBLEkSsZ8PVcUKk32eozPzNjkvWutNNdU0LDoSTIfkMFHPTpCTAl0nmbodjPZ5UUCCcgPWs8Aw5/Ym0tUVUGVFLwzgmxNJxua1lk4u/hRILHDDZaVK8DzdHrZwCRuehxBqzqyRVPONBsCl+ZaSMK6Ud/hFvgub9JwnYn7qCpdR0XLUdiWA1K5jFkg8scXkRoi5OLrHTXDUG+IFx5xykvXh6zOpoFtNIO24eE4R/G9fc9L5WY6/leZZl1mLFlDivgxkWXzoGR/YUo37DfHunu726OXNfvYAVsWTpt4fQI7fYnoz+498HVjCAz/NZy30C0UuFS6ooSBwUye+Mz+VWETPJqZVz6DTZ0MsEPytq2Wnpg5dkDgraPhCDmFvIpF9tPJdTNOyjVaj42pDLp6Mih2+FqkkMezcZ1U8NdtUg6VSq8O3ckpbzfAC8/+YF1KhEQelsiZqtCE266emXyOok3voEl7l28TmXaFo0S/aWVuU8mPnWsvra+STdasBGCgrrH+LrHJzeZuDuqeHcb+lgEdinWZrSrfddbGr8jXVTr8kgaqKBt2U4/XZFVg862UY4Pi0FObPP7d5fWMC83Ec3T2BQ/Q5NGqbtE+AB1ixbTWTGMQ9+hRS4KSTV+9Uw63Im0211KOyTVRC0P1BKSx/oHqCZnFmZ63nK1vfeAsL628+3w9dKjzwOFWRlvaVsWLu4Z3W68qVIrzQvWP3J/+bN92BcvGVtDkAsbEzMZglCy0vk5YyrYD/wp1yyIK2QDJ1/9ygB8R+YffRBj0hVhW0guuneT0lgWaLm8dXjx9tNhu24b3hzlhvC2Ez2xlvMHTRMB849RdvC8hUm3r0f3Un4KWFxUq/uUb6bUbj3BqrSYd0tUJEm6smBwtU6PxEpqlGpTv08o9AARRi271eVyPYELPkTBrlwVmjbY6LjEXOH4wvRS60b7ssZn9JeIrlxsWxImEHhbTn+fPNL4WfTJeRuoaQL+DlpEl7UpzG2HUeP2tsWYq+5MkH5bwYLuAeCvmwkG3pVchzcZDuqsMwnDyCqHftoe07HeXScmrXoFbw72TkgaIpSsgTufJWorX7kGgEI7EOXxu+QmkApIdK7oO6gPwPXpu/312vDLkX9pcMlxtDZ4eQD3MAx9JLNjoyp5JKjpMvo9y7u8tqLxMbQioujReQoq3E3cSkmg5MxGAsuxuHPJFW7n2lcJ+vqop/axxGcfhThn747uVkUeTq1ct3m453vpDmaY3o4HbjKtcfEAYG4Dpl9WZxuxHUI7bD3DRMZyOoCDJnTJuBQMaZYGLDjdeZN/fQHE5wP5sM+R9sp4KXvbV+qmSr2H5djmklqZD0rqxcWw4y8DRGOeySxP45OCQ09u/wucos5zIxvmU2z/XY0KYzHeeTW0DOSHZijxVeXF2Dv3PcAidqTDLk+4JZvsj2XZvK4HK6Mnrf5Wewx0x2ku05QI7zgjXn//4x7', 22: 'NZevmKsu/JtTKnC6Lu+9PSFc5aQBcxPpL4Mv6YVwG1CaFvILWNeZFSAoJ/umsNK7FlvtWBzZ7AzAWoDg9jAiNi6JsPc//+p1mbVtT3BlWcuJT83a66oqLmMkB+3MjQGh7RDdp9wQuJfqzErTX0vxvn1stOa0d7QBsmJuOrNkNI5jyMrxXqdoV5/ZPBZ5bupt8GTIHtJlB9S6vFyzM3zri5W+YTE3ympLhhNgVdVJ3aamYSQFdBI8MIvj3jygo7/qUNCJWnhvF2ruwrZlIYGlQwHkgDNyVxQ2um1IaqIj/oS1DQqzgQj/PBQ2XROtfbzQfJW5iviPAnt6YiouK5nWQ3SrebiHuxh1W2IouxTcZZ0pLJp/cKNBl7YBP9Zn0i16dyOpJubp9KLXEoP/gwWCDAuboZAoflYEkM5OP5igvELgsTaD0H9pnmIyFy0ZGj6SoYXNayMC9yUWUSSnqSSURwyw7n81lPCdg982MoJAiqYhpMhWcl+/s6SyNu6FpE/HYdb+8RGEyGV+Z8RXb7EiJKh1w4xU7V5AWxZPaK0mJeNSAS0yFeet7EmAR9GpyeAKD8hbt4+jfFYZ9nnNXqyt3PD8tDyxRImKZdtK7NE4p44STmGd7cQNhsG8IRc7MzeFuAouuTulAy+s02rBqNsfpQZ4o3fE0CHArUwfMIan1nxZYhtePz0UUcDpj7Q0+D6QrloasLddVTsDPl3igUXdwdY4l26uIiSNgjZth5jcs0PmDzZ46wQKNraj4cVZk8gF41O7LpkqJV5ZSLZ2q5H4DR+1WpPZEP5nRVu9HFaYg/KwOW1krsSzdtUKGP9/mHtIcsVwfOH317T74AGg6yGHJ+W4DquRqiEdcxTeTvNOlqvwXShZRcYbCDmj23lJFvfNW3wxCAQaaxucBolL+jUA/lMS4Y/gBoBTazrVlSBPZCXH0NnGKu3mr3NOQy9U7C8yAlxu2mRfkhgJV0a4M3YL+tXNu35ahLgwLI8wyFik8P1PDYUNoXkNlV+/iAUz0+KIm+0hL06y0vsAePFkOMQLLQao82de+XyI8SYTYaOslCD1YP6XfQpevRd1XOAbLKTz9Qid6C8w09BW8w+0l3nca8eOLwkbX3Fex8m4pPIInd17OllAYPU23Fda9YtRUwCGMfZdTQrMtcm75OcR6L4PWwRRj2tulVgAycvnsQQAv6U4B6SV5V45z2R24e3pPFNCSbiBpt+8NVw+GVI2Eejsu60vmuCW2EE1cA9Z/5mMTDyV62+fxNS9xI17EAkfNsu3Oo+4ku37k1Zo5w12aoIeBmL6aDyITmDliCdycHe6W42VENu+3H66gO88px3PzV+4Kwb27jd+3gHZjrIk5UB/gmswr5wGuXFK5Ta9uX8ADpLzZ9DlQgpUVoqoQXz7Ten6NT1jUsBVOk4PtBfnxd2CJFaXq3XQjTY0yF0PuXKoe/LFB+tspogd29ob7wriC8jYJqtA4xDsXtnjFJLSUnQmD0/TiLdRL4YOlMvPGIcqSx62HLDqisubv6wbNyqlgiBb6Cgfr/hflwDB5/HfgYltviAd/siElCPhEslIlGrgZLgVTXu38ZN3bxqtXQ3PgwPoZ5mJfl9G5MgFPiXC6gSyJhIeJH6xnXyQHK4I6m0V4QpSXT1GxUDVSVcKk9TUh2a8JnBiPn3cs20SPw8U8jljTRWXa6bRn7wj5Xx+yIWeH', 23: 'RmqMCPZznUl5OFjK+SuzpfozdUfMBLoBxYn5ZZPC3OXRQL0v83IorrEIWraDHzDWKjuMLjreyhF6RE9RrHkfDUAoLOAk+GhkNqXPk/DtTXHBQ4luJphXzsFgOIjuYHzQe0cH8LjXyitaiNgxlnuE0WYnaQGATIxj25vxMnf7mEbpam8WJsOmrt26HffMevQp6S4RvjrZzvfYLuEyCDRl7M8wq+xS3b8wHNocf0zJveH/vG62pPdWR/9g0Uhv8z2+K8hjyBEON48cCi/QecAXwWCnnjK/FYXYuzi1Fnp1ngQbNku2GIEUhZ6OZPegtufRWYTL8b8tmy/6Pt6Pzuk9NIILmI+wSx+UsT49wuzqrW7seQ1zpSOfQPmnt52VkRzfv//Idu8VnyqgUzj2HJX5fpEEHk9fejkFRxDcpDZguVlKtMzxyMM4Au2W/ZlfgFPinhIgZr6aA+6DLBluCGXouXUrI0TDioG8z+3J8c5HTWOG/CRjG+P0syhjc887WVDkxLOle5yFKoPqFzW8mmRshmfitj4kQ/2+s7mRtml+fs3TFcG57E2dLj1zpKvFiKBHjmus1N6ux+EWcHl9PBG0WFVEhFNCXLf4FxcWpuDLrKedmmcnCE+i7wSQ0euex1gc0DmKdaAY1NcRs4mUYJ/BGDnT/YJhco2sK/u0upMZ2ayaJ5dnKf8/6iiuAoll5pLaBxb8r2+8LlMFopeSY7nVslJ890OH8riABTKaOaI0du01HdB0JBjXlFaQkenZg2NSnQjK54b7T9viK1nrBl01cz2jY/x8yzX7s5in2GSzoKUaggcAzboayPz1IPdmbDL+4btBfSU+uImfxqsBHUaR9tn+QCb6OMpfvbLUJu9OX669NNhNs9Hh16b0V+3YPwF+rbagMuVUOxvrk9JZyNnUT/IfwocCttfWdFUvBuDuc5rMR8YEV5X7Bnp8VL/7fq4AwSza5ZnCklMv9GywhwWpkU6tB2OZ/YfxAndD1KMp64Oq7FppsuuqiGeCqfeROloGZAhC08TiuPyY9V0BNY1zwmBBIZmsyqEjmuuwKFDr4lm6Td7MH9S8yrcWSDmo0+WcHIyg7/Jpd/0VU55vrirKSDQogW0SUdU2UGFhMSKyv6EyWCol/Ihd1gP1DXpuRs5l75YJAyogzP/xNMwHhxJfbkvCPyZ3iUJVz/Mh1OiR2gx9akWeYVYGFNaN516HSS9O/8OsdEs+C1crJX4IkVXABw589aSVDpvgNyZou4lNa08YJPFhiHd2FCROkea3owGRG4ZeZWb5fXiZH+9eguo3Pq0Uen6IlHJVRx2AKdoc5v5huLUw5Gw/d9MloZuZvsjrto0V2ATJBWfCk6w2P/9IpozK6Ly8A7LusRLtWNCIE6NFuPEi2OUHh1697GTWKGaQo5H9G5ceWTkt9O19joJG/i5XaZmcg3oPvGCQ28Y6AYQYRNNCkIcZ+IQ6qrPjG+GstrPJioqIpRinnOwYF67c7GN8PBmYoWN39ELq3RVKocCAiwsk4r3re3/oCTssvXnK/W1UYQiWCvJFIbIc66FRNhKITYlV7bGn1+wzlhxxeHagUO4NO7zdmC8/pVj8g8Nm1CMcGf6MMCbsODsrdKW2juQv8VpjXz1b+T87gN2WhA6Q2wFFX8X2lVWhaS1kK6e9egbgNU7PZB4HT3zc6a/VT1+1j1Be2o6K5cWXi09/y', 24: 'GW7Yw4wkFqS9oI1Xwqo4j8lNq2y+6bDlCMwR3iO0D1RCDM19bcdCrlDQR/CgmwMjXABuXuPob+vndkUkVS8ShLZ08JyRp1CDBeeiQLo6HzIfzPeWIhH3UejyCdiQCUxKPupoSIZKklEipzBr/hARQ3FY7CUlG5a6DOYW6WZ13krJXASQoyl/4R+w8LF3QSrqyCCOHAD4DhRizBPI0NJn0XiPT1H7O6eRqBBXVx1I1xPRhJMZ5e8qmNBV4MV6f3M9svHqzIIyq9MhrofJYqMXdntPNpU0YP6tWPK76iO8uh/cOumjnURpz8J0N7myG829b1HdYi42LM9WiEqIqlna0yB95rnI2mfYopdQcl3O+vYWQDNs3rekl7F4amdE/OAxbTN7FmjC8dqG5HxWvw+Td/si0GwPqdfeAF1vRpJZlFHMhj3AL6a5mtBYJY2SXQS0GDPGqv81ZNkEvqOWZpxF8OLu84l0rdrsUFzkLahuES7OWp5puvq5E9067CjVcNhJl7hj3v6n9b/I2x5j8IVVQzyHEYniwLBnIRB+JTYZ0fWsmW7iaDI3rp26TswaXNFoMPIxUc8zlhCQjPRUA6cP+zRqkwrog186wJG1Y8LJ+2AvqGTZD8rKFaURI6ZdyfKG7PMVveo0wor8sOan9hIJ/5IufWd8kKI9FmOvW7BAgbySBamDFnU3sXG6TXfc8+xbZG8sRPdgOJZXTM72wEnPtu7kboFK6BgwiKU1mWJV7+GEH6gXk7Qk1Fm8b+fXFUqWb61aCrknhHVVuxlTMUuT2iD/3Hs6kdY4NpotdDP/uoeJ4dNXzf/OwLS7yR5SM4g6PLrUDupce46+okSu8dkG9P7V/LfoBNQgblWEn3GYzl1ZN+G90LKtP0uH1NDtowuA/PA9JsDaj9grRVC90XwnWT7G0g0DZnARXtjBzrBeZrKO0VFQs0upE2cGxMPwsYCcMJaVkIjHfE+fX9TkalAFVzakwMK8A988YbADKUA3BWReWdGxTnWUSnfz7DkFcWFAGMR6G1OlS99sKqbUH60a4e35KjzyW4Yngn885PCcmCgeW1fBBxbz8/nlPQ6CxrS5emuAumIc98zoqhyCPHHqO4umTMki9yNjB+MHC2kCUc1u/TFg08QLq2YN8rfQ6mvmFVRzAmI45uMr73mF1BASNfqFk02Ia1j89IBlHjsGZrtArRZ0f+4iFY2CMOSXdDV28KMNjN6DuC0w8WVXIhrj1f58bRt4OMzVSvSLrOxUTJ/gq9DRh8M39xyPjV+X5YYZPX1FM15Ijc8aSKrPXqoxma3JEZv2ja7BoaEtiB46o3Uh+8Y4cUkz4P6mj7n4EvxcX6pdn2be4l0LAKwZm/rWVjLCQSpIrKU1OCNGYqeLBfcjRU10PT8STsQ2PRO2xcHzhQkdvqp0jTjuRNfxyYohFMIgrXgu7jH6hgSEMDSWGpf0/Wu7+jloNuK+cRV2tUUrC600eoOb5Cb0uI6463y92Ogm42nlm9ODBB06acWdiuSudAFtqBPeyNETxo0PofXSvQGDbANDuG3BNGiRndbssFCVcs0hrjBgoinWY629fA3PLyd2aHDs20arMwhfgRaCiFLnR3y8yZiyUlgxX70ridZc41NFJgXjgnZrsutQhWCnClAKSS8AfpI1dNXXue+K9B+kHkVFnoq+u9pAzPWBlzIfond87eFLvKi/hYYeB', 25: 'bWiNDLGvGrg4MzPocNRkh1XjWSj2GckaR1FTOFjuSJvSACq84EpxDeUeSwR26yjaGRoaDnXSvOTkLE60M7je34UQsrSW5c+fr9AZYfj6S5MVlqrFsWi/BZ0YSCi/NfY5+ANVnMJdKiPgCdE4S0aiWpF/8qGy4vWPg/sVHuoOZdUbiivzUVGE6V5154smbcfzOxBtPl3nwpuxs/yceFPDX05vYcSBfzuBykJkZZyVPtVB3rcthuYWfeuYNBnSKjeoKW1rmsPkqxTWSIx/K8+WuIV0AAX2+yf4BvsjAw1/A66uroS3IHUwOlWXyI9IqVuyhFg1Zw5WhLw95pyB5lDvveVjVxY3Ug18T1pDWROQCCrhXXzEpFc0kt1HNI8ECIjRULH89D40PDLptBEocjMcPDsgspO7cIsL9xbjGwY9CxIuursAEXe+FjNcV2kTRxqUg9+r8h3ypgcJ47XRF5xfbOGbXByMyqi/yq5Sqrj3BwPPV1JL7m6LT2s2VKFTwAqWMyVCw3b4aVTulx7dYJMugcSlt9IwfO8JBdbSzOoViKQ3b5+5/1pgiPeVCxGZ6kzkqpGzxTqYxheeTB5lH4aQUIW1gIwhNnDuKQHmzAh5ly+dToc8pTMNLD8CTTwLc2CYGIjifc55xnOwIWwkBVuNLb9FAKaIemHu1xztiPMcLSwp+YCmPM3hf8pVc69Qgdw6ZdxwcNg28uhHG6TDGZc5r+aQk5Cb5h8tX7KiT6Vl/gw54I363ITh2f/uNqVbHh0HHmq3cLHkYowsEpU7nSnnxukzlF+jdTTZ279tvOjnvz9WpJZrllQVb6rrvvyceqjkBN/EosR3kdxZcN7eZLBVlUh9SCtg2WslC+EkpFQf8WBKhBAOFDlvX9bMuVVkgbdHLTnN3Rx7UWJtu79rWhPAL6ijSQk93QeQa2Lky6yNNvnf5yBKNdTfyV1rW9bReOjYAQEcH7PrcI5xKRRCBLq/4wer9qCxeOaAXSXU6jf6byjgd1fc909Ozop6gto0O4MqXfGqTltvJtjG5lnrbuFfi3WnHxfjTX/GlB5iH6eVVgLFdmp/MwydP2yqQZR5+816hg76ZkHho8nu5U+8wtJjRn9qoOGuHazvMAduQpS3jNZnjYuthTtNvdo47J7A+NXbhMRs8l4ToTYn4OvrzGVG5BzRbQ/ZC+oTnJscgo9oIYYfQRFckP9enGFC7+2NvvX2sbL6rSLT+vf4Uxqi6rEX3uWy6ke+2Hr/3YZAifPUnLoEbx7H7xYyc3Ay8FmU6U58tW6GLuMvF89jL1q/Kht/vjjllvIIa/O0HSMoSaaPlj3LHjoCQ54t/Nay2ttCci1IxLT/J2TwQh9Jd+NQOQcAcNrO6rQzur0MMwQ7HcN3veYaGKn8rN/hsFsMuN9AcU5spRDSPbFu6n+F2M4YZWp25kgURdkCm5fkgLCTEPm5giGSNe/r9LxWD7bRB1fzNexpHxmO3aVpdI4fbA1YtQXJP2X0mMFttKNmgUD4zq8w7NduOjxkh+EYo88pwWIXVoLtGK3dq+eyTn1CvkblP482g7b0tImbkal/BNYIyvy+NRGi73pcnPnU+4IPVW1cOsUPqOavL7qusFLFyfGIDxeiouFl4f/GigRsbbp83nmJhv1bfD0rzBiy1C4mRQeKPpzoETd+Nz8nLWGRfCQtOZCtiOQMcn08LLGtanUTlx4Mb', 26: 'sJUlNPxi5rnASaTtLqppNWkSDE01LKkt8oK6mkoS2Fe7ch2ktEgOFwcDm2q0jMzExby94YIPff8kWbkQlVNu3sP6M8oKY+CLyPPwW1Xr7QhJmU8+8g/ZOK/9F2fNXaZmx50zb4ygrb+oWt2Hu5Wjq2AWJJq/uJqdQ9ghT6Jh2pLTY3Kls/LEkefQ+7dckLKgk6OI4zF76TNOCddrz+LVSYXPJP+jgVEN+t9YnUIOLoVSvt/QXjJVEwZb1Zn+MpjuSEQFltgYbRtK1D9oOUPqek8X9QRYQkUT3IpoPzJWfrVI9IheE1PfT6u4kLed20qFKxffsLM/7BcmxzFrBNWAPhFThnU5F732oaBSulzET4Hz9y/9I6EMzAdGk72YMDfTTFDt7DV+SBXq1dAVnb2mDVCUdio4Q0w8n67vxw0dDzj7ZS3cYzBKTJIyj5L0LGmn3FcufEYb0PXu3gUXppDVpDRx8sYV0ncVpSQtZLrxehGi843Hrh+5FKRvXQv7vZNTh2pTUNWije4+JLdf+pQus4X27a41QWr3sjEHL88xwtmbki0dseIzHPeI7kddZvfRhvnwjfigagJ/C8Wbu3a4FWp3ZUvRqS7pQ0OqSexSc4/R/lsRqsxqbC3L5faJXnxwgm46UskJGDxAatI4wmVua2D8eNFRfoVHEFLiwI+0l0IKRnn+w+91ZUuzUMRJwo5kXgXKBGeKfh8twVery+vocnjDWNiNPqiVwlq6ipMJAdxiGuz1nXO3sPS+3oEt0EnClpZe2yjmISU2N38N+F3JTnYhzMN6EiuDGSpGQtSoekzuUw5+hdwuced5CvZZ4UPwCYwgTtcx1trMMVDv/ctxzCIsE1MiOGkq/Q2aZfjEbD9JqY7FYJxP0FQJ9l5rIZgMAhEZBs17pNTY6nUnCxfwZnRAOu6CTi9in0ipq9dnE4tWb2IziDYfctbXJe5bQvLSTzLnmyNrRgrdGtr+ktHWTFtW3LsS9uIhIOrSq5Zv8800kDUkOsOjOFP8RZ2wjSznlMhU35NBiGgv81D/Voq9jDnKqN+Sq8QSYGtndOGeD2Ef08FYoVlP57Fi0arfaRqLsJDKVvryoFrgOEDbGn9H2OLd8C+lkC8uONDmE/r3yNw6qY2P313UgyppzoFyaaNlPA9HH3Whwo95uMmivQHe3qtcyOEqkfePra/gTQsKblB7BEAOY0Ns+x3j3n19ZH/5k75fwfKnpJNp4lP8KiyzmdYfrSLQavEVYEskN+aYXIonw/Bitv5AxkuIsd4ujuY9n1MKW6obp18R1j7z8LdfZ3nVN30IjVL86iOCtxjjvQ2LSSeiwVLpCQp3hsewdMjlRCZ3nllTk1PjN80qafW4BWE1usSoIUUPw/EVF3+LpoJj+gM3KrUh3zCra5tliG/0d/S8DRlqFEpB427F4aW+2/FZCgbtIBXTAFt8WbRu4iMf4O0WzbAIJ3iW1SKpFqFfpwZFKyOnuPR6prPGUdVpgRrIVSfwT6xeEebhsU6W7zSM6ZASnVXGhk9vqcCHifxiiX9vBiL0zowx9H6dynXcJOeTfzNCqf4u+6JfJZPcGTw1r/Aq2QUB4+M1LJzhDOWvjiZ+1AsGNo8eTjKIVyb8LiM3Pefxc4hzVIMa8FyRf3jPu9cokWp3A5rE03/0bGbf3YNn5Vlq84ptIpRck3SP57qTp9JG/mD7XDZIQtsGs', 27: 'AJMai8w/VPKkR9Mc9x7vIbfYpr156+Bb708xDul6fb4xvbEbq7G5wpOz5DL7zOXHwP8muvS/N59t8s84YN4RIoCvFKRi+rr5P2UX47+Wrt9NGWRfCPibPwy6FovZYrTRcfJwFQ/LW9ZMIIOHqIJeDarwiyDj2nY+ZyI+XkZX22RbXxW9kGXgmTch/2g/+nW2rbV4idnJ0rtO3TdwYp56ir5duCg2NWmJMm4wlSxvPCHzLDpgO/YZJoDNKL0XOnSstKNcpLgdmZv5CiipLHE0763shCJtJQvzvkDk4IXcog4KTbsPaX0zUh9U9GSBz+0ocZfnxrRuZPYqOmzl/Em2c7gtITm7isOjIsIvLWvbYtY9zuMtuNXeedPWZB5HjjbxJHcniLkqV4+m80F+xlOpqgaK6CHCVdYmespqGOxUJm0901gDGsaOLwOxh59uzcjdagTe/v1KfjsZbs1UAXhbLERJHH6pbMEsJatAi0PeEGgk2+D1PNWtdP7T1oXE1kMVmF2YnZnByI0thFERmNUKfKLh4scfRywvchzB1eUYIATFT1XvMl0lbr6OH4R145ag2atns2xz7qk1kMgu/tJcU4ePTmZ0qPfFerpC1HPf7auP7V/78aBGJTgt23jG2aKVjJvoZT53rGc/UWaL7r1PnrtAcXyAVq2hitC4STw8Q3bx8KgtrxfcawDxcUj1jve9PmPFd9GPTWh4FPYjslj4GaEOuTwjgLMrqQjfe+c6bBW0zssZ1gSuOqOtjKiDUuGExf5jjU8f2q9UHCvPCfSRxsHuxHBw5fE7V1sQm71Fi+w9JWrU/jj5qAy3FRVyN6Lv4ywIfK2oIS/Qer9Jmqo1q3ZQcuwBcibHU+VCLn0SBoizmTskyG0HUMH4GtLr3hntWC+xZrHo1BdyTPoVrOXi7XHXQa5ZgsrB7XFDVLdeVPPdiy1Vjs5XpIDTJ+bU+/0wzSQx3jCU6E+CuoIg5uswe17niACEr8rdJmv9jbAfQIucvBZB0SuTIDW/ad0ulcEMqBhXFKzCC82lgmxWMrHyewshBTuChcnXycEgI85/3venIyAYA/JaNLfqdXIqfNqaxZLYRUCI7U0OiXebfyO0AFIcOHaee9QJ3RBv2RXTjFM9Nnl2C3OzNo4VN4G8Fbu97zV8Q5Vuj+h7B13zGkTXvQZsONSKKPHm0WpTe08o7iRS9YqtGPF41xipztjYsUbOBzsYn1a4pmCiRW+SufH32K2YgQg+f8pAC3q6NZdwFfWx8KiTZsE4AfAxTPNMeNkaEOOOR/toAk3fB6HA/oV6toUdykr2eBh08Gth2RoK6qnCiCGH4mHBFNTr78ISN47V1+gkIoQeWda3fpSToeDcGAE5xbrImiGZC+369Mziqqveb1bXszuzMwswfLIjWSQnYmvlcyaZe+Fog5B1fyXs3fvePLAAQIETkw2QCF90HduZSqPKHIK8wpe7GlN97CbxrgYT6NZJPPs8KLAeeatM7nYW09L2mECN2RJdsWi5FHkZJM9mJZAfwAabl+NP5f+PmQehNmXahp2QFncjDKBSCJu+n+aTzYk++gufEsklRrpCismF8m1w6nJX/Iw9zsDmzQO1tMCOruQTY8jBhTckq9r5j4MxeGFyMz81cnb0wlMKTTVk+6Tqw19RysCbed+pWPEBR603K7EE+l36q13AvQ+T1z5IXXE5RczzXyo+3', 28: 'txBNzl3jFPQDRw53EmD2/SM+GhDYL8YeZA9yfeHvWLKmkDI1idAV9iRaw3q8rvIg+ja1utsbMgGdTMeR9iq+NVsmJQ9YjbnvawPqX+lzdMqEg++Of5h2mG+cjmt8X94FcDHAL4OMU7GmzPRDSTAzRl/K7zQIKNoldM6H5r89ZRWVOZFmNvBOPbCc4ZXP82b3k+Zc63k1ANp6Vm2vEuNAOkqt5/iC5b6iFkDPn2UlkhRAgsGvjdUFqpiNRGoaMaEeKydJfjVr7iZ/SDWWaAV3bmqZQceYlMf3xS+bKf6Pbj9JJC+ZOd4xh/sIhZ/fTd3Rz8mNpa5FfGstCB/39W/PSwBWaGmJvAWiTPX+fCTNiCDWCXcwQGZMMeRYfVpshbwLsM7TLiUPDdt+nutT4XGexcfThQnMnLfptY6G5IClBJ2l9ArYe6TGgDJF9eNQOuCqxJVhRQjopcLEy1QywHf18aQEcvfoK/X4N38NFwV/t7WSVXuS+Z3fLu/fs2enGIgWqCYFLbBaciOAiBLcAFZUss3ux7Lvmt914TNKdH52brJkcDe0ipF31iQfUvBgoaQ7mEHUjKOvvbhvNt+jtBYZ7f/K1jHKfTW28AyJmxxS6zA8yAwk1x6Je0jSwiZx0V3Ajdp7sfHIBIVgLFWw5J51PVhNiGbSKcDWzBLkZ49p/Kd0X6VqJVPYxI+VFU8Jgf1syyDGk0oJUD1MbWMcIsygNRrUv+JErai6Zl8kei0BqEqWtfsuFEIcioO9yNVLLfWUc0xLErJt8FJW2thu3sUp60tLGMK5ohEPXiIhqDjfvq1cPkWLv7g6mhXVEeW1WPsJYzJRgLG1DXxZn/RoQNWMPCs/Um1xHAuKAd/7UXOes080kz4xkMOfZITe3XpF3pJFSL8stWOAa2L79vk/S3sna3+ViHEGW/Xv6T8ULZV6LM8iLOP0/fP6h2cbIZU0PTupHP7W2Er/0Fp+GA8azqAtEtlmJQVMnIE7C/JPrKQc4cQS6Q2cQYrzCmU6RPOHXH2ogiKiNFTVlZCcYRjI2JP5pzJAUksrX2KORTEzrIw0IkY95K6Z+DRn6XgDHmWbhebnQbI6zt2gezuCcO/q7g075hX1h4E0L5Tbmgsfzl9urh01B1BvkjNdwm1dGpOmJD8jnaiaqfs6pUoxypOzsWQ8vWWXy9FRDEemNhVO4AdJo8j4Wo5hbGYZC8AQhO5S795i/fDpYM3F/yulsOtmu2HHjJQtNmM62c7avBg1bUCP0cDjhk4a82YXeJ5KwlSYRalSElWR6I9IeHmvGWCDD64B0HEqYnxJHoYzVYtg6GXQhgeoc4RBzKvzW3Ua8YFyKOZWEZmmG/Ze1NmnM2KlDZG/+W4/azHrIqGURexAIwYemRL3oi+M8LP/uB2w+lQyc24+TDDjL2JaI4gHUd7l8eHDE45NGrBfCIoucnGBW3KdQ/QuWMCcaGy67j924SvQJ5LaPTMESjiI57X6ZYHfM9GZRnWRs6fuFlBCDMqyOKvdzu7zUAdP8nVH9iFC5JK9MINsBcqogSjx29SfbErY7LJ0iucY1yPSNC38kx0qrCnfM9uranYkm8zevDoKApivW5yNql5CK6zIl/wj4xFvnyCPzuXxpDYrlI4JP7sPDP4cRVCEpr6vEMdyy6mPNVJt3kfL3iIoawxxLhrMQr4MFlmhTnMvA/h8C0ADS6gVezhyL', 29: 'wxYYAWBoGOiG1LDIoB6q9b+Q6FSQ37/hK5Iwm5q1H302nNX0BF0mVZGUz45q3tnZvyzB6k0h4Q6eFswBkL1ybmhCZydfzybzwTRRfquzIGuO2bLd7OE+zBp2z5tTY2R2ttj9+8eb68NkYhUQ/GaAX7/t8bCf0bkQ+9OEETNG3opH774FxIi1NfFZ9q+e34vuYNa/ySQqzFWpKYL7umLktHxNyW34oSKydBL8reT4e9LQ2OWb7tw5T6NAkLayZOWLsLvIKHS97uGIrj4gIWn2oJSid1daDx6imyYDwNBM1447sEKNhO9ocmzreqkl/0veJMBloI4l1BhGZsn+uWb6JcVI2cZ2NG8GoTjtV2qTevwhFDiYOobcNIhnI7IscdTrjUxUzHP5wDMRzoYtLE0RjgfR5/Z4Res8QsUKuRTBm95HyIwYRXXBDNFBhwfRIP6KX3kMHeovZxzJlkJ1sXfvbadx3WIQTIerrY27kBXmoZiTWLewrQntclnTC+4hqFrJDLskMDgF7simxBJikEAvcDXMYek9JoAbxfXmnaJ6N+P/hsbvHfkg8E4wFy3jFzm3AiJWGFYE7b9h9jWSqDeGRk4VxbcDyBpiGZzaNNbih3+OLu/BfedOQtLBrLwna8/eeaGMcdWFAHwsvd8zF9fx73Um9acmwwMFDW2mtMw1UDfPo4xPD+sOCjR6K5eF880NypOap2VfmkNcOgkp+xJWLBKgQvOVo6+nsUizrOoxuacrSt7DW3LZhyXvkZfHJqIFAoumaLquFqsvc1QGcqdd94KHUOYgRvPuswdhYOPHuxWDewC35BPhNQuFZgd7EdvXW1dBLJ+e5y6+TW4Y1bzfXZ2X5vH5wbSPZGtbalYZjHInIM+CVEhdBBmVsP/M/C6CmXbcTr8htdi9CBbpwBTAHenwE3U44IJu3IUxKImpfIRzGpLue2yMXV12voAV9FPtLWlfV3HT3JuQbs+8oEqXpuhpE2dB57iHN2eYb9PRi4isx4vx+LApjpizKhC2Fp/CxxdyYVwf+Jc2ref3qd+8zaoeZ2A6SZtvU1BtV9s97GzmyZMnzC4JJe1MYv9guJ8kvddAEv5dLz6EP7zUEK6ym+E5a6m4xRtXre92h6LbcwY8d+qixMwb1NFoBLq2NoEeDDiFWccR4p89xQHdqRFobIPDNZMAbPVJXg43fLMn5PWntolJg3dlgizQW+dIJR7ivOEeQTGVvfFtEpSTc8ozh4/jsT/8OXjwK2r+SF8PAeUHQoAMm7MS/PL3v1KbSWE3mkZS9TIv4nnWfpDzex9P9+QG5RW3+NtG6QllKd1ls09Clnh7/nztR10OpOPISDdCiocEo/RwdJvlRC3sr2xp34YzwK+QNLmtTss9XGLiIQPO/8sEYVMMRoKKf5jEx+GhbCksrHlARM9szccMXQGU4QR58hFzfSwwdMWWe7+y20JIkETMZumE12sZl2lVpzuYKYe+7R56dx0RsQI/bajtofhDyA9mOSCniZdwn8FwqN0zHjpG3YeBnT94432lx/RToGb2RswALcQc5mSsTuuuuQF5EWdoC7TjNeL0BXjcesfGqisOb0XmnP6uZP2s4E8AiuoKQ2ra7jZUeLjWz4oG5dLIppqoOI+G0HcYYGzFRs140NOOlfDAYRWcBIAwWTSpOwryQnYTnfHjhUBh4zyNUaU80/I8yhDlnXW5aaBgR', 30: 'he+Oglok0VNbqzseriv2cfJ7O64lMOW7AVT48OANvibWYdnAXJ63ObMvcQoSDQzIVehrfoNAHICJoExoXBp8QajFX2MZzfRuyPSJDuTIw8UCg1/swoHyPdes4ZhkYax3vG2KHnCHej5yyk6mwp9ag3M6E5H8R0NNR2pLfQLqnaj12sSuci7zAhvCFDBtXwpxJE3W/sc60Bk/2lS50Mj70g0g2qmcSfQLWqbQR4Re+hLcSLFNcd12LtztaUPKrayZL9D3RN2uQPVtrjlZdNjVjlnpbUeIP5CJnl5SNi/l64Qqy7I09RNPpe0x6joEhkEnDNNJl4VmK8GWYnuUi8ZxYv9uYHB99bMxMsT/uO2itUTwo9bGJ3CdDaIW8DH+bv7FFsS7MiXGCJYXbv+l9otBWpBfEZjlagQffx+8Bc71BOowrxjql3B3IT9m/QHgbWW1q2/yhan/GslT1JZPuGpc+JYT4lh6qsc7R8sy6ph//JMxf3Mmij+0tY9jrqTeJ0k4UFUZ1j1BDMZhV3bPkvFJivDPNRAGIlGKBFC2/i4caSrp3FK5w+mYsM3NrAJTfA9QVeKdf+TZxPdCFoTBavRuTZzeD4I1PFpfdDGORkX2xnOcWdcdhAiqiO58pi9/dTVXJQPuYUvqeMwCXzAsmfV/afe1eVnH5yMIrEaqR2MQyu2kdLMFiQPtixwlWFYVm6hq8+ajf9ts+XghjGiYKvN7h+HSDIwx0aQMHXL27q8/o1+qmcWuqW6gKdDSjNad9yDTWn0PAnNKg9+ZRCYifQ75Qn7K92osaDcuV8TWIzoxkFyk3G1j15ECVfvHU+VvSkvGWcAILRcIfojx8XpQUlB7ADI51DsCi1gXijzNYsRF1VQpjSzrL/S7g36Z/cD/HTYRbO/NGuudWtQk1z6lpCj2v2o4kFxj1J95RaFdet4ZW+1i1nm/ojcg/6fZzdk6cQDdIWG0bNiFpoc9ICEswaQOTPgjnARctfWrE3smNsDnIICal8fZm3AQJsqO6joJuQTICwdnpjQ/S6YL2tagruM9dMF+Q8IUBvObAHr9XEWp0ML7p23z0Ajv2+2wX7TiF6AiZMk4uEy8tY6f5VUgwafM04cN0rI07xpoIJ54b5W6QPQzGbnxMzf1NFyIPkFkZfTGDJvwGXhfoYi39pApNEfgv85tMmH9zUb6QJdF0xSe0N2IKUZ6+tAbQeL0cmEX3XdiRBmqqiwTEMbkcoUJW24EWCwHxZNXSClQFzYsxkEyf1+ultn+dQVc6SaIYkdgkrm8kSOC16++nUyQZt5tB3ACf8wPVSHJFLFnXn+E2R1zvxjhpuzM+HETJFrA6rpDwXF86+I1WXSnKCqQqRVJMXP9YQvA7ankrSra9DQq8H6ImAtVKGzxCo248tcH704xtqMWrdM0xMjHZhcpuroErKY+wtHwpzjvvtcsW6iWqCb8xx3JnjRE6uwh7XiYJ4nLUPzFMTJkj0K77v6KBV45A619o+0pJ8QIAANdpMfH87yDHWSqsf4EGqp1JkYLfaXGn3IWxAwDEaFMoavJ0aGTqeqth4hPwwiuK4x6GAVYga2IRAskcAyGppRL7qPGPSltrUyAk8qj7lTYcPSrI0s8PhiUwOwe2EP6H9OvGncWksenAJDiRuevMZHcNx9sp23PC0y9Gf0TMJXr0l7gMGFHoc6Yo/Uai5wqTe9WPXzdvcUhU', 32: '1BD61bVLs392PHuU2G4KpOoaAdfUjdOboXI4IRu8FqALul4DXMaGZz/tI9YKOvVEStFSGK1lBHkMNIuCX0cOhH9xvfVhs6aU/zg9FzaujhvpfwFcsysWH7jyfk3LG36m6lvJRaVCcOF1Ii8EBIPR4mbn57I62evCEU8f23HlcdhIbsfgFxaCfB/71hJdSZ6ZaksVfLzlzW1dDT0wo86cXGPxqrAkX7QDDw1vajy6dfppCmz8hhOgyLpSeEjWGn50yh6MJVDMWeD8BewEwerkMQ02ebgUO5xzuoUbiTdlCeCdVQAnoEO0lmZZdBkjwPTueXIuxIBSJcHy4N0gc8wKaQIBr9u7v/ulyZ0E3aU/xePYo+0MivmEe8hOILdv6o+dPQY0hdiP6MacsXpueWp/5p6LlQHuolPWP4bdvZTq+iSwiou7AnQtGO5TMLG+Y4QJNI9l+ZBxZw/ea+S/V9hVMcWdfkbqU5ZPm4xNGCmBubsEfL9gXA0yETMUHdA3WDAhvoCsMOzl9WXaa9FZAtz45YH05SGMToh1pOdCPDCfh4Y7yvNpiwQEGUbcVdEETgvXB9bWq4gTLKpTKKBwU0agcylbJdXJRMXVk0Bhdm/R1gWgwvJ1kYOdXsZmAeanU7nZKCltfSjYjoSwi5KaaXC9behYoCREvpQyEkDxevX5gKy7cTmbnxyt1Yp7Cf+iOamBnowA60PO8RiyNa5/5Yxd1gQ6WBbxJnBG+GHmalxEZt7djr1S2HrUHcRO6yGU1iC+UyVonwpmVQzH/dx2SknlSzwxaWavKxwXnG0Y5suqiYdJb2DtWJhvCmBVIBhM2habOBIiPz94qUz/aaE/wrO2d5vRPjHUB06lTYmGNIthfvGYNr3LUrmeLJz0waCeaxAWSvJ3BCQsAJ0Z7FAEOD/tuOgpP0zBCB/xURsVdpqtlt8fNtv7nVICEtqoW47gJmQaU90EKEpnb7dITzpnHEM6d8BB9f3DvTE0v7OslGUAWORUboW6upGlMtTK83DQGex0wiQFNIm+cO6FvYwuZD5YYxQF2QtoLGobYD2kgQ8aACeR0Blw33wgi2/kJKwIhclDRCzKcNUJ7c8tZzRj36YBkRbj0+fJk8I+QB7WVNS/2X3YoDNJCtP4/weJG1AWHrNklc9wRYz+RPhcgWaJ1XDXT8mM2D3otL7MiGSAhoOSBV1W/gnccpvpAtNRur12jX6eL5Hd65caj1afAB+W5LFzXEMGEk3F04eQEi2Gw7tAZ+P/ClZan7Eac0v4XdCNnyQkZegXqpJ3PA3smKf2ykv0Yb0uGRM21/1gmbojgfFG1qSqpmAdvVCt2UXjT98YS/x9CQShKYVM3f/eC9reRMGNz6g+BQY6c+6Crxqr5JIDYaFl6hgC6ffUs5dKbu3G1fIbFmQ7Qsh3BKowPh+8nMnN2u+C1fSz9ObfUIEZfCBGIpZm9/FoGhCEGRcBT7pvnGd45srZ76HuJrpUuGGSXVjYAUFFoXOjihbjqxcEtjC6C6aBChZDl5ckOOpB1OkggKr3v2QFjWs8Q1fBoiXXyceEVxRCRAxZlbaS3auLk0uEixf50uy11rjL/giRQ3IcZFNR+U8YjbtF3ThmXWkqB3cxGyeCLoDg2+GEOSC8Ka3DY+5L+M5QCZnFw1baNBP+Coh0dsB3Fj9KJDn24V0B70PzMR5YRTogJfNW9HmQ1DU1p', 33: '1+mEBWySPDPPa6hIQnodaw2DvQRr7DSJtbEX3S98atxRz9DACl1C1zcgN4QR1SS2cIcHoAW1Gldlc4Sc4BpablOIyq5GuUyrEbLA+trrC6kBbk+UDLG1E5+9QHpt32qiMkH2M5BSq1oF2k8PAqgAeiy8ZLTF6GglNmPaH9L6QWrQk4eLuU44ioOpGR2XFthg/MgvMHVeEBLW2zMF/0rRt7ALH19+BZ7Fx2YV0p3hlQdlPjQ/F3+CcwTWAJsDC5SwYIpCRK1CTlZ8bCCjz8UktjVyP7rGppWzYvVU8tTLhbpwZC5HbLJ5TEhaQxvrwf5bDpeZ2BGvM2mpVuPZqRDGvuAgzE1B4kccBvE1ceYdd9aiCFuqzM5u4CrR0zfudcsGVDHXlcTDfjVK8xDEZgwOi41P8ek4G31iE2y9GxUq9rTkXBS6TRVStRemSHj3cRtiC+PM6j5lgg/ZErEOdPaYet+NrHZkeJM3ynqysRWLqMD0xc6ce9qzy6OHPKk9oRgykrencxM8JWFoAeP5iZvCwzhC7uBQeRuJtgjFDf8nVjHVlO6fyj0uaJVfh84uYJBf6CiAlEC2KgoqoHq2A5I3/d81uPomZ/gPJfy7QvDloWI0MCBwJ65zebxgMKs8bE3P1rEurVUNFMZksZuH2uWMD9diysIELn50mzp846jyIot/5x6txtt7ZS8x9nCxyPVvo2oFr6HANovWmKzOg3aY1VDDYxIgt7HjqAJqDAKNcIRJ2GNCYDpX4H9hW0qiMXd+mELaQiMudux2rh61okI3gPYEX5LvFnG6yB+L8oqmm/Bxs5kCvFJTt2rGeAa2U0o5WgK8UEfIh64Qdi8dTDU05Bcv3xX0Cu+OQXopERG7FSanfDsjsTi2c+81Ucj7DCljcyrJN0cXfSt4XYHlFZQeyqZWmz7Ko7PLFFlQeIBVFwwEWynn5Pz3L8fpAV9i8Dzs+rfNzN8T2YA6azXOuPbGOmfN+dMHfdX3CPB1Yk5Jf0M5urY4WfFVcOEo5ytACO7jiyWNohAYP1KR9QvCwGP3zSbPIkGEtIRM9jU23VY8DopyuWLMOftHhyLbF00QFjzaVXiezDoFdBAFK1Bf6QSCWZXKiNPUhFsaLEyB5PPWyLEz8eoSpnECUHTQNNVFLr9sfvTZE/bi6bayEQdnTJrHBUbvxW+lmJrQNj2TsCiaMw0a1mocSzO7PxN7BRLth7KOOla1yyQrsiGuVxiqZQgYPGekPAKtJ9S6giYYV4fueo0B3kp8eU8aj3az33+ymf06HUKlSwjHJ9cFbHb/tAOSVQQ1lTk36HARl1IU4MK02cr59ZfmU7AgOX8YnYxtk/zefEQeZ8ZbV8xP/0eIzBLAYa/M+KeJwPAb3bUMXaYrTj6q2WGllzQal77MMRWvVQrjoo8mxGVAjcohpDcYqxZuPpsufoXiVNqDgg8HQV78i0I/BR/eVAVQZsoUtGG3F2wdNuhEft7bYKIaJh39ENDwCPFx35/Jq6GVSufEoDztqJYVvRBOafQj9qQYX2BmvsuSjp6FWjeNNrr5B7vIXXkJpDlEMJXK4gxtygeX+fKMEMBeJ4drYgyec5hHtgNe05Kr4SepCpmdmE8bVZiNrVTkknKrskMbx87pOfMlZ7Gc4uA7cEJVrKPWQuY6quQ5V5DBrKIr16apv42q5zMEf0HmW/GTKwMD394GQxXtJ4CMP', 34: 'z+w82inXAGhksAdWEg3/pUSjYzwO/JinnltFOv3mGkk4nLF2ouneX+qfMuGldR+T97g6s7ZEqZPuseQBq3ff53E0DX+PSbd3sGx6vCQE3SJuiTkCaSqxLSTKwU/X+m++4RG9YqYjsdyarJU1bzcVW+XUIIVSYeceGm8b8aQ65wQ6KTO6tnhah/iQpSECwRsXMaJjjlvYfavsAbf4diQyhvrpdRpL1cvNDQsSeFEeqnYpe16nSUqpYhIv4Y1iVW/naURon4B/8GJmAuw2gLm+TQgL/Eaj3EmQn6FR9JuYu0TT7VOzoF5RwKLVzywPqLemu0qC0WEV/j9WEPVlnA7vrvKe8dzR/bcgLbbgfemPGc7XXIpMmDAssUpjPF/1DFeyOnbqyijEVtpbj5koptMHkUePcagp7FyeQy5n07dVA3xPqB+hg5IOc/cQYu+Fuj59izPpDvqrlGcMFzViyYueedNFyf53u46KreCyyHJ72LRFi+kJV13aNUXaSRW/pNmKJ4LvmfbAH1O/H//Rnc6geViT+ntO26OLmKiHT4hoH5MoQsh3xpawE4NHvsUJHe87FJCRrR1SopvKU4QpORf7C2u6J9o/qHsUP5v8KWz8SM7UZ9L6E0bSVcnGLq2Ie20C+SmYy52JRMjhj6LTtZPOilfLiNawlNlSaarUCHxxwtUGk/kgFKDT7QBBE/XsClIFDgw2b+/9P6QkXsfQuXF3zae0XLeM6XYHWfR6j4ijBCYQAlCkAfwTWkD4ROxd794vmwvGL+NzXBj/lj5xBiRSg03X0rJbXhl82mZBhREPIqDbOrI1hVD/NMbH9+l6RCargwEhrDGlpisnxIWhXwTmuZBcvfDc0Mb0I8nCPtZFeNPCUCT1oui8My5ltx4moDv7YUAUvXp0ItRoiMg+j7JIVhuzItDwPOM+1XlaoP7ox43siumc4fMzgipy0YHCKsF2g6laTNvWJumI0p4gL+59Eq7zfhd+cFWKqv9spEastkENhvcPgSvktW6tWzH6JGABixC1pPtHFKJfEaz3JQ757BTjeEOfLMDl3lGPsU9NHYcTHN2FA7l8l53iwQGIF0H6eY8bPH9Jw7V9lYwWZF1R4Y14K+Q5Zuw0/OLNMK1dc7ZeyvMmYXQruyJwOsjE+t1UPcuOcEjF5CXYTq60bD2YkCY3WgpoX1GFxbPghA5HB6Bv8lf0vNw7d4ly94vOkrVoqV8RkfLQMch70L8om42+ut79HXVVdZ7v84uFIFmTy5Xlvoh/H/dy0dsnI18cTZaJoK6XW+E9BHUZYk1Rmyw/22QWTkLJo6qP9tgPrGYGXNLvWrUF3GrUKPjVb38+iy2GuKwn9F7LHv+GOoRShpNR15/HiRkDSoisigJSYQbEi6I4mN3VXRVCy+kYlNoKYevJcCnlqTQptNua2j3TwlYYdZVQBKKFt70KlYvGe8gngFB6fJB9x+Sn34mpwOxKyMEL6SapUhXtaN9syR+WZJr6MVfRST2lSZSYdApw1OfTgtWHbZgtRuc9gPwB3LyLP4dPW+vtOCnh8qAPdMOxdtaPS6OQqemX7tcfv7KeAuBR1qLL41PhCaw0YgyduVbHLexJea18OiX3zm02plqhb+kSPGE35/VBvLKBDS68TS9l1xZBg8WtZlZuBRySoOin8e0867DQPj9x7pR/+Ctrt5N1oJopHRHiqkSrvZnAX+qwb', 35: 'deHkltVU2/ywTfmtqi6Hq/pX9+F4/LB6znSWqjgElq1Fu+TUljq13hYgWo1JsrnPXFHU/rxPTmAib43eG4RW7RCj82Xvd4laiqsbF2nmhSYIAxAPnsJIMA/gHRu/9XiKQpYyPQiJxMrmFzim6kIKrKCq1nNwoz5qEsh/rmlrYRedtihp1HJY6/WPHjuKrMavTZJmDU4wsY7BwDSH7uXBFWyLl0vETZKBc6snr31D0TgAHNlCZunVqVOyx+m/u9AigkNyMcJZBYubWBubrazdKT22oBYOLDcWhY0wPC2J5puR0TpZKKszleiy/9LIo2zmj6zRVnb1vaN0M/QM0ooPwsq5TC0Gu5pWtSHQG5Fp9NnWxwsomLV2Cri4shcLhwOf4WmWJ0aiPStLPlJViA1bdvGXp4m4tUYjFvU08KygTo0AUd/hTDBDx2zh6uGj8UeWqga8AUmTIu7uJUEJlRzEb6Z1mr6Xvcagxq8yb8LEDki/N42t3hJvqvOOwMK11lmJmyg3CGGmut63dueWiEwcUaPsLuVL0x5zxBB5XGOo8tth0nTyugK5hZjCHzrl9e1iIYnB6L7PsccRVmTHIt4FAhx5vz3jwKDjEJUHCfBpcCcVjt1vBAsWIjbtMUna+D0+PUT74/fCg7PWwTUkJA0j0Qmmkpkqr2qYEMPW02qG0WgFi1/ti1rYkkxg+8sGx3NvEwi4tiVljru5a7Tw8QRUiRrykBkJOGXlEufho2tIXHS1fZct+VJkRLP65p1ajBedzYqenJ4R3bKDC7wZzsSAK3wR4Z0/1TQ28QlJ2TFO3H1M4oeu9vsfUXUemX3eVdbzKuBAWDRMw849X/+BQbIwE6kVN9Ba2f1oTbU1zLNbJlaL/CuI5kbtAiYqgKJ+t0qM7ocF+jk1axIX+FouiWLd0GJksB2dCQihcDou0T586DQMQt2uUm+JHsYtyDBflBpGW0Gq2g4vn863AKcl+jhgMA/R+RoCMLwHHAZimJHWKM+tK5/O6gef4dvJqXtAf3u4mRdhdqG5MnGZF7uVRXyYN7UPg1Y7vxNTNEhOwP81PJ3iFvBNCzg3Mx0mik1bMJ/wXcztblGeFKwY6ClgKCp6KokxBciqYbrFSF8TQ+7u9ZDBUwOqKI7nM4haZL9CtjLAG/mQaxmEAGRM4zS65/EKpg8cghnc17fwbV9NUl86UBnDZZVdJNo/AhSmXLbAxBIf4W/m3QfYFI/KXhYODZ+w5fJ0hiDRbrbJ57plPI261XXw4V+ympF62ziTMwaE0y0RCy0JGz2ItGdIdWrl4QWqk2HZBFyerR3wnNYc3xkGIsxKm+KaXwZbFK2MH7JmhsDyQsSjS3r4BKML/JFSGVXpUOvcOYD6TT+FI/mvlnaCe79FcfRvsRUTcUlHM/uBpPIBimdO7V2PY9hjpO0KG9lUzMKD2DiRoHLtDDcVxKnAkkS5U2xJB5jbhfwnA7rRDHEDJDL7Sfo8muU6nKc+tITUWBDeV4L4HX60jX0r8+05vTsNkHXBA2KPaO1PFAMRnItoFNXanu319ngVS7WEZg00O1vwou+8P09V5DGY/dHSMYXnJpdCFpyG+vHd0viflxrVK2Jz8HqxN/u1nBZo1DRtt7c50qnF8VlS95tTF3VPEd4q+X0MPbaTCSjKY3nL01aCb8gD6y6bKj7rNkqWOYTDIPPluh/NasOT+d/CjXe5r', 36: 'KRzOjXba313Ngv/sC7sbTi6wlRm1cF2MF/JR7byyOWCMghpFXhQbbv81U5lx2VvIEDxjNs2p9bTWGoi1XY8PjsoGWEJ9IluCV2OLKc90Utc+nSA/JdFLowE9EnxnWFwU3yFi8wMERwvuwLD3hAJOpv2O0FEqxadU4pldsdv6F6klfQOE/8A7UqvXPHL7yF6V+h/D472qrBLw9MhIaoeOwwjOxhk38aDmDwoWP42ZWzciEHwutp2LzcIDjrd/JnRlse41VKzrjmEmlX8luOAdGR4aTrNXxEWjvjdxu5fuTtq77LYsYZ+DBZpLm54SD0w/zpxw2XYTHOuDM17ybOYk8oruUY2Ed16jaeSMB2NvEXRWVYORpRanRhL4nG1bdbvqWpLGV905xSi7y3xfNPFAEoh1DUI+34ZMfVLntIlZbxXStbHR5DS98qjaSjwnPo+rE0vz3qYooNluzq5A2MukbSugmEOusZiICOjgGpjnQ34HKEZbWNyj0JZEflxRBvk35BT67vxdteYn0P7paeofskE/gpNRZ8BWRFYR/vN3jFTwAMZff0Q5dOuIJ0IQDwfFcO4KUmf35pbuIjMoTbwpL4s5NUumPHX7ca9++E1fUIczTgyUtaOQ/+1q8kmCyWOy/xYn+8A7D6zv+FMKARXaVJ1heJp33a9PpCFAqxTUK1/JP0Y/7RcGebA+S7qsI1EATZdtGV+3X+2PKO8lNA6LjvKTMt8VswTwzxPCZfXg0yKQKTFe9r4U+Qf5qPhi/WmZ9Ei8rIiFNfyFyD5iEdn0Sat4aO45srpYIHlQYScO1CjnXaoWEnT35DfDKIoQgzCVlfFLRIOeLivzJJ4MI6slggLAamVo6EI8kqHKULdX3HJQtZSQZqSJtbiYk/cuTHkHhhkm3X+Aome2nwkrvWzdtODCBOWXcgNcH/WFF3Q0fM9Vubjmzx8uNsYWAp3WjWwsA5EsS4pex+V1jxDYs9gwu9BUMpXjDgAJyIL7k1mB4Y80SieU9flRYf5a+O5EJUJprNrRKK9Yju55gMesywFeugp9c7mJttoAutRQUAZkSEGlaQL89X0fBh7qzJtptjtMKn+Zhy7nDULNXc+xjNPZkbWWk1iH0NW0c48iyYI3CjB2p8G0q2BL4Z77tPevKptLCgBDPCuAhzZ4qODWLRlXtzE4MyBuGYlF6HUariel2v6yiqV3A8pJPo+DNKNL88Q3+8gvBSFUmoLg3QptP2n4VybWMNBUrLLWCmMYv9QN78v2umIkc9s7xD0ZrRCbk3OHVXygrJ+JXwoi1v59Qw3KANgf45Phi0wVdIKGH+7SaClZi2ZpJMPaY7r048Ny8vTm3qNUQlv4aapTmwwrNYM6DlImbbe9UTbH2GejFTWpQnTsvzGeKgzInPpKvXSIya2aGBSzzs3SPrmxjv8iaw6QwlpYt6hybQVE5N0fEiXWIIMMGDoGIzN+NEe2I8ecKd7hSQ6bKIwancMnJrnxBd6dZSuw9h7vBnk2nNI7UTG5NS+32HmFt6+9FQ3tUDx0vmYVZUONRLqRMQqp+/EWhMQETjTr6TJbC3RthlhhYtkWrikvrDXn8eTiNAifsdl+Ig7Lb3s5KdpZizKW/oTVVQ8lOdBjXGMYlE6HjAGaa1/Wkb5toKBGjmZ2Y1++4Ha/HAYAO7MbAbzySx4OxIIPjNyCknGE+QHMp4ECF96XcAth+', 37: 'EuNbAoTznvXT4Mldn44+rZMrMlJOuJL6ul1nYJt/JLlpvq7EM59g5yG038oXFqbNr5pzwtLckyRjFAryMWpD1kXIwvvtBmET9T0oT5g2ul7PuKnys6C+DyhvrZ+jpAsvUFjjojuH9u836/Bb3bz/5iiwnpAeodc9toG+qExIUj+AaLQA0dAbrcUc0Gg2cYtlyMYvVPf4pOrcoDj4kIV6cfpDi6Qn/vuNWhay+p3aX6rsJ0JVT68E4oCnWLDBhCNNKWoSz3LHhdmdUpytG0G9vf0l9vpfxy3pfQuacvFY1C90PheWWX/JEka7/4QLVoJigOpfVa7dw4YbXyqKJ4zYLhlxuJEGnbWt+LQdROXRMQCQjv8Wu30aCVWoytk7wC3X8Mh0Lvhk6KVnQn+1Xdw/AeGWDkmP7798kIIRyQOLJvwJwL0xXOyB4iWizyrDOs8OwQuR+wBBMzZr3I+78dzPhqcSJpEVl6Md7WrEjY6uwNV/8hi0YX16E4ULsqQXIgRRoEHvwceek5Htw+fmZEK/QGH11F5WIiYfX0KEEvqtyCfK1LAJlGyH3zdebKNEwwTHSiDgB/lwzcVVhitT68atPSjh8h81d3z8Xjk6NeedXRMgRBRku8mEcJ1gXaJkC9C2+mf98+z3QPEjrZLFIXuAjJRJ8wmt4LuFACOnDhv/rAR2ikE2VKiGRr9sqxFj4udH073BoTkbWRs1Vdtna5ySA9zV0dWV/OesjKnPvbkcUPkE/cygDQY3gQlHXGy/i2mxKRiTfxhA13BhtRk3s+0nIiqE14ZVXn3+fNK5j2oE388UkXR/zcQEbT2iv3QK4w6ruMuMJSjTzHP3QhQlLlzNex/rQLk8gE0rpgJN3+j5dgdGyS899SH8qk/d7QHYbrve8hGBuSBN8+GlOJYwbg7XtozPG16N+m6Bp4m1EvchlANwlHllsIfvxVWAYH+HAvR1T++Mfl1ymp47pndfVveTxxsVr7OH0+62DWn8iffDx3rdt31jWNREAppvRbIUiLIXKsD9SWfun7OmwvvFIYmr2F83FIl3cdHb+uC2A4FzqAI5SyH9nDOb5nLS6yaYYX1hXOcOt0if66/aXFQw6NNcyw5kSNbPLl7gXlQ9tW9ZbFuHt3B/1k6VvXlNrCGOu8JRt1WYbwibcnuJ5xkWbdb1+oWjwqhgP8I8A1Qv+ygW4kg7aJcDaJbeZJn2BPALE8J/0aNghYbkJVQcJ7YJm+C34rlgZFmDpsBWCd+yZ0WaiW57sgs8NM65eBXi0sQFlns6rSAYUoxin+dqn27BxnFeCU4EZjIeZ6QXLbefT6tx9ToFUGOJytgTnbODIFuVLpw9KYxauXtk/JK6WuUkoJR3yiXZRqhZA7WX5KPOdh3DCbOXiH8J3Z1WcaEU0G7HU5Yp0m3azBbEyaoMjeeEppFqySUUlkBMh8hljsAbnPwcuDIThQ91A3sLFwMLZQsyrA/yq0WIs6D5dpt1g8Y2jCYzEjVD9LyeARr/LoS6CYLEV64dpOQH32ddx6Xclg9b2u04L2jiTOaxcPR0bCkjH7evrlFYMFzPr2Wd3vGAAy0TR0zKtq6d0fpU4qKm+FNepAfw8xVF3ig8lWwTtyjaKEuLaOFrE1SkzFn2+45dehiV0Per39DUnmCm9tnHN+RycTPrpBZYdc0y3zG3JEo7vm8eKO1ophh9Oj/ZJwZ/gJ20A', 38: 'iJ08wLXUdcfxSGAkQZcNE8Oz+ioj/ZVrvA/RCKFQFvGxGgGkfU1DfvcXbX1OU1OTSSgsyHS8izW1Y1hexVMZS5joASbe0kGG6/sS6wJu8mezCo+f5bDSr7A/ah/Q9K9U0A2c/Q2Sbs8cZSAau96FCEoekOkd0wH9/8XiNp2g9Gqgf4koqIwhcDi06CX7jYqdslEqCon1FtYt9V07peVNxCmqKbbbbjfkKCGqrp+lRUjx9yyXKEsaPiYAt0ccRTiNXJ22aZl3hJ930+IxnW6p2t7MzFdOYba1cu5hMZY+6R2RYVjkMS+WLdjdDMr20R4q0+bgpX3cMndyiRGHfePK7jpF6dlpIvJlEe1LpkaRSbk1ksNsRghJoeZNF7Wn64UoSuODmUly/m7HB0SXo7azMXyq9pcU/+9v8OrsEdfISBHKIT0dREPHgwzMwzE//MCSXbiG6Yw98fwIKY4VSL4kXNZZGq486rj7t2YtvqhBtStQqiBhE2xNvMrhZRl+Sq9KgewFI0LxEGXdEoToIfI1rpvkNxECZY0N9RG9lQyVlv3Lc4KVrNOFw9ZPdKgOtyPEK+Hd6HfK/K7hQpLQ2AGaVZDtLhQVc1Ypga/mR6BpB7JOnO+D0Lq3LxXl0/mNfSJRx9c7QuB9iCTJA0hcOaQq4x42PQurnanopPwrTmrN98svg+ueKTFD8vB9OLI5Bl2XYBRDOz4ba1pmD6diVhlstDsAMvCxtpoAcRtr8wFPxPkZGJpkgb0CrWEEFK6HJ3xQbsNt2+hokp+jUN7HLLMgSGjIUmJ+ut2yzA6UgJVjn93dOb794Njs99t6kHN6PUFb83WQ4hYwiqxOOmP8KrhkvFHkCMWUOiMIGfsVIMptbIag6kQktnOikZZnmb5k4ky0KOLpa1ycLn/2894mtrlvK2TX3mjhBb7aXei6UwB3/QggfF0TftMqTalpy+aFQV1vagW6GylcEgEp/uuGMejJBY4+UY/IFp0O+vHpmn/42TdPA3emwz9QD8mLqaFSz7SCa07M0BzKxtn3mYOHwIukLrOJ1SWs7I7Y1359dyRTJ4D8BCryPBzQyVoGMPeYlMvUDS1C5kyvonM5L7OPe/uuPyQpKK0lCyxp1hZECI2Z19A7yUj17FSf80q2KLEOjUb9hJsk+WPy3Sd0zQK149JUh0qlgwn1oyfo5DbXNqT7FJG9r9CH3jkTraAIlTglvXKWxKp0ve0GIhhxkH54fVtjFsxlDx+I/6OMrHSV9RBIUbOzIjWaphlITovS4n8Wleg0cC9/iiFGAXrdz6DKS/KfAZmMN1xeI65KCbG9Fc3oy8pUcnw7W66tJXiozXAnTSVjca4TyB/8xiU3/wvXOonr+xEliSw7TGPzofKchaHxbs82ue/5BxdZU62xvL6zDfK4YySEDItgjpmhyoLqFBqAdOhwKFUAR/hGIi6+xRRuDQmpxIjPZNNKPT6HEEIGHJ+AUiHEaQzZr9pFIkk2aod75TXpCgLyKiq/eZkai04AonLY+Pj12YLwRzdULzL4C6GSb0aYHBQJBU+PPFm4hE+sXqR2OuAztAHkPFtLhUfTKCdtZeq4KNvMMEbIyPtaWjI0yLWYWuf0qNVe+Pc1k8m86AqEWhlzrFt7LoygQxTL+DnsDaWOvS2QTsYMwWK8vUmObqjGkR2SYU6L6aymRWAmuEtx2fnbOdw79KoJmilqJ', 39: 'mJyVAIKOjJh3P0Ud7rxlYsoimPozIVdO9Uz0w8GbnmnaFyxeNJ9SpnLuo88qk1h6SE+Q5/aW7oiepq68iTnX1lgtlD9hvVQ/nX5gjaCar7+IY1dWQ4j74OqKam88+gxFEhRmRhBjVqOHN91UItu/9OEYVBIzvT+nUFmRrzyWHc/L1qjH7zNdcnxkp7EylSKihslnKF9CysljWWAHshFg8Bxg4L1krKW2g6zGRSFWqMA21CqHM37ZfNNsEKYZM5vQwXLX+R44VYJnM5Ps7BfUtq3N0oyRk+hhgeIx6/MbfTVR1CHzLVFBjVTjY11sSdigFcGhaeEYsD7sxz+Zr7fGY4vFslSddqGgq1DxV6OWN5XRAM6PwFlDYwTzspvawiIhHHa1giP5t6ZK3LTB+PywgyTZBUYvwPRTuFbKGAN+kElYCvFgWNzIPsbRKJVQEj3660bxgOpkQb/jnvYGExx0DRtsHhsvjalT3pFAHQ6YRHlMPKQiChTVT3ghqQeZJqUsb0euYFICdkUKoR8r6K9Jmecyk9rgjevWZrwV2tQDeM7f3aQx/46Ak1rppNKieNAzPyWLQfIprh/wLQzBvhR14OBxzLmnoI3KwAkKjvSezh39S3O8Fu0a7Sowk6npiBG+Le+snayzSqwHq7CfR+K+fMVr7Ls8lgU9ywhKJamcFVouqAhHMDC88TLJReL5/3t250EOJVtUj39wBImU1671f33kQSVPduiOgAyjbc1CNGi1tJJgkKJwsqQAOQINAIMM5HwtalSA51PNW7xuW5+SGZDFUDwy9jzUQV7Mxl60T73t9TilYeTdLA0DMHTsQkZcuGFym0T4/DOgX7Sn4pg4p9q3XEs6ZeCrNIr04ksoOq0G51VtB5mJEbSNnZpDlrguBz+LBdxWl5hHkl22BM643SscX3t02/ZTQ+eFuvPfocdLNKThf0/SfBjPv5A8gMP1pADFM4oSmBPupIpmWqm7CVzH2umkntgOEqIKDzkPvR8XCeOHiHT6faaioy/vh4qHjNmCqMHtfFF1bo3flVeOWBlfthmoD15KKFIbxsfzWXFzc1kIZtk8txUZUf+gNiyeKLDh2Cqzxjia1iJ1FAZEqjQduWv5Dv7GnoXGBMffsYAAdHAn5xAZfyuRtBZ3N91ojjO2ShBi9+9ODRpLHxMiTmc1utYyxfXwt039nWXICbRl2OapjLSxOgYjq4rZwpRJkvi1QIw7Irx9hXAVEIGiP01DoscrKZZzXXnBaKnqNNp4/G4ERbC9QdfA4tKRfjU8bqJjjZEW/TADFh3Hof8w2D4d3iReb/G8kponqySZQHjY4ZRHHD51IqKIPOxHw3nzUu3X22JxbTlvB1AWkSsjFTEm2qxV+ZFMrRzW9v+nvi0lmypZJq7dGT839yhymuOItT7f+BjErSiqOR+O3ZqXpuq/UAoEEzM8daVTAYy7kDIoT6L8Gg1hT9ON9I9D9CQwJPJ1+kCp/UTwSEnXspo9xrHa/3TJyFpmTzzgFnwK14uO9XEDhV6M8mhsyAG6ZnLYuBTbwpt3/UsGnMaRFn78IM1GoKWe27naoQMx/Wg7ck8G8HivV17olRHSESwnveklRvOUetGfLlC0Ibj3mST6UzFamTh9M/lBD0xD+fY5AuEKD5g5Askt5yAUYNZ29mHf78I0vyVvzg+TlXOJcFGrrcc/WmDisNioyDZVp43CP', 40: '1ZhsTBMED2s+u5cwhcGkliDhSztMY4QNqeBkeD2yu0NiweLl26GKKgDews6Zz2xVHoXu96H821FAULe0/cTGB1Yqieh2KoL4rW+NMF+/QvC4plrwEdG5bOHd+x77F3ZN0fKfP7nvPg/lQ8Gd7pObbQX6tf8W/fd8SFwpcHnTIZRgDQfZv0S/vDVEeYlXhY6MrSM1z43YulwKCgGxGqX8eMHf5djQDJ6TBJP7VpKnGwS9FkoaeBNc9fHQ13fQw2AMYKxtv+DXgwkI1OV6iYzQiBa6U7krtu19UrJ6usVqZ7POovvJQM5UrJ2LJ2z7wFebOc1gh5fYFlAGfYuooIGkbvD8DmgIoWLXZjq96Y0QWizr2kpySTegUk4R2N7vEncp1huyKO8GiNcGmd5ZpsmbkjIg5FBOng8EsZjgwy5DLn1CZD31F6BSxfuo62k1aOHZFhL0hqU3f0FAF4vy3/BcgfHjkizL5OCua0xbFH4iiS+zerKePwr8X2qflJYJOVUQRAB7bF2QGF1/9c7NvFELyIeAfLL79HdiCPsohTgEUCHOoS3dP1GJiZApJJOzj/HPb2dRiVBWW9db2QfacJMpJgDH5i7Va6jVQNkvajBQ2HUoTvfQq5Ac7ib49iH6SwwDSnWs5MtDOti25ZcKa2XXgiM2mQe+k8SFfj0Cz0xgL2j5thRvJGXeS1IYUXnnXcN0yeFMZywbxt2N0q982wVrBGv8eC5oC5fqfLSyVJCmvPlVR2z/qie8RBCPpiIUzwAX/htqAciZDv8tDE7kb3czNeVjTjqG4RwZbsZ6oJYwH7NoywHxDpKfqY2qcmBY+OF6SvHacJB7HG3ZK1MqMOOQL/XHuc5np0fBmezHIgUVM4L0IT5zPZ5mCUP6oj/vyH/K9smbhlZ44zoeSG5QZQj8ZxSFQN2LBV8CQK6Z1zOCizPCDIQl2ym3f6McMrCIyKsztnkPRBG7IUNELaFRY6sXivDGVQZoibScy6GX809inJogu0k7m0UoICHRwcrHXaP97mpphwYTEaQQQpIJhoeEGNgPUM91o0zSOjjGTPqQBo5jphDT/P9qK6j86BGaqXxr6ZDrAFQOFrlyB+IOEQmAB9mGabVZ1ANc55tRhMMaTumyzdvJcAiiV+KvM9IOOl0VLDyvjBiHPu16MVt8x8mTi+iwBsyI6XsSt3jFm46XIkSrPEGcadm/GzQP8YjCWtDgupwMLJVKMbEcIM9cKsOZL/J6dIuzKOtTcY5EmOymg38AQrJNyOlu+c9yQeV8nIISvgwvWc+dRjduLQTzZvoZM2i90Dnfu5OE0aVwyJq+Teuyvj2UPJkqt8JQo4mKBLKmoWOk70SsWZQaI23+ZsSjXasvKDV27JaqPhVyrClcPcTwHI3b2Ct7n4Zu1l+KyKndxJNCj8a5HDBOWd2NuyL/+EcrrCqqx1iPyElhEWVBs5A0QZlSNSLMwbOuL/S9v/6uRXhutuQbeFzm52s0PUDJ1zYXDYea0Is+i9TZheSanrhHMLLZz98dRFhnub8w7Apv76OF/juYONeU3Xrh3F+kfJqSBWo771jwc6XykDlSS169jnJkPh6e3h+sawtAXo6sUXdVQEdEJULxWDdUCsUN6nLn7bWA7FRX0IKu1T0PCpx84JpSdoMn3oa09nQaFFTS0S+Ay/5R5EwBRfvqX0K1258m2bwPMZR1HUM9xZOu+', 41: 'cmSMbHTVKbFzQ1M3luQYY7B74byV/99JWPleTZP5FkhYWctFq6KuPzV5Ap1BkIcrY9vcpeVbAZ6bevNfeP2GBoh/5aC9mdA+KVsBE9V+HOTFGbC/E1XnkM+BhBcO9wDp9TrBfQelOsTogRFiGOeaQZ92Hd3HM37SJd7ZB3Q33pDb7MuqUXDSR6LDBBkZzxL4TdeyBQZ+WGf1n45DM+RUZqPpVEzlKX0unzSwrVpobakSIMc9tQ6FEM1kVhpbuOnS4SA+2S8qhrauxBFl/OpAPRg4FNXO+rXynCjDKuFQ9hGQAZ2eAibdXbgC6vqKNfuya3KDQ2uPLd9//NqQIzBAt9u8ojG2ECICWHR83elgM3jzOVPl+3I291umXPD/MohHHfeo5VbTeOXfdWkT9MFjvmbQVKpMar32PNVd0yEYRShewPjlVKTPC8yWkJAH586bssTzOAdgV9nEMBAs8/vkOjYAGo9qRERNVPQSHH1Kw+yPkXv4iZAJkLg+Lq7pc0LMtGRhdQReRRMJ2kIVco5mUOv0BPmRCKvxlxI0B9LvXrCeMG5bgXH9T0tVo43YMr6IPzHl6eXAZn0Ba37/Lb6k+onEDEf4FLu8o9ok2wBp6Jj4uIpaedn1NVP0FpkidxyOMvC6AM8Dnwr2h7KsAvY4hzEXYi6p+C8JzIPQdGpbuo17koN5beZ1M4hGvkBGhABnhi20IQjmoJnYx4BHGCMcznjldyPAq2XKtuJ/U9VA9eJB0oD2cGPPfsT58Mk8cavLKFCLVQSaDMXj5ht66FxgjkF7NZz8ZQ66tgEuM905GJz+j8xbzJ8Luoeygm4y7G4KQF4xllLIGGio8VsG/KzN46AGdu4J/Z/IsWdU+DgB+Sb2xpt8Fhk9tvb9q4ZQSEDFpCkwSZfOpKQ05NY2yQ4K3WmxAoIZHNIsBk2TV3xh13B4AVxpJ6ps63fhzEsw69M9CI2bmWe7CZ4UAnLBpkmbbo3hAKRcWt8dNx7/n6OlOsaLUqd2kU7P0+0PqBV3rir3j/2XnWYtL4kqhfOiy2XcHL6FecKCS7XPERIaGJKfEbrAIZ+MUlUfPdRHRYIf3GOcrO4d9nbMz816oIZR3FgGFH4ZcmY73gEw6oTqnkt3k1HO/d5KZeBucs9usK2W+66Gul5N3ZcfZ6EEkW6r65ToxcHXgSmnSgfZ9uXj/1N5nYFAO1syK/9K8slVBiXvT7OEjyFQfDi6TzcGDK6UnNLE8LBGHWE73YkGO+l0ZiutWD80pOHK3wktZe1RQIwyGGJ+hiuSqBjba0H2ujSVHhz0JGkmUV3fPsk/I37+gGQ1GcZpoUF5Uv9BRtLhaPSk2u5BF3tyztX1QylP+D7dfTHurOTW6HW5TtsepeT6og8XRC/RKdjUaxPNFmRcojTWX/PLsaMRzya/VBolFl0qC50pBL2XyI4jiO0Qfh3oxm8zM5OI60HDokRpTLvHN7OoPUKGvge6KOETxaS6X5Un1oAkn3+HsQLmRIKokFF4eghynOFyKeKcbEIOGINiWVErJfRmmGAdGefw4yC704HBQMqclVt7Cv8sopyHjI7tdGvRG2J54xFMVFVZpSji/PzRwGP3DxpPD91/loiIMTWPHDIeV3H/S3gfFl8onKNG69fCK/Zh5BSLvBuWwRuBhVRSYXeWbGlMZXuA965KVmDGvKntiTpZHjX3n+Nr7kGftJTNM', 42: 'S5odpFp7mVhmSkcP/QYfL93MKc1zRAu9Lfw1C5igdZL98uzX/nB24v3pPDvTR3Yd/evsHvZYkpBGdZSH1dkYmz8vK6swGhE2/tNQfZU6FrnhH5LldczZYJ6jm6Wfgb5RPhEsVrXGg5qwo1gTfH+g9hLT8y5dLuLjESIWgxZ4CPSevZlZ7UK1OwPylOnDRR3aQXLe1XIgPPZE1tCDrkATVQ6uMSJXopeTUlAOuBaoXYq+zmJkXXwwK3cl0aA8EKj43KxLkBuaFsRXoF2/UMqZfCiZm9UoW/0FnII9lI17xlHHHD0czuIogX1e9giM0FYy+fo6fsheYXU/0qDA0Yg1DCDs0qot6CHyrVp2YRV7VwERk5hjkbJZnPx1GNUGExCV+ZmYTVItTSHk1bSXOwleByufi0X36Ip21zoUnvZ4R6WLwgXcWPrnxYtE5cokqvgjrQ8FvsmsLbwOjo7II1taRQrN/BKRS3zd8u1t/dtJIA5cPQ3iPU4sEP5WjD42Dc1dZtbMsELetGBD4jrgiGTBAYw/viCpX/oO40XbaLDDcyfeuhgefaTlLnEsUjDuEh6u/+AeWE1Gu6aGqH6nHOAoONsYFHABmKSFmrwK/hiQbQw/UokHCxwigbFibudwjStChuloZoLddPaoN8MG5tRX2a7CzVR7KXk/j9gFsWCEvWUaMEVl5odg7nxleN7uC1ZC0ovHLuSWHS3bieV/aV0Y97rHRzVUQyvMdWAEjMg0lzUoW/PwF+2hr7TgSN98ef5gl30zsYtyuYc+V+y0ProGMVBwKSsuiOt0zWCjUcQsiTcr0nlp/SBfZZNNHmo+FkrRCeEpFrCsr/Ya4g5WB59Giz4lUai8NOpp1jRRzDYBnaRQcmN2bRLA2TlWbcwY3LucX0x41OdpjKQPLnu/0Hhghbk3kwZoRPnuifpuHpwxXK/9ytOIGRZiP/N4x4NnIpOkaTXBhpl1ibuHU+fF/HBKW0BRXqq95kD9oGLGEd5jt3n5okjEmIecXXEROOwm2vaw8A8mYyMFGormwyWQTcFgaw3xkL37UlsapPTLvGs8qoZntw+h4zpuBgR2z+7GI8MrWCwDdZhgHdvbcM68QPGNBYfKJVQ/WVMEoVCGVKMqgm/qTOf4q97b9+U5TNUJcUn3VW5n+odpWzoh+Xsg3ELA32YeWQ8rxArzdfmAzaUxL1Xijau36ftVHxAohXxYdQ2C1BzGlXL7UDKMkriL3IxSruHvqsM6NuRsmH3sxCPNy4byQy61+VjIjbnLgHvmUodtlq9h091aHFaORkWBaijguA7RWHzfU8BnROOHrLLmR3+T9XY+TvYDvUzt67eP4yXo2b6DVcwurppCdrHUEG51Ppcry+XkE7rMj/bS0tjTSrcKRkg3pmRk/o5WdLjA7TR++vVe640a5aG0NiBnLjLLaYH3qfgFj8sNxAMndzV6DqjmSt3UuUPrXRTXlW8otVY89gv+nCwhuEQYG6pC9G1Z7unQa1WCg/AUIBXqmMFC6Y5pYj97WHk2euqbxlnvuliuEsK4/p+ULdn5sKAg9d6C0UIx01/EHlWk7hxQ9VCZlQUjbduRMUKM3rIrgNZIQAOwVscFvA2a/P/8sjr702KcAwrnoep2d3/NbmvfXo+DmXQApwqKcVkHLxrUeCiKNxcWwlINYOIJHBfA7lkisWK2iB9IbE6wPXo/bh1rFXG92', 43: 'qlic4QxQP1V3A/bl1oY9xdnoDrmH3iRgT5K1wSFHxPN+Yl6gKYY5KXz6qeWbzmgSwgIftqqX+di/h5UbLeipPUtZkmqugN8zgfvzMx8o0eOA//mkB8ALmRXF9y3agVYC3YRqodHu25AkghNY1g3P3xhdTmZjKwV0X1rLpKzwigOQ5cyFxzQf7WDOkAoT1+L2J8M9dQzRs4E3LIpGQj5cSm+mCYCw6LIO8W5opHLj/nMvNA2Zt+kgH+bjDaXuv+BrXqAB1n3KLXlvclb71kb4W7Q+4m+zzvetDjFOBKez/JHf4sHduCsFEUSBMW5eyAVJ01H7TdV7uQIJ/PJNcx+TJx5eLtXLN3egbKcXXBXfWxQf/vW5UJvYulGtuwMz7OGYrQQh7zdEhv+/S1c+zgYCFSsyDK4q4JT7yz2kzgoymXw2z+/R9yNAVGI85YZ7XGMIN7Hsz0IeoS/m8slY+1yAZftRnJzN21+eNv4QcHBVePYH/KZA9aAME63W4ovEssGzLKWS5pI8p0KGQhtZDC5Th8epf7e4bywUuLFIzJNyeNRD3tGeanbn4QlzVmQlaEklEiSGjdB9Oi2smwB5N5LFMj/VUZi6KNJWKy9GjkoO2GY/s1EaTT+mskQUVQUAVB3nfHRabPckIvshwZ/ammEI4UnxjzmoY65tzAaKz5iANMWFGddUtvkJ3uYg1bFWNcsaqPPoxr7+drhJnpr6TfhP7WMQOtKPUqWKeUAy506xfexnmfkdUVaacXfBRkDeQ9+gdMfRQ3GqX4UD4FNQgxPgKfHE42AG2WoeP06brGttkUv0/UxYcDXTKxDUJ+M6hXZNVdyNvqm3zPat+eb+oBQz8EvGm6ZAbSNNzfNdbiOEWNkaLpklIwBt81VguNqLTaArv+DOQOANPEPojA3B5gDx/fUkOmvY9d25EQBXIINKyJQqggxV48cPwx2qCzAHpUTKmRN2wjnWE9GOOcEL3yCZtZsWExlfQnnQqOT04O+E0vhhn4YcjEpBCieXGQrqm1nXx4i02dtr4yevVOBAgHZHMF1uIZAnNHJG6bxtBmGds8vHQlY+BNRHjqklxChjQeH0ZA7PXkcK/OIeK6sb9zcOSF5YjLusBjSrmS8K+/iu/cVq7C4SzAEPhsqH1UiMYNSmpOibd65W7YGCmFU3hegfN6TJ36zu5gikskuyzls2qj0YLCpFpDhbtYoUT+OQPyGUifHF+kFt3fprOUULOZGwgXDSMtjbFb00iHXO+sfyQY6pGjr6B+Hd8zio+asNylt7U/2Pirn57EyK+t0YqOX6GL5cz9N/k6H+SFKF1NFR64zT+lrAQPiVlIgfTidi3PkjdwkTFXQZuDzra+1rlygv3VSuyW9IRPbWrWWxBo/TD2MCDgbeT1A7REqLdS2zIla9/dQ6BCL2eja2EQvbvyD3d/4kTqi8ER2cN+ckTsUZbeQOp65XhHZ3V+qG0/I8kNiINcsoHsg4HbcO13NSfmyJSS765rtK00ABCFd8D5WmN9x8f0XrJHL5VHZqfBaaq11ADnITRst5eHU/yKnnVPt8iY9SFB85/UtKCejlfohlCzvhfarU/9bH5fRXTO6A10RDdTPaR9iw3JbfP4LwdjwNJA7/NWa61wi3H8/J14KbWzs56fn/RnMSfj+ynwjfp2KW86/04g+bRzezUdfvFVIQfkof7iiKdsrRAkHODjSSl', 44: '0aGubiMSm4NwvVSy/h654kI2IrI/ZeODxzEUYYWk+0s3al3IY0UFwrWcH39uAbqzeDr//L1LCbylnszVcKbfEseBXLXDGLNH+bCZz8O7TgqcfRNPCVFbCFZDSQ2uR41+WpoBHJ6pi8aQ4qbO66eVbWF4E0vu94x3tTPm27+ZaQCbVPy899nPGx1EQkP6DJf6x3vlSRxcywQhyI4G5+wcKEoAYBNf7aAvCkd/z5lvTM39jyuiIgyiO3H1RCZFxzo1sZmgD77ZYrWXNHIGsAKtTpsFIUnEBOS0ATzmpFWTNscS5YQ78TARhKiI6yot8tE/hbrT836nb0noqD5OcSVdzUvAqf6YjNO4FwFt2Ad8g9NLbb6wV7RO/pwHeQ6n/+uAXQpL+7g0jFBUrZWNygNzzyMewOF3LME6BB3KlNI7sfelFdLFPYdCs8czzgEg49YPPghTT30R889NPQjuvMKqyUM3MJo7YSKqdKGCaf17PhUNfOmjqeO2HnWaHggfJhVO0l4qxeoyGbYSn21ZJPMDqBQ5ulU0i1Ez7RN8H/jzhGsrsj1ZzCpMCOc+XG/Cm4X7e/s2fll3W7pSgWBHCb//9V5+HHriLLTcAiKxZrMT80zj5zkVWgsFNctL+691QmFc0effGejTZ4XXN70YQxUARi2uQmgucAny19XoxZrsOdo+A185a0F17uOjwFmaEObbK4xwB01t4NqrzxViFLQxTVbHFo/0HIzt/qUdRDJ6PHFB/STz7pNxdm1vBGYrqiL6g2r8VhLOajhfsP6g/ZX6BZAMVXFbBigiVqQTWQk42yzEA4tTq3XnzUNTMAN5GVRuVLXDOknb9NEQCDG4jWKrZ3ug40CteiLWTJdd63k/qgKUZmeudy227CmN1rzgvLCadJ3gnrzqils+rZyY/L2kJqYHIZ6VBJJA0UCYgs7+U2WijCoemiwu9kiluAixLKb47XgqVWPAZuHdeSENlwry+huxo6aJvoNszEB9r1obZKzoSIxuDEn9oP8GjmxPFlG+38+hW2dDGFh7yuVIPY4biKN9ylDKfDvWVTkRkmgLqE5mvbrWBo1yl/lgZ7VwHTrxhODUl7kDiyGGzHdzLMAhRqV4EC6U7/VClrodtjzZAu51CHyRnD3L66mvvwNLG+PoMx8K6UMNs+yY188MNiJmXqYSyVv9Wwu8FIYtNFBJ5hzwEsCIhVJGsQTNhXshILyh+tGNj2IpYLynl8DaKnP7kuv+0TODRxhLT/w2VLDssowLaz2ZzlOLcmAbhMmMYCfm0ZVHamtR3Yq51bmTha/Rd7YA75KBTjYmfcn2fzE0WFW9bv7RsKA8denrS84HOeO4DSkNo6KzgXVhS2tirLRBoaNcrHEWwb96ohj1qN7iByw1sl7JPie0g1vMNmz65CnNb8Q81LdwA+Ek3GbuVL9SNIpVjjyTqP1UA9WX0n+FgbsXFjPpX0avvxoQBguFt+daDM79yNUavJWJ2g8Sl+E/sCDGMcHUXeCsYJYXI+7ygriONf+wP8vrU6K4Jui8eJtGGRBzNKqi2ZnE3Q10h02WkE4jpGcY57pAJCDt/8PBi/+qMXnzIdzjpgIFYjlXziE+0EWWMPN72N/xExH3IM25mdCMdtU88Zcu70OALU4T8RFnnn+zqec0TCGpzkk75vY7aaF/Lp2tbhxrQmNn8ye4kufJv1Xdz2ZGwOhWCDDnC', 45: 'LKNonYLFqjtdN/FuTNf+AnY/W4MM4Hm2hlAPTtrle4gFcz/Mk4Jqm1McASaSHaefK7Mat5yRdgUyw6P18daxP4rTZgy8Fj/yPjeTytbj4JKoODWIof9bg/5T2ZB9leXBLxO7H7ROFQMW7OQHNPhMUk98XRyX1agPicxBFR7qVK24szS6hDkJ3YSVmKT8dvzC0odHxCZ0gBlITw+r4iQvY6wt+aF++aOORckq1ET/7a3X366PDKVrh9XfftNlPy2r7KBDeyAzQL5LDRNRwKt35cKJ0VpLRq9IsKYhKtRo8PrPKm1Q5oHouNUMy8imb/mp8zYqaw82QcYO79fxho8JjZmHso6Pxm6aWQlc8R7lwz2/jvadRa5/egJ15OhNkb+q/0CGNfifrLtUzm5+z9hXeWP5v/zsZKB36LdlkB5PJpZ5zWuPCw0cK2vJBfDfeKtWdQ+my4kTY/8ZBL1Z18YMzdmAUhVjtt1uQfP0j3TumTp0EpItDjeLbj2YqBewUjU05i40BKnDMs10a1rxEkxlNlOcWlQF9ItfQ3mHuj7dTllkE8xHj0pTYGT4Le376cV2dOt7iG/bKtmz7mbpgpxHdVMwHcA15kjvuwt8H+hQewBo8bmTvBovf9JloKkpBqIEuIgNV3hdo6oZQi4+Q0pITRBPPnl9XeCs+GL6psyY19wSq5LCE+y+Wsgw9U44/icAZUo9Nownmg8DzJICYay/XZkSzmB93+g3aU9pjBut2Sl32v2An2GkCo7zyW+c5wmnymWGa+kueB7dzFjoONQDoVJlQ8Tl5tJXN03z5qhReoKSS9atv+dykSg0bfTmdRJXTIVD4+fB43p1NzmTOHhHiACsZ3rT8spRTxm2YLLUyZqckLlR5dsRdEsLBZXMHfaf31VYfUpXjjrN0SBMOonyF5wJRXixFt6yoDBuEG6aPumgUEW8OLIDI6VyNyCK3cHcfRc2Z+uWcfQoUFLk2jK4TrIBePLT8McCE8LPdQoG9m931gW39JAf5R42wMn51JUvgaxJv58+9giUl8Y3SmVeP1DGgWIH/iSL7vmLT3qJJifOmBJNPgAx2EINeoO/l6oVMMLMXH3EFreArIBITJMWM/giCKkP3vP/CmQD/Nc4uQjALiOG3wsXdsTtwcf8antNQiooc6snN4muVBpqSb3e+ISnhXTnzoM3aHamBP80TZgXB60eG41cvDOrz9yfbcE/RjBzvd9HcUINlUP9g+yEwy9AK1X1U14+CDotpoRITFbl5rkhkzUgDcMQ2tMDdK/vjouPomSpw58aPz+UTJjdTRxoHLj+bx6WJL5Cco36AmKe8FEnszRL/Vevva5ovW7dbWktK1kjf11AJg8zk06l9FlZIZZVb9wK+Q2+EbtwiOxdoKyrWSyA6dkOADJEZyhLC/b43Vb+3VLp3FpdrIdobC1GRKrQHAInLW9Jk31lXeGNskaboVu21JUeEgGvBrpqZESwR4RGvYLZ+y4pMEXuzsvVRceBkt0nbIqSsFBNMMbSPWMezY+jo9tHaXX+nuAcXt/jOE1jVBT3fri6i7lA4GXa4X1styx69y/upchR7WhmakqXY/Tk5J0ZyA7s72P+hOScaq4oS6a5R2QdYT2WpWr/sDwBJdM5VzFCg69AREfUh5+Ut2OjtUKcQVQ4EXpA0j6t+LLOnGSQSiKi5B3pvgrQTGU+7TtZDGeFd9+zo', 46: '6twYD5LDeq7bTib8gbrL6emaGPd9IO2ZP7DHeuhW5zKZn2DVIh/UQGPE6dYEyF4mDIzIjplEoBgQYoFy/Krx1gdlnwKAwUVssJc+oheIzOn8jVF660UAmEdB3kSvzxvn/NW9CNYuZ2LNTQj8IVzfgfmWRN3mZdAukz1LONbi1eYcM/DxyOouA46x21KuWCsVy+I6YVA49zKDS0aFzrcoNV2ZRH8NuhAIY1azJMi2F2FfdYTReyMnaEH5TM1+bmxPrTTu4S64jCx9JDiJ0x//A7chPfedF9IfCQq26H3w9v66t7n724++H6JE+z/qmvGMtIekwimgU8hRw15q0wsSpb+Tg26TEkeEuRwDJtNgpTW1bUKNHDbhwZreZ3YNTQoa7RGREkzlhS4cy6E00Y9ZzhyTse+fG6AJ9hKkx4HMShlFmDL/xlURxh8zbXRgXJhMKYJg3omMpUeecKbpTj8LevApqeiUxpueXI4dps4CmWvOss2KL7xOd/Vi5rz0O5Pj5ddK1HAavYHNPIktiFhy+bQF5oe6lWxNV7qoRgodMiU+ZkKE2dGX0Gw1Ob/gBhSETr0uMMcLNPfaqWn3PcETn3/JapsS7KLQVYGB8gQV/rKA4PdbA4CMc/Uqnp6PwrYAYJIyIU1NeBFpuk41RWGZ1VoUvX+CbGNL304/Ym+H526KVtKpvbQErFRiOkHyoWH588kHekWcR3CIGpw3PSjytkroe48nhcLxoSQTNLr2OdR77qVDDg2GsTB3sbxJ9uNjYPFIChSgb6hdpZRPNvvDJmohBcY3e9uX7z28nUv/9th/evjNcxa/SwY3WvYudBjiO2D0/3Y89dIugQdq4qSLX+KNBOwpr3bogHWHzPH2e6/mOw/3o+z776mU9hVNgrIEtmK7bVYbGMkbk0rmJe+Deo/NIZBnr/AGjNoOtu9aMnn0htq9d9N8jlyHT+nDz163QnufdEWClPQvKQdV+Rx1BagRqsJd28J6QjQw3DYM5xSHb3RL00eeP46l4bDzLb08rZtC/GDnJgwm/fSXwSJkGelwiqPbybd3/BYMfrUx95Agxg+7fzkbqZGOqJyVuTGd3zyaY7VhEBf5JFqOHEeBvQ5MlYbg/c4lvNjZyEgMzm9U3PGDaSb5Ub7r8IpnVY9bvLJro9byrct6bhN3+ijvmrud75KnXmlx4QwrnaI/77/TkYooQkqKDJbhMFOMnJ3Re9Z2+T1JttFpOEFM5RZBwHu5EFEkwp+bWFmhwNqBWgxxsGcxK3Wj8Hg/arg1k/gvRew9f03h4H+rbP1XpJMPhtZdKky+UnM7cMzRZsz2EBWmLKjIV/53QF085bCSNDJ/D3mzRCGTUb+vOYERHcgnZ9WnwLJ1Yn0h9f4RNCGq4zti6ipDuq2otqrPkFohABE+Mi5G7jXFoOSIbYu8gSybHmM54Njbt64daC0MnWed3DKW37SH2PVD6YhfSNAt0OKczS55oxEyC7Wr3yGAlPASg2xZSelFUjnk28lLRnsEF2G/6VCcLu9T4e6lfS5uj+KLF95rrtTFG6jjNj9WL+TvTlcQGjeAL8ItYSd8+ZF348WFAzErhXOD6NAm++/0fJZnlbDI1kEk0nmRCwAhV58VbenW6wgcMkodO2MVM4gpVYs/1kbPG8FZGjHFbtFrIXZIOQUErsjSMSp+2kNMfff59IWzUTdzwR9Fsj6WQXS7l', 47: '08NR2vpOTnQ7MQkmmoH6AH6w4ozuYm9gw0Pw4J+629DbBwUqpIfbz+iKWA5uGyawDZVqBNo5WiZXKEvF6bDyE8pNfuFXKu/x9QgQSXNpka4BXA7HVs2wLhpD9524PE+GeDxaziL25eJWTk8S5/7E9peJSNyGoKodmnY7WAkE5Zr41mhJXInIFd2uc1/bkzxLGGhjgKlzH+2xmyHMV4BTmqzjhbmmKpm1GSnlmSP9UjmGeOuGbwhbd+B/x9UMQ+gY2uRh+1QasXTodqFF7K499WcsBGN80ioP7gI+KCejV8ahubAUp/pvlP/i3vPzBMg38UfCInCgcp7/P+iJQTSwcLTlRLGoSd4eRVgvVAwrEqKMgMS4lFK3hzWLEaLFi/dJkUJvYlzWbb1x7V1W0gbLEGZb/Lrc924kVGooWpsbb8/ABX7rFm0QVBWpvpRJsLe5lrzPx6Cu9qr5nTPLO/2X2vDGg16wo0I3P8wH4N/H+cTEjBJ/CD0MWIt1yINwwWPYt8Uu+1FFmIOoumhF96NI+SJIoNOr/YsJgIxpPjGbwFq8O7Ji4CaN5pH++gEoITHKdM1UcyJO54bHVqMwxNWzS3D4ccPY9jAhi0xSV/nxmQnWN2wdkGYCnwe0xN45BwvEj9L0CP4qhpO2aUZPStsqnQCT/Fw0HsVnmKlyPqeV+iZbeYMalhVw6Kzw/qc5mZsv52BYi6fibO1PplyfoWkqRCZ929kLWppRy7s0VCDEAeDR4tTPxdSkemL9an5e/vMc15S+B3J8hVBEyWIUk9LHWnwLfZ5KeqHOlnsaQ8P4W23V9Kqv+zc9BeEsxcvS7V91mjKf/Klt3kZiwxSnDbKOg79u9Sh4f6a68epb6HX3z4qHpXoTELe2lU59pshR8pcPWBqJYFq3/+e8qF0gSYjszEP7G6xCGo5oxRX6OK4vR/68LpIctIxstD/q8apM+oAQ4dO0LnXYX+r6BF5pa7Ljw0ZVKzdpTX3z9sWxWe6U+4zxhw91Fi66y2MfZ8CvQaM06ycAdxLlBl7P3cWFEhat7mv5ml5PQgKCOk9TF+ii6lrSBx3w9B3afC3jh+sJad18Vpt8H5ZzbqTbDtAZgaYShutFGQFmKZ5crL3yrsuuPUvZVrt1bcvbaCOBy6ESwdAOUtlOU3yUrEpnCWZdNWt6M2ZP4690Yyt4sOBIN+uaazxEWqhOlyuMxp9kPCuLqZeWw9MhDM4o71NrgKxI83Bmbp2T8La09bL3XM3kCTef0GkjsRTjrOBgXafl6TzpTDgwwkVNKqoBO1xkeasLl8UM/YtjsG2Rm3/95++g44zR4buH8a4kcYA2rZdWm0/v6CPDCCbJDk8oUavBkZb41arWIaeZUxikeBSUNQBOgBfcgOhMv960nCitRVMp/27O2Gj6tx6NETj1v/ue8OgMVIpqMmEKpcxdTFph5riZ802p27kMjndAdyIW0wNhFQbkElgTNozG2GojatkR23Iyuxa6QGWKhmSs4zzl7c/Em/ZAIY9j10ie72Wnh/wzne/RQ4Jy3hVa3/wC14RFCW9MxHLB8/AEqfRyuBOTBIeyaqMZFJpn9rKm0lKQkiTYVpQi6hzWJ6oWeGlyKkbSBhYRs8QdwwZ39TzpdjCsEcYmq/dK0GafzDXm2EqpO//Uf1HfhjQ4DxkXcDA5kjzFlgjUTsuKgg4znPfBwV3o78f7hlDE0', 48: 'PsA+6WzDhpOQzInDh2PVkUMo+W3NOzdwy2HOBKAw04uCE0rUHZKlTovziOX2xzB1X3szYHnJQCLrsNIHJKpSo0fa0UGXS3b9RApoKsTFYu4OcPDJWFuZ6ujmZ3CH4IQoz6wadhXgQ0tLEvCVoaQnNRKLwnDR7LA/CRXvDwlBMZKwmIGgaNZy0QCv5iwU8f9MOQyML0XsiO+WsJ1dRbxN5X8E1QA4/AhG/SrcaUCeHtFrC2i7WpRRibE5WsEpzVzbGjLjH02/QmIkr7HP7X6aMk2h6qssYj8nrJSpfMN9BdO8wyBorDVBCA5YkYbiASYrQex6dp313liHNi8oZMrovdciBExLVzD5se2kjPC1LGCc8YF2ABmMwUlHKWpSzARqZZ2Ut3b2BJ78VVbzjJfsFH7PcHZ8gBRV8HyhV4PZIPaO9gvcPHhBcXNOnsHZxTeIa0VNKjL11tlGE/5vC1thj6dE5WT7E6xbY2kcpfCLr7mhdO2ytpGp23G3soI42UnEbR6beQJH1dgZ/cQuCEFSUBk75Bl4aje+vUs61C8j5FvnNGXY8BuX3p6eW/m9nIKwbxlPLJEBxFQ3VjuPKePkfg0qktS97xfxc8Nz5/ZF2Oru9nCksCCFFyFP34gBtvtzDIWxmSJqgDS2tC2qNML2CeYvUf3wOIDs2OoBNjKw9rF2+q0497lEX0XXtuBbjnwVLvNYpAPn8h3xrvUJVcY9n69McON8WYwFrUaIAsUeFClLaQW4pTkDGURlittjlCcdFCSEizV04rqovqb1Ib+Mr0ZvaXW41rrdesKiuqlGKqOzcHEJbpmZglwyODvb/h5LyRb9XFW/v3LpmcvXcIg+d08xJZyoqI2e3xVRoT9Z+jkpXrWlM6s6jQ4RccVaJyWQ3A9T7SzAQmH+tWJkPcttCzY+/lnz1ooTqmozQ/3jdr3VugRMF465UGObCvTOynmuv7nXNF7Awu3Id0xgTcvbez0cewVfi3ydwRTgFvh+DWc2ExKNpbzy/O0GI+uky1mgUtOm6ze/Uoaid+iiMCHCLzKUslCGI81NfqOvexmAGsL1VcaRllV1TdmR+9X+QarSxyTH6jSol3l+l7bYjgjPZqYrkEAhHUpOePBu6GoJ4P1XzdywJbmBeS/kKcLcCtM+KUT+eucuAudrSqvFtjW0XGlqll+pkHHrn2vprIXU3Z17OPP2W3k0XA4pSD7JmwzXKWAewxJ7/gnNlyECNzXYFtgLpwhhN8F96garZrqZS9oG4svFEi8+LVj8t4vhs20xg9aZ5RWp2QMZSpABtP+vHoaaqj/u9gi7JbOOUNluMD4o/OmuNYSZIvMynLPg4vI2SyUtlck1BJ+4BKloQfL6mn2fjX+JY4VbYvtPSiwY38o3j+l22podZUNtgqaxzHhMBTYS7ErfQvlYA0nbZTJHuMTWFwUarG5on4mqdtecmtgXoSgB9+EkymFl5cGLS76TKNU6xHcPOVD0kFPoxK8tHQqqBxTCznG313a7lXr15ghp0l3GQf2Twtr0NUHRyCpiToiJDZS9og3/CkWrWrdH/bLNdqurhz2XStDLSIdhKGXAOBPV7/+zdezeJXTkLIUH/U0QAgJKP7pwiyw5+Nl0RIfa8PTaPdaBiHQHv/Trn+jK1+h2eSqDa3r5UfgWOpASNew3iCenzwUm4pY+bMBWu29k7F4bagRkH9R0xBs4Y'}
"""Even Fibonacci numbers Each new term in the Fibonacci sequence is generated by adding the previous two terms. By starting with 1 and 2, the first 10 terms will be: 1, 2, 3, 5, 8, 13, 21, 34, 55, 89, ... By considering the terms in the Fibonacci sequence whose values do not exceed four million, find the sum of the even-valued terms. """ def sum_even_fibonaccis(limit): """Find the sum of all even terms in the Fibonacci sequence whose values do not exceed the provided limit. """ # Fibonacci seed values are 0 and 1. previous, current, even_fibonacci_sum = 0, 1, 0 while previous + current <= limit: # This is a memoized calculation; a matrix calculation would be faster. previous, current = current, previous + current # Check if the current term in the sequence is even. if current % 2 == 0: even_fibonacci_sum += current return even_fibonacci_sum
"""Even Fibonacci numbers Each new term in the Fibonacci sequence is generated by adding the previous two terms. By starting with 1 and 2, the first 10 terms will be: 1, 2, 3, 5, 8, 13, 21, 34, 55, 89, ... By considering the terms in the Fibonacci sequence whose values do not exceed four million, find the sum of the even-valued terms. """ def sum_even_fibonaccis(limit): """Find the sum of all even terms in the Fibonacci sequence whose values do not exceed the provided limit. """ (previous, current, even_fibonacci_sum) = (0, 1, 0) while previous + current <= limit: (previous, current) = (current, previous + current) if current % 2 == 0: even_fibonacci_sum += current return even_fibonacci_sum
class StringUtils(object): @staticmethod def get_first_row_which_starts_with(text, starts_with): rows = str(text).split("\n") for row in rows: str_row = str(row) if str_row.startswith(starts_with): return str_row @staticmethod def get_value_after_colon(text): text = str(text) if text is None: return None colon_index = text.find(':') if colon_index > -1: return text[colon_index+1:].strip()
class Stringutils(object): @staticmethod def get_first_row_which_starts_with(text, starts_with): rows = str(text).split('\n') for row in rows: str_row = str(row) if str_row.startswith(starts_with): return str_row @staticmethod def get_value_after_colon(text): text = str(text) if text is None: return None colon_index = text.find(':') if colon_index > -1: return text[colon_index + 1:].strip()
#!/usr/bin/env python # -*- coding: utf-8 -*- class PinValidationError(Exception): pass class PinChangingError(Exception): pass class AccountWithoutBalanceError(Exception): pass class Account: def __init__(self, id: str, pin: str, balance: float): self.__id = id self.__pin = pin self.__balance = balance def id(self) -> str: return self.__id def verify_pin(self, pin) -> bool: if not isinstance(pin, str): pin = str(pin) if self.__pin != pin: raise PinValidationError('invalid pin') return True def update_pin(self, pin: str) -> None: if self.__pin == pin: raise PinChangingError('old and new pin are the same') self.__pin = pin def balance(self) -> float: return self.__balance def add_balance(self, amount: float) -> None: self.__balance += amount def sub_balance(self, amount: float) -> None: if self.__balance < amount: raise AccountWithoutBalanceError('insufficient balance') self.__balance -= amount def to_dict(self): return dict(user_id=self.__id, pin=self.__pin, balance=self.__balance) @classmethod def from_dict(cls, raw: dict): return cls(raw['user_id'], raw['pin'], int(raw['balance']))
class Pinvalidationerror(Exception): pass class Pinchangingerror(Exception): pass class Accountwithoutbalanceerror(Exception): pass class Account: def __init__(self, id: str, pin: str, balance: float): self.__id = id self.__pin = pin self.__balance = balance def id(self) -> str: return self.__id def verify_pin(self, pin) -> bool: if not isinstance(pin, str): pin = str(pin) if self.__pin != pin: raise pin_validation_error('invalid pin') return True def update_pin(self, pin: str) -> None: if self.__pin == pin: raise pin_changing_error('old and new pin are the same') self.__pin = pin def balance(self) -> float: return self.__balance def add_balance(self, amount: float) -> None: self.__balance += amount def sub_balance(self, amount: float) -> None: if self.__balance < amount: raise account_without_balance_error('insufficient balance') self.__balance -= amount def to_dict(self): return dict(user_id=self.__id, pin=self.__pin, balance=self.__balance) @classmethod def from_dict(cls, raw: dict): return cls(raw['user_id'], raw['pin'], int(raw['balance']))
model_lib = { 'fasterrcnn_mobilenet_v3_large_320_fpn': { 'model_path': 'fasterrcnn_mobilenet_v3_large_320_fpn-907ea3f9.pth', 'tx2_delay': 0.18, 'cloud_delay': 0.024, 'precision': None, 'service_type': 'object_detection' }, 'fasterrcnn_mobilenet_v3_large_fpn': { 'model_path': 'fasterrcnn_mobilenet_v3_large_fpn-fb6a3cc7.pth', 'tx2_delay': 0.39, 'cloud_delay': 0.026, 'precision': None, 'service_type': 'object_detection' }, 'fasterrcnn_resnet50_fpn': { 'model_path': 'fasterrcnn_resnet50_fpn_coco-258fb6c6.pth', 'tx2_delay': 1.57, 'cloud_delay': 0.058, 'precision': None, 'service_type': 'object_detection' }, 'maskrcnn_resnet50_fpn': { 'model_path': 'maskrcnn_resnet50_fpn_coco-bf2d0c1e.pth', 'tx2_delay': 1.65, 'cloud_delay': 0.064, 'precision': None, 'service_type': 'object_detection' }, 'retinanet_resnet50_fpn': { 'model_path': 'retinanet_resnet50_fpn_coco-eeacb38b.pth', 'tx2_delay': 1.77, 'cloud_delay': 0.063, 'precision': None, 'service_type': 'object_detection' }, } edge_object_detection_model = ( 'fasterrcnn_mobilenet_v3_large_320_fpn', 'fasterrcnn_mobilenet_v3_large_fpn', 'fasterrcnn_resnet50_fpn' ) cloud_object_detection_model = ( 'fasterrcnn_mobilenet_v3_large_320_fpn', 'fasterrcnn_mobilenet_v3_large_fpn', 'fasterrcnn_resnet50_fpn', 'maskrcnn_resnet50_fpn', 'retinanet_resnet50_fpn' )
model_lib = {'fasterrcnn_mobilenet_v3_large_320_fpn': {'model_path': 'fasterrcnn_mobilenet_v3_large_320_fpn-907ea3f9.pth', 'tx2_delay': 0.18, 'cloud_delay': 0.024, 'precision': None, 'service_type': 'object_detection'}, 'fasterrcnn_mobilenet_v3_large_fpn': {'model_path': 'fasterrcnn_mobilenet_v3_large_fpn-fb6a3cc7.pth', 'tx2_delay': 0.39, 'cloud_delay': 0.026, 'precision': None, 'service_type': 'object_detection'}, 'fasterrcnn_resnet50_fpn': {'model_path': 'fasterrcnn_resnet50_fpn_coco-258fb6c6.pth', 'tx2_delay': 1.57, 'cloud_delay': 0.058, 'precision': None, 'service_type': 'object_detection'}, 'maskrcnn_resnet50_fpn': {'model_path': 'maskrcnn_resnet50_fpn_coco-bf2d0c1e.pth', 'tx2_delay': 1.65, 'cloud_delay': 0.064, 'precision': None, 'service_type': 'object_detection'}, 'retinanet_resnet50_fpn': {'model_path': 'retinanet_resnet50_fpn_coco-eeacb38b.pth', 'tx2_delay': 1.77, 'cloud_delay': 0.063, 'precision': None, 'service_type': 'object_detection'}} edge_object_detection_model = ('fasterrcnn_mobilenet_v3_large_320_fpn', 'fasterrcnn_mobilenet_v3_large_fpn', 'fasterrcnn_resnet50_fpn') cloud_object_detection_model = ('fasterrcnn_mobilenet_v3_large_320_fpn', 'fasterrcnn_mobilenet_v3_large_fpn', 'fasterrcnn_resnet50_fpn', 'maskrcnn_resnet50_fpn', 'retinanet_resnet50_fpn')
# # PySNMP MIB module RBN-BIND-MIB (http://snmplabs.com/pysmi) # ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/RBN-BIND-MIB # Produced by pysmi-0.3.4 at Mon Apr 29 20:44:05 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") ConstraintsIntersection, SingleValueConstraint, ValueSizeConstraint, ValueRangeConstraint, ConstraintsUnion = mibBuilder.importSymbols("ASN1-REFINEMENT", "ConstraintsIntersection", "SingleValueConstraint", "ValueSizeConstraint", "ValueRangeConstraint", "ConstraintsUnion") rbnMgmt, = mibBuilder.importSymbols("RBN-SMI", "rbnMgmt") RbnSlot, RbnPort, RbnCircuitHandle = mibBuilder.importSymbols("RBN-TC", "RbnSlot", "RbnPort", "RbnCircuitHandle") SnmpAdminString, = mibBuilder.importSymbols("SNMP-FRAMEWORK-MIB", "SnmpAdminString") NotificationGroup, ObjectGroup, ModuleCompliance = mibBuilder.importSymbols("SNMPv2-CONF", "NotificationGroup", "ObjectGroup", "ModuleCompliance") TimeTicks, Counter64, Gauge32, Counter32, NotificationType, ObjectIdentity, MibScalar, MibTable, MibTableRow, MibTableColumn, Integer32, MibIdentifier, Unsigned32, iso, Bits, IpAddress, ModuleIdentity = mibBuilder.importSymbols("SNMPv2-SMI", "TimeTicks", "Counter64", "Gauge32", "Counter32", "NotificationType", "ObjectIdentity", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "Integer32", "MibIdentifier", "Unsigned32", "iso", "Bits", "IpAddress", "ModuleIdentity") TruthValue, TextualConvention, DisplayString = mibBuilder.importSymbols("SNMPv2-TC", "TruthValue", "TextualConvention", "DisplayString") rbnBindMib = ModuleIdentity((1, 3, 6, 1, 4, 1, 2352, 2, 17)) rbnBindMib.setRevisions(('2003-10-13 17:00', '2003-03-07 17:00', '2002-11-13 00:00', '2002-07-25 17:00', '2002-01-07 17:00',)) if mibBuilder.loadTexts: rbnBindMib.setLastUpdated('200310131700Z') if mibBuilder.loadTexts: rbnBindMib.setOrganization('Redback Networks, Inc.') rbnBindMIBObjects = MibIdentifier((1, 3, 6, 1, 4, 1, 2352, 2, 17, 1)) rbnBindMIBConformance = MibIdentifier((1, 3, 6, 1, 4, 1, 2352, 2, 17, 2)) rbnBindMIBNotifications = MibIdentifier((1, 3, 6, 1, 4, 1, 2352, 2, 17, 3)) class RbnBindType(TextualConvention, Integer32): status = 'current' subtypeSpec = Integer32.subtypeSpec + ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11)) namedValues = NamedValues(("unbound", 1), ("authBind", 2), ("bypassBind", 3), ("interfaceBind", 4), ("subscriberBind", 5), ("l2tptunnelBind", 6), ("sessionBind", 7), ("dot1qBind", 8), ("multiIntfBind", 9), ("multiSubBind", 10), ("multiClipsBind", 11)) rbnBindTable = MibTable((1, 3, 6, 1, 4, 1, 2352, 2, 17, 1, 1), ) if mibBuilder.loadTexts: rbnBindTable.setStatus('current') rbnBindEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2352, 2, 17, 1, 1, 1), ).setIndexNames((0, "RBN-BIND-MIB", "rbnBindCircuit")) if mibBuilder.loadTexts: rbnBindEntry.setStatus('current') rbnBindCircuit = MibTableColumn((1, 3, 6, 1, 4, 1, 2352, 2, 17, 1, 1, 1, 1), RbnCircuitHandle()) if mibBuilder.loadTexts: rbnBindCircuit.setStatus('current') rbnBindType = MibTableColumn((1, 3, 6, 1, 4, 1, 2352, 2, 17, 1, 1, 1, 2), RbnBindType()).setMaxAccess("readcreate") if mibBuilder.loadTexts: rbnBindType.setStatus('current') rbnBindName = MibTableColumn((1, 3, 6, 1, 4, 1, 2352, 2, 17, 1, 1, 1, 3), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(1, 192))).setMaxAccess("readcreate") if mibBuilder.loadTexts: rbnBindName.setStatus('current') rbnBindPassword = MibTableColumn((1, 3, 6, 1, 4, 1, 2352, 2, 17, 1, 1, 1, 4), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(1, 64))).setMaxAccess("readcreate") if mibBuilder.loadTexts: rbnBindPassword.setStatus('current') rbnBindContext = MibTableColumn((1, 3, 6, 1, 4, 1, 2352, 2, 17, 1, 1, 1, 5), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(1, 64))).setMaxAccess("readcreate") if mibBuilder.loadTexts: rbnBindContext.setStatus('current') rbnBindAuthContext = MibTableColumn((1, 3, 6, 1, 4, 1, 2352, 2, 17, 1, 1, 1, 6), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(1, 64))).setMaxAccess("readcreate") if mibBuilder.loadTexts: rbnBindAuthContext.setStatus('current') rbnBindServiceGrp = MibTableColumn((1, 3, 6, 1, 4, 1, 2352, 2, 17, 1, 1, 1, 7), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(1, 64))).setMaxAccess("readcreate") if mibBuilder.loadTexts: rbnBindServiceGrp.setStatus('current') rbnBindAcl = MibTableColumn((1, 3, 6, 1, 4, 1, 2352, 2, 17, 1, 1, 1, 8), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(1, 64))).setMaxAccess("readcreate") if mibBuilder.loadTexts: rbnBindAcl.setStatus('current') rbnBindAuthChap = MibTableColumn((1, 3, 6, 1, 4, 1, 2352, 2, 17, 1, 1, 1, 9), TruthValue()).setMaxAccess("readcreate") if mibBuilder.loadTexts: rbnBindAuthChap.setStatus('current') rbnBindAuthPap = MibTableColumn((1, 3, 6, 1, 4, 1, 2352, 2, 17, 1, 1, 1, 10), TruthValue()).setMaxAccess("readcreate") if mibBuilder.loadTexts: rbnBindAuthPap.setStatus('current') rbnBindAuthWait = MibTableColumn((1, 3, 6, 1, 4, 1, 2352, 2, 17, 1, 1, 1, 11), TruthValue()).setMaxAccess("readcreate") if mibBuilder.loadTexts: rbnBindAuthWait.setStatus('current') rbnBindAuthPapFirst = MibTableColumn((1, 3, 6, 1, 4, 1, 2352, 2, 17, 1, 1, 1, 12), TruthValue()).setMaxAccess("readcreate") if mibBuilder.loadTexts: rbnBindAuthPapFirst.setStatus('current') rbnBindMaxSessions = MibTableColumn((1, 3, 6, 1, 4, 1, 2352, 2, 17, 1, 1, 1, 13), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readcreate") if mibBuilder.loadTexts: rbnBindMaxSessions.setStatus('current') rbnBindPvcSlot = MibTableColumn((1, 3, 6, 1, 4, 1, 2352, 2, 17, 1, 1, 1, 14), RbnSlot()).setMaxAccess("readcreate") if mibBuilder.loadTexts: rbnBindPvcSlot.setStatus('current') rbnBindPvcPort = MibTableColumn((1, 3, 6, 1, 4, 1, 2352, 2, 17, 1, 1, 1, 15), RbnPort()).setMaxAccess("readcreate") if mibBuilder.loadTexts: rbnBindPvcPort.setStatus('current') rbnBindVpn = MibTableColumn((1, 3, 6, 1, 4, 1, 2352, 2, 17, 1, 1, 1, 16), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(2, 4094))).setMaxAccess("readcreate") if mibBuilder.loadTexts: rbnBindVpn.setStatus('current') rbnBindAuthDhcp = MibTableColumn((1, 3, 6, 1, 4, 1, 2352, 2, 17, 1, 1, 1, 17), TruthValue()).setMaxAccess("readcreate") if mibBuilder.loadTexts: rbnBindAuthDhcp.setStatus('current') rbnBindCompliances = MibIdentifier((1, 3, 6, 1, 4, 1, 2352, 2, 17, 2, 1)) rbnBindGroups = MibIdentifier((1, 3, 6, 1, 4, 1, 2352, 2, 17, 2, 2)) rbnBindCompliance = ModuleCompliance((1, 3, 6, 1, 4, 1, 2352, 2, 17, 2, 1, 1)).setObjects(("RBN-BIND-MIB", "rbnBindConfigGroup")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): rbnBindCompliance = rbnBindCompliance.setStatus('deprecated') rbnBindCompliance2 = ModuleCompliance((1, 3, 6, 1, 4, 1, 2352, 2, 17, 2, 1, 2)).setObjects(("RBN-BIND-MIB", "rbnBindConfigGroup2")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): rbnBindCompliance2 = rbnBindCompliance2.setStatus('current') rbnBindConfigGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 2352, 2, 17, 2, 2, 1)).setObjects(("RBN-BIND-MIB", "rbnBindType"), ("RBN-BIND-MIB", "rbnBindName"), ("RBN-BIND-MIB", "rbnBindContext"), ("RBN-BIND-MIB", "rbnBindPassword"), ("RBN-BIND-MIB", "rbnBindAuthContext"), ("RBN-BIND-MIB", "rbnBindServiceGrp"), ("RBN-BIND-MIB", "rbnBindAcl"), ("RBN-BIND-MIB", "rbnBindAuthChap"), ("RBN-BIND-MIB", "rbnBindAuthPap"), ("RBN-BIND-MIB", "rbnBindAuthWait"), ("RBN-BIND-MIB", "rbnBindAuthPapFirst"), ("RBN-BIND-MIB", "rbnBindMaxSessions"), ("RBN-BIND-MIB", "rbnBindPvcSlot"), ("RBN-BIND-MIB", "rbnBindPvcPort"), ("RBN-BIND-MIB", "rbnBindVpn")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): rbnBindConfigGroup = rbnBindConfigGroup.setStatus('deprecated') rbnBindConfigGroup2 = ObjectGroup((1, 3, 6, 1, 4, 1, 2352, 2, 17, 2, 2, 2)).setObjects(("RBN-BIND-MIB", "rbnBindType"), ("RBN-BIND-MIB", "rbnBindName"), ("RBN-BIND-MIB", "rbnBindContext"), ("RBN-BIND-MIB", "rbnBindPassword"), ("RBN-BIND-MIB", "rbnBindAuthContext"), ("RBN-BIND-MIB", "rbnBindServiceGrp"), ("RBN-BIND-MIB", "rbnBindAcl"), ("RBN-BIND-MIB", "rbnBindAuthChap"), ("RBN-BIND-MIB", "rbnBindAuthPap"), ("RBN-BIND-MIB", "rbnBindAuthWait"), ("RBN-BIND-MIB", "rbnBindAuthPapFirst"), ("RBN-BIND-MIB", "rbnBindMaxSessions"), ("RBN-BIND-MIB", "rbnBindPvcSlot"), ("RBN-BIND-MIB", "rbnBindPvcPort"), ("RBN-BIND-MIB", "rbnBindVpn"), ("RBN-BIND-MIB", "rbnBindAuthDhcp")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): rbnBindConfigGroup2 = rbnBindConfigGroup2.setStatus('current') mibBuilder.exportSymbols("RBN-BIND-MIB", rbnBindType=rbnBindType, rbnBindEntry=rbnBindEntry, rbnBindName=rbnBindName, rbnBindAuthWait=rbnBindAuthWait, rbnBindMIBObjects=rbnBindMIBObjects, rbnBindConfigGroup2=rbnBindConfigGroup2, rbnBindPassword=rbnBindPassword, rbnBindVpn=rbnBindVpn, rbnBindMaxSessions=rbnBindMaxSessions, rbnBindPvcSlot=rbnBindPvcSlot, rbnBindAuthContext=rbnBindAuthContext, rbnBindAuthPap=rbnBindAuthPap, rbnBindServiceGrp=rbnBindServiceGrp, rbnBindAcl=rbnBindAcl, rbnBindMIBNotifications=rbnBindMIBNotifications, rbnBindMIBConformance=rbnBindMIBConformance, rbnBindAuthPapFirst=rbnBindAuthPapFirst, rbnBindAuthChap=rbnBindAuthChap, rbnBindMib=rbnBindMib, RbnBindType=RbnBindType, rbnBindContext=rbnBindContext, rbnBindCompliance=rbnBindCompliance, rbnBindConfigGroup=rbnBindConfigGroup, PYSNMP_MODULE_ID=rbnBindMib, rbnBindAuthDhcp=rbnBindAuthDhcp, rbnBindCompliance2=rbnBindCompliance2, rbnBindCompliances=rbnBindCompliances, rbnBindGroups=rbnBindGroups, rbnBindCircuit=rbnBindCircuit, rbnBindTable=rbnBindTable, rbnBindPvcPort=rbnBindPvcPort)
(octet_string, object_identifier, integer) = mibBuilder.importSymbols('ASN1', 'OctetString', 'ObjectIdentifier', 'Integer') (named_values,) = mibBuilder.importSymbols('ASN1-ENUMERATION', 'NamedValues') (constraints_intersection, single_value_constraint, value_size_constraint, value_range_constraint, constraints_union) = mibBuilder.importSymbols('ASN1-REFINEMENT', 'ConstraintsIntersection', 'SingleValueConstraint', 'ValueSizeConstraint', 'ValueRangeConstraint', 'ConstraintsUnion') (rbn_mgmt,) = mibBuilder.importSymbols('RBN-SMI', 'rbnMgmt') (rbn_slot, rbn_port, rbn_circuit_handle) = mibBuilder.importSymbols('RBN-TC', 'RbnSlot', 'RbnPort', 'RbnCircuitHandle') (snmp_admin_string,) = mibBuilder.importSymbols('SNMP-FRAMEWORK-MIB', 'SnmpAdminString') (notification_group, object_group, module_compliance) = mibBuilder.importSymbols('SNMPv2-CONF', 'NotificationGroup', 'ObjectGroup', 'ModuleCompliance') (time_ticks, counter64, gauge32, counter32, notification_type, object_identity, mib_scalar, mib_table, mib_table_row, mib_table_column, integer32, mib_identifier, unsigned32, iso, bits, ip_address, module_identity) = mibBuilder.importSymbols('SNMPv2-SMI', 'TimeTicks', 'Counter64', 'Gauge32', 'Counter32', 'NotificationType', 'ObjectIdentity', 'MibScalar', 'MibTable', 'MibTableRow', 'MibTableColumn', 'Integer32', 'MibIdentifier', 'Unsigned32', 'iso', 'Bits', 'IpAddress', 'ModuleIdentity') (truth_value, textual_convention, display_string) = mibBuilder.importSymbols('SNMPv2-TC', 'TruthValue', 'TextualConvention', 'DisplayString') rbn_bind_mib = module_identity((1, 3, 6, 1, 4, 1, 2352, 2, 17)) rbnBindMib.setRevisions(('2003-10-13 17:00', '2003-03-07 17:00', '2002-11-13 00:00', '2002-07-25 17:00', '2002-01-07 17:00')) if mibBuilder.loadTexts: rbnBindMib.setLastUpdated('200310131700Z') if mibBuilder.loadTexts: rbnBindMib.setOrganization('Redback Networks, Inc.') rbn_bind_mib_objects = mib_identifier((1, 3, 6, 1, 4, 1, 2352, 2, 17, 1)) rbn_bind_mib_conformance = mib_identifier((1, 3, 6, 1, 4, 1, 2352, 2, 17, 2)) rbn_bind_mib_notifications = mib_identifier((1, 3, 6, 1, 4, 1, 2352, 2, 17, 3)) class Rbnbindtype(TextualConvention, Integer32): status = 'current' subtype_spec = Integer32.subtypeSpec + constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11)) named_values = named_values(('unbound', 1), ('authBind', 2), ('bypassBind', 3), ('interfaceBind', 4), ('subscriberBind', 5), ('l2tptunnelBind', 6), ('sessionBind', 7), ('dot1qBind', 8), ('multiIntfBind', 9), ('multiSubBind', 10), ('multiClipsBind', 11)) rbn_bind_table = mib_table((1, 3, 6, 1, 4, 1, 2352, 2, 17, 1, 1)) if mibBuilder.loadTexts: rbnBindTable.setStatus('current') rbn_bind_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2352, 2, 17, 1, 1, 1)).setIndexNames((0, 'RBN-BIND-MIB', 'rbnBindCircuit')) if mibBuilder.loadTexts: rbnBindEntry.setStatus('current') rbn_bind_circuit = mib_table_column((1, 3, 6, 1, 4, 1, 2352, 2, 17, 1, 1, 1, 1), rbn_circuit_handle()) if mibBuilder.loadTexts: rbnBindCircuit.setStatus('current') rbn_bind_type = mib_table_column((1, 3, 6, 1, 4, 1, 2352, 2, 17, 1, 1, 1, 2), rbn_bind_type()).setMaxAccess('readcreate') if mibBuilder.loadTexts: rbnBindType.setStatus('current') rbn_bind_name = mib_table_column((1, 3, 6, 1, 4, 1, 2352, 2, 17, 1, 1, 1, 3), snmp_admin_string().subtype(subtypeSpec=value_size_constraint(1, 192))).setMaxAccess('readcreate') if mibBuilder.loadTexts: rbnBindName.setStatus('current') rbn_bind_password = mib_table_column((1, 3, 6, 1, 4, 1, 2352, 2, 17, 1, 1, 1, 4), snmp_admin_string().subtype(subtypeSpec=value_size_constraint(1, 64))).setMaxAccess('readcreate') if mibBuilder.loadTexts: rbnBindPassword.setStatus('current') rbn_bind_context = mib_table_column((1, 3, 6, 1, 4, 1, 2352, 2, 17, 1, 1, 1, 5), snmp_admin_string().subtype(subtypeSpec=value_size_constraint(1, 64))).setMaxAccess('readcreate') if mibBuilder.loadTexts: rbnBindContext.setStatus('current') rbn_bind_auth_context = mib_table_column((1, 3, 6, 1, 4, 1, 2352, 2, 17, 1, 1, 1, 6), snmp_admin_string().subtype(subtypeSpec=value_size_constraint(1, 64))).setMaxAccess('readcreate') if mibBuilder.loadTexts: rbnBindAuthContext.setStatus('current') rbn_bind_service_grp = mib_table_column((1, 3, 6, 1, 4, 1, 2352, 2, 17, 1, 1, 1, 7), snmp_admin_string().subtype(subtypeSpec=value_size_constraint(1, 64))).setMaxAccess('readcreate') if mibBuilder.loadTexts: rbnBindServiceGrp.setStatus('current') rbn_bind_acl = mib_table_column((1, 3, 6, 1, 4, 1, 2352, 2, 17, 1, 1, 1, 8), snmp_admin_string().subtype(subtypeSpec=value_size_constraint(1, 64))).setMaxAccess('readcreate') if mibBuilder.loadTexts: rbnBindAcl.setStatus('current') rbn_bind_auth_chap = mib_table_column((1, 3, 6, 1, 4, 1, 2352, 2, 17, 1, 1, 1, 9), truth_value()).setMaxAccess('readcreate') if mibBuilder.loadTexts: rbnBindAuthChap.setStatus('current') rbn_bind_auth_pap = mib_table_column((1, 3, 6, 1, 4, 1, 2352, 2, 17, 1, 1, 1, 10), truth_value()).setMaxAccess('readcreate') if mibBuilder.loadTexts: rbnBindAuthPap.setStatus('current') rbn_bind_auth_wait = mib_table_column((1, 3, 6, 1, 4, 1, 2352, 2, 17, 1, 1, 1, 11), truth_value()).setMaxAccess('readcreate') if mibBuilder.loadTexts: rbnBindAuthWait.setStatus('current') rbn_bind_auth_pap_first = mib_table_column((1, 3, 6, 1, 4, 1, 2352, 2, 17, 1, 1, 1, 12), truth_value()).setMaxAccess('readcreate') if mibBuilder.loadTexts: rbnBindAuthPapFirst.setStatus('current') rbn_bind_max_sessions = mib_table_column((1, 3, 6, 1, 4, 1, 2352, 2, 17, 1, 1, 1, 13), unsigned32().subtype(subtypeSpec=value_range_constraint(1, 65535))).setMaxAccess('readcreate') if mibBuilder.loadTexts: rbnBindMaxSessions.setStatus('current') rbn_bind_pvc_slot = mib_table_column((1, 3, 6, 1, 4, 1, 2352, 2, 17, 1, 1, 1, 14), rbn_slot()).setMaxAccess('readcreate') if mibBuilder.loadTexts: rbnBindPvcSlot.setStatus('current') rbn_bind_pvc_port = mib_table_column((1, 3, 6, 1, 4, 1, 2352, 2, 17, 1, 1, 1, 15), rbn_port()).setMaxAccess('readcreate') if mibBuilder.loadTexts: rbnBindPvcPort.setStatus('current') rbn_bind_vpn = mib_table_column((1, 3, 6, 1, 4, 1, 2352, 2, 17, 1, 1, 1, 16), unsigned32().subtype(subtypeSpec=value_range_constraint(2, 4094))).setMaxAccess('readcreate') if mibBuilder.loadTexts: rbnBindVpn.setStatus('current') rbn_bind_auth_dhcp = mib_table_column((1, 3, 6, 1, 4, 1, 2352, 2, 17, 1, 1, 1, 17), truth_value()).setMaxAccess('readcreate') if mibBuilder.loadTexts: rbnBindAuthDhcp.setStatus('current') rbn_bind_compliances = mib_identifier((1, 3, 6, 1, 4, 1, 2352, 2, 17, 2, 1)) rbn_bind_groups = mib_identifier((1, 3, 6, 1, 4, 1, 2352, 2, 17, 2, 2)) rbn_bind_compliance = module_compliance((1, 3, 6, 1, 4, 1, 2352, 2, 17, 2, 1, 1)).setObjects(('RBN-BIND-MIB', 'rbnBindConfigGroup')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): rbn_bind_compliance = rbnBindCompliance.setStatus('deprecated') rbn_bind_compliance2 = module_compliance((1, 3, 6, 1, 4, 1, 2352, 2, 17, 2, 1, 2)).setObjects(('RBN-BIND-MIB', 'rbnBindConfigGroup2')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): rbn_bind_compliance2 = rbnBindCompliance2.setStatus('current') rbn_bind_config_group = object_group((1, 3, 6, 1, 4, 1, 2352, 2, 17, 2, 2, 1)).setObjects(('RBN-BIND-MIB', 'rbnBindType'), ('RBN-BIND-MIB', 'rbnBindName'), ('RBN-BIND-MIB', 'rbnBindContext'), ('RBN-BIND-MIB', 'rbnBindPassword'), ('RBN-BIND-MIB', 'rbnBindAuthContext'), ('RBN-BIND-MIB', 'rbnBindServiceGrp'), ('RBN-BIND-MIB', 'rbnBindAcl'), ('RBN-BIND-MIB', 'rbnBindAuthChap'), ('RBN-BIND-MIB', 'rbnBindAuthPap'), ('RBN-BIND-MIB', 'rbnBindAuthWait'), ('RBN-BIND-MIB', 'rbnBindAuthPapFirst'), ('RBN-BIND-MIB', 'rbnBindMaxSessions'), ('RBN-BIND-MIB', 'rbnBindPvcSlot'), ('RBN-BIND-MIB', 'rbnBindPvcPort'), ('RBN-BIND-MIB', 'rbnBindVpn')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): rbn_bind_config_group = rbnBindConfigGroup.setStatus('deprecated') rbn_bind_config_group2 = object_group((1, 3, 6, 1, 4, 1, 2352, 2, 17, 2, 2, 2)).setObjects(('RBN-BIND-MIB', 'rbnBindType'), ('RBN-BIND-MIB', 'rbnBindName'), ('RBN-BIND-MIB', 'rbnBindContext'), ('RBN-BIND-MIB', 'rbnBindPassword'), ('RBN-BIND-MIB', 'rbnBindAuthContext'), ('RBN-BIND-MIB', 'rbnBindServiceGrp'), ('RBN-BIND-MIB', 'rbnBindAcl'), ('RBN-BIND-MIB', 'rbnBindAuthChap'), ('RBN-BIND-MIB', 'rbnBindAuthPap'), ('RBN-BIND-MIB', 'rbnBindAuthWait'), ('RBN-BIND-MIB', 'rbnBindAuthPapFirst'), ('RBN-BIND-MIB', 'rbnBindMaxSessions'), ('RBN-BIND-MIB', 'rbnBindPvcSlot'), ('RBN-BIND-MIB', 'rbnBindPvcPort'), ('RBN-BIND-MIB', 'rbnBindVpn'), ('RBN-BIND-MIB', 'rbnBindAuthDhcp')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): rbn_bind_config_group2 = rbnBindConfigGroup2.setStatus('current') mibBuilder.exportSymbols('RBN-BIND-MIB', rbnBindType=rbnBindType, rbnBindEntry=rbnBindEntry, rbnBindName=rbnBindName, rbnBindAuthWait=rbnBindAuthWait, rbnBindMIBObjects=rbnBindMIBObjects, rbnBindConfigGroup2=rbnBindConfigGroup2, rbnBindPassword=rbnBindPassword, rbnBindVpn=rbnBindVpn, rbnBindMaxSessions=rbnBindMaxSessions, rbnBindPvcSlot=rbnBindPvcSlot, rbnBindAuthContext=rbnBindAuthContext, rbnBindAuthPap=rbnBindAuthPap, rbnBindServiceGrp=rbnBindServiceGrp, rbnBindAcl=rbnBindAcl, rbnBindMIBNotifications=rbnBindMIBNotifications, rbnBindMIBConformance=rbnBindMIBConformance, rbnBindAuthPapFirst=rbnBindAuthPapFirst, rbnBindAuthChap=rbnBindAuthChap, rbnBindMib=rbnBindMib, RbnBindType=RbnBindType, rbnBindContext=rbnBindContext, rbnBindCompliance=rbnBindCompliance, rbnBindConfigGroup=rbnBindConfigGroup, PYSNMP_MODULE_ID=rbnBindMib, rbnBindAuthDhcp=rbnBindAuthDhcp, rbnBindCompliance2=rbnBindCompliance2, rbnBindCompliances=rbnBindCompliances, rbnBindGroups=rbnBindGroups, rbnBindCircuit=rbnBindCircuit, rbnBindTable=rbnBindTable, rbnBindPvcPort=rbnBindPvcPort)
"""Although you have to be careful using recursion it is one of those concepts you want to at least understand. It's also commonly used in coding interviews :) In this beginner Bite we let you rewrite a simple countdown for loop using recursion. See countdown_for below, it produces the following output: least understand. It's also commonly used in coding interviews :) In this beginner Bite we let you rewrite a simple countdown for loop using recursion. See countdown_for below, it produces the following output: $ python countdown.py 10 9 8 7 6 5 4 3 2 1 time is up """ # def countdown_for(start=10): # for i in reversed(range(1, start + 1)): # print(i) # print('time is up') def countdown_recursive(start=10): print(start) if start == 1: print('time is up') else: return countdown_recursive(start - 1) countdown_recursive(start=11)
"""Although you have to be careful using recursion it is one of those concepts you want to at least understand. It's also commonly used in coding interviews :) In this beginner Bite we let you rewrite a simple countdown for loop using recursion. See countdown_for below, it produces the following output: least understand. It's also commonly used in coding interviews :) In this beginner Bite we let you rewrite a simple countdown for loop using recursion. See countdown_for below, it produces the following output: $ python countdown.py 10 9 8 7 6 5 4 3 2 1 time is up """ def countdown_recursive(start=10): print(start) if start == 1: print('time is up') else: return countdown_recursive(start - 1) countdown_recursive(start=11)
text = "W. W. W. S. S. S. S. W. W. S. UNLOCK FRONT DOOR. S. WAIT. NO. LOOK AT WEATHER. WAIT. N. W. W. S. W. N. GET FOLDER AND MASK. MOVE BODY. LOOK IN WASTE BASKET. GET CARD AND OBJECT. S. E. N. E. E. E. E. N. W. DROP PEN AND NOTEBOOK. GET WET OVERCOAT. E. E. E. E. SHOW FOLDER TO ASTRONAUT. SHOW CARD TO ASTRONAUT. EXAMINE BULLET. EXAMINE CARD. EXAMINE FOLDER. SEARCH FAIRY MASK. N. N. N. GET BASKET. W. S. S. S. S. S. S. S. READ BOOK. DROP BOOK. HIDE BEHIND VICTORIAN CHAIR. WAIT FOR MICHAEL. YES. GET UP. UNLOCK NORTH DOOR. N. N. N. E. E. GET PAPER. W. W. S. W. W. W. W. S. W. N. SHOW FOLDER TO DETECTIVE. SHOW CARD TO DETECTIVE. DETECTIVE, ANALYZE THE GLASS FOR FINGERPRINTS. N. W. OPEN TOOL CHEST. GET CROWBAR. OPEN BMW TRUNK WITH CROWBAR. GET FOLDER. EXAMINE FOLDER. READ PAPER. E. S. S. S. E. N. WAIT FOR DETECTIVE. TELL DETECTIVE ABOUT WEATHER. SHOW DETECTIVE THE WET OVERCOAT. SHOW DETECTIVE THE TRUST FOLDER. SHOW PAPER TO DETECTIVE. DETECTIVE, LOOK IN FAIRY MASK. DETECTIVE, ARREST MICHAEL AND ALICIA." walkthrough = '\n'.join(text.split('. ')) file = open("suspect_walkthrough.txt", 'w') file.write(walkthrough) file.close()
text = 'W. W. W. S. S. S. S. W. W. S. UNLOCK FRONT DOOR. S. WAIT. NO. LOOK AT WEATHER. WAIT. N. W. W. S. W. N. GET FOLDER AND MASK. MOVE BODY. LOOK IN WASTE BASKET. GET CARD AND OBJECT. S. E. N. E. E. E. E. N. W. DROP PEN AND NOTEBOOK. GET WET OVERCOAT. E. E. E. E. SHOW FOLDER TO ASTRONAUT. SHOW CARD TO ASTRONAUT. EXAMINE BULLET. EXAMINE CARD. EXAMINE FOLDER. SEARCH FAIRY MASK. N. N. N. GET BASKET. W. S. S. S. S. S. S. S. READ BOOK. DROP BOOK. HIDE BEHIND VICTORIAN CHAIR. WAIT FOR MICHAEL. YES. GET UP. UNLOCK NORTH DOOR. N. N. N. E. E. GET PAPER. W. W. S. W. W. W. W. S. W. N. SHOW FOLDER TO DETECTIVE. SHOW CARD TO DETECTIVE. DETECTIVE, ANALYZE THE GLASS FOR FINGERPRINTS. N. W. OPEN TOOL CHEST. GET CROWBAR. OPEN BMW TRUNK WITH CROWBAR. GET FOLDER. EXAMINE FOLDER. READ PAPER. E. S. S. S. E. N. WAIT FOR DETECTIVE. TELL DETECTIVE ABOUT WEATHER. SHOW DETECTIVE THE WET OVERCOAT. SHOW DETECTIVE THE TRUST FOLDER. SHOW PAPER TO DETECTIVE. DETECTIVE, LOOK IN FAIRY MASK. DETECTIVE, ARREST MICHAEL AND ALICIA.' walkthrough = '\n'.join(text.split('. ')) file = open('suspect_walkthrough.txt', 'w') file.write(walkthrough) file.close()
API_TOKEN = "xxxxxxxxx" DEFAULT_REPLY = "Sorry but I didn't understand you" PLUGINS = [ 'slackbot.plugins' ]
api_token = 'xxxxxxxxx' default_reply = "Sorry but I didn't understand you" plugins = ['slackbot.plugins']
''' You've been using list comprehensions to build lists of values, sometimes using operations to create these values. An interesting mechanism in list comprehensions is that you can also create lists with values that meet only a certain condition. One way of doing this is by using conditionals on iterator variables. In this exercise, you will do exactly that! Recall from the video that you can apply a conditional statement to test the iterator variable by adding an if statement in the optional predicate expression part after the for statement in the comprehension: [ output expression for iterator variable in iterable if predicate expression ]. You will use this recipe to write a list comprehension for this exercise. You are given a list of strings fellowship and, using a list comprehension, you will create a list that only includes the members of fellowship that have 7 characters or more. ''' # Create a list of strings: fellowship fellowship = ['frodo', 'samwise', 'merry', 'aragorn', 'legolas', 'boromir', 'gimli'] # Create list comprehension: new_fellowship new_fellowship = [member for member in fellowship if len(member) >= 7] # Print the new list print(new_fellowship)
""" You've been using list comprehensions to build lists of values, sometimes using operations to create these values. An interesting mechanism in list comprehensions is that you can also create lists with values that meet only a certain condition. One way of doing this is by using conditionals on iterator variables. In this exercise, you will do exactly that! Recall from the video that you can apply a conditional statement to test the iterator variable by adding an if statement in the optional predicate expression part after the for statement in the comprehension: [ output expression for iterator variable in iterable if predicate expression ]. You will use this recipe to write a list comprehension for this exercise. You are given a list of strings fellowship and, using a list comprehension, you will create a list that only includes the members of fellowship that have 7 characters or more. """ fellowship = ['frodo', 'samwise', 'merry', 'aragorn', 'legolas', 'boromir', 'gimli'] new_fellowship = [member for member in fellowship if len(member) >= 7] print(new_fellowship)
print("\n") name = input("What's your name? ") age = input("How old are you? ") city = input("Where do you live? ") print("\n") print("Hello,", name) print("Your age is", age) print("You live in", city) print("\n")
print('\n') name = input("What's your name? ") age = input('How old are you? ') city = input('Where do you live? ') print('\n') print('Hello,', name) print('Your age is', age) print('You live in', city) print('\n')
""" logalyzer: Parses your bloated HTTP access logs to extract the info you want about hits from (hopefully) real people instead of just the endless stream of hackers and bots that passes for web traffic nowadays. Stores the info in a relational database where you can access it using all the power of SQL. """
""" logalyzer: Parses your bloated HTTP access logs to extract the info you want about hits from (hopefully) real people instead of just the endless stream of hackers and bots that passes for web traffic nowadays. Stores the info in a relational database where you can access it using all the power of SQL. """
#cerner_2tothe5th_2021 # Get all substrings of a given string using slicing of string # initialize the string input_string = "floccinaucinihilipilification" # print the input string print("The input string is : " + str(input_string)) # Get all substrings of the string result = [input_string[i: j] for i in range(len(input_string)) for j in range(i + 1, len(input_string) + 1)] # print the result print("All substrings of the input string are : " + str(result))
input_string = 'floccinaucinihilipilification' print('The input string is : ' + str(input_string)) result = [input_string[i:j] for i in range(len(input_string)) for j in range(i + 1, len(input_string) + 1)] print('All substrings of the input string are : ' + str(result))
#Sasikala Varatharajan G00376470 #Program to find all divisors between the given two numbers #In this program we are going to find the numbers divisble by 6 but not by 12 #Get two inputs from the user - As per the instructions it should use 1000 as int_From and 10000 as int_to. #But I have given an option to the user to select the range int_From = int(input("Enter the Range of numbers starts with : ")) int_To = int(input("Enter the Range of numbers ends with : ")) #Str_output = "Divisable by 6 but not by 12 between" + int_From + "and" + int_To + "are:" print ("Divisable by 6 but not by 12 between", int_From , "and" , int_To , "are:") for num in range (int_From, int_To + 1): if (num %6 == 0) and (num %12 != 0): print (num) else: continue
int__from = int(input('Enter the Range of numbers starts with : ')) int__to = int(input('Enter the Range of numbers ends with : ')) print('Divisable by 6 but not by 12 between', int_From, 'and', int_To, 'are:') for num in range(int_From, int_To + 1): if num % 6 == 0 and num % 12 != 0: print(num) else: continue
# Definition for a binary tree node. class TreeNode(object): def __init__(self, x): self.val = x self.left = None self.right = None class Solution(object): def maxPathSum(self, root): """ :type root: TreeNode :rtype: int """ _, maxSum = self.maxPathSumHelper(root) return maxSum def maxPathSumHelper(self, root): if not root: return (float('-inf'), float('-inf')) leftMaxSumAsBranch, leftMaxPathSum = self.maxPathSumHelper(root.left) rightMaxSumAsBranch, rightMaxPathSum = self.maxPathSumHelper(root.right) maxChildSumAsBranch = max(leftMaxSumAsBranch, rightMaxSumAsBranch) value = root.val maxSumAsBranch = max(maxChildSumAsBranch + value, value) maxSumAsRootNodeOrTriangle = max(leftMaxSumAsBranch + value + rightMaxSumAsBranch, maxSumAsBranch) maxPathSum = max(leftMaxPathSum, rightMaxPathSum, maxSumAsRootNodeOrTriangle) return (maxSumAsBranch, maxPathSum) sol = Solution() root = TreeNode(-3) out = sol.maxPathSum(root) print("Res", out)
class Treenode(object): def __init__(self, x): self.val = x self.left = None self.right = None class Solution(object): def max_path_sum(self, root): """ :type root: TreeNode :rtype: int """ (_, max_sum) = self.maxPathSumHelper(root) return maxSum def max_path_sum_helper(self, root): if not root: return (float('-inf'), float('-inf')) (left_max_sum_as_branch, left_max_path_sum) = self.maxPathSumHelper(root.left) (right_max_sum_as_branch, right_max_path_sum) = self.maxPathSumHelper(root.right) max_child_sum_as_branch = max(leftMaxSumAsBranch, rightMaxSumAsBranch) value = root.val max_sum_as_branch = max(maxChildSumAsBranch + value, value) max_sum_as_root_node_or_triangle = max(leftMaxSumAsBranch + value + rightMaxSumAsBranch, maxSumAsBranch) max_path_sum = max(leftMaxPathSum, rightMaxPathSum, maxSumAsRootNodeOrTriangle) return (maxSumAsBranch, maxPathSum) sol = solution() root = tree_node(-3) out = sol.maxPathSum(root) print('Res', out)
# Author: weiwei class BaseEvaluator: def __init__(self, result_dir): self.result_dir = result_dir def evaluate(self, output, batch): raise NotImplementedError() def summarize(self): raise NotImplementedError()
class Baseevaluator: def __init__(self, result_dir): self.result_dir = result_dir def evaluate(self, output, batch): raise not_implemented_error() def summarize(self): raise not_implemented_error()
# # PySNMP MIB module HP-ICF-RIP (http://snmplabs.com/pysmi) # ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/HP-ICF-RIP # Produced by pysmi-0.3.4 at Mon Apr 29 19:22:40 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, Integer, ObjectIdentifier = mibBuilder.importSymbols("ASN1", "OctetString", "Integer", "ObjectIdentifier") NamedValues, = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues") ValueRangeConstraint, ConstraintsUnion, ConstraintsIntersection, SingleValueConstraint, ValueSizeConstraint = mibBuilder.importSymbols("ASN1-REFINEMENT", "ValueRangeConstraint", "ConstraintsUnion", "ConstraintsIntersection", "SingleValueConstraint", "ValueSizeConstraint") hpSwitch, = mibBuilder.importSymbols("HP-ICF-OID", "hpSwitch") IANAipRouteProtocol, = mibBuilder.importSymbols("IANA-RTPROTO-MIB", "IANAipRouteProtocol") rip2IfConfEntry, = mibBuilder.importSymbols("RIPv2-MIB", "rip2IfConfEntry") NotificationGroup, ObjectGroup, ModuleCompliance = mibBuilder.importSymbols("SNMPv2-CONF", "NotificationGroup", "ObjectGroup", "ModuleCompliance") ModuleIdentity, iso, MibScalar, MibTable, MibTableRow, MibTableColumn, TimeTicks, MibIdentifier, NotificationType, IpAddress, ObjectIdentity, Unsigned32, Counter32, Integer32, Bits, Gauge32, Counter64 = mibBuilder.importSymbols("SNMPv2-SMI", "ModuleIdentity", "iso", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "TimeTicks", "MibIdentifier", "NotificationType", "IpAddress", "ObjectIdentity", "Unsigned32", "Counter32", "Integer32", "Bits", "Gauge32", "Counter64") TextualConvention, RowStatus, TruthValue, DisplayString = mibBuilder.importSymbols("SNMPv2-TC", "TextualConvention", "RowStatus", "TruthValue", "DisplayString") hpicfRip = ModuleIdentity((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 13)) hpicfRip.setRevisions(('2003-05-13 02:17', '2001-11-13 03:39',)) if mibBuilder.loadTexts: hpicfRip.setLastUpdated('200305130217Z') if mibBuilder.loadTexts: hpicfRip.setOrganization('HP Networking') hpicfRipObjects = MibIdentifier((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 13, 1)) hpicfRipGeneral = MibIdentifier((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 13, 1, 1)) hpicfRipAdminStatus = MibScalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 13, 1, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: hpicfRipAdminStatus.setStatus('current') hpicfRipDefaultMetric = MibScalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 13, 1, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 15))).setMaxAccess("readwrite") if mibBuilder.loadTexts: hpicfRipDefaultMetric.setStatus('current') hpicfRipAutoSummary = MibScalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 13, 1, 1, 3), TruthValue()).setMaxAccess("readwrite") if mibBuilder.loadTexts: hpicfRipAutoSummary.setStatus('current') hpicfRipDistance = MibScalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 13, 1, 1, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 255))).setMaxAccess("readwrite") if mibBuilder.loadTexts: hpicfRipDistance.setStatus('current') hpicfRipIfConfTable = MibTable((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 13, 1, 2), ) if mibBuilder.loadTexts: hpicfRipIfConfTable.setStatus('current') hpicfRipIfConfEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 13, 1, 2, 1), ) rip2IfConfEntry.registerAugmentions(("HP-ICF-RIP", "hpicfRipIfConfEntry")) hpicfRipIfConfEntry.setIndexNames(*rip2IfConfEntry.getIndexNames()) if mibBuilder.loadTexts: hpicfRipIfConfEntry.setStatus('current') hpicfRipIfConfDoPoison = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 13, 1, 2, 1, 1), TruthValue().clone('true')).setMaxAccess("readcreate") if mibBuilder.loadTexts: hpicfRipIfConfDoPoison.setStatus('current') hpicfRipIfConfCost = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 13, 1, 2, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 15)).clone(1)).setMaxAccess("readcreate") if mibBuilder.loadTexts: hpicfRipIfConfCost.setStatus('current') hpicfRipRedistTable = MibTable((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 13, 1, 3), ) if mibBuilder.loadTexts: hpicfRipRedistTable.setStatus('current') hpicfRipRedistEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 13, 1, 3, 1), ).setIndexNames((0, "HP-ICF-RIP", "hpicfRipRedistSrcProto")) if mibBuilder.loadTexts: hpicfRipRedistEntry.setStatus('current') hpicfRipRedistSrcProto = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 13, 1, 3, 1, 1), IANAipRouteProtocol()) if mibBuilder.loadTexts: hpicfRipRedistSrcProto.setStatus('current') hpicfRipRedistEnabled = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 13, 1, 3, 1, 2), TruthValue()).setMaxAccess("readwrite") if mibBuilder.loadTexts: hpicfRipRedistEnabled.setStatus('current') hpicfRipRedistRestrictTable = MibTable((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 13, 1, 4), ) if mibBuilder.loadTexts: hpicfRipRedistRestrictTable.setStatus('current') hpicfRipRedistRestrictEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 13, 1, 4, 1), ).setIndexNames((0, "HP-ICF-RIP", "hpicfRipRedistRestrictAddr"), (0, "HP-ICF-RIP", "hpicfRipRedistRestrictMask")) if mibBuilder.loadTexts: hpicfRipRedistRestrictEntry.setStatus('current') hpicfRipRedistRestrictAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 13, 1, 4, 1, 1), IpAddress()) if mibBuilder.loadTexts: hpicfRipRedistRestrictAddr.setStatus('current') hpicfRipRedistRestrictMask = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 13, 1, 4, 1, 2), IpAddress()) if mibBuilder.loadTexts: hpicfRipRedistRestrictMask.setStatus('current') hpicfRipRedistRestrictStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 13, 1, 4, 1, 3), RowStatus()).setMaxAccess("readcreate") if mibBuilder.loadTexts: hpicfRipRedistRestrictStatus.setStatus('current') hpicfRipConformance = MibIdentifier((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 13, 2)) hpicfRipGroups = MibIdentifier((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 13, 2, 1)) hpicfRipBaseGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 13, 2, 1, 1)).setObjects(("HP-ICF-RIP", "hpicfRipAdminStatus"), ("HP-ICF-RIP", "hpicfRipDefaultMetric"), ("HP-ICF-RIP", "hpicfRipAutoSummary")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): hpicfRipBaseGroup = hpicfRipBaseGroup.setStatus('current') hpicfRipIfGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 13, 2, 1, 2)).setObjects(("HP-ICF-RIP", "hpicfRipIfConfDoPoison"), ("HP-ICF-RIP", "hpicfRipIfConfCost")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): hpicfRipIfGroup = hpicfRipIfGroup.setStatus('current') hpicfRipRedistGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 13, 2, 1, 3)).setObjects(("HP-ICF-RIP", "hpicfRipRedistEnabled"), ("HP-ICF-RIP", "hpicfRipRedistRestrictStatus")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): hpicfRipRedistGroup = hpicfRipRedistGroup.setStatus('current') hpicfRipDistanceGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 13, 2, 1, 4)).setObjects(("HP-ICF-RIP", "hpicfRipDistance")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): hpicfRipDistanceGroup = hpicfRipDistanceGroup.setStatus('current') hpicfRipCompliances = MibIdentifier((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 13, 2, 2)) hpicfRipCompliance = ModuleCompliance((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 13, 2, 2, 1)).setObjects(("HP-ICF-RIP", "hpicfRipBaseGroup"), ("HP-ICF-RIP", "hpicfRipIfGroup"), ("HP-ICF-RIP", "hpicfRipRedistGroup")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): hpicfRipCompliance = hpicfRipCompliance.setStatus('current') hpicfRipDistanceCompliance = ModuleCompliance((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 13, 2, 2, 2)).setObjects(("HP-ICF-RIP", "hpicfRipDistanceGroup")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): hpicfRipDistanceCompliance = hpicfRipDistanceCompliance.setStatus('current') mibBuilder.exportSymbols("HP-ICF-RIP", hpicfRipIfConfCost=hpicfRipIfConfCost, hpicfRipRedistSrcProto=hpicfRipRedistSrcProto, hpicfRipRedistRestrictStatus=hpicfRipRedistRestrictStatus, hpicfRipRedistEnabled=hpicfRipRedistEnabled, hpicfRipDistance=hpicfRipDistance, hpicfRipRedistRestrictAddr=hpicfRipRedistRestrictAddr, hpicfRipRedistTable=hpicfRipRedistTable, hpicfRipIfConfTable=hpicfRipIfConfTable, hpicfRipRedistRestrictMask=hpicfRipRedistRestrictMask, hpicfRipAutoSummary=hpicfRipAutoSummary, hpicfRip=hpicfRip, hpicfRipGeneral=hpicfRipGeneral, hpicfRipDistanceGroup=hpicfRipDistanceGroup, hpicfRipRedistRestrictTable=hpicfRipRedistRestrictTable, hpicfRipRedistGroup=hpicfRipRedistGroup, hpicfRipObjects=hpicfRipObjects, hpicfRipRedistEntry=hpicfRipRedistEntry, hpicfRipIfConfEntry=hpicfRipIfConfEntry, hpicfRipDistanceCompliance=hpicfRipDistanceCompliance, hpicfRipIfConfDoPoison=hpicfRipIfConfDoPoison, hpicfRipAdminStatus=hpicfRipAdminStatus, hpicfRipConformance=hpicfRipConformance, hpicfRipBaseGroup=hpicfRipBaseGroup, hpicfRipCompliances=hpicfRipCompliances, hpicfRipGroups=hpicfRipGroups, hpicfRipCompliance=hpicfRipCompliance, hpicfRipDefaultMetric=hpicfRipDefaultMetric, hpicfRipRedistRestrictEntry=hpicfRipRedistRestrictEntry, hpicfRipIfGroup=hpicfRipIfGroup, PYSNMP_MODULE_ID=hpicfRip)
(octet_string, integer, object_identifier) = mibBuilder.importSymbols('ASN1', 'OctetString', 'Integer', 'ObjectIdentifier') (named_values,) = mibBuilder.importSymbols('ASN1-ENUMERATION', 'NamedValues') (value_range_constraint, constraints_union, constraints_intersection, single_value_constraint, value_size_constraint) = mibBuilder.importSymbols('ASN1-REFINEMENT', 'ValueRangeConstraint', 'ConstraintsUnion', 'ConstraintsIntersection', 'SingleValueConstraint', 'ValueSizeConstraint') (hp_switch,) = mibBuilder.importSymbols('HP-ICF-OID', 'hpSwitch') (ian_aip_route_protocol,) = mibBuilder.importSymbols('IANA-RTPROTO-MIB', 'IANAipRouteProtocol') (rip2_if_conf_entry,) = mibBuilder.importSymbols('RIPv2-MIB', 'rip2IfConfEntry') (notification_group, object_group, module_compliance) = mibBuilder.importSymbols('SNMPv2-CONF', 'NotificationGroup', 'ObjectGroup', 'ModuleCompliance') (module_identity, iso, mib_scalar, mib_table, mib_table_row, mib_table_column, time_ticks, mib_identifier, notification_type, ip_address, object_identity, unsigned32, counter32, integer32, bits, gauge32, counter64) = mibBuilder.importSymbols('SNMPv2-SMI', 'ModuleIdentity', 'iso', 'MibScalar', 'MibTable', 'MibTableRow', 'MibTableColumn', 'TimeTicks', 'MibIdentifier', 'NotificationType', 'IpAddress', 'ObjectIdentity', 'Unsigned32', 'Counter32', 'Integer32', 'Bits', 'Gauge32', 'Counter64') (textual_convention, row_status, truth_value, display_string) = mibBuilder.importSymbols('SNMPv2-TC', 'TextualConvention', 'RowStatus', 'TruthValue', 'DisplayString') hpicf_rip = module_identity((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 13)) hpicfRip.setRevisions(('2003-05-13 02:17', '2001-11-13 03:39')) if mibBuilder.loadTexts: hpicfRip.setLastUpdated('200305130217Z') if mibBuilder.loadTexts: hpicfRip.setOrganization('HP Networking') hpicf_rip_objects = mib_identifier((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 13, 1)) hpicf_rip_general = mib_identifier((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 13, 1, 1)) hpicf_rip_admin_status = mib_scalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 13, 1, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enable', 1), ('disable', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: hpicfRipAdminStatus.setStatus('current') hpicf_rip_default_metric = mib_scalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 13, 1, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(1, 15))).setMaxAccess('readwrite') if mibBuilder.loadTexts: hpicfRipDefaultMetric.setStatus('current') hpicf_rip_auto_summary = mib_scalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 13, 1, 1, 3), truth_value()).setMaxAccess('readwrite') if mibBuilder.loadTexts: hpicfRipAutoSummary.setStatus('current') hpicf_rip_distance = mib_scalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 13, 1, 1, 4), integer32().subtype(subtypeSpec=value_range_constraint(1, 255))).setMaxAccess('readwrite') if mibBuilder.loadTexts: hpicfRipDistance.setStatus('current') hpicf_rip_if_conf_table = mib_table((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 13, 1, 2)) if mibBuilder.loadTexts: hpicfRipIfConfTable.setStatus('current') hpicf_rip_if_conf_entry = mib_table_row((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 13, 1, 2, 1)) rip2IfConfEntry.registerAugmentions(('HP-ICF-RIP', 'hpicfRipIfConfEntry')) hpicfRipIfConfEntry.setIndexNames(*rip2IfConfEntry.getIndexNames()) if mibBuilder.loadTexts: hpicfRipIfConfEntry.setStatus('current') hpicf_rip_if_conf_do_poison = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 13, 1, 2, 1, 1), truth_value().clone('true')).setMaxAccess('readcreate') if mibBuilder.loadTexts: hpicfRipIfConfDoPoison.setStatus('current') hpicf_rip_if_conf_cost = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 13, 1, 2, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(1, 15)).clone(1)).setMaxAccess('readcreate') if mibBuilder.loadTexts: hpicfRipIfConfCost.setStatus('current') hpicf_rip_redist_table = mib_table((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 13, 1, 3)) if mibBuilder.loadTexts: hpicfRipRedistTable.setStatus('current') hpicf_rip_redist_entry = mib_table_row((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 13, 1, 3, 1)).setIndexNames((0, 'HP-ICF-RIP', 'hpicfRipRedistSrcProto')) if mibBuilder.loadTexts: hpicfRipRedistEntry.setStatus('current') hpicf_rip_redist_src_proto = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 13, 1, 3, 1, 1), ian_aip_route_protocol()) if mibBuilder.loadTexts: hpicfRipRedistSrcProto.setStatus('current') hpicf_rip_redist_enabled = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 13, 1, 3, 1, 2), truth_value()).setMaxAccess('readwrite') if mibBuilder.loadTexts: hpicfRipRedistEnabled.setStatus('current') hpicf_rip_redist_restrict_table = mib_table((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 13, 1, 4)) if mibBuilder.loadTexts: hpicfRipRedistRestrictTable.setStatus('current') hpicf_rip_redist_restrict_entry = mib_table_row((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 13, 1, 4, 1)).setIndexNames((0, 'HP-ICF-RIP', 'hpicfRipRedistRestrictAddr'), (0, 'HP-ICF-RIP', 'hpicfRipRedistRestrictMask')) if mibBuilder.loadTexts: hpicfRipRedistRestrictEntry.setStatus('current') hpicf_rip_redist_restrict_addr = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 13, 1, 4, 1, 1), ip_address()) if mibBuilder.loadTexts: hpicfRipRedistRestrictAddr.setStatus('current') hpicf_rip_redist_restrict_mask = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 13, 1, 4, 1, 2), ip_address()) if mibBuilder.loadTexts: hpicfRipRedistRestrictMask.setStatus('current') hpicf_rip_redist_restrict_status = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 13, 1, 4, 1, 3), row_status()).setMaxAccess('readcreate') if mibBuilder.loadTexts: hpicfRipRedistRestrictStatus.setStatus('current') hpicf_rip_conformance = mib_identifier((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 13, 2)) hpicf_rip_groups = mib_identifier((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 13, 2, 1)) hpicf_rip_base_group = object_group((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 13, 2, 1, 1)).setObjects(('HP-ICF-RIP', 'hpicfRipAdminStatus'), ('HP-ICF-RIP', 'hpicfRipDefaultMetric'), ('HP-ICF-RIP', 'hpicfRipAutoSummary')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): hpicf_rip_base_group = hpicfRipBaseGroup.setStatus('current') hpicf_rip_if_group = object_group((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 13, 2, 1, 2)).setObjects(('HP-ICF-RIP', 'hpicfRipIfConfDoPoison'), ('HP-ICF-RIP', 'hpicfRipIfConfCost')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): hpicf_rip_if_group = hpicfRipIfGroup.setStatus('current') hpicf_rip_redist_group = object_group((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 13, 2, 1, 3)).setObjects(('HP-ICF-RIP', 'hpicfRipRedistEnabled'), ('HP-ICF-RIP', 'hpicfRipRedistRestrictStatus')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): hpicf_rip_redist_group = hpicfRipRedistGroup.setStatus('current') hpicf_rip_distance_group = object_group((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 13, 2, 1, 4)).setObjects(('HP-ICF-RIP', 'hpicfRipDistance')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): hpicf_rip_distance_group = hpicfRipDistanceGroup.setStatus('current') hpicf_rip_compliances = mib_identifier((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 13, 2, 2)) hpicf_rip_compliance = module_compliance((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 13, 2, 2, 1)).setObjects(('HP-ICF-RIP', 'hpicfRipBaseGroup'), ('HP-ICF-RIP', 'hpicfRipIfGroup'), ('HP-ICF-RIP', 'hpicfRipRedistGroup')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): hpicf_rip_compliance = hpicfRipCompliance.setStatus('current') hpicf_rip_distance_compliance = module_compliance((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 13, 2, 2, 2)).setObjects(('HP-ICF-RIP', 'hpicfRipDistanceGroup')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): hpicf_rip_distance_compliance = hpicfRipDistanceCompliance.setStatus('current') mibBuilder.exportSymbols('HP-ICF-RIP', hpicfRipIfConfCost=hpicfRipIfConfCost, hpicfRipRedistSrcProto=hpicfRipRedistSrcProto, hpicfRipRedistRestrictStatus=hpicfRipRedistRestrictStatus, hpicfRipRedistEnabled=hpicfRipRedistEnabled, hpicfRipDistance=hpicfRipDistance, hpicfRipRedistRestrictAddr=hpicfRipRedistRestrictAddr, hpicfRipRedistTable=hpicfRipRedistTable, hpicfRipIfConfTable=hpicfRipIfConfTable, hpicfRipRedistRestrictMask=hpicfRipRedistRestrictMask, hpicfRipAutoSummary=hpicfRipAutoSummary, hpicfRip=hpicfRip, hpicfRipGeneral=hpicfRipGeneral, hpicfRipDistanceGroup=hpicfRipDistanceGroup, hpicfRipRedistRestrictTable=hpicfRipRedistRestrictTable, hpicfRipRedistGroup=hpicfRipRedistGroup, hpicfRipObjects=hpicfRipObjects, hpicfRipRedistEntry=hpicfRipRedistEntry, hpicfRipIfConfEntry=hpicfRipIfConfEntry, hpicfRipDistanceCompliance=hpicfRipDistanceCompliance, hpicfRipIfConfDoPoison=hpicfRipIfConfDoPoison, hpicfRipAdminStatus=hpicfRipAdminStatus, hpicfRipConformance=hpicfRipConformance, hpicfRipBaseGroup=hpicfRipBaseGroup, hpicfRipCompliances=hpicfRipCompliances, hpicfRipGroups=hpicfRipGroups, hpicfRipCompliance=hpicfRipCompliance, hpicfRipDefaultMetric=hpicfRipDefaultMetric, hpicfRipRedistRestrictEntry=hpicfRipRedistRestrictEntry, hpicfRipIfGroup=hpicfRipIfGroup, PYSNMP_MODULE_ID=hpicfRip)
{ 'name': "MOBtexting SMS Gateway", 'version': '1.0', 'author': "MOBtexting", 'category': 'Tools', 'summary':'MOBtexting SMS Gateway', 'description':'You can use sms template to send SMS using MOBtexting Intergration.', 'website': "http://www.mobtexting.com", 'depends': ['base','web',], 'sequence':-80, 'data': [ 'view/send_sms_view.xml', 'view/ir_actions_server_views.xml', 'view/sms_track_view.xml', 'view/gateway_setup_view.xml', 'wizard/sms_compose_view.xml', # 'security/ir.model.access.csv', ], 'images':['static/description/icon.png'], 'license': 'LGPL-3', 'installable':True, 'application':True, 'auto_install':False, }
{'name': 'MOBtexting SMS Gateway', 'version': '1.0', 'author': 'MOBtexting', 'category': 'Tools', 'summary': 'MOBtexting SMS Gateway', 'description': 'You can use sms template to send SMS using MOBtexting Intergration.', 'website': 'http://www.mobtexting.com', 'depends': ['base', 'web'], 'sequence': -80, 'data': ['view/send_sms_view.xml', 'view/ir_actions_server_views.xml', 'view/sms_track_view.xml', 'view/gateway_setup_view.xml', 'wizard/sms_compose_view.xml'], 'images': ['static/description/icon.png'], 'license': 'LGPL-3', 'installable': True, 'application': True, 'auto_install': False}
""" fake_libc.py For PyPy. """ def regex_parse(regex_str): return True # This makes things fall through to the first case statement... def fnmatch(s, to_match): return True
""" fake_libc.py For PyPy. """ def regex_parse(regex_str): return True def fnmatch(s, to_match): return True
def quicksort (lst): if lst == []: return [] else: smallsorted = quicksort([x for x in lst[1:] if x <= lst[0]]) bigsorted = quicksort([x for x in lst[1:] if x > lst[0]]) return smallsorted + [lst[0]] + bigsorted
def quicksort(lst): if lst == []: return [] else: smallsorted = quicksort([x for x in lst[1:] if x <= lst[0]]) bigsorted = quicksort([x for x in lst[1:] if x > lst[0]]) return smallsorted + [lst[0]] + bigsorted
class Board(): def __init__(self): self.grid = [[5,3,0,0,7,0,0,0,0], [6,0,0,1,9,5,0,0,0], [0,9,8,0,0,0,0,6,0], [8,0,0,0,6,0,0,0,3], [4,0,0,8,0,3,0,0,1], [7,0,0,0,2,0,0,0,6], [0,6,0,0,0,0,2,8,0], [0,0,0,4,1,9,0,0,5], [0,0,0,0,8,0,0,7,9]] def isValidBoard(self): #checks rows for repeats, then columns, then the subgrids. If finds a duplicate returns false for x,row in enumerate(self.grid): rowSet = set() for y,num in enumerate(row): if (num == 0): continue if num in rowSet: return False else: rowSet.add(num) if (x == 0): col = [row[y] for row in self.grid] colSet = set() if(col.count(num) > 1): return False if(x%3 == 0 and y%3 == 0): subgrid = [self.grid[i][j] for i in range(x,x+3) for j in range(y,y+3)] subgridSet = set() for i in subgrid: if i in subgridSet: return False else: subgridSet.add(i) return True def checkPosition(self,val,position): #check row for i in range(9): if self.grid[position[0]][i] == val and i != position[1]: return False #check column for i in range(9): if self.grid[i][position[1]] == val and i != position[0]: return False #check subgrid gridCol = position[1] // 3 gridRow = position[0] // 3 for i in range(gridRow*3, gridRow*3+3): for j in range(gridCol*3, gridCol*3+3): if self.grid[i][j] == val and (i,j) != position: return False return True def printBoard(self): for x,row in enumerate(self.grid): if (x in [3,6]): print("-"*11) for y,num in enumerate(row): if (y in [3,6]): print("|", end = "") print(num, end = "") print("") def nextEmpty(self): #finds next empty space (used for solver) for x in range(len(self.grid)): for y in range(len(self.grid[0])): if self.grid[x][y] == 0: return(x, y) return False def solveBoard(self): toSolve = self.nextEmpty() if toSolve == False: return True else: x,y = toSolve #tries a value in open spots, then calls function recursively so if # a roadblock is hit it backtracks for i in range(1,10): if self.checkPosition(i,(x,y)): self.grid[x][y] = i if self.solveBoard(): return True self.grid[x][y] = 0 return False def resetBoard(self): self.__init__()
class Board: def __init__(self): self.grid = [[5, 3, 0, 0, 7, 0, 0, 0, 0], [6, 0, 0, 1, 9, 5, 0, 0, 0], [0, 9, 8, 0, 0, 0, 0, 6, 0], [8, 0, 0, 0, 6, 0, 0, 0, 3], [4, 0, 0, 8, 0, 3, 0, 0, 1], [7, 0, 0, 0, 2, 0, 0, 0, 6], [0, 6, 0, 0, 0, 0, 2, 8, 0], [0, 0, 0, 4, 1, 9, 0, 0, 5], [0, 0, 0, 0, 8, 0, 0, 7, 9]] def is_valid_board(self): for (x, row) in enumerate(self.grid): row_set = set() for (y, num) in enumerate(row): if num == 0: continue if num in rowSet: return False else: rowSet.add(num) if x == 0: col = [row[y] for row in self.grid] col_set = set() if col.count(num) > 1: return False if x % 3 == 0 and y % 3 == 0: subgrid = [self.grid[i][j] for i in range(x, x + 3) for j in range(y, y + 3)] subgrid_set = set() for i in subgrid: if i in subgridSet: return False else: subgridSet.add(i) return True def check_position(self, val, position): for i in range(9): if self.grid[position[0]][i] == val and i != position[1]: return False for i in range(9): if self.grid[i][position[1]] == val and i != position[0]: return False grid_col = position[1] // 3 grid_row = position[0] // 3 for i in range(gridRow * 3, gridRow * 3 + 3): for j in range(gridCol * 3, gridCol * 3 + 3): if self.grid[i][j] == val and (i, j) != position: return False return True def print_board(self): for (x, row) in enumerate(self.grid): if x in [3, 6]: print('-' * 11) for (y, num) in enumerate(row): if y in [3, 6]: print('|', end='') print(num, end='') print('') def next_empty(self): for x in range(len(self.grid)): for y in range(len(self.grid[0])): if self.grid[x][y] == 0: return (x, y) return False def solve_board(self): to_solve = self.nextEmpty() if toSolve == False: return True else: (x, y) = toSolve for i in range(1, 10): if self.checkPosition(i, (x, y)): self.grid[x][y] = i if self.solveBoard(): return True self.grid[x][y] = 0 return False def reset_board(self): self.__init__()
aos_global_config.set('no_with_lwip', 1) src = Split(''' soc/uart.c main/arg_options.c main/main.c main/hw.c main/wifi_port.c main/ota_port.c main/nand.c main/vfs_trap.c ''') global_cflags = Split(''' -m32 -std=gnu99 -Wall -Wno-missing-field-initializers -Wno-strict-aliasing -Wno-address -Wno-unused-result -lpthread -lm -lrt -DDEBUG -ggdb ''') global_macros = Split(''' SYSINFO_PRODUCT_MODEL=\\"ALI_AOS_LINUXHOST\\" SYSINFO_DEVICE_NAME=\\"LINUXHOST\\" CONFIG_AOS_RHINO_MMREGION CONFIG_YSH_CMD_DUMPSYS CSP_LINUXHOST CONFIG_LOGMACRO_DETAILS CONFIG_AOS_FATFS_SUPPORT CONFIG_AOS_FATFS_SUPPORT_MMC CONFIG_AOS_UOTA_BREAKPOINT ''') component = aos_mcu_component('linuximpl', '', src) component.set_global_arch('linux') component.add_global_cflags(*global_cflags) component.add_global_asflags('-m32') component.add_global_ldflags('-m32', '-lpthread', '-lm', '-lrt', '-lreadline', '-lncurses') component.add_global_macros(*global_macros) @post_config def linuximpl_post_config(component): comp_names = [comp.name for comp in aos_global_config.components] if 'fatfs' in comp_names: component.add_sources('main/sdmmc.c') if 'net' in comp_names: aos_global_config.set('LWIP', 1) linuximpl_post_config(component) LWIP = aos_global_config.get('LWIP') if LWIP == 1: lwip_src = Split(''' csp/lwip/netif/delif.c csp/lwip/netif/fifo.c csp/lwip/netif/list.c csp/lwip/netif/tapif.c csp/lwip/netif/tcpdump.c csp/lwip/netif/tunif.c csp/lwip/lwip_linuxhost.c ''') for s in lwip_src: component.add_sources(s) ### can't work end ### if aos_global_config.app == 'yts': src_tmp = Split(''' main/sdmmc.c csp/lwip/netif/delif.c csp/lwip/netif/fifo.c csp/lwip/netif/list.c csp/lwip/netif/tapif.c csp/lwip/netif/tcpdump.c csp/lwip/netif/tunif.c csp/lwip/lwip_linuxhost.c ''') for s in src_tmp: component.add_sources(s) if aos_global_config.get('osal') == 'posix': component.add_macros("CONFIG_OSAL_POSIX") else: src_tmp = Split(''' soc/soc_impl.c soc/hook_impl.c soc/trace_impl.c ''') for s in src_tmp: component.add_sources(s) component.add_comp_deps('utility/log', 'platform/arch/linux', 'osal', 'kernel/init') component.add_global_includes('include', 'csp/lwip/include')
aos_global_config.set('no_with_lwip', 1) src = split('\n soc/uart.c\n main/arg_options.c\n main/main.c\n main/hw.c\n main/wifi_port.c\n main/ota_port.c\n main/nand.c\n main/vfs_trap.c\n') global_cflags = split('\n -m32\n -std=gnu99\n -Wall\n -Wno-missing-field-initializers\n -Wno-strict-aliasing -Wno-address\n -Wno-unused-result\n -lpthread\n -lm\n -lrt\n -DDEBUG\n -ggdb\n') global_macros = split('\n SYSINFO_PRODUCT_MODEL=\\"ALI_AOS_LINUXHOST\\"\n SYSINFO_DEVICE_NAME=\\"LINUXHOST\\"\n CONFIG_AOS_RHINO_MMREGION\n CONFIG_YSH_CMD_DUMPSYS\n CSP_LINUXHOST\n CONFIG_LOGMACRO_DETAILS\n CONFIG_AOS_FATFS_SUPPORT\n CONFIG_AOS_FATFS_SUPPORT_MMC\n CONFIG_AOS_UOTA_BREAKPOINT\n') component = aos_mcu_component('linuximpl', '', src) component.set_global_arch('linux') component.add_global_cflags(*global_cflags) component.add_global_asflags('-m32') component.add_global_ldflags('-m32', '-lpthread', '-lm', '-lrt', '-lreadline', '-lncurses') component.add_global_macros(*global_macros) @post_config def linuximpl_post_config(component): comp_names = [comp.name for comp in aos_global_config.components] if 'fatfs' in comp_names: component.add_sources('main/sdmmc.c') if 'net' in comp_names: aos_global_config.set('LWIP', 1) linuximpl_post_config(component) lwip = aos_global_config.get('LWIP') if LWIP == 1: lwip_src = split('\n csp/lwip/netif/delif.c \n csp/lwip/netif/fifo.c \n csp/lwip/netif/list.c \n csp/lwip/netif/tapif.c \n csp/lwip/netif/tcpdump.c \n csp/lwip/netif/tunif.c\n csp/lwip/lwip_linuxhost.c\n ') for s in lwip_src: component.add_sources(s) if aos_global_config.app == 'yts': src_tmp = split('\n main/sdmmc.c\n csp/lwip/netif/delif.c\n csp/lwip/netif/fifo.c\n csp/lwip/netif/list.c\n csp/lwip/netif/tapif.c\n csp/lwip/netif/tcpdump.c \n csp/lwip/netif/tunif.c\n csp/lwip/lwip_linuxhost.c\n ') for s in src_tmp: component.add_sources(s) if aos_global_config.get('osal') == 'posix': component.add_macros('CONFIG_OSAL_POSIX') else: src_tmp = split('\n\t\tsoc/soc_impl.c\n\t\tsoc/hook_impl.c\n\t\tsoc/trace_impl.c\n\t') for s in src_tmp: component.add_sources(s) component.add_comp_deps('utility/log', 'platform/arch/linux', 'osal', 'kernel/init') component.add_global_includes('include', 'csp/lwip/include')
myl1 = [1,2,3,4,5] myl2 = myl1.copy() print(id(myl1)) print(id(myl2)) print("Initially") print(" myl1 is: ", myl1) print(" myl2 is: ", myl2) print("--------------------") myl1[2] = 13 print("Modifying myl1") print(" myl1 is: ", myl1) print(" myl2 is: ", myl2) print("--------------------") myl2[3] = 14 print("Modifying myl2") print(" myl1 is: ", myl1) print(" myl2 is: ", myl2)
myl1 = [1, 2, 3, 4, 5] myl2 = myl1.copy() print(id(myl1)) print(id(myl2)) print('Initially') print(' myl1 is: ', myl1) print(' myl2 is: ', myl2) print('--------------------') myl1[2] = 13 print('Modifying myl1') print(' myl1 is: ', myl1) print(' myl2 is: ', myl2) print('--------------------') myl2[3] = 14 print('Modifying myl2') print(' myl1 is: ', myl1) print(' myl2 is: ', myl2)
if __name__=="__main__": t=int(input()) while(t>0): (n, k) = map(int, input().split()) li=list(map(int, input().split()[:n])) min = 99999999 for i in range(len(li)): if li[i] < min: min=li[i] if k-min > 0: print(k-min) else: print(0) t=t-1
if __name__ == '__main__': t = int(input()) while t > 0: (n, k) = map(int, input().split()) li = list(map(int, input().split()[:n])) min = 99999999 for i in range(len(li)): if li[i] < min: min = li[i] if k - min > 0: print(k - min) else: print(0) t = t - 1
people = [ [['Kay', 'McNulty'], 'mcnulty@eniac.org'], [['Betty', 'Jennings'], 'jennings@eniac.org'], [['Marlyn', 'Wescoff'], 'mwescoff@eniac.org'] ] for [[first, last], email] in people: print('{} {} <{}>'.format(first, last, email))
people = [[['Kay', 'McNulty'], 'mcnulty@eniac.org'], [['Betty', 'Jennings'], 'jennings@eniac.org'], [['Marlyn', 'Wescoff'], 'mwescoff@eniac.org']] for [[first, last], email] in people: print('{} {} <{}>'.format(first, last, email))
#!/usr/bin/python2 # -*- coding: utf-8 -*- # # Copyright (C) 2019 Kaleb Roscco Horvath # # 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 # (A copy should also be included with this source distribution) # # Unless required by applicable law or agreed to in writing, # software distributed under the License is done "AS IS", # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either expressed or implied. # See the License for specific language governing permissions and # limitations under the License. # # Violators of the License will be prosecuted following severe offences. r"""PyIface - Easy API for low-level wireless hardware system calls. This package exports the following modules and subpackages: Interface - the public bound object that binds together all private API methods. Since version 1.2.beta, PyIface implements the Interface object. Older applicants of PyIface are HIGHLY ENCOURAGED to migrate. """ __author__ = 'Kaleb Roscoo Horvath' __version__ = '1.2 beta' __license__ = 'Apache-2.0' __all__ = ['Iface'] # only public object/method available
"""PyIface - Easy API for low-level wireless hardware system calls. This package exports the following modules and subpackages: Interface - the public bound object that binds together all private API methods. Since version 1.2.beta, PyIface implements the Interface object. Older applicants of PyIface are HIGHLY ENCOURAGED to migrate. """ __author__ = 'Kaleb Roscoo Horvath' __version__ = '1.2 beta' __license__ = 'Apache-2.0' __all__ = ['Iface']
# Helper function to get the turning performance with moving in upward right lane and # turn left. def UpLeftRightLane(line1, line2, flag, x, y): laneWidth = abs(line2[0][0]-line2[0][1]) half = line2[0][0] + laneWidth/2 + 2 Rang1_1 = [[half-2, half],[ line2[1][0], line2[1][1] ]] Rang1_2 = [[half, half+0.5],[ line2[1][0], line2[1][1] ]] Rang2_1 = [[half-3, half-2],[ line2[1][0], line2[1][1] ]] Rang2_2 = [[half+0.5, half+1.5],[ line2[1][0], line2[1][1] ]] Rang3_1 = [[half-4, half-3],[ line2[1][0], line2[1][1] ]] Rang3_2 = [[half+1.5, half+2],[ line2[1][0], line2[1][1] ]] Rang4_1 = [[half-5, half-4],[ line2[1][0], line2[1][1] ]] Rang4_2 = [[half+2, half+3],[ line2[1][0], line2[1][1] ]] Rang5_1 = [[half-7, half-5],[ line2[1][0], line2[1][1] ]] Rang5_2 = [[half+3, half+10],[ line2[1][0], line2[1][1] ]] if(line1[0][0] <= x <= line1[0][1] and line1[1][0] <= y <= line1[1][1]): flag = True if(line2[0][0] <= x <= line2[0][1] and line2[1][0] <= y <= line2[1][1] and flag): if(Rang1_1[0][0] <= x <= Rang1_1[0][1] and Rang1_1[1][0] <= y <= Rang1_1[1][1]): flag = False return 1,flag elif(Rang1_2[0][0] <= x <= Rang1_2[0][1] and Rang1_2[1][0] <= y <= Rang1_2[1][1]): flag = False return 1,flag elif(Rang2_1[0][0] <= x <= Rang2_1[0][1] and Rang2_1[1][0] <= y <= Rang2_1[1][1]): flag = False return 2,flag elif(Rang2_2[0][0] <= x <= Rang2_2[0][1] and Rang2_2[1][0] <= y <= Rang2_2[1][1]): flag = False return 2,flag elif(Rang3_1[0][0] <= x <= Rang3_1[0][1] and Rang3_1[1][0] <= y <= Rang3_1[1][1]): flag = False return 3,flag elif(Rang3_2[0][0] <= x <= Rang3_2[0][1] and Rang3_2[1][0] <= y <= Rang3_2[1][1]): flag = False return 3,flag elif(Rang4_1[0][0] <= x <= Rang4_1[0][1] and Rang4_1[1][0] <= y <= Rang4_1[1][1]): flag = False return 4,flag elif(Rang4_2[0][0] <= x <= Rang4_2[0][1] and Rang4_2[1][0] <= y <= Rang4_2[1][1]): flag = False return 4,flag elif(Rang5_1[0][0] <= x <= Rang5_1[0][1] and Rang5_1[1][0] <= y <= Rang5_1[1][1]): flag = False return 5,flag elif(Rang5_2[0][0] <= x <= Rang5_2[0][1] and Rang5_2[1][0] <= y <= Rang5_2[1][1]): flag = False return 5,flag return 0,flag # Helper function to get the turning performance with moving in upward left lane and # turn left. def UpLeftLeftLane(line1, line2, flag, x, y): laneWidth = abs(line2[0][0]-line2[0][1]) half = line2[0][0] + 2 Rang1_1 = [[half-0.5, half],[ line2[1][0], line2[1][1] ]] Rang1_2 = [[half, half+2],[ line2[1][0], line2[1][1] ]] Rang2_1 = [[half-1.5, half-0.5],[ line2[1][0], line2[1][1] ]] Rang2_2 = [[half+2, half+3],[ line2[1][0], line2[1][1] ]] Rang3_1 = [[half-2, half-1.5],[ line2[1][0], line2[1][1] ]] Rang3_2 = [[half+3, half+4],[ line2[1][0], line2[1][1] ]] Rang4_1 = [[half-3, half-2],[ line2[1][0], line2[1][1] ]] Rang4_2 = [[half+4, half+5],[ line2[1][0], line2[1][1] ]] Rang5_1 = [[half-13, half-3],[ line2[1][0], line2[1][1] ]] Rang5_2 = [[half+5, half+10],[ line2[1][0], line2[1][1] ]] if(line1[0][0] <= x <= line1[0][1] and line1[1][0] <= y <= line1[1][1]): flag = True if(line2[0][0] <= x <= line2[0][1] and line2[1][0] <= y <= line2[1][1] and flag): if(Rang1_1[0][0] <= x <= Rang1_1[0][1] and Rang1_1[1][0] <= y <= Rang1_1[1][1]): flag = False return 1,flag elif(Rang1_2[0][0] <= x <= Rang1_2[0][1] and Rang1_2[1][0] <= y <= Rang1_2[1][1]): flag = False return 1,flag elif(Rang2_1[0][0] <= x <= Rang2_1[0][1] and Rang2_1[1][0] <= y <= Rang2_1[1][1]): flag = False return 2,flag elif(Rang2_2[0][0] <= x <= Rang2_2[0][1] and Rang2_2[1][0] <= y <= Rang2_2[1][1]): flag = False return 2,flag elif(Rang3_1[0][0] <= x <= Rang3_1[0][1] and Rang3_1[1][0] <= y <= Rang3_1[1][1]): flag = False return 3,flag elif(Rang3_2[0][0] <= x <= Rang3_2[0][1] and Rang3_2[1][0] <= y <= Rang3_2[1][1]): flag = False return 3,flag elif(Rang4_1[0][0] <= x <= Rang4_1[0][1] and Rang4_1[1][0] <= y <= Rang4_1[1][1]): flag = False return 4,flag elif(Rang4_2[0][0] <= x <= Rang4_2[0][1] and Rang4_2[1][0] <= y <= Rang4_2[1][1]): flag = False return 4,flag elif(Rang5_1[0][0] <= x <= Rang5_1[0][1] and Rang5_1[1][0] <= y <= Rang5_1[1][1]): flag = False return 5,flag elif(Rang5_2[0][0] <= x <= Rang5_2[0][1] and Rang5_2[1][0] <= y <= Rang5_2[1][1]): flag = False return 5,flag return 0,flag
def up_left_right_lane(line1, line2, flag, x, y): lane_width = abs(line2[0][0] - line2[0][1]) half = line2[0][0] + laneWidth / 2 + 2 rang1_1 = [[half - 2, half], [line2[1][0], line2[1][1]]] rang1_2 = [[half, half + 0.5], [line2[1][0], line2[1][1]]] rang2_1 = [[half - 3, half - 2], [line2[1][0], line2[1][1]]] rang2_2 = [[half + 0.5, half + 1.5], [line2[1][0], line2[1][1]]] rang3_1 = [[half - 4, half - 3], [line2[1][0], line2[1][1]]] rang3_2 = [[half + 1.5, half + 2], [line2[1][0], line2[1][1]]] rang4_1 = [[half - 5, half - 4], [line2[1][0], line2[1][1]]] rang4_2 = [[half + 2, half + 3], [line2[1][0], line2[1][1]]] rang5_1 = [[half - 7, half - 5], [line2[1][0], line2[1][1]]] rang5_2 = [[half + 3, half + 10], [line2[1][0], line2[1][1]]] if line1[0][0] <= x <= line1[0][1] and line1[1][0] <= y <= line1[1][1]: flag = True if line2[0][0] <= x <= line2[0][1] and line2[1][0] <= y <= line2[1][1] and flag: if Rang1_1[0][0] <= x <= Rang1_1[0][1] and Rang1_1[1][0] <= y <= Rang1_1[1][1]: flag = False return (1, flag) elif Rang1_2[0][0] <= x <= Rang1_2[0][1] and Rang1_2[1][0] <= y <= Rang1_2[1][1]: flag = False return (1, flag) elif Rang2_1[0][0] <= x <= Rang2_1[0][1] and Rang2_1[1][0] <= y <= Rang2_1[1][1]: flag = False return (2, flag) elif Rang2_2[0][0] <= x <= Rang2_2[0][1] and Rang2_2[1][0] <= y <= Rang2_2[1][1]: flag = False return (2, flag) elif Rang3_1[0][0] <= x <= Rang3_1[0][1] and Rang3_1[1][0] <= y <= Rang3_1[1][1]: flag = False return (3, flag) elif Rang3_2[0][0] <= x <= Rang3_2[0][1] and Rang3_2[1][0] <= y <= Rang3_2[1][1]: flag = False return (3, flag) elif Rang4_1[0][0] <= x <= Rang4_1[0][1] and Rang4_1[1][0] <= y <= Rang4_1[1][1]: flag = False return (4, flag) elif Rang4_2[0][0] <= x <= Rang4_2[0][1] and Rang4_2[1][0] <= y <= Rang4_2[1][1]: flag = False return (4, flag) elif Rang5_1[0][0] <= x <= Rang5_1[0][1] and Rang5_1[1][0] <= y <= Rang5_1[1][1]: flag = False return (5, flag) elif Rang5_2[0][0] <= x <= Rang5_2[0][1] and Rang5_2[1][0] <= y <= Rang5_2[1][1]: flag = False return (5, flag) return (0, flag) def up_left_left_lane(line1, line2, flag, x, y): lane_width = abs(line2[0][0] - line2[0][1]) half = line2[0][0] + 2 rang1_1 = [[half - 0.5, half], [line2[1][0], line2[1][1]]] rang1_2 = [[half, half + 2], [line2[1][0], line2[1][1]]] rang2_1 = [[half - 1.5, half - 0.5], [line2[1][0], line2[1][1]]] rang2_2 = [[half + 2, half + 3], [line2[1][0], line2[1][1]]] rang3_1 = [[half - 2, half - 1.5], [line2[1][0], line2[1][1]]] rang3_2 = [[half + 3, half + 4], [line2[1][0], line2[1][1]]] rang4_1 = [[half - 3, half - 2], [line2[1][0], line2[1][1]]] rang4_2 = [[half + 4, half + 5], [line2[1][0], line2[1][1]]] rang5_1 = [[half - 13, half - 3], [line2[1][0], line2[1][1]]] rang5_2 = [[half + 5, half + 10], [line2[1][0], line2[1][1]]] if line1[0][0] <= x <= line1[0][1] and line1[1][0] <= y <= line1[1][1]: flag = True if line2[0][0] <= x <= line2[0][1] and line2[1][0] <= y <= line2[1][1] and flag: if Rang1_1[0][0] <= x <= Rang1_1[0][1] and Rang1_1[1][0] <= y <= Rang1_1[1][1]: flag = False return (1, flag) elif Rang1_2[0][0] <= x <= Rang1_2[0][1] and Rang1_2[1][0] <= y <= Rang1_2[1][1]: flag = False return (1, flag) elif Rang2_1[0][0] <= x <= Rang2_1[0][1] and Rang2_1[1][0] <= y <= Rang2_1[1][1]: flag = False return (2, flag) elif Rang2_2[0][0] <= x <= Rang2_2[0][1] and Rang2_2[1][0] <= y <= Rang2_2[1][1]: flag = False return (2, flag) elif Rang3_1[0][0] <= x <= Rang3_1[0][1] and Rang3_1[1][0] <= y <= Rang3_1[1][1]: flag = False return (3, flag) elif Rang3_2[0][0] <= x <= Rang3_2[0][1] and Rang3_2[1][0] <= y <= Rang3_2[1][1]: flag = False return (3, flag) elif Rang4_1[0][0] <= x <= Rang4_1[0][1] and Rang4_1[1][0] <= y <= Rang4_1[1][1]: flag = False return (4, flag) elif Rang4_2[0][0] <= x <= Rang4_2[0][1] and Rang4_2[1][0] <= y <= Rang4_2[1][1]: flag = False return (4, flag) elif Rang5_1[0][0] <= x <= Rang5_1[0][1] and Rang5_1[1][0] <= y <= Rang5_1[1][1]: flag = False return (5, flag) elif Rang5_2[0][0] <= x <= Rang5_2[0][1] and Rang5_2[1][0] <= y <= Rang5_2[1][1]: flag = False return (5, flag) return (0, flag)
a,b,c = input().split(" ") A = int(a) B = int(b) C = int(c) MAIORAB = (A + B + abs(A-B))/2 MAIOR = (MAIORAB + C + abs(MAIORAB - C))/2 print("%d eh o maior" %MAIOR)
(a, b, c) = input().split(' ') a = int(a) b = int(b) c = int(c) maiorab = (A + B + abs(A - B)) / 2 maior = (MAIORAB + C + abs(MAIORAB - C)) / 2 print('%d eh o maior' % MAIOR)
''' Exercise 11 (0 points). Implement a function to compute the Hessian of the log-likelihood. The signature of your function should be, ''' def hess_log_likelihood(theta, y, X): """Returns the Hessian of the log-likelihood.""" z = X.dot(theta) A = np.multiply(X, logistic(z)) B = np.multiply(X, logistic(-z)) return -A.T.dot(B) ''' Exercise 12 (0 points). Finish the implementation of a Newton-based MLE procedure for the logistic regression problem. ''' MAX_STEP = 10 # Get the data coordinate matrix, X, and labels vector, l X = points y = labels.astype(dtype=float) # Store *all* guesses, for subsequent analysis thetas_newt = np.zeros((3, MAX_STEP+1)) for t in range(MAX_STEP): theta_t = thetas_newt[:, t:t+1] g_t = grad_log_likelihood(theta_t, y, X) H_t = hess_log_likelihood(theta_t, y, X) s_t = np.linalg.solve(H_t, -g_t) thetas_newt[:, t+1:t+2] = theta_t + s_t theta_newt = thetas_newt[:, MAX_STEP:] print ("Your (hand) solution:", my_theta.T.flatten()) print ("Computed solution:", theta_newt.T.flatten()) print ("\n=== Comparisons ===") display (Math (r'\dfrac{\theta_0}{\theta_2}:')) print ("Your manual (hand-picked) solution is", my_theta[0]/my_theta[2], \ ", vs. MLE (via Newton's method), which is", theta_newt[0]/theta_newt[2]) display (Math (r'\dfrac{\theta_1}{\theta_2}:')) print ("Your manual (hand-picked) solution is", my_theta[1]/my_theta[2], \ ", vs. MLE (via Newton's method), which is", theta_newt[1]/theta_newt[2]) print ("\n=== The MLE solution, visualized ===") newt_labels = gen_lin_discr_labels(points, theta_newt) df_newt = df.copy() df_newt['label'] = mark_matches(newt_labels, labels).astype (dtype=int) plot_lin_discr(theta_newt, df_newt)
""" Exercise 11 (0 points). Implement a function to compute the Hessian of the log-likelihood. The signature of your function should be, """ def hess_log_likelihood(theta, y, X): """Returns the Hessian of the log-likelihood.""" z = X.dot(theta) a = np.multiply(X, logistic(z)) b = np.multiply(X, logistic(-z)) return -A.T.dot(B) '\nExercise 12 (0 points). \nFinish the implementation of a Newton-based MLE procedure for the logistic regression problem.\n' max_step = 10 x = points y = labels.astype(dtype=float) thetas_newt = np.zeros((3, MAX_STEP + 1)) for t in range(MAX_STEP): theta_t = thetas_newt[:, t:t + 1] g_t = grad_log_likelihood(theta_t, y, X) h_t = hess_log_likelihood(theta_t, y, X) s_t = np.linalg.solve(H_t, -g_t) thetas_newt[:, t + 1:t + 2] = theta_t + s_t theta_newt = thetas_newt[:, MAX_STEP:] print('Your (hand) solution:', my_theta.T.flatten()) print('Computed solution:', theta_newt.T.flatten()) print('\n=== Comparisons ===') display(math('\\dfrac{\\theta_0}{\\theta_2}:')) print('Your manual (hand-picked) solution is', my_theta[0] / my_theta[2], ", vs. MLE (via Newton's method), which is", theta_newt[0] / theta_newt[2]) display(math('\\dfrac{\\theta_1}{\\theta_2}:')) print('Your manual (hand-picked) solution is', my_theta[1] / my_theta[2], ", vs. MLE (via Newton's method), which is", theta_newt[1] / theta_newt[2]) print('\n=== The MLE solution, visualized ===') newt_labels = gen_lin_discr_labels(points, theta_newt) df_newt = df.copy() df_newt['label'] = mark_matches(newt_labels, labels).astype(dtype=int) plot_lin_discr(theta_newt, df_newt)
# -*- coding: utf-8 -*- # vim:fenc=utf-8 ''' Hivy ---- Hivy exposes a RESTful API to the Unide (unide.co) platform. Create, destroy and configure collaborative development environments and services around it. :copyright (c) 2014 Xavier Bruhier. :license: Apache 2.0, see LICENSE for more details. ''' __project__ = 'hivy' __author__ = 'Xavier Bruhiere' __copyright__ = 'Hive Tech, SAS' __licence__ = 'Apache 2.0' __version__ = '0.0.6' __api__ = { 'status': 'GET /', 'doc': 'GET /doc', 'node': 'GET | POST | DELETE /node' }
""" Hivy ---- Hivy exposes a RESTful API to the Unide (unide.co) platform. Create, destroy and configure collaborative development environments and services around it. :copyright (c) 2014 Xavier Bruhier. :license: Apache 2.0, see LICENSE for more details. """ __project__ = 'hivy' __author__ = 'Xavier Bruhiere' __copyright__ = 'Hive Tech, SAS' __licence__ = 'Apache 2.0' __version__ = '0.0.6' __api__ = {'status': 'GET /', 'doc': 'GET /doc', 'node': 'GET | POST | DELETE /node'}
MEMORY_SIZE = 64 * 1024 WORD_LENGTH = 255 _IN = "IN" # constant to specify input ports _OUT = "OUT" # constant to specify output ports
memory_size = 64 * 1024 word_length = 255 _in = 'IN' _out = 'OUT'
inputFile = "day13/day13_1_input.txt" # https://adventofcode.com/2021/day/13 def deleteAndAddKeys(paperDict, keysToPop, keysToAdd): for key in keysToPop: del paperDict[key] for key in keysToAdd: if key not in paperDict: paperDict[key] = True def foldYUp(paperDict, y): keysToPop = [] keysToAdd = [] for key in paperDict: if key[0] == y: # on index zero we have y position keysToPop.append(key) if key[0] > y: # we should fold up yFoldDiff = key[0] - y newYCoordinate = y - yFoldDiff keysToAdd.append((newYCoordinate, key[1])) keysToPop.append(key) deleteAndAddKeys(paperDict, keysToPop, keysToAdd) def foldXLeft(paperDict, x): keysToPop = [] keysToAdd = [] for key in paperDict: if key[1] == x: # on index one we have x position keysToPop.append(key) if key[1] > x: # we should fold left xFoldDiff = key[1] - x newXCoordinate = x - xFoldDiff keysToAdd.append((key[0], newXCoordinate)) keysToPop.append(key) deleteAndAddKeys(paperDict, keysToPop, keysToAdd) if __name__ == '__main__': with open(inputFile, "r") as f: input = f.read().split("\n") # print(input) transparentPaperDict = {} folds = [] isFolds = False for line in input: if line == '': isFolds = True continue if isFolds: folds.append(line) else: x, y = line.split(",") transparentPaperDict[(int(y), int(x))] = True nbFolds = 0 for fold in folds: command, value = fold.split("=") # print(command, int(value)) if command == "fold along y": foldYUp(transparentPaperDict, int(value)) if command == "fold along x": foldXLeft(transparentPaperDict, int(value)) nbFolds += 1 if nbFolds == 1: print("part1. Visible dots after first fold: ", len(transparentPaperDict)) maxX = 0 maxY = 0 for key in transparentPaperDict: if key[0] > maxY: maxY = key[0] if key[1] > maxX: maxX = key[1] resultPrint = [] for i in range(0, maxY + 1): resultPrint.append(["."] * (maxX + 1)) for key in transparentPaperDict: resultPrint[key[0]][key[1]] = "#" # print result in console print("part2. ASCI ART :)") for line in resultPrint: for value in line: print(value, end="") print()
input_file = 'day13/day13_1_input.txt' def delete_and_add_keys(paperDict, keysToPop, keysToAdd): for key in keysToPop: del paperDict[key] for key in keysToAdd: if key not in paperDict: paperDict[key] = True def fold_y_up(paperDict, y): keys_to_pop = [] keys_to_add = [] for key in paperDict: if key[0] == y: keysToPop.append(key) if key[0] > y: y_fold_diff = key[0] - y new_y_coordinate = y - yFoldDiff keysToAdd.append((newYCoordinate, key[1])) keysToPop.append(key) delete_and_add_keys(paperDict, keysToPop, keysToAdd) def fold_x_left(paperDict, x): keys_to_pop = [] keys_to_add = [] for key in paperDict: if key[1] == x: keysToPop.append(key) if key[1] > x: x_fold_diff = key[1] - x new_x_coordinate = x - xFoldDiff keysToAdd.append((key[0], newXCoordinate)) keysToPop.append(key) delete_and_add_keys(paperDict, keysToPop, keysToAdd) if __name__ == '__main__': with open(inputFile, 'r') as f: input = f.read().split('\n') transparent_paper_dict = {} folds = [] is_folds = False for line in input: if line == '': is_folds = True continue if isFolds: folds.append(line) else: (x, y) = line.split(',') transparentPaperDict[int(y), int(x)] = True nb_folds = 0 for fold in folds: (command, value) = fold.split('=') if command == 'fold along y': fold_y_up(transparentPaperDict, int(value)) if command == 'fold along x': fold_x_left(transparentPaperDict, int(value)) nb_folds += 1 if nbFolds == 1: print('part1. Visible dots after first fold: ', len(transparentPaperDict)) max_x = 0 max_y = 0 for key in transparentPaperDict: if key[0] > maxY: max_y = key[0] if key[1] > maxX: max_x = key[1] result_print = [] for i in range(0, maxY + 1): resultPrint.append(['.'] * (maxX + 1)) for key in transparentPaperDict: resultPrint[key[0]][key[1]] = '#' print('part2. ASCI ART :)') for line in resultPrint: for value in line: print(value, end='') print()
SPECIMEN_MAPPING = { "output_name": "specimen", "select": [ "specimen_id", "external_sample_id", "colony_id", "strain_accession_id", "genetic_background", "strain_name", "zygosity", "production_center", "phenotyping_center", "project", "litter_id", "biological_sample_group", "sex", "pipeline_stable_id", "developmental_stage_name", "developmental_stage_acc", ], "col_renaming": { "external_sample_id": "source_id", "biological_sample_group": "sample_group", }, }
specimen_mapping = {'output_name': 'specimen', 'select': ['specimen_id', 'external_sample_id', 'colony_id', 'strain_accession_id', 'genetic_background', 'strain_name', 'zygosity', 'production_center', 'phenotyping_center', 'project', 'litter_id', 'biological_sample_group', 'sex', 'pipeline_stable_id', 'developmental_stage_name', 'developmental_stage_acc'], 'col_renaming': {'external_sample_id': 'source_id', 'biological_sample_group': 'sample_group'}}
class Node: def __init__(self, data=None): self.__data = data self.__next = None @property def data(self): return self.__data @data.setter def data(self, data): self.__data = data @property def next(self): return self.__next @next.setter def next(self, n): self.__next = n class LStack: def __init__(self): self.top = None def empty(self): if self.top is None: return True else: return False def push(self, data): new_node = Node(data) new_node.next = self.top self.top = new_node def pop(self): if self.empty(): return cur = self.top self.top = self.top.next return cur.data def peek(self): if self.empty(): return return self.top.data if __name__ == '__main__': s = LStack() s.push(1) s.push(2) s.push(3) s.push(4) s.push(5) for i in range(5): print(s.pop())
class Node: def __init__(self, data=None): self.__data = data self.__next = None @property def data(self): return self.__data @data.setter def data(self, data): self.__data = data @property def next(self): return self.__next @next.setter def next(self, n): self.__next = n class Lstack: def __init__(self): self.top = None def empty(self): if self.top is None: return True else: return False def push(self, data): new_node = node(data) new_node.next = self.top self.top = new_node def pop(self): if self.empty(): return cur = self.top self.top = self.top.next return cur.data def peek(self): if self.empty(): return return self.top.data if __name__ == '__main__': s = l_stack() s.push(1) s.push(2) s.push(3) s.push(4) s.push(5) for i in range(5): print(s.pop())
# Copyright (C) 2018-2021 Seoul National University # # 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. # ============================================================================== """Crane, GPU Cluster Manager for DL training. When a Job is submitted to the cluster, it goes into job queue (Queued) When a Job is scheduled, it goes into running job pool (Running) - At running state, each Job has ApplicationMaster(AM). - AM receives MiniCluster. - AM can create Tasks. A Task is a group of containers. - AM can listen to events such as container dead or cancellation by user When a Job is finished, it's at finished state (erased) """ __version__ = "0.3.2"
"""Crane, GPU Cluster Manager for DL training. When a Job is submitted to the cluster, it goes into job queue (Queued) When a Job is scheduled, it goes into running job pool (Running) - At running state, each Job has ApplicationMaster(AM). - AM receives MiniCluster. - AM can create Tasks. A Task is a group of containers. - AM can listen to events such as container dead or cancellation by user When a Job is finished, it's at finished state (erased) """ __version__ = '0.3.2'
def get_hog_features(img, orient, pix_per_cell, cell_per_block, vis=True, feature_vec=True): """ Function accepts params and returns HOG features (optionally flattened) and an optional matrix for visualization. Features will always be the first return (flattened if feature_vector= True). A visualization matrix will be the second return if visualize = True. """ return_list = hog(img, orientations=orient, pixels_per_cell=(pix_per_cell, pix_per_cell), cells_per_block=(cell_per_block, cell_per_block), block_norm= 'L2-Hys', transform_sqrt=False, visualise= vis, feature_vector= feature_vec) # name returns explicitly hog_features = return_list[0] if vis: hog_image = return_list[1] return hog_features, hog_image else: return hog_features
def get_hog_features(img, orient, pix_per_cell, cell_per_block, vis=True, feature_vec=True): """ Function accepts params and returns HOG features (optionally flattened) and an optional matrix for visualization. Features will always be the first return (flattened if feature_vector= True). A visualization matrix will be the second return if visualize = True. """ return_list = hog(img, orientations=orient, pixels_per_cell=(pix_per_cell, pix_per_cell), cells_per_block=(cell_per_block, cell_per_block), block_norm='L2-Hys', transform_sqrt=False, visualise=vis, feature_vector=feature_vec) hog_features = return_list[0] if vis: hog_image = return_list[1] return (hog_features, hog_image) else: return hog_features
# Copyright (c) 2021-2022, NVIDIA CORPORATION. All rights reserved. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. class CommunicationMetaData(object): COMMAND = "command" TASK_NAME = "task_name" FL_CTX = "fl_ctx" EVENT_TYPE = "event_type" HANDLE_CONN = "handle_conn" EXE_CONN = "exe_conn" COMPONENTS = "MPExecutor_components" HANDLERS = "MPExecutor_handlers" LOCAL_EXECUTOR = "local_executor" RANK_NUMBER = "rank_number" SHAREABLE = "shareable" RELAYER = "relayer" RANK_PROCESS_STARTED = "rank_process_started" PARENT_PASSWORD = "parent process secret password" CHILD_PASSWORD = "client process secret password" class CommunicateData(object): EXECUTE = "execute" HANDLE_EVENT = "handle_event" CLOSE = "close" SUB_WORKER_PROCESS = "sub_worker_process" MULTI_PROCESS_EXECUTOR = "multi_process_executor"
class Communicationmetadata(object): command = 'command' task_name = 'task_name' fl_ctx = 'fl_ctx' event_type = 'event_type' handle_conn = 'handle_conn' exe_conn = 'exe_conn' components = 'MPExecutor_components' handlers = 'MPExecutor_handlers' local_executor = 'local_executor' rank_number = 'rank_number' shareable = 'shareable' relayer = 'relayer' rank_process_started = 'rank_process_started' parent_password = 'parent process secret password' child_password = 'client process secret password' class Communicatedata(object): execute = 'execute' handle_event = 'handle_event' close = 'close' sub_worker_process = 'sub_worker_process' multi_process_executor = 'multi_process_executor'
def Part1(): File = open("Input.txt").read().split("\n") Order = [3,1] CurrentLocation = [0,0] Trees = 0 while (CurrentLocation[1] < len(File)-1): CurrentLocation[1] += Order[1] CurrentLocation[0] += Order[0] if File[CurrentLocation[1]][CurrentLocation[0] % 31] == "#": Trees += 1 return Trees def Part2(): File = open("Input.txt").read().split("\n") Orders = [[1,2],[3,1],[1,1],[5,1],[7,1]] Multiply = 1 for Order in Orders: CurrentLocation = [0,0] Trees = 0 while (CurrentLocation[1] < len(File)-1): CurrentLocation[1] += Order[1] CurrentLocation[0] += Order[0] if File[CurrentLocation[1]][CurrentLocation[0] % 31] == "#": Trees += 1 Multiply *= Trees return Multiply print(Part1()) print(Part2())
def part1(): file = open('Input.txt').read().split('\n') order = [3, 1] current_location = [0, 0] trees = 0 while CurrentLocation[1] < len(File) - 1: CurrentLocation[1] += Order[1] CurrentLocation[0] += Order[0] if File[CurrentLocation[1]][CurrentLocation[0] % 31] == '#': trees += 1 return Trees def part2(): file = open('Input.txt').read().split('\n') orders = [[1, 2], [3, 1], [1, 1], [5, 1], [7, 1]] multiply = 1 for order in Orders: current_location = [0, 0] trees = 0 while CurrentLocation[1] < len(File) - 1: CurrentLocation[1] += Order[1] CurrentLocation[0] += Order[0] if File[CurrentLocation[1]][CurrentLocation[0] % 31] == '#': trees += 1 multiply *= Trees return Multiply print(part1()) print(part2())
lista=[[],[]] for i in range(0,7): numero=int(input('Digite um valor: ')) if numero%2==0: lista[0].append(numero) else: lista[1].append(numero) lista[0].sort() lista[1].sort() print(f'Os valores pares foram {lista[0]} e os impares foram {lista[1]}')
lista = [[], []] for i in range(0, 7): numero = int(input('Digite um valor: ')) if numero % 2 == 0: lista[0].append(numero) else: lista[1].append(numero) lista[0].sort() lista[1].sort() print(f'Os valores pares foram {lista[0]} e os impares foram {lista[1]}')
class Build: def __init__(self, **CONFIG): self.CONFIG = CONFIG try: self.builtup = CONFIG['STRING'] except KeyError: raise KeyError('Could not find configuration "STRING"') def __call__(self): return self.builtup def reset(self): self.builtup = self.CONFIG['STRING'] def addon(self, addon=None): if addon == None: try: addon = self.CONFIG['ADDON'] except KeyError: raise KeyError('Could not find configuration "ADDON"') self.builtup += addon @property def config(self): return self.CONFIG @config.setter def config(self, NEW_CONFIG): self.CONFIG = NEW_CONFIG
class Build: def __init__(self, **CONFIG): self.CONFIG = CONFIG try: self.builtup = CONFIG['STRING'] except KeyError: raise key_error('Could not find configuration "STRING"') def __call__(self): return self.builtup def reset(self): self.builtup = self.CONFIG['STRING'] def addon(self, addon=None): if addon == None: try: addon = self.CONFIG['ADDON'] except KeyError: raise key_error('Could not find configuration "ADDON"') self.builtup += addon @property def config(self): return self.CONFIG @config.setter def config(self, NEW_CONFIG): self.CONFIG = NEW_CONFIG
class Check(object): '''Base class for defining linting checks.''' ID = None def run(self, name, meta, source): return True
class Check(object): """Base class for defining linting checks.""" id = None def run(self, name, meta, source): return True
# pylint: skip-file # flake8: noqa # noqa: E302,E301 # pylint: disable=too-many-instance-attributes class RouteConfig(object): ''' Handle route options ''' # pylint: disable=too-many-arguments def __init__(self, sname, namespace, kubeconfig, destcacert=None, cacert=None, cert=None, key=None, host=None, tls_termination=None, service_name=None, wildcard_policy=None, weight=None): ''' constructor for handling route options ''' self.kubeconfig = kubeconfig self.name = sname self.namespace = namespace self.host = host self.tls_termination = tls_termination self.destcacert = destcacert self.cacert = cacert self.cert = cert self.key = key self.service_name = service_name self.data = {} self.wildcard_policy = wildcard_policy if wildcard_policy is None: self.wildcard_policy = 'None' self.weight = weight if weight is None: self.weight = 100 self.create_dict() def create_dict(self): ''' return a service as a dict ''' self.data['apiVersion'] = 'v1' self.data['kind'] = 'Route' self.data['metadata'] = {} self.data['metadata']['name'] = self.name self.data['metadata']['namespace'] = self.namespace self.data['spec'] = {} self.data['spec']['host'] = self.host if self.tls_termination: self.data['spec']['tls'] = {} if self.tls_termination == 'reencrypt': self.data['spec']['tls']['destinationCACertificate'] = self.destcacert self.data['spec']['tls']['key'] = self.key self.data['spec']['tls']['caCertificate'] = self.cacert self.data['spec']['tls']['certificate'] = self.cert self.data['spec']['tls']['termination'] = self.tls_termination self.data['spec']['to'] = {'kind': 'Service', 'name': self.service_name, 'weight': self.weight} self.data['spec']['wildcardPolicy'] = self.wildcard_policy # pylint: disable=too-many-instance-attributes,too-many-public-methods class Route(Yedit): ''' Class to wrap the oc command line tools ''' wildcard_policy = "spec.wildcardPolicy" host_path = "spec.host" service_path = "spec.to.name" weight_path = "spec.to.weight" cert_path = "spec.tls.certificate" cacert_path = "spec.tls.caCertificate" destcacert_path = "spec.tls.destinationCACertificate" termination_path = "spec.tls.termination" key_path = "spec.tls.key" kind = 'route' def __init__(self, content): '''Route constructor''' super(Route, self).__init__(content=content) def get_destcacert(self): ''' return cert ''' return self.get(Route.destcacert_path) def get_cert(self): ''' return cert ''' return self.get(Route.cert_path) def get_key(self): ''' return key ''' return self.get(Route.key_path) def get_cacert(self): ''' return cacert ''' return self.get(Route.cacert_path) def get_service(self): ''' return service name ''' return self.get(Route.service_path) def get_weight(self): ''' return service weight ''' return self.get(Route.weight_path) def get_termination(self): ''' return tls termination''' return self.get(Route.termination_path) def get_host(self): ''' return host ''' return self.get(Route.host_path) def get_wildcard_policy(self): ''' return wildcardPolicy ''' return self.get(Route.wildcard_policy)
class Routeconfig(object): """ Handle route options """ def __init__(self, sname, namespace, kubeconfig, destcacert=None, cacert=None, cert=None, key=None, host=None, tls_termination=None, service_name=None, wildcard_policy=None, weight=None): """ constructor for handling route options """ self.kubeconfig = kubeconfig self.name = sname self.namespace = namespace self.host = host self.tls_termination = tls_termination self.destcacert = destcacert self.cacert = cacert self.cert = cert self.key = key self.service_name = service_name self.data = {} self.wildcard_policy = wildcard_policy if wildcard_policy is None: self.wildcard_policy = 'None' self.weight = weight if weight is None: self.weight = 100 self.create_dict() def create_dict(self): """ return a service as a dict """ self.data['apiVersion'] = 'v1' self.data['kind'] = 'Route' self.data['metadata'] = {} self.data['metadata']['name'] = self.name self.data['metadata']['namespace'] = self.namespace self.data['spec'] = {} self.data['spec']['host'] = self.host if self.tls_termination: self.data['spec']['tls'] = {} if self.tls_termination == 'reencrypt': self.data['spec']['tls']['destinationCACertificate'] = self.destcacert self.data['spec']['tls']['key'] = self.key self.data['spec']['tls']['caCertificate'] = self.cacert self.data['spec']['tls']['certificate'] = self.cert self.data['spec']['tls']['termination'] = self.tls_termination self.data['spec']['to'] = {'kind': 'Service', 'name': self.service_name, 'weight': self.weight} self.data['spec']['wildcardPolicy'] = self.wildcard_policy class Route(Yedit): """ Class to wrap the oc command line tools """ wildcard_policy = 'spec.wildcardPolicy' host_path = 'spec.host' service_path = 'spec.to.name' weight_path = 'spec.to.weight' cert_path = 'spec.tls.certificate' cacert_path = 'spec.tls.caCertificate' destcacert_path = 'spec.tls.destinationCACertificate' termination_path = 'spec.tls.termination' key_path = 'spec.tls.key' kind = 'route' def __init__(self, content): """Route constructor""" super(Route, self).__init__(content=content) def get_destcacert(self): """ return cert """ return self.get(Route.destcacert_path) def get_cert(self): """ return cert """ return self.get(Route.cert_path) def get_key(self): """ return key """ return self.get(Route.key_path) def get_cacert(self): """ return cacert """ return self.get(Route.cacert_path) def get_service(self): """ return service name """ return self.get(Route.service_path) def get_weight(self): """ return service weight """ return self.get(Route.weight_path) def get_termination(self): """ return tls termination""" return self.get(Route.termination_path) def get_host(self): """ return host """ return self.get(Route.host_path) def get_wildcard_policy(self): """ return wildcardPolicy """ return self.get(Route.wildcard_policy)
class Observer: """ Abstract class for implementation of observers used to monitor EvolutionEngine process. """ def trigger(self, event): """ This function is trigger by EvolutionEngine when particular event occurs. :param event: Event """ raise NotImplementedError()
class Observer: """ Abstract class for implementation of observers used to monitor EvolutionEngine process. """ def trigger(self, event): """ This function is trigger by EvolutionEngine when particular event occurs. :param event: Event """ raise not_implemented_error()
class Solution: def smallerNumbersThanCurrent(self, nums: List[int]) -> List[int]: # Solution 1: # Time Complexity: O(n) # Space Complexity: O(n) # nums_sorted = sorted(nums) # res = [] # for num in nums: # res.append(nums_sorted.index(num)) # return res # Solution 2: # Time Complexity: O(n) # Space Complexity: O(n) # res = [] # for i in range(len(nums)): # count = 0 # for j in range(len(nums)): # if nums[j] < nums[i]: # count += 1 # res.append(count) # return res # Solution 3: # Time Complexity: O(n) # Space Complexity: O(1) # res = [] # for i in range(len(nums)): # count = 0 # for j in range(len(nums)): # if nums[j] < nums[i]: # count += 1 # res.append(count) # return res # Solution 4: # Time Complexity: O(n) # Space Complexity: O(1) # res = [] # for i in range(len(nums)): # count = 0 # for j in range(len(nums)): # if nums[j] < nums[i]: # count += 1 # res.append(count) # return res # Solution 5: # Time Complexity: O(n) # Space Complexity: O(1) # res = [] # for i in range(len(nums)): # count = 0 # for j in range(len(nums)): # if nums[j] < nums[i]: # Solution 6: # Time Complexity: O(n) # Space Complexity: O(n) res = [] for i in nums: summ = 0 for j in nums: if i>j: summ += 1 res.append(summ) return res
class Solution: def smaller_numbers_than_current(self, nums: List[int]) -> List[int]: res = [] for i in nums: summ = 0 for j in nums: if i > j: summ += 1 res.append(summ) return res
class Solution: def lengthOfLongestSubstring(self, s): """ :type s: str :rtype: int """ if len(s) < 2: return len(s) cur = 1 left = -1 max_length = 1 while cur < len(s): rindex = cur - 1 while rindex >= 0: if s[rindex] == s[cur]: break rindex -= 1 left = max([left, rindex]) max_length = max([max_length, cur - left]) cur += 1 return max_length
class Solution: def length_of_longest_substring(self, s): """ :type s: str :rtype: int """ if len(s) < 2: return len(s) cur = 1 left = -1 max_length = 1 while cur < len(s): rindex = cur - 1 while rindex >= 0: if s[rindex] == s[cur]: break rindex -= 1 left = max([left, rindex]) max_length = max([max_length, cur - left]) cur += 1 return max_length
# jupyter_notebook_config.py in $JUPYTER_CONFIG_DIR c = get_config() # c.NotebookApp.allow_root = True c.NotebookApp.ip = '*' c.NotebookApp.port = 8888 # NOTE don't forget to open c.NotebookApp.open_browser = False c.NotebookApp.allow_remote_access = True c.NotebookApp.password_required = False c.NotebookApp.password = '' c.NotebookApp.token = ''
c = get_config() c.NotebookApp.ip = '*' c.NotebookApp.port = 8888 c.NotebookApp.open_browser = False c.NotebookApp.allow_remote_access = True c.NotebookApp.password_required = False c.NotebookApp.password = '' c.NotebookApp.token = ''
def to_separate_args(content: str, sep='|'): return list(map(lambda s: s.strip(), content.split(sep))) def prepare_bot_module(name: str): if not name.startswith('cogs.'): name = 'cogs.' + name return name
def to_separate_args(content: str, sep='|'): return list(map(lambda s: s.strip(), content.split(sep))) def prepare_bot_module(name: str): if not name.startswith('cogs.'): name = 'cogs.' + name return name
#!/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: system_certificate short_description: Resource module for System Certificate description: - Manage operations update and delete of the resource System Certificate. version_added: '1.0.0' extends_documentation_fragment: - cisco.ise.module author: Rafael Campos (@racampos) options: admin: description: Use certificate to authenticate the ISE Admin Portal. type: bool allowReplacementOfPortalGroupTag: description: Allow Replacement of Portal Group Tag (required). type: bool description: description: Description of System Certificate. type: str eap: description: Use certificate for EAP protocols that use SSL/TLS tunneling. type: bool expirationTTLPeriod: description: System Certificate's expirationTTLPeriod. type: int expirationTTLUnits: description: System Certificate's expirationTTLUnits. type: str hostName: description: HostName path parameter. Name of the host from which the System Certificate needs to be deleted. type: str id: description: Id path parameter. The ID of the System Certificate to be deleted. type: str ims: description: Use certificate for the ISE Messaging Service. type: bool name: description: Name of the certificate. type: str portal: description: Use for portal. type: bool portalGroupTag: description: Set Group tag. type: str pxgrid: description: Use certificate for the pxGrid Controller. type: bool radius: description: Use certificate for the RADSec server. type: bool renewSelfSignedCertificate: description: Renew Self Signed Certificate. type: bool saml: description: Use certificate for SAML Signing. type: bool requirements: - ciscoisesdk >= 1.1.0 - python >= 3.5 seealso: # Reference by Internet resource - name: System Certificate reference description: Complete reference of the System Certificate object model. link: https://ciscoisesdk.readthedocs.io/en/latest/api/api.html#v3-0-0-summary """ EXAMPLES = r""" - name: Update by id cisco.ise.system_certificate: ise_hostname: "{{ise_hostname}}" ise_username: "{{ise_username}}" ise_password: "{{ise_password}}" ise_verify: "{{ise_verify}}" state: present admin: true allowReplacementOfPortalGroupTag: true description: string eap: true expirationTTLPeriod: 0 expirationTTLUnits: string hostName: string id: string ims: true name: string portal: true portalGroupTag: string pxgrid: true radius: true renewSelfSignedCertificate: true saml: true - name: Delete by id cisco.ise.system_certificate: ise_hostname: "{{ise_hostname}}" ise_username: "{{ise_username}}" ise_password: "{{ise_password}}" ise_verify: "{{ise_verify}}" state: absent hostName: string id: string """ RETURN = r""" ise_response: description: A dictionary or list with the response returned by the Cisco ISE Python SDK returned: always type: dict sample: > { "expirationDate": "string", "friendlyName": "string", "groupTag": "string", "id": "string", "issuedBy": "string", "issuedTo": "string", "keySize": 0, "link": { "href": "string", "rel": "string", "type": "string" }, "portalsUsingTheTag": "string", "selfSigned": true, "serialNumberDecimalFormat": "string", "sha256Fingerprint": "string", "signatureAlgorithm": "string", "usedBy": "string", "validFrom": "string" } ise_update_response: description: A dictionary or list with the response returned by the Cisco ISE Python SDK returned: always version_added: "1.1.0" type: dict sample: > { "response": { "id": "string", "link": { "href": "string", "rel": "string", "type": "string" }, "message": "string", "status": "string" }, "version": "string" } """
documentation = "\n---\nmodule: system_certificate\nshort_description: Resource module for System Certificate\ndescription:\n- Manage operations update and delete of the resource System Certificate.\nversion_added: '1.0.0'\nextends_documentation_fragment:\n - cisco.ise.module\nauthor: Rafael Campos (@racampos)\noptions:\n admin:\n description: Use certificate to authenticate the ISE Admin Portal.\n type: bool\n allowReplacementOfPortalGroupTag:\n description: Allow Replacement of Portal Group Tag (required).\n type: bool\n description:\n description: Description of System Certificate.\n type: str\n eap:\n description: Use certificate for EAP protocols that use SSL/TLS tunneling.\n type: bool\n expirationTTLPeriod:\n description: System Certificate's expirationTTLPeriod.\n type: int\n expirationTTLUnits:\n description: System Certificate's expirationTTLUnits.\n type: str\n hostName:\n description: HostName path parameter. Name of the host from which the System Certificate\n needs to be deleted.\n type: str\n id:\n description: Id path parameter. The ID of the System Certificate to be deleted.\n type: str\n ims:\n description: Use certificate for the ISE Messaging Service.\n type: bool\n name:\n description: Name of the certificate.\n type: str\n portal:\n description: Use for portal.\n type: bool\n portalGroupTag:\n description: Set Group tag.\n type: str\n pxgrid:\n description: Use certificate for the pxGrid Controller.\n type: bool\n radius:\n description: Use certificate for the RADSec server.\n type: bool\n renewSelfSignedCertificate:\n description: Renew Self Signed Certificate.\n type: bool\n saml:\n description: Use certificate for SAML Signing.\n type: bool\nrequirements:\n- ciscoisesdk >= 1.1.0\n- python >= 3.5\nseealso:\n# Reference by Internet resource\n- name: System Certificate reference\n description: Complete reference of the System Certificate object model.\n link: https://ciscoisesdk.readthedocs.io/en/latest/api/api.html#v3-0-0-summary\n" examples = '\n- name: Update by id\n cisco.ise.system_certificate:\n ise_hostname: "{{ise_hostname}}"\n ise_username: "{{ise_username}}"\n ise_password: "{{ise_password}}"\n ise_verify: "{{ise_verify}}"\n state: present\n admin: true\n allowReplacementOfPortalGroupTag: true\n description: string\n eap: true\n expirationTTLPeriod: 0\n expirationTTLUnits: string\n hostName: string\n id: string\n ims: true\n name: string\n portal: true\n portalGroupTag: string\n pxgrid: true\n radius: true\n renewSelfSignedCertificate: true\n saml: true\n\n- name: Delete by id\n cisco.ise.system_certificate:\n ise_hostname: "{{ise_hostname}}"\n ise_username: "{{ise_username}}"\n ise_password: "{{ise_password}}"\n ise_verify: "{{ise_verify}}"\n state: absent\n hostName: string\n id: string\n\n' return = '\nise_response:\n description: A dictionary or list with the response returned by the Cisco ISE Python SDK\n returned: always\n type: dict\n sample: >\n {\n "expirationDate": "string",\n "friendlyName": "string",\n "groupTag": "string",\n "id": "string",\n "issuedBy": "string",\n "issuedTo": "string",\n "keySize": 0,\n "link": {\n "href": "string",\n "rel": "string",\n "type": "string"\n },\n "portalsUsingTheTag": "string",\n "selfSigned": true,\n "serialNumberDecimalFormat": "string",\n "sha256Fingerprint": "string",\n "signatureAlgorithm": "string",\n "usedBy": "string",\n "validFrom": "string"\n }\n\nise_update_response:\n description: A dictionary or list with the response returned by the Cisco ISE Python SDK\n returned: always\n version_added: "1.1.0"\n type: dict\n sample: >\n {\n "response": {\n "id": "string",\n "link": {\n "href": "string",\n "rel": "string",\n "type": "string"\n },\n "message": "string",\n "status": "string"\n },\n "version": "string"\n }\n'
# Copyright (c) 2020 safexl # A config file to capture Excel constants for later use # these are also available from `win32com.client.constants` # though not in a format that plays nicely with autocomplete in IDEs # Can be accessed like - `safexl.xl_constants.xlToLeft` # Constants xlAll = -4104 xlAutomatic = -4105 xlBoth = 1 xlCenter = -4108 xlChecker = 9 xlCircle = 8 xlCorner = 2 xlCrissCross = 16 xlCross = 4 xlDiamond = 2 xlDistributed = -4117 xlDoubleAccounting = 5 xlFixedValue = 1 xlFormats = -4122 xlGray16 = 17 xlGray8 = 18 xlGrid = 15 xlHigh = -4127 xlInside = 2 xlJustify = -4130 xlLightDown = 13 xlLightHorizontal = 11 xlLightUp = 14 xlLightVertical = 12 xlLow = -4134 xlManual = -4135 xlMinusValues = 3 xlModule = -4141 xlNextToAxis = 4 xlNone = -4142 xlNotes = -4144 xlOff = -4146 xlOn = 1 xlPercent = 2 xlPlus = 9 xlPlusValues = 2 xlSemiGray75 = 10 xlShowLabel = 4 xlShowLabelAndPercent = 5 xlShowPercent = 3 xlShowValue = 2 xlSimple = -4154 xlSingle = 2 xlSingleAccounting = 4 xlSolid = 1 xlSquare = 1 xlStar = 5 xlStError = 4 xlToolbarButton = 2 xlTriangle = 3 xlGray25 = -4124 xlGray50 = -4125 xlGray75 = -4126 xlBottom = -4107 xlLeft = -4131 xlRight = -4152 xlTop = -4160 xl3DBar = -4099 xl3DSurface = -4103 xlBar = 2 xlColumn = 3 xlCombination = -4111 xlCustom = -4114 xlDefaultAutoFormat = -1 xlMaximum = 2 xlMinimum = 4 xlOpaque = 3 xlTransparent = 2 xlBidi = -5000 xlLatin = -5001 xlContext = -5002 xlLTR = -5003 xlRTL = -5004 xlFullScript = 1 xlPartialScript = 2 xlMixedScript = 3 xlMixedAuthorizedScript = 4 xlVisualCursor = 2 xlLogicalCursor = 1 xlSystem = 1 xlPartial = 3 xlHindiNumerals = 3 xlBidiCalendar = 3 xlGregorian = 2 xlComplete = 4 xlScale = 3 xlClosed = 3 xlColor1 = 7 xlColor2 = 8 xlColor3 = 9 xlConstants = 2 xlContents = 2 xlBelow = 1 xlCascade = 7 xlCenterAcrossSelection = 7 xlChart4 = 2 xlChartSeries = 17 xlChartShort = 6 xlChartTitles = 18 xlClassic1 = 1 xlClassic2 = 2 xlClassic3 = 3 xl3DEffects1 = 13 xl3DEffects2 = 14 xlAbove = 0 xlAccounting1 = 4 xlAccounting2 = 5 xlAccounting3 = 6 xlAccounting4 = 17 xlAdd = 2 xlDebugCodePane = 13 xlDesktop = 9 xlDirect = 1 xlDivide = 5 xlDoubleClosed = 5 xlDoubleOpen = 4 xlDoubleQuote = 1 xlEntireChart = 20 xlExcelMenus = 1 xlExtended = 3 xlFill = 5 xlFirst = 0 xlFloating = 5 xlFormula = 5 xlGeneral = 1 xlGridline = 22 xlIcons = 1 xlImmediatePane = 12 xlInteger = 2 xlLast = 1 xlLastCell = 11 xlList1 = 10 xlList2 = 11 xlList3 = 12 xlLocalFormat1 = 15 xlLocalFormat2 = 16 xlLong = 3 xlLotusHelp = 2 xlMacrosheetCell = 7 xlMixed = 2 xlMultiply = 4 xlNarrow = 1 xlNoDocuments = 3 xlOpen = 2 xlOutside = 3 xlReference = 4 xlSemiautomatic = 2 xlShort = 1 xlSingleQuote = 2 xlStrict = 2 xlSubtract = 3 xlTextBox = 16 xlTiled = 1 xlTitleBar = 8 xlToolbar = 1 xlVisible = 12 xlWatchPane = 11 xlWide = 3 xlWorkbookTab = 6 xlWorksheet4 = 1 xlWorksheetCell = 3 xlWorksheetShort = 5 xlAllExceptBorders = 7 xlLeftToRight = 2 xlTopToBottom = 1 xlVeryHidden = 2 xlDrawingObject = 14 # XlCreator xlCreatorCode = 1480803660 # XlChartGallery xlBuiltIn = 21 xlUserDefined = 22 xlAnyGallery = 23 # XlColorIndex xlColorIndexAutomatic = -4105 xlColorIndexNone = -4142 # XlEndStyleCap xlCap = 1 xlNoCap = 2 # XlRowCol xlColumns = 2 xlRows = 1 # XlScaleType xlScaleLinear = -4132 xlScaleLogarithmic = -4133 # XlDataSeriesType xlAutoFill = 4 xlChronological = 3 xlGrowth = 2 xlDataSeriesLinear = -4132 # XlAxisCrosses xlAxisCrossesAutomatic = -4105 xlAxisCrossesCustom = -4114 xlAxisCrossesMaximum = 2 xlAxisCrossesMinimum = 4 # XlAxisGroup xlPrimary = 1 xlSecondary = 2 # XlBackground xlBackgroundAutomatic = -4105 xlBackgroundOpaque = 3 xlBackgroundTransparent = 2 # XlWindowState xlMaximized = -4137 xlMinimized = -4140 xlNormal = -4143 # XlAxisType xlCategory = 1 xlSeriesAxis = 3 xlValue = 2 # XlArrowHeadLength xlArrowHeadLengthLong = 3 xlArrowHeadLengthMedium = -4138 xlArrowHeadLengthShort = 1 # XlVAlign xlVAlignBottom = -4107 xlVAlignCenter = -4108 xlVAlignDistributed = -4117 xlVAlignJustify = -4130 xlVAlignTop = -4160 # XlTickMark xlTickMarkCross = 4 xlTickMarkInside = 2 xlTickMarkNone = -4142 xlTickMarkOutside = 3 # XlErrorBarDirection xlX = -4168 xlY = 1 # XlErrorBarInclude xlErrorBarIncludeBoth = 1 xlErrorBarIncludeMinusValues = 3 xlErrorBarIncludeNone = -4142 xlErrorBarIncludePlusValues = 2 # XlDisplayBlanksAs xlInterpolated = 3 xlNotPlotted = 1 xlZero = 2 # XlArrowHeadStyle xlArrowHeadStyleClosed = 3 xlArrowHeadStyleDoubleClosed = 5 xlArrowHeadStyleDoubleOpen = 4 xlArrowHeadStyleNone = -4142 xlArrowHeadStyleOpen = 2 # XlArrowHeadWidth xlArrowHeadWidthMedium = -4138 xlArrowHeadWidthNarrow = 1 xlArrowHeadWidthWide = 3 # XlHAlign xlHAlignCenter = -4108 xlHAlignCenterAcrossSelection = 7 xlHAlignDistributed = -4117 xlHAlignFill = 5 xlHAlignGeneral = 1 xlHAlignJustify = -4130 xlHAlignLeft = -4131 xlHAlignRight = -4152 # XlTickLabelPosition xlTickLabelPositionHigh = -4127 xlTickLabelPositionLow = -4134 xlTickLabelPositionNextToAxis = 4 xlTickLabelPositionNone = -4142 # XlLegendPosition xlLegendPositionBottom = -4107 xlLegendPositionCorner = 2 xlLegendPositionLeft = -4131 xlLegendPositionRight = -4152 xlLegendPositionTop = -4160 # XlChartPictureType xlStackScale = 3 xlStack = 2 xlStretch = 1 # XlChartPicturePlacement xlSides = 1 xlEnd = 2 xlEndSides = 3 xlFront = 4 xlFrontSides = 5 xlFrontEnd = 6 xlAllFaces = 7 # XlOrientation xlDownward = -4170 xlHorizontal = -4128 xlUpward = -4171 xlVertical = -4166 # XlTickLabelOrientation xlTickLabelOrientationAutomatic = -4105 xlTickLabelOrientationDownward = -4170 xlTickLabelOrientationHorizontal = -4128 xlTickLabelOrientationUpward = -4171 xlTickLabelOrientationVertical = -4166 # XlBorderWeight xlHairline = 1 xlMedium = -4138 xlThick = 4 xlThin = 2 # XlDataSeriesDate xlDay = 1 xlMonth = 3 xlWeekday = 2 xlYear = 4 # XlUnderlineStyle xlUnderlineStyleDouble = -4119 xlUnderlineStyleDoubleAccounting = 5 xlUnderlineStyleNone = -4142 xlUnderlineStyleSingle = 2 xlUnderlineStyleSingleAccounting = 4 # XlErrorBarType xlErrorBarTypeCustom = -4114 xlErrorBarTypeFixedValue = 1 xlErrorBarTypePercent = 2 xlErrorBarTypeStDev = -4155 xlErrorBarTypeStError = 4 # XlTrendlineType xlExponential = 5 xlLinear = -4132 xlLogarithmic = -4133 xlMovingAvg = 6 xlPolynomial = 3 xlPower = 4 # XlLineStyle xlContinuous = 1 xlDash = -4115 xlDashDot = 4 xlDashDotDot = 5 xlDot = -4118 xlDouble = -4119 xlSlantDashDot = 13 xlLineStyleNone = -4142 # XlDataLabelsType xlDataLabelsShowNone = -4142 xlDataLabelsShowValue = 2 xlDataLabelsShowPercent = 3 xlDataLabelsShowLabel = 4 xlDataLabelsShowLabelAndPercent = 5 xlDataLabelsShowBubbleSizes = 6 # XlMarkerStyle xlMarkerStyleAutomatic = -4105 xlMarkerStyleCircle = 8 xlMarkerStyleDash = -4115 xlMarkerStyleDiamond = 2 xlMarkerStyleDot = -4118 xlMarkerStyleNone = -4142 xlMarkerStylePicture = -4147 xlMarkerStylePlus = 9 xlMarkerStyleSquare = 1 xlMarkerStyleStar = 5 xlMarkerStyleTriangle = 3 xlMarkerStyleX = -4168 # XlPictureConvertorType xlBMP = 1 xlCGM = 7 xlDRW = 4 xlDXF = 5 xlEPS = 8 xlHGL = 6 xlPCT = 13 xlPCX = 10 xlPIC = 11 xlPLT = 12 xlTIF = 9 xlWMF = 2 xlWPG = 3 # XlPattern xlPatternAutomatic = -4105 xlPatternChecker = 9 xlPatternCrissCross = 16 xlPatternDown = -4121 xlPatternGray16 = 17 xlPatternGray25 = -4124 xlPatternGray50 = -4125 xlPatternGray75 = -4126 xlPatternGray8 = 18 xlPatternGrid = 15 xlPatternHorizontal = -4128 xlPatternLightDown = 13 xlPatternLightHorizontal = 11 xlPatternLightUp = 14 xlPatternLightVertical = 12 xlPatternNone = -4142 xlPatternSemiGray75 = 10 xlPatternSolid = 1 xlPatternUp = -4162 xlPatternVertical = -4166 # XlChartSplitType xlSplitByPosition = 1 xlSplitByPercentValue = 3 xlSplitByCustomSplit = 4 xlSplitByValue = 2 # XlDisplayUnit xlHundreds = -2 xlThousands = -3 xlTenThousands = -4 xlHundredThousands = -5 xlMillions = -6 xlTenMillions = -7 xlHundredMillions = -8 xlThousandMillions = -9 xlMillionMillions = -10 # XlDataLabelPosition xlLabelPositionCenter = -4108 xlLabelPositionAbove = 0 xlLabelPositionBelow = 1 xlLabelPositionLeft = -4131 xlLabelPositionRight = -4152 xlLabelPositionOutsideEnd = 2 xlLabelPositionInsideEnd = 3 xlLabelPositionInsideBase = 4 xlLabelPositionBestFit = 5 xlLabelPositionMixed = 6 xlLabelPositionCustom = 7 # XlTimeUnit xlDays = 0 xlMonths = 1 xlYears = 2 # XlCategoryType xlCategoryScale = 2 xlTimeScale = 3 xlAutomaticScale = -4105 # XlBarShape xlBox = 0 xlPyramidToPoint = 1 xlPyramidToMax = 2 xlCylinder = 3 xlConeToPoint = 4 xlConeToMax = 5 # XlChartType xlColumnClustered = 51 xlColumnStacked = 52 xlColumnStacked100 = 53 xl3DColumnClustered = 54 xl3DColumnStacked = 55 xl3DColumnStacked100 = 56 xlBarClustered = 57 xlBarStacked = 58 xlBarStacked100 = 59 xl3DBarClustered = 60 xl3DBarStacked = 61 xl3DBarStacked100 = 62 xlLineStacked = 63 xlLineStacked100 = 64 xlLineMarkers = 65 xlLineMarkersStacked = 66 xlLineMarkersStacked100 = 67 xlPieOfPie = 68 xlPieExploded = 69 xl3DPieExploded = 70 xlBarOfPie = 71 xlXYScatterSmooth = 72 xlXYScatterSmoothNoMarkers = 73 xlXYScatterLines = 74 xlXYScatterLinesNoMarkers = 75 xlAreaStacked = 76 xlAreaStacked100 = 77 xl3DAreaStacked = 78 xl3DAreaStacked100 = 79 xlDoughnutExploded = 80 xlRadarMarkers = 81 xlRadarFilled = 82 xlSurface = 83 xlSurfaceWireframe = 84 xlSurfaceTopView = 85 xlSurfaceTopViewWireframe = 86 xlBubble = 15 xlBubble3DEffect = 87 xlStockHLC = 88 xlStockOHLC = 89 xlStockVHLC = 90 xlStockVOHLC = 91 xlCylinderColClustered = 92 xlCylinderColStacked = 93 xlCylinderColStacked100 = 94 xlCylinderBarClustered = 95 xlCylinderBarStacked = 96 xlCylinderBarStacked100 = 97 xlCylinderCol = 98 xlConeColClustered = 99 xlConeColStacked = 100 xlConeColStacked100 = 101 xlConeBarClustered = 102 xlConeBarStacked = 103 xlConeBarStacked100 = 104 xlConeCol = 105 xlPyramidColClustered = 106 xlPyramidColStacked = 107 xlPyramidColStacked100 = 108 xlPyramidBarClustered = 109 xlPyramidBarStacked = 110 xlPyramidBarStacked100 = 111 xlPyramidCol = 112 xl3DColumn = -4100 xlLine = 4 xl3DLine = -4101 xl3DPie = -4102 xlPie = 5 xlXYScatter = -4169 xl3DArea = -4098 xlArea = 1 xlDoughnut = -4120 xlRadar = -4151 # XlChartItem xlDataLabel = 0 xlChartArea = 2 xlSeries = 3 xlChartTitle = 4 xlWalls = 5 xlCorners = 6 xlDataTable = 7 xlTrendline = 8 xlErrorBars = 9 xlXErrorBars = 10 xlYErrorBars = 11 xlLegendEntry = 12 xlLegendKey = 13 xlShape = 14 xlMajorGridlines = 15 xlMinorGridlines = 16 xlAxisTitle = 17 xlUpBars = 18 xlPlotArea = 19 xlDownBars = 20 xlAxis = 21 xlSeriesLines = 22 xlFloor = 23 xlLegend = 24 xlHiLoLines = 25 xlDropLines = 26 xlRadarAxisLabels = 27 xlNothing = 28 xlLeaderLines = 29 xlDisplayUnitLabel = 30 xlPivotChartFieldButton = 31 xlPivotChartDropZone = 32 # XlSizeRepresents xlSizeIsWidth = 2 xlSizeIsArea = 1 # XlInsertShiftDirection xlShiftDown = -4121 xlShiftToRight = -4161 # XlDeleteShiftDirection xlShiftToLeft = -4159 xlShiftUp = -4162 # XlDirection xlDown = -4121 xlToLeft = -4159 xlToRight = -4161 xlUp = -4162 # XlConsolidationFunction xlAverage = -4106 xlCount = -4112 xlCountNums = -4113 xlMax = -4136 xlMin = -4139 xlProduct = -4149 xlStDev = -4155 xlStDevP = -4156 xlSum = -4157 xlVar = -4164 xlVarP = -4165 xlUnknown = 1000 # XlSheetType xlChart = -4109 xlDialogSheet = -4116 xlExcel4IntlMacroSheet = 4 xlExcel4MacroSheet = 3 xlWorksheet = -4167 # XlLocationInTable xlColumnHeader = -4110 xlColumnItem = 5 xlDataHeader = 3 xlDataItem = 7 xlPageHeader = 2 xlPageItem = 6 xlRowHeader = -4153 xlRowItem = 4 xlTableBody = 8 # XlFindLookIn xlFormulas = -4123 xlComments = -4144 xlValues = -4163 # XlWindowType xlChartAsWindow = 5 xlChartInPlace = 4 xlClipboard = 3 xlInfo = -4129 xlWorkbook = 1 # XlPivotFieldDataType xlDate = 2 xlNumber = -4145 xlText = -4158 # XlCopyPictureFormat xlBitmap = 2 xlPicture = -4147 # XlPivotTableSourceType xlScenario = 4 xlConsolidation = 3 xlDatabase = 1 xlExternal = 2 xlPivotTable = -4148 # XlReferenceStyle xlA1 = 1 xlR1C1 = -4150 # XlMSApplication xlMicrosoftAccess = 4 xlMicrosoftFoxPro = 5 xlMicrosoftMail = 3 xlMicrosoftPowerPoint = 2 xlMicrosoftProject = 6 xlMicrosoftSchedulePlus = 7 xlMicrosoftWord = 1 # XlMouseButton xlNoButton = 0 xlPrimaryButton = 1 xlSecondaryButton = 2 # XlCutCopyMode xlCopy = 1 xlCut = 2 # XlFillWith xlFillWithAll = -4104 xlFillWithContents = 2 xlFillWithFormats = -4122 # XlFilterAction xlFilterCopy = 2 xlFilterInPlace = 1 # XlOrder xlDownThenOver = 1 xlOverThenDown = 2 # XlLinkType xlLinkTypeExcelLinks = 1 xlLinkTypeOLELinks = 2 # XlApplyNamesOrder xlColumnThenRow = 2 xlRowThenColumn = 1 # XlEnableCancelKey xlDisabled = 0 xlErrorHandler = 2 xlInterrupt = 1 # XlPageBreak xlPageBreakAutomatic = -4105 xlPageBreakManual = -4135 xlPageBreakNone = -4142 # XlOLEType xlOLEControl = 2 xlOLEEmbed = 1 xlOLELink = 0 # XlPageOrientation xlLandscape = 2 xlPortrait = 1 # XlLinkInfo xlEditionDate = 2 xlUpdateState = 1 xlLinkInfoStatus = 3 # XlCommandUnderlines xlCommandUnderlinesAutomatic = -4105 xlCommandUnderlinesOff = -4146 xlCommandUnderlinesOn = 1 # XlOLEVerb xlVerbOpen = 2 xlVerbPrimary = 1 # XlCalculation xlCalculationAutomatic = -4105 xlCalculationManual = -4135 xlCalculationSemiautomatic = 2 # XlFileAccess xlReadOnly = 3 xlReadWrite = 2 # XlEditionType xlPublisher = 1 xlSubscriber = 2 # XlObjectSize xlFitToPage = 2 xlFullPage = 3 xlScreenSize = 1 # XlLookAt xlPart = 2 xlWhole = 1 # XlMailSystem xlMAPI = 1 xlNoMailSystem = 0 xlPowerTalk = 2 # XlLinkInfoType xlLinkInfoOLELinks = 2 xlLinkInfoPublishers = 5 xlLinkInfoSubscribers = 6 # XlCVError xlErrDiv0 = 2007 xlErrNA = 2042 xlErrName = 2029 xlErrNull = 2000 xlErrNum = 2036 xlErrRef = 2023 xlErrValue = 2015 # XlEditionFormat xlBIFF = 2 xlPICT = 1 xlRTF = 4 xlVALU = 8 # XlLink xlExcelLinks = 1 xlOLELinks = 2 xlPublishers = 5 xlSubscribers = 6 # XlCellType xlCellTypeBlanks = 4 xlCellTypeConstants = 2 xlCellTypeFormulas = -4123 xlCellTypeLastCell = 11 xlCellTypeComments = -4144 xlCellTypeVisible = 12 xlCellTypeAllFormatConditions = -4172 xlCellTypeSameFormatConditions = -4173 xlCellTypeAllValidation = -4174 xlCellTypeSameValidation = -4175 # XlArrangeStyle xlArrangeStyleCascade = 7 xlArrangeStyleHorizontal = -4128 xlArrangeStyleTiled = 1 xlArrangeStyleVertical = -4166 # XlMousePointer xlIBeam = 3 xlDefault = -4143 xlNorthwestArrow = 1 xlWait = 2 # XlEditionOptionsOption xlAutomaticUpdate = 4 xlCancel = 1 xlChangeAttributes = 6 xlManualUpdate = 5 xlOpenSource = 3 xlSelect = 3 xlSendPublisher = 2 xlUpdateSubscriber = 2 # XlAutoFillType xlFillCopy = 1 xlFillDays = 5 xlFillDefault = 0 xlFillFormats = 3 xlFillMonths = 7 xlFillSeries = 2 xlFillValues = 4 xlFillWeekdays = 6 xlFillYears = 8 xlGrowthTrend = 10 xlLinearTrend = 9 # XlAutoFilterOperator xlAnd = 1 xlBottom10Items = 4 xlBottom10Percent = 6 xlOr = 2 xlTop10Items = 3 xlTop10Percent = 5 # XlClipboardFormat xlClipboardFormatBIFF = 8 xlClipboardFormatBIFF2 = 18 xlClipboardFormatBIFF3 = 20 xlClipboardFormatBIFF4 = 30 xlClipboardFormatBinary = 15 xlClipboardFormatBitmap = 9 xlClipboardFormatCGM = 13 xlClipboardFormatCSV = 5 xlClipboardFormatDIF = 4 xlClipboardFormatDspText = 12 xlClipboardFormatEmbeddedObject = 21 xlClipboardFormatEmbedSource = 22 xlClipboardFormatLink = 11 xlClipboardFormatLinkSource = 23 xlClipboardFormatLinkSourceDesc = 32 xlClipboardFormatMovie = 24 xlClipboardFormatNative = 14 xlClipboardFormatObjectDesc = 31 xlClipboardFormatObjectLink = 19 xlClipboardFormatOwnerLink = 17 xlClipboardFormatPICT = 2 xlClipboardFormatPrintPICT = 3 xlClipboardFormatRTF = 7 xlClipboardFormatScreenPICT = 29 xlClipboardFormatStandardFont = 28 xlClipboardFormatStandardScale = 27 xlClipboardFormatSYLK = 6 xlClipboardFormatTable = 16 xlClipboardFormatText = 0 xlClipboardFormatToolFace = 25 xlClipboardFormatToolFacePICT = 26 xlClipboardFormatVALU = 1 xlClipboardFormatWK1 = 10 # XlFileFormat xlAddIn = 18 xlCSV = 6 xlCSVMac = 22 xlCSVMSDOS = 24 xlCSVWindows = 23 xlDBF2 = 7 xlDBF3 = 8 xlDBF4 = 11 xlDIF = 9 xlExcel2 = 16 xlExcel2FarEast = 27 xlExcel3 = 29 xlExcel4 = 33 xlExcel5 = 39 xlExcel7 = 39 xlExcel9795 = 43 xlExcel4Workbook = 35 xlIntlAddIn = 26 xlIntlMacro = 25 xlWorkbookNormal = -4143 xlSYLK = 2 xlTemplate = 17 xlCurrentPlatformText = -4158 xlTextMac = 19 xlTextMSDOS = 21 xlTextPrinter = 36 xlTextWindows = 20 xlWJ2WD1 = 14 xlWK1 = 5 xlWK1ALL = 31 xlWK1FMT = 30 xlWK3 = 15 xlWK4 = 38 xlWK3FM3 = 32 xlWKS = 4 xlWorks2FarEast = 28 xlWQ1 = 34 xlWJ3 = 40 xlWJ3FJ3 = 41 xlUnicodeText = 42 xlHtml = 44 xlWebArchive = 45 xlXMLSpreadsheet = 46 # XlApplicationInternational xl24HourClock = 33 xl4DigitYears = 43 xlAlternateArraySeparator = 16 xlColumnSeparator = 14 xlCountryCode = 1 xlCountrySetting = 2 xlCurrencyBefore = 37 xlCurrencyCode = 25 xlCurrencyDigits = 27 xlCurrencyLeadingZeros = 40 xlCurrencyMinusSign = 38 xlCurrencyNegative = 28 xlCurrencySpaceBefore = 36 xlCurrencyTrailingZeros = 39 xlDateOrder = 32 xlDateSeparator = 17 xlDayCode = 21 xlDayLeadingZero = 42 xlDecimalSeparator = 3 xlGeneralFormatName = 26 xlHourCode = 22 xlLeftBrace = 12 xlLeftBracket = 10 xlListSeparator = 5 xlLowerCaseColumnLetter = 9 xlLowerCaseRowLetter = 8 xlMDY = 44 xlMetric = 35 xlMinuteCode = 23 xlMonthCode = 20 xlMonthLeadingZero = 41 xlMonthNameChars = 30 xlNoncurrencyDigits = 29 xlNonEnglishFunctions = 34 xlRightBrace = 13 xlRightBracket = 11 xlRowSeparator = 15 xlSecondCode = 24 xlThousandsSeparator = 4 xlTimeLeadingZero = 45 xlTimeSeparator = 18 xlUpperCaseColumnLetter = 7 xlUpperCaseRowLetter = 6 xlWeekdayNameChars = 31 xlYearCode = 19 # XlPageBreakExtent xlPageBreakFull = 1 xlPageBreakPartial = 2 # XlCellInsertionMode xlOverwriteCells = 0 xlInsertDeleteCells = 1 xlInsertEntireRows = 2 # XlFormulaLabel xlNoLabels = -4142 xlRowLabels = 1 xlColumnLabels = 2 xlMixedLabels = 3 # XlHighlightChangesTime xlSinceMyLastSave = 1 xlAllChanges = 2 xlNotYetReviewed = 3 # XlCommentDisplayMode xlNoIndicator = 0 xlCommentIndicatorOnly = -1 xlCommentAndIndicator = 1 # XlFormatConditionType xlCellValue = 1 xlExpression = 2 # XlFormatConditionOperator xlBetween = 1 xlNotBetween = 2 xlEqual = 3 xlNotEqual = 4 xlGreater = 5 xlLess = 6 xlGreaterEqual = 7 xlLessEqual = 8 # XlEnableSelection xlNoRestrictions = 0 xlUnlockedCells = 1 xlNoSelection = -4142 # XlDVType xlValidateInputOnly = 0 xlValidateWholeNumber = 1 xlValidateDecimal = 2 xlValidateList = 3 xlValidateDate = 4 xlValidateTime = 5 xlValidateTextLength = 6 xlValidateCustom = 7 # XlIMEMode xlIMEModeNoControl = 0 xlIMEModeOn = 1 xlIMEModeOff = 2 xlIMEModeDisable = 3 xlIMEModeHiragana = 4 xlIMEModeKatakana = 5 xlIMEModeKatakanaHalf = 6 xlIMEModeAlphaFull = 7 xlIMEModeAlpha = 8 xlIMEModeHangulFull = 9 xlIMEModeHangul = 10 # XlDVAlertStyle xlValidAlertStop = 1 xlValidAlertWarning = 2 xlValidAlertInformation = 3 # XlChartLocation xlLocationAsNewSheet = 1 xlLocationAsObject = 2 xlLocationAutomatic = 3 # XlPaperSize xlPaper10x14 = 16 xlPaper11x17 = 17 xlPaperA3 = 8 xlPaperA4 = 9 xlPaperA4Small = 10 xlPaperA5 = 11 xlPaperB4 = 12 xlPaperB5 = 13 xlPaperCsheet = 24 xlPaperDsheet = 25 xlPaperEnvelope10 = 20 xlPaperEnvelope11 = 21 xlPaperEnvelope12 = 22 xlPaperEnvelope14 = 23 xlPaperEnvelope9 = 19 xlPaperEnvelopeB4 = 33 xlPaperEnvelopeB5 = 34 xlPaperEnvelopeB6 = 35 xlPaperEnvelopeC3 = 29 xlPaperEnvelopeC4 = 30 xlPaperEnvelopeC5 = 28 xlPaperEnvelopeC6 = 31 xlPaperEnvelopeC65 = 32 xlPaperEnvelopeDL = 27 xlPaperEnvelopeItaly = 36 xlPaperEnvelopeMonarch = 37 xlPaperEnvelopePersonal = 38 xlPaperEsheet = 26 xlPaperExecutive = 7 xlPaperFanfoldLegalGerman = 41 xlPaperFanfoldStdGerman = 40 xlPaperFanfoldUS = 39 xlPaperFolio = 14 xlPaperLedger = 4 xlPaperLegal = 5 xlPaperLetter = 1 xlPaperLetterSmall = 2 xlPaperNote = 18 xlPaperQuarto = 15 xlPaperStatement = 6 xlPaperTabloid = 3 xlPaperUser = 256 # XlPasteSpecialOperation xlPasteSpecialOperationAdd = 2 xlPasteSpecialOperationDivide = 5 xlPasteSpecialOperationMultiply = 4 xlPasteSpecialOperationNone = -4142 xlPasteSpecialOperationSubtract = 3 # XlPasteType xlPasteAll = -4104 xlPasteAllExceptBorders = 7 xlPasteFormats = -4122 xlPasteFormulas = -4123 xlPasteComments = -4144 xlPasteValues = -4163 xlPasteColumnWidths = 8 xlPasteValidation = 6 xlPasteFormulasAndNumberFormats = 11 xlPasteValuesAndNumberFormats = 12 # XlPhoneticCharacterType xlKatakanaHalf = 0 xlKatakana = 1 xlHiragana = 2 xlNoConversion = 3 # XlPhoneticAlignment xlPhoneticAlignNoControl = 0 xlPhoneticAlignLeft = 1 xlPhoneticAlignCenter = 2 xlPhoneticAlignDistributed = 3 # XlPictureAppearance xlPrinter = 2 xlScreen = 1 # XlPivotFieldOrientation xlColumnField = 2 xlDataField = 4 xlHidden = 0 xlPageField = 3 xlRowField = 1 # XlPivotFieldCalculation xlDifferenceFrom = 2 xlIndex = 9 xlNoAdditionalCalculation = -4143 xlPercentDifferenceFrom = 4 xlPercentOf = 3 xlPercentOfColumn = 7 xlPercentOfRow = 6 xlPercentOfTotal = 8 xlRunningTotal = 5 # XlPlacement xlFreeFloating = 3 xlMove = 2 xlMoveAndSize = 1 # XlPlatform xlMacintosh = 1 xlMSDOS = 3 xlWindows = 2 # XlPrintLocation xlPrintSheetEnd = 1 xlPrintInPlace = 16 xlPrintNoComments = -4142 # XlPriority xlPriorityHigh = -4127 xlPriorityLow = -4134 xlPriorityNormal = -4143 # XlPTSelectionMode xlLabelOnly = 1 xlDataAndLabel = 0 xlDataOnly = 2 xlOrigin = 3 xlButton = 15 xlBlanks = 4 xlFirstRow = 256 # XlRangeAutoFormat xlRangeAutoFormat3DEffects1 = 13 xlRangeAutoFormat3DEffects2 = 14 xlRangeAutoFormatAccounting1 = 4 xlRangeAutoFormatAccounting2 = 5 xlRangeAutoFormatAccounting3 = 6 xlRangeAutoFormatAccounting4 = 17 xlRangeAutoFormatClassic1 = 1 xlRangeAutoFormatClassic2 = 2 xlRangeAutoFormatClassic3 = 3 xlRangeAutoFormatColor1 = 7 xlRangeAutoFormatColor2 = 8 xlRangeAutoFormatColor3 = 9 xlRangeAutoFormatList1 = 10 xlRangeAutoFormatList2 = 11 xlRangeAutoFormatList3 = 12 xlRangeAutoFormatLocalFormat1 = 15 xlRangeAutoFormatLocalFormat2 = 16 xlRangeAutoFormatLocalFormat3 = 19 xlRangeAutoFormatLocalFormat4 = 20 xlRangeAutoFormatReport1 = 21 xlRangeAutoFormatReport2 = 22 xlRangeAutoFormatReport3 = 23 xlRangeAutoFormatReport4 = 24 xlRangeAutoFormatReport5 = 25 xlRangeAutoFormatReport6 = 26 xlRangeAutoFormatReport7 = 27 xlRangeAutoFormatReport8 = 28 xlRangeAutoFormatReport9 = 29 xlRangeAutoFormatReport10 = 30 xlRangeAutoFormatClassicPivotTable = 31 xlRangeAutoFormatTable1 = 32 xlRangeAutoFormatTable2 = 33 xlRangeAutoFormatTable3 = 34 xlRangeAutoFormatTable4 = 35 xlRangeAutoFormatTable5 = 36 xlRangeAutoFormatTable6 = 37 xlRangeAutoFormatTable7 = 38 xlRangeAutoFormatTable8 = 39 xlRangeAutoFormatTable9 = 40 xlRangeAutoFormatTable10 = 41 xlRangeAutoFormatPTNone = 42 xlRangeAutoFormatNone = -4142 xlRangeAutoFormatSimple = -4154 # XlReferenceType xlAbsolute = 1 xlAbsRowRelColumn = 2 xlRelative = 4 xlRelRowAbsColumn = 3 # XlLayoutFormType xlTabular = 0 xlOutline = 1 # XlRoutingSlipDelivery xlAllAtOnce = 2 xlOneAfterAnother = 1 # XlRoutingSlipStatus xlNotYetRouted = 0 xlRoutingComplete = 2 xlRoutingInProgress = 1 # XlRunAutoMacro xlAutoActivate = 3 xlAutoClose = 2 xlAutoDeactivate = 4 xlAutoOpen = 1 # XlSaveAction xlDoNotSaveChanges = 2 xlSaveChanges = 1 # XlSaveAsAccessMode xlExclusive = 3 xlNoChange = 1 xlShared = 2 # XlSaveConflictResolution xlLocalSessionChanges = 2 xlOtherSessionChanges = 3 xlUserResolution = 1 # XlSearchDirection xlNext = 1 xlPrevious = 2 # XlSearchOrder xlByColumns = 2 xlByRows = 1 # XlSheetVisibility xlSheetVisible = -1 xlSheetHidden = 0 xlSheetVeryHidden = 2 # XlSortMethod xlPinYin = 1 xlStroke = 2 # XlSortMethodOld xlCodePage = 2 xlSyllabary = 1 # XlSortOrder xlAscending = 1 xlDescending = 2 # XlSortOrientation xlSortRows = 2 xlSortColumns = 1 # XlSortType xlSortLabels = 2 xlSortValues = 1 # XlSpecialCellsValue xlErrors = 16 xlLogical = 4 xlNumbers = 1 xlTextValues = 2 # XlSubscribeToFormat xlSubscribeToPicture = -4147 xlSubscribeToText = -4158 # XlSummaryRow xlSummaryAbove = 0 xlSummaryBelow = 1 # XlSummaryColumn xlSummaryOnLeft = -4131 xlSummaryOnRight = -4152 # XlSummaryReportType xlSummaryPivotTable = -4148 xlStandardSummary = 1 # XlTabPosition xlTabPositionFirst = 0 xlTabPositionLast = 1 # XlTextParsingType xlDelimited = 1 xlFixedWidth = 2 # XlTextQualifier xlTextQualifierDoubleQuote = 1 xlTextQualifierNone = -4142 xlTextQualifierSingleQuote = 2 # XlWBATemplate xlWBATChart = -4109 xlWBATExcel4IntlMacroSheet = 4 xlWBATExcel4MacroSheet = 3 xlWBATWorksheet = -4167 # XlWindowView xlNormalView = 1 xlPageBreakPreview = 2 # XlXLMMacroType xlCommand = 2 xlFunction = 1 xlNotXLM = 3 # XlYesNoGuess xlGuess = 0 xlNo = 2 xlYes = 1 # XlBordersIndex xlInsideHorizontal = 12 xlInsideVertical = 11 xlDiagonalDown = 5 xlDiagonalUp = 6 xlEdgeBottom = 9 xlEdgeLeft = 7 xlEdgeRight = 10 xlEdgeTop = 8 # XlToolbarProtection xlNoButtonChanges = 1 xlNoChanges = 4 xlNoDockingChanges = 3 xlToolbarProtectionNone = -4143 xlNoShapeChanges = 2 # XlBuiltInDialog xlDialogOpen = 1 xlDialogOpenLinks = 2 xlDialogSaveAs = 5 xlDialogFileDelete = 6 xlDialogPageSetup = 7 xlDialogPrint = 8 xlDialogPrinterSetup = 9 xlDialogArrangeAll = 12 xlDialogWindowSize = 13 xlDialogWindowMove = 14 xlDialogRun = 17 xlDialogSetPrintTitles = 23 xlDialogFont = 26 xlDialogDisplay = 27 xlDialogProtectDocument = 28 xlDialogCalculation = 32 xlDialogExtract = 35 xlDialogDataDelete = 36 xlDialogSort = 39 xlDialogDataSeries = 40 xlDialogTable = 41 xlDialogFormatNumber = 42 xlDialogAlignment = 43 xlDialogStyle = 44 xlDialogBorder = 45 xlDialogCellProtection = 46 xlDialogColumnWidth = 47 xlDialogClear = 52 xlDialogPasteSpecial = 53 xlDialogEditDelete = 54 xlDialogInsert = 55 xlDialogPasteNames = 58 xlDialogDefineName = 61 xlDialogCreateNames = 62 xlDialogFormulaGoto = 63 xlDialogFormulaFind = 64 xlDialogGalleryArea = 67 xlDialogGalleryBar = 68 xlDialogGalleryColumn = 69 xlDialogGalleryLine = 70 xlDialogGalleryPie = 71 xlDialogGalleryScatter = 72 xlDialogCombination = 73 xlDialogGridlines = 76 xlDialogAxes = 78 xlDialogAttachText = 80 xlDialogPatterns = 84 xlDialogMainChart = 85 xlDialogOverlay = 86 xlDialogScale = 87 xlDialogFormatLegend = 88 xlDialogFormatText = 89 xlDialogParse = 91 xlDialogUnhide = 94 xlDialogWorkspace = 95 xlDialogActivate = 103 xlDialogCopyPicture = 108 xlDialogDeleteName = 110 xlDialogDeleteFormat = 111 xlDialogNew = 119 xlDialogRowHeight = 127 xlDialogFormatMove = 128 xlDialogFormatSize = 129 xlDialogFormulaReplace = 130 xlDialogSelectSpecial = 132 xlDialogApplyNames = 133 xlDialogReplaceFont = 134 xlDialogSplit = 137 xlDialogOutline = 142 xlDialogSaveWorkbook = 145 xlDialogCopyChart = 147 xlDialogFormatFont = 150 xlDialogNote = 154 xlDialogSetUpdateStatus = 159 xlDialogColorPalette = 161 xlDialogChangeLink = 166 xlDialogAppMove = 170 xlDialogAppSize = 171 xlDialogMainChartType = 185 xlDialogOverlayChartType = 186 xlDialogOpenMail = 188 xlDialogSendMail = 189 xlDialogStandardFont = 190 xlDialogConsolidate = 191 xlDialogSortSpecial = 192 xlDialogGallery3dArea = 193 xlDialogGallery3dColumn = 194 xlDialogGallery3dLine = 195 xlDialogGallery3dPie = 196 xlDialogView3d = 197 xlDialogGoalSeek = 198 xlDialogWorkgroup = 199 xlDialogFillGroup = 200 xlDialogUpdateLink = 201 xlDialogPromote = 202 xlDialogDemote = 203 xlDialogShowDetail = 204 xlDialogObjectProperties = 207 xlDialogSaveNewObject = 208 xlDialogApplyStyle = 212 xlDialogAssignToObject = 213 xlDialogObjectProtection = 214 xlDialogCreatePublisher = 217 xlDialogSubscribeTo = 218 xlDialogShowToolbar = 220 xlDialogPrintPreview = 222 xlDialogEditColor = 223 xlDialogFormatMain = 225 xlDialogFormatOverlay = 226 xlDialogEditSeries = 228 xlDialogDefineStyle = 229 xlDialogGalleryRadar = 249 xlDialogEditionOptions = 251 xlDialogZoom = 256 xlDialogInsertObject = 259 xlDialogSize = 261 xlDialogMove = 262 xlDialogFormatAuto = 269 xlDialogGallery3dBar = 272 xlDialogGallery3dSurface = 273 xlDialogCustomizeToolbar = 276 xlDialogWorkbookAdd = 281 xlDialogWorkbookMove = 282 xlDialogWorkbookCopy = 283 xlDialogWorkbookOptions = 284 xlDialogSaveWorkspace = 285 xlDialogChartWizard = 288 xlDialogAssignToTool = 293 xlDialogPlacement = 300 xlDialogFillWorkgroup = 301 xlDialogWorkbookNew = 302 xlDialogScenarioCells = 305 xlDialogScenarioAdd = 307 xlDialogScenarioEdit = 308 xlDialogScenarioSummary = 311 xlDialogPivotTableWizard = 312 xlDialogPivotFieldProperties = 313 xlDialogOptionsCalculation = 318 xlDialogOptionsEdit = 319 xlDialogOptionsView = 320 xlDialogAddinManager = 321 xlDialogMenuEditor = 322 xlDialogAttachToolbars = 323 xlDialogOptionsChart = 325 xlDialogVbaInsertFile = 328 xlDialogVbaProcedureDefinition = 330 xlDialogRoutingSlip = 336 xlDialogMailLogon = 339 xlDialogInsertPicture = 342 xlDialogGalleryDoughnut = 344 xlDialogChartTrend = 350 xlDialogWorkbookInsert = 354 xlDialogOptionsTransition = 355 xlDialogOptionsGeneral = 356 xlDialogFilterAdvanced = 370 xlDialogMailNextLetter = 378 xlDialogDataLabel = 379 xlDialogInsertTitle = 380 xlDialogFontProperties = 381 xlDialogMacroOptions = 382 xlDialogWorkbookUnhide = 384 xlDialogWorkbookName = 386 xlDialogGalleryCustom = 388 xlDialogAddChartAutoformat = 390 xlDialogChartAddData = 392 xlDialogTabOrder = 394 xlDialogSubtotalCreate = 398 xlDialogWorkbookTabSplit = 415 xlDialogWorkbookProtect = 417 xlDialogScrollbarProperties = 420 xlDialogPivotShowPages = 421 xlDialogTextToColumns = 422 xlDialogFormatCharttype = 423 xlDialogPivotFieldGroup = 433 xlDialogPivotFieldUngroup = 434 xlDialogCheckboxProperties = 435 xlDialogLabelProperties = 436 xlDialogListboxProperties = 437 xlDialogEditboxProperties = 438 xlDialogOpenText = 441 xlDialogPushbuttonProperties = 445 xlDialogFilter = 447 xlDialogFunctionWizard = 450 xlDialogSaveCopyAs = 456 xlDialogOptionsListsAdd = 458 xlDialogSeriesAxes = 460 xlDialogSeriesX = 461 xlDialogSeriesY = 462 xlDialogErrorbarX = 463 xlDialogErrorbarY = 464 xlDialogFormatChart = 465 xlDialogSeriesOrder = 466 xlDialogMailEditMailer = 470 xlDialogStandardWidth = 472 xlDialogScenarioMerge = 473 xlDialogProperties = 474 xlDialogSummaryInfo = 474 xlDialogFindFile = 475 xlDialogActiveCellFont = 476 xlDialogVbaMakeAddin = 478 xlDialogFileSharing = 481 xlDialogAutoCorrect = 485 xlDialogCustomViews = 493 xlDialogInsertNameLabel = 496 xlDialogSeriesShape = 504 xlDialogChartOptionsDataLabels = 505 xlDialogChartOptionsDataTable = 506 xlDialogSetBackgroundPicture = 509 xlDialogDataValidation = 525 xlDialogChartType = 526 xlDialogChartLocation = 527 _xlDialogPhonetic = 538 xlDialogChartSourceData = 540 _xlDialogChartSourceData = 541 xlDialogSeriesOptions = 557 xlDialogPivotTableOptions = 567 xlDialogPivotSolveOrder = 568 xlDialogPivotCalculatedField = 570 xlDialogPivotCalculatedItem = 572 xlDialogConditionalFormatting = 583 xlDialogInsertHyperlink = 596 xlDialogProtectSharing = 620 xlDialogOptionsME = 647 xlDialogPublishAsWebPage = 653 xlDialogPhonetic = 656 xlDialogNewWebQuery = 667 xlDialogImportTextFile = 666 xlDialogExternalDataProperties = 530 xlDialogWebOptionsGeneral = 683 xlDialogWebOptionsFiles = 684 xlDialogWebOptionsPictures = 685 xlDialogWebOptionsEncoding = 686 xlDialogWebOptionsFonts = 687 xlDialogPivotClientServerSet = 689 xlDialogPropertyFields = 754 xlDialogSearch = 731 xlDialogEvaluateFormula = 709 xlDialogDataLabelMultiple = 723 xlDialogChartOptionsDataLabelMultiple = 724 xlDialogErrorChecking = 732 xlDialogWebOptionsBrowsers = 773 xlDialogCreateList = 796 xlDialogPermission = 832 xlDialogMyPermission = 834 # XlParameterType xlPrompt = 0 xlConstant = 1 xlRange = 2 # XlParameterDataType xlParamTypeUnknown = 0 xlParamTypeChar = 1 xlParamTypeNumeric = 2 xlParamTypeDecimal = 3 xlParamTypeInteger = 4 xlParamTypeSmallInt = 5 xlParamTypeFloat = 6 xlParamTypeReal = 7 xlParamTypeDouble = 8 xlParamTypeVarChar = 12 xlParamTypeDate = 9 xlParamTypeTime = 10 xlParamTypeTimestamp = 11 xlParamTypeLongVarChar = -1 xlParamTypeBinary = -2 xlParamTypeVarBinary = -3 xlParamTypeLongVarBinary = -4 xlParamTypeBigInt = -5 xlParamTypeTinyInt = -6 xlParamTypeBit = -7 xlParamTypeWChar = -8 # XlFormControl xlButtonControl = 0 xlCheckBox = 1 xlDropDown = 2 xlEditBox = 3 xlGroupBox = 4 xlLabel = 5 xlListBox = 6 xlOptionButton = 7 xlScrollBar = 8 xlSpinner = 9 # XlSourceType xlSourceWorkbook = 0 xlSourceSheet = 1 xlSourcePrintArea = 2 xlSourceAutoFilter = 3 xlSourceRange = 4 xlSourceChart = 5 xlSourcePivotTable = 6 xlSourceQuery = 7 # XlHtmlType xlHtmlStatic = 0 xlHtmlCalc = 1 xlHtmlList = 2 xlHtmlChart = 3 # XlPivotFormatType xlReport1 = 0 xlReport2 = 1 xlReport3 = 2 xlReport4 = 3 xlReport5 = 4 xlReport6 = 5 xlReport7 = 6 xlReport8 = 7 xlReport9 = 8 xlReport10 = 9 xlTable1 = 10 xlTable2 = 11 xlTable3 = 12 xlTable4 = 13 xlTable5 = 14 xlTable6 = 15 xlTable7 = 16 xlTable8 = 17 xlTable9 = 18 xlTable10 = 19 xlPTClassic = 20 xlPTNone = 21 # XlCmdType xlCmdCube = 1 xlCmdSql = 2 xlCmdTable = 3 xlCmdDefault = 4 xlCmdList = 5 # XlColumnDataType xlGeneralFormat = 1 xlTextFormat = 2 xlMDYFormat = 3 xlDMYFormat = 4 xlYMDFormat = 5 xlMYDFormat = 6 xlDYMFormat = 7 xlYDMFormat = 8 xlSkipColumn = 9 xlEMDFormat = 10 # XlQueryType xlODBCQuery = 1 xlDAORecordset = 2 xlWebQuery = 4 xlOLEDBQuery = 5 xlTextImport = 6 xlADORecordset = 7 # XlWebSelectionType xlEntirePage = 1 xlAllTables = 2 xlSpecifiedTables = 3 # XlCubeFieldType xlHierarchy = 1 xlMeasure = 2 xlSet = 3 # XlWebFormatting xlWebFormattingAll = 1 xlWebFormattingRTF = 2 xlWebFormattingNone = 3 # XlDisplayDrawingObjects xlDisplayShapes = -4104 xlHide = 3 xlPlaceholders = 2 # XlSubtototalLocationType xlAtTop = 1 xlAtBottom = 2 # XlPivotTableVersionList xlPivotTableVersion2000 = 0 xlPivotTableVersion10 = 1 xlPivotTableVersionCurrent = -1 # XlPrintErrors xlPrintErrorsDisplayed = 0 xlPrintErrorsBlank = 1 xlPrintErrorsDash = 2 xlPrintErrorsNA = 3 # XlPivotCellType xlPivotCellValue = 0 xlPivotCellPivotItem = 1 xlPivotCellSubtotal = 2 xlPivotCellGrandTotal = 3 xlPivotCellDataField = 4 xlPivotCellPivotField = 5 xlPivotCellPageFieldItem = 6 xlPivotCellCustomSubtotal = 7 xlPivotCellDataPivotField = 8 xlPivotCellBlankCell = 9 # XlPivotTableMissingItems xlMissingItemsDefault = -1 xlMissingItemsNone = 0 xlMissingItemsMax = 32500 # XlCalculationState xlDone = 0 xlCalculating = 1 xlPending = 2 # XlCalculationInterruptKey xlNoKey = 0 xlEscKey = 1 xlAnyKey = 2 # XlSortDataOption xlSortNormal = 0 xlSortTextAsNumbers = 1 # XlUpdateLinks xlUpdateLinksUserSetting = 1 xlUpdateLinksNever = 2 xlUpdateLinksAlways = 3 # XlLinkStatus xlLinkStatusOK = 0 xlLinkStatusMissingFile = 1 xlLinkStatusMissingSheet = 2 xlLinkStatusOld = 3 xlLinkStatusSourceNotCalculated = 4 xlLinkStatusIndeterminate = 5 xlLinkStatusNotStarted = 6 xlLinkStatusInvalidName = 7 xlLinkStatusSourceNotOpen = 8 xlLinkStatusSourceOpen = 9 xlLinkStatusCopiedValues = 10 # XlSearchWithin xlWithinSheet = 1 xlWithinWorkbook = 2 # XlCorruptLoad xlNormalLoad = 0 xlRepairFile = 1 xlExtractData = 2 # XlRobustConnect xlAsRequired = 0 xlAlways = 1 xlNever = 2 # XlErrorChecks xlEvaluateToError = 1 xlTextDate = 2 xlNumberAsText = 3 xlInconsistentFormula = 4 xlOmittedCells = 5 xlUnlockedFormulaCells = 6 xlEmptyCellReferences = 7 xlListDataValidation = 8 # XlDataLabelSeparator xlDataLabelSeparatorDefault = 1 # XlSmartTagDisplayMode xlIndicatorAndButton = 0 xlDisplayNone = 1 xlButtonOnly = 2 # XlRangeValueDataType xlRangeValueDefault = 10 xlRangeValueXMLSpreadsheet = 11 xlRangeValueMSPersistXML = 12 # XlSpeakDirection xlSpeakByRows = 0 xlSpeakByColumns = 1 # XlInsertFormatOrigin xlFormatFromLeftOrAbove = 0 xlFormatFromRightOrBelow = 1 # XlArabicModes xlArabicNone = 0 xlArabicStrictAlefHamza = 1 xlArabicStrictFinalYaa = 2 xlArabicBothStrict = 3 # XlImportDataAs xlQueryTable = 0 xlPivotTableReport = 1 # XlCalculatedMemberType xlCalculatedMember = 0 xlCalculatedSet = 1 # XlHebrewModes xlHebrewFullScript = 0 xlHebrewPartialScript = 1 xlHebrewMixedScript = 2 xlHebrewMixedAuthorizedScript = 3 # XlListObjectSourceType xlSrcExternal = 0 xlSrcRange = 1 xlSrcXml = 2 # XlTextVisualLayoutType xlTextVisualLTR = 1 xlTextVisualRTL = 2 # XlListDataType xlListDataTypeNone = 0 xlListDataTypeText = 1 xlListDataTypeMultiLineText = 2 xlListDataTypeNumber = 3 xlListDataTypeCurrency = 4 xlListDataTypeDateTime = 5 xlListDataTypeChoice = 6 xlListDataTypeChoiceMulti = 7 xlListDataTypeListLookup = 8 xlListDataTypeCheckbox = 9 xlListDataTypeHyperLink = 10 xlListDataTypeCounter = 11 xlListDataTypeMultiLineRichText = 12 # XlTotalsCalculation xlTotalsCalculationNone = 0 xlTotalsCalculationSum = 1 xlTotalsCalculationAverage = 2 xlTotalsCalculationCount = 3 xlTotalsCalculationCountNums = 4 xlTotalsCalculationMin = 5 xlTotalsCalculationMax = 6 xlTotalsCalculationStdDev = 7 xlTotalsCalculationVar = 8 # XlXmlLoadOption xlXmlLoadPromptUser = 0 xlXmlLoadOpenXml = 1 xlXmlLoadImportToList = 2 xlXmlLoadMapXml = 3 # XlSmartTagControlType xlSmartTagControlSmartTag = 1 xlSmartTagControlLink = 2 xlSmartTagControlHelp = 3 xlSmartTagControlHelpURL = 4 xlSmartTagControlSeparator = 5 xlSmartTagControlButton = 6 xlSmartTagControlLabel = 7 xlSmartTagControlImage = 8 xlSmartTagControlCheckbox = 9 xlSmartTagControlTextbox = 10 xlSmartTagControlListbox = 11 xlSmartTagControlCombo = 12 xlSmartTagControlActiveX = 13 xlSmartTagControlRadioGroup = 14 # XlListConflict xlListConflictDialog = 0 xlListConflictRetryAllConflicts = 1 xlListConflictDiscardAllConflicts = 2 xlListConflictError = 3 # XlXmlExportResult xlXmlExportSuccess = 0 xlXmlExportValidationFailed = 1 # XlXmlImportResult xlXmlImportSuccess = 0 xlXmlImportElementsTruncated = 1 xlXmlImportValidationFailed = 2
xl_all = -4104 xl_automatic = -4105 xl_both = 1 xl_center = -4108 xl_checker = 9 xl_circle = 8 xl_corner = 2 xl_criss_cross = 16 xl_cross = 4 xl_diamond = 2 xl_distributed = -4117 xl_double_accounting = 5 xl_fixed_value = 1 xl_formats = -4122 xl_gray16 = 17 xl_gray8 = 18 xl_grid = 15 xl_high = -4127 xl_inside = 2 xl_justify = -4130 xl_light_down = 13 xl_light_horizontal = 11 xl_light_up = 14 xl_light_vertical = 12 xl_low = -4134 xl_manual = -4135 xl_minus_values = 3 xl_module = -4141 xl_next_to_axis = 4 xl_none = -4142 xl_notes = -4144 xl_off = -4146 xl_on = 1 xl_percent = 2 xl_plus = 9 xl_plus_values = 2 xl_semi_gray75 = 10 xl_show_label = 4 xl_show_label_and_percent = 5 xl_show_percent = 3 xl_show_value = 2 xl_simple = -4154 xl_single = 2 xl_single_accounting = 4 xl_solid = 1 xl_square = 1 xl_star = 5 xl_st_error = 4 xl_toolbar_button = 2 xl_triangle = 3 xl_gray25 = -4124 xl_gray50 = -4125 xl_gray75 = -4126 xl_bottom = -4107 xl_left = -4131 xl_right = -4152 xl_top = -4160 xl3_d_bar = -4099 xl3_d_surface = -4103 xl_bar = 2 xl_column = 3 xl_combination = -4111 xl_custom = -4114 xl_default_auto_format = -1 xl_maximum = 2 xl_minimum = 4 xl_opaque = 3 xl_transparent = 2 xl_bidi = -5000 xl_latin = -5001 xl_context = -5002 xl_ltr = -5003 xl_rtl = -5004 xl_full_script = 1 xl_partial_script = 2 xl_mixed_script = 3 xl_mixed_authorized_script = 4 xl_visual_cursor = 2 xl_logical_cursor = 1 xl_system = 1 xl_partial = 3 xl_hindi_numerals = 3 xl_bidi_calendar = 3 xl_gregorian = 2 xl_complete = 4 xl_scale = 3 xl_closed = 3 xl_color1 = 7 xl_color2 = 8 xl_color3 = 9 xl_constants = 2 xl_contents = 2 xl_below = 1 xl_cascade = 7 xl_center_across_selection = 7 xl_chart4 = 2 xl_chart_series = 17 xl_chart_short = 6 xl_chart_titles = 18 xl_classic1 = 1 xl_classic2 = 2 xl_classic3 = 3 xl3_d_effects1 = 13 xl3_d_effects2 = 14 xl_above = 0 xl_accounting1 = 4 xl_accounting2 = 5 xl_accounting3 = 6 xl_accounting4 = 17 xl_add = 2 xl_debug_code_pane = 13 xl_desktop = 9 xl_direct = 1 xl_divide = 5 xl_double_closed = 5 xl_double_open = 4 xl_double_quote = 1 xl_entire_chart = 20 xl_excel_menus = 1 xl_extended = 3 xl_fill = 5 xl_first = 0 xl_floating = 5 xl_formula = 5 xl_general = 1 xl_gridline = 22 xl_icons = 1 xl_immediate_pane = 12 xl_integer = 2 xl_last = 1 xl_last_cell = 11 xl_list1 = 10 xl_list2 = 11 xl_list3 = 12 xl_local_format1 = 15 xl_local_format2 = 16 xl_long = 3 xl_lotus_help = 2 xl_macrosheet_cell = 7 xl_mixed = 2 xl_multiply = 4 xl_narrow = 1 xl_no_documents = 3 xl_open = 2 xl_outside = 3 xl_reference = 4 xl_semiautomatic = 2 xl_short = 1 xl_single_quote = 2 xl_strict = 2 xl_subtract = 3 xl_text_box = 16 xl_tiled = 1 xl_title_bar = 8 xl_toolbar = 1 xl_visible = 12 xl_watch_pane = 11 xl_wide = 3 xl_workbook_tab = 6 xl_worksheet4 = 1 xl_worksheet_cell = 3 xl_worksheet_short = 5 xl_all_except_borders = 7 xl_left_to_right = 2 xl_top_to_bottom = 1 xl_very_hidden = 2 xl_drawing_object = 14 xl_creator_code = 1480803660 xl_built_in = 21 xl_user_defined = 22 xl_any_gallery = 23 xl_color_index_automatic = -4105 xl_color_index_none = -4142 xl_cap = 1 xl_no_cap = 2 xl_columns = 2 xl_rows = 1 xl_scale_linear = -4132 xl_scale_logarithmic = -4133 xl_auto_fill = 4 xl_chronological = 3 xl_growth = 2 xl_data_series_linear = -4132 xl_axis_crosses_automatic = -4105 xl_axis_crosses_custom = -4114 xl_axis_crosses_maximum = 2 xl_axis_crosses_minimum = 4 xl_primary = 1 xl_secondary = 2 xl_background_automatic = -4105 xl_background_opaque = 3 xl_background_transparent = 2 xl_maximized = -4137 xl_minimized = -4140 xl_normal = -4143 xl_category = 1 xl_series_axis = 3 xl_value = 2 xl_arrow_head_length_long = 3 xl_arrow_head_length_medium = -4138 xl_arrow_head_length_short = 1 xl_v_align_bottom = -4107 xl_v_align_center = -4108 xl_v_align_distributed = -4117 xl_v_align_justify = -4130 xl_v_align_top = -4160 xl_tick_mark_cross = 4 xl_tick_mark_inside = 2 xl_tick_mark_none = -4142 xl_tick_mark_outside = 3 xl_x = -4168 xl_y = 1 xl_error_bar_include_both = 1 xl_error_bar_include_minus_values = 3 xl_error_bar_include_none = -4142 xl_error_bar_include_plus_values = 2 xl_interpolated = 3 xl_not_plotted = 1 xl_zero = 2 xl_arrow_head_style_closed = 3 xl_arrow_head_style_double_closed = 5 xl_arrow_head_style_double_open = 4 xl_arrow_head_style_none = -4142 xl_arrow_head_style_open = 2 xl_arrow_head_width_medium = -4138 xl_arrow_head_width_narrow = 1 xl_arrow_head_width_wide = 3 xl_h_align_center = -4108 xl_h_align_center_across_selection = 7 xl_h_align_distributed = -4117 xl_h_align_fill = 5 xl_h_align_general = 1 xl_h_align_justify = -4130 xl_h_align_left = -4131 xl_h_align_right = -4152 xl_tick_label_position_high = -4127 xl_tick_label_position_low = -4134 xl_tick_label_position_next_to_axis = 4 xl_tick_label_position_none = -4142 xl_legend_position_bottom = -4107 xl_legend_position_corner = 2 xl_legend_position_left = -4131 xl_legend_position_right = -4152 xl_legend_position_top = -4160 xl_stack_scale = 3 xl_stack = 2 xl_stretch = 1 xl_sides = 1 xl_end = 2 xl_end_sides = 3 xl_front = 4 xl_front_sides = 5 xl_front_end = 6 xl_all_faces = 7 xl_downward = -4170 xl_horizontal = -4128 xl_upward = -4171 xl_vertical = -4166 xl_tick_label_orientation_automatic = -4105 xl_tick_label_orientation_downward = -4170 xl_tick_label_orientation_horizontal = -4128 xl_tick_label_orientation_upward = -4171 xl_tick_label_orientation_vertical = -4166 xl_hairline = 1 xl_medium = -4138 xl_thick = 4 xl_thin = 2 xl_day = 1 xl_month = 3 xl_weekday = 2 xl_year = 4 xl_underline_style_double = -4119 xl_underline_style_double_accounting = 5 xl_underline_style_none = -4142 xl_underline_style_single = 2 xl_underline_style_single_accounting = 4 xl_error_bar_type_custom = -4114 xl_error_bar_type_fixed_value = 1 xl_error_bar_type_percent = 2 xl_error_bar_type_st_dev = -4155 xl_error_bar_type_st_error = 4 xl_exponential = 5 xl_linear = -4132 xl_logarithmic = -4133 xl_moving_avg = 6 xl_polynomial = 3 xl_power = 4 xl_continuous = 1 xl_dash = -4115 xl_dash_dot = 4 xl_dash_dot_dot = 5 xl_dot = -4118 xl_double = -4119 xl_slant_dash_dot = 13 xl_line_style_none = -4142 xl_data_labels_show_none = -4142 xl_data_labels_show_value = 2 xl_data_labels_show_percent = 3 xl_data_labels_show_label = 4 xl_data_labels_show_label_and_percent = 5 xl_data_labels_show_bubble_sizes = 6 xl_marker_style_automatic = -4105 xl_marker_style_circle = 8 xl_marker_style_dash = -4115 xl_marker_style_diamond = 2 xl_marker_style_dot = -4118 xl_marker_style_none = -4142 xl_marker_style_picture = -4147 xl_marker_style_plus = 9 xl_marker_style_square = 1 xl_marker_style_star = 5 xl_marker_style_triangle = 3 xl_marker_style_x = -4168 xl_bmp = 1 xl_cgm = 7 xl_drw = 4 xl_dxf = 5 xl_eps = 8 xl_hgl = 6 xl_pct = 13 xl_pcx = 10 xl_pic = 11 xl_plt = 12 xl_tif = 9 xl_wmf = 2 xl_wpg = 3 xl_pattern_automatic = -4105 xl_pattern_checker = 9 xl_pattern_criss_cross = 16 xl_pattern_down = -4121 xl_pattern_gray16 = 17 xl_pattern_gray25 = -4124 xl_pattern_gray50 = -4125 xl_pattern_gray75 = -4126 xl_pattern_gray8 = 18 xl_pattern_grid = 15 xl_pattern_horizontal = -4128 xl_pattern_light_down = 13 xl_pattern_light_horizontal = 11 xl_pattern_light_up = 14 xl_pattern_light_vertical = 12 xl_pattern_none = -4142 xl_pattern_semi_gray75 = 10 xl_pattern_solid = 1 xl_pattern_up = -4162 xl_pattern_vertical = -4166 xl_split_by_position = 1 xl_split_by_percent_value = 3 xl_split_by_custom_split = 4 xl_split_by_value = 2 xl_hundreds = -2 xl_thousands = -3 xl_ten_thousands = -4 xl_hundred_thousands = -5 xl_millions = -6 xl_ten_millions = -7 xl_hundred_millions = -8 xl_thousand_millions = -9 xl_million_millions = -10 xl_label_position_center = -4108 xl_label_position_above = 0 xl_label_position_below = 1 xl_label_position_left = -4131 xl_label_position_right = -4152 xl_label_position_outside_end = 2 xl_label_position_inside_end = 3 xl_label_position_inside_base = 4 xl_label_position_best_fit = 5 xl_label_position_mixed = 6 xl_label_position_custom = 7 xl_days = 0 xl_months = 1 xl_years = 2 xl_category_scale = 2 xl_time_scale = 3 xl_automatic_scale = -4105 xl_box = 0 xl_pyramid_to_point = 1 xl_pyramid_to_max = 2 xl_cylinder = 3 xl_cone_to_point = 4 xl_cone_to_max = 5 xl_column_clustered = 51 xl_column_stacked = 52 xl_column_stacked100 = 53 xl3_d_column_clustered = 54 xl3_d_column_stacked = 55 xl3_d_column_stacked100 = 56 xl_bar_clustered = 57 xl_bar_stacked = 58 xl_bar_stacked100 = 59 xl3_d_bar_clustered = 60 xl3_d_bar_stacked = 61 xl3_d_bar_stacked100 = 62 xl_line_stacked = 63 xl_line_stacked100 = 64 xl_line_markers = 65 xl_line_markers_stacked = 66 xl_line_markers_stacked100 = 67 xl_pie_of_pie = 68 xl_pie_exploded = 69 xl3_d_pie_exploded = 70 xl_bar_of_pie = 71 xl_xy_scatter_smooth = 72 xl_xy_scatter_smooth_no_markers = 73 xl_xy_scatter_lines = 74 xl_xy_scatter_lines_no_markers = 75 xl_area_stacked = 76 xl_area_stacked100 = 77 xl3_d_area_stacked = 78 xl3_d_area_stacked100 = 79 xl_doughnut_exploded = 80 xl_radar_markers = 81 xl_radar_filled = 82 xl_surface = 83 xl_surface_wireframe = 84 xl_surface_top_view = 85 xl_surface_top_view_wireframe = 86 xl_bubble = 15 xl_bubble3_d_effect = 87 xl_stock_hlc = 88 xl_stock_ohlc = 89 xl_stock_vhlc = 90 xl_stock_vohlc = 91 xl_cylinder_col_clustered = 92 xl_cylinder_col_stacked = 93 xl_cylinder_col_stacked100 = 94 xl_cylinder_bar_clustered = 95 xl_cylinder_bar_stacked = 96 xl_cylinder_bar_stacked100 = 97 xl_cylinder_col = 98 xl_cone_col_clustered = 99 xl_cone_col_stacked = 100 xl_cone_col_stacked100 = 101 xl_cone_bar_clustered = 102 xl_cone_bar_stacked = 103 xl_cone_bar_stacked100 = 104 xl_cone_col = 105 xl_pyramid_col_clustered = 106 xl_pyramid_col_stacked = 107 xl_pyramid_col_stacked100 = 108 xl_pyramid_bar_clustered = 109 xl_pyramid_bar_stacked = 110 xl_pyramid_bar_stacked100 = 111 xl_pyramid_col = 112 xl3_d_column = -4100 xl_line = 4 xl3_d_line = -4101 xl3_d_pie = -4102 xl_pie = 5 xl_xy_scatter = -4169 xl3_d_area = -4098 xl_area = 1 xl_doughnut = -4120 xl_radar = -4151 xl_data_label = 0 xl_chart_area = 2 xl_series = 3 xl_chart_title = 4 xl_walls = 5 xl_corners = 6 xl_data_table = 7 xl_trendline = 8 xl_error_bars = 9 xl_x_error_bars = 10 xl_y_error_bars = 11 xl_legend_entry = 12 xl_legend_key = 13 xl_shape = 14 xl_major_gridlines = 15 xl_minor_gridlines = 16 xl_axis_title = 17 xl_up_bars = 18 xl_plot_area = 19 xl_down_bars = 20 xl_axis = 21 xl_series_lines = 22 xl_floor = 23 xl_legend = 24 xl_hi_lo_lines = 25 xl_drop_lines = 26 xl_radar_axis_labels = 27 xl_nothing = 28 xl_leader_lines = 29 xl_display_unit_label = 30 xl_pivot_chart_field_button = 31 xl_pivot_chart_drop_zone = 32 xl_size_is_width = 2 xl_size_is_area = 1 xl_shift_down = -4121 xl_shift_to_right = -4161 xl_shift_to_left = -4159 xl_shift_up = -4162 xl_down = -4121 xl_to_left = -4159 xl_to_right = -4161 xl_up = -4162 xl_average = -4106 xl_count = -4112 xl_count_nums = -4113 xl_max = -4136 xl_min = -4139 xl_product = -4149 xl_st_dev = -4155 xl_st_dev_p = -4156 xl_sum = -4157 xl_var = -4164 xl_var_p = -4165 xl_unknown = 1000 xl_chart = -4109 xl_dialog_sheet = -4116 xl_excel4_intl_macro_sheet = 4 xl_excel4_macro_sheet = 3 xl_worksheet = -4167 xl_column_header = -4110 xl_column_item = 5 xl_data_header = 3 xl_data_item = 7 xl_page_header = 2 xl_page_item = 6 xl_row_header = -4153 xl_row_item = 4 xl_table_body = 8 xl_formulas = -4123 xl_comments = -4144 xl_values = -4163 xl_chart_as_window = 5 xl_chart_in_place = 4 xl_clipboard = 3 xl_info = -4129 xl_workbook = 1 xl_date = 2 xl_number = -4145 xl_text = -4158 xl_bitmap = 2 xl_picture = -4147 xl_scenario = 4 xl_consolidation = 3 xl_database = 1 xl_external = 2 xl_pivot_table = -4148 xl_a1 = 1 xl_r1_c1 = -4150 xl_microsoft_access = 4 xl_microsoft_fox_pro = 5 xl_microsoft_mail = 3 xl_microsoft_power_point = 2 xl_microsoft_project = 6 xl_microsoft_schedule_plus = 7 xl_microsoft_word = 1 xl_no_button = 0 xl_primary_button = 1 xl_secondary_button = 2 xl_copy = 1 xl_cut = 2 xl_fill_with_all = -4104 xl_fill_with_contents = 2 xl_fill_with_formats = -4122 xl_filter_copy = 2 xl_filter_in_place = 1 xl_down_then_over = 1 xl_over_then_down = 2 xl_link_type_excel_links = 1 xl_link_type_ole_links = 2 xl_column_then_row = 2 xl_row_then_column = 1 xl_disabled = 0 xl_error_handler = 2 xl_interrupt = 1 xl_page_break_automatic = -4105 xl_page_break_manual = -4135 xl_page_break_none = -4142 xl_ole_control = 2 xl_ole_embed = 1 xl_ole_link = 0 xl_landscape = 2 xl_portrait = 1 xl_edition_date = 2 xl_update_state = 1 xl_link_info_status = 3 xl_command_underlines_automatic = -4105 xl_command_underlines_off = -4146 xl_command_underlines_on = 1 xl_verb_open = 2 xl_verb_primary = 1 xl_calculation_automatic = -4105 xl_calculation_manual = -4135 xl_calculation_semiautomatic = 2 xl_read_only = 3 xl_read_write = 2 xl_publisher = 1 xl_subscriber = 2 xl_fit_to_page = 2 xl_full_page = 3 xl_screen_size = 1 xl_part = 2 xl_whole = 1 xl_mapi = 1 xl_no_mail_system = 0 xl_power_talk = 2 xl_link_info_ole_links = 2 xl_link_info_publishers = 5 xl_link_info_subscribers = 6 xl_err_div0 = 2007 xl_err_na = 2042 xl_err_name = 2029 xl_err_null = 2000 xl_err_num = 2036 xl_err_ref = 2023 xl_err_value = 2015 xl_biff = 2 xl_pict = 1 xl_rtf = 4 xl_valu = 8 xl_excel_links = 1 xl_ole_links = 2 xl_publishers = 5 xl_subscribers = 6 xl_cell_type_blanks = 4 xl_cell_type_constants = 2 xl_cell_type_formulas = -4123 xl_cell_type_last_cell = 11 xl_cell_type_comments = -4144 xl_cell_type_visible = 12 xl_cell_type_all_format_conditions = -4172 xl_cell_type_same_format_conditions = -4173 xl_cell_type_all_validation = -4174 xl_cell_type_same_validation = -4175 xl_arrange_style_cascade = 7 xl_arrange_style_horizontal = -4128 xl_arrange_style_tiled = 1 xl_arrange_style_vertical = -4166 xl_i_beam = 3 xl_default = -4143 xl_northwest_arrow = 1 xl_wait = 2 xl_automatic_update = 4 xl_cancel = 1 xl_change_attributes = 6 xl_manual_update = 5 xl_open_source = 3 xl_select = 3 xl_send_publisher = 2 xl_update_subscriber = 2 xl_fill_copy = 1 xl_fill_days = 5 xl_fill_default = 0 xl_fill_formats = 3 xl_fill_months = 7 xl_fill_series = 2 xl_fill_values = 4 xl_fill_weekdays = 6 xl_fill_years = 8 xl_growth_trend = 10 xl_linear_trend = 9 xl_and = 1 xl_bottom10_items = 4 xl_bottom10_percent = 6 xl_or = 2 xl_top10_items = 3 xl_top10_percent = 5 xl_clipboard_format_biff = 8 xl_clipboard_format_biff2 = 18 xl_clipboard_format_biff3 = 20 xl_clipboard_format_biff4 = 30 xl_clipboard_format_binary = 15 xl_clipboard_format_bitmap = 9 xl_clipboard_format_cgm = 13 xl_clipboard_format_csv = 5 xl_clipboard_format_dif = 4 xl_clipboard_format_dsp_text = 12 xl_clipboard_format_embedded_object = 21 xl_clipboard_format_embed_source = 22 xl_clipboard_format_link = 11 xl_clipboard_format_link_source = 23 xl_clipboard_format_link_source_desc = 32 xl_clipboard_format_movie = 24 xl_clipboard_format_native = 14 xl_clipboard_format_object_desc = 31 xl_clipboard_format_object_link = 19 xl_clipboard_format_owner_link = 17 xl_clipboard_format_pict = 2 xl_clipboard_format_print_pict = 3 xl_clipboard_format_rtf = 7 xl_clipboard_format_screen_pict = 29 xl_clipboard_format_standard_font = 28 xl_clipboard_format_standard_scale = 27 xl_clipboard_format_sylk = 6 xl_clipboard_format_table = 16 xl_clipboard_format_text = 0 xl_clipboard_format_tool_face = 25 xl_clipboard_format_tool_face_pict = 26 xl_clipboard_format_valu = 1 xl_clipboard_format_wk1 = 10 xl_add_in = 18 xl_csv = 6 xl_csv_mac = 22 xl_csvmsdos = 24 xl_csv_windows = 23 xl_dbf2 = 7 xl_dbf3 = 8 xl_dbf4 = 11 xl_dif = 9 xl_excel2 = 16 xl_excel2_far_east = 27 xl_excel3 = 29 xl_excel4 = 33 xl_excel5 = 39 xl_excel7 = 39 xl_excel9795 = 43 xl_excel4_workbook = 35 xl_intl_add_in = 26 xl_intl_macro = 25 xl_workbook_normal = -4143 xl_sylk = 2 xl_template = 17 xl_current_platform_text = -4158 xl_text_mac = 19 xl_text_msdos = 21 xl_text_printer = 36 xl_text_windows = 20 xl_wj2_wd1 = 14 xl_wk1 = 5 xl_wk1_all = 31 xl_wk1_fmt = 30 xl_wk3 = 15 xl_wk4 = 38 xl_wk3_fm3 = 32 xl_wks = 4 xl_works2_far_east = 28 xl_wq1 = 34 xl_wj3 = 40 xl_wj3_fj3 = 41 xl_unicode_text = 42 xl_html = 44 xl_web_archive = 45 xl_xml_spreadsheet = 46 xl24_hour_clock = 33 xl4_digit_years = 43 xl_alternate_array_separator = 16 xl_column_separator = 14 xl_country_code = 1 xl_country_setting = 2 xl_currency_before = 37 xl_currency_code = 25 xl_currency_digits = 27 xl_currency_leading_zeros = 40 xl_currency_minus_sign = 38 xl_currency_negative = 28 xl_currency_space_before = 36 xl_currency_trailing_zeros = 39 xl_date_order = 32 xl_date_separator = 17 xl_day_code = 21 xl_day_leading_zero = 42 xl_decimal_separator = 3 xl_general_format_name = 26 xl_hour_code = 22 xl_left_brace = 12 xl_left_bracket = 10 xl_list_separator = 5 xl_lower_case_column_letter = 9 xl_lower_case_row_letter = 8 xl_mdy = 44 xl_metric = 35 xl_minute_code = 23 xl_month_code = 20 xl_month_leading_zero = 41 xl_month_name_chars = 30 xl_noncurrency_digits = 29 xl_non_english_functions = 34 xl_right_brace = 13 xl_right_bracket = 11 xl_row_separator = 15 xl_second_code = 24 xl_thousands_separator = 4 xl_time_leading_zero = 45 xl_time_separator = 18 xl_upper_case_column_letter = 7 xl_upper_case_row_letter = 6 xl_weekday_name_chars = 31 xl_year_code = 19 xl_page_break_full = 1 xl_page_break_partial = 2 xl_overwrite_cells = 0 xl_insert_delete_cells = 1 xl_insert_entire_rows = 2 xl_no_labels = -4142 xl_row_labels = 1 xl_column_labels = 2 xl_mixed_labels = 3 xl_since_my_last_save = 1 xl_all_changes = 2 xl_not_yet_reviewed = 3 xl_no_indicator = 0 xl_comment_indicator_only = -1 xl_comment_and_indicator = 1 xl_cell_value = 1 xl_expression = 2 xl_between = 1 xl_not_between = 2 xl_equal = 3 xl_not_equal = 4 xl_greater = 5 xl_less = 6 xl_greater_equal = 7 xl_less_equal = 8 xl_no_restrictions = 0 xl_unlocked_cells = 1 xl_no_selection = -4142 xl_validate_input_only = 0 xl_validate_whole_number = 1 xl_validate_decimal = 2 xl_validate_list = 3 xl_validate_date = 4 xl_validate_time = 5 xl_validate_text_length = 6 xl_validate_custom = 7 xl_ime_mode_no_control = 0 xl_ime_mode_on = 1 xl_ime_mode_off = 2 xl_ime_mode_disable = 3 xl_ime_mode_hiragana = 4 xl_ime_mode_katakana = 5 xl_ime_mode_katakana_half = 6 xl_ime_mode_alpha_full = 7 xl_ime_mode_alpha = 8 xl_ime_mode_hangul_full = 9 xl_ime_mode_hangul = 10 xl_valid_alert_stop = 1 xl_valid_alert_warning = 2 xl_valid_alert_information = 3 xl_location_as_new_sheet = 1 xl_location_as_object = 2 xl_location_automatic = 3 xl_paper10x14 = 16 xl_paper11x17 = 17 xl_paper_a3 = 8 xl_paper_a4 = 9 xl_paper_a4_small = 10 xl_paper_a5 = 11 xl_paper_b4 = 12 xl_paper_b5 = 13 xl_paper_csheet = 24 xl_paper_dsheet = 25 xl_paper_envelope10 = 20 xl_paper_envelope11 = 21 xl_paper_envelope12 = 22 xl_paper_envelope14 = 23 xl_paper_envelope9 = 19 xl_paper_envelope_b4 = 33 xl_paper_envelope_b5 = 34 xl_paper_envelope_b6 = 35 xl_paper_envelope_c3 = 29 xl_paper_envelope_c4 = 30 xl_paper_envelope_c5 = 28 xl_paper_envelope_c6 = 31 xl_paper_envelope_c65 = 32 xl_paper_envelope_dl = 27 xl_paper_envelope_italy = 36 xl_paper_envelope_monarch = 37 xl_paper_envelope_personal = 38 xl_paper_esheet = 26 xl_paper_executive = 7 xl_paper_fanfold_legal_german = 41 xl_paper_fanfold_std_german = 40 xl_paper_fanfold_us = 39 xl_paper_folio = 14 xl_paper_ledger = 4 xl_paper_legal = 5 xl_paper_letter = 1 xl_paper_letter_small = 2 xl_paper_note = 18 xl_paper_quarto = 15 xl_paper_statement = 6 xl_paper_tabloid = 3 xl_paper_user = 256 xl_paste_special_operation_add = 2 xl_paste_special_operation_divide = 5 xl_paste_special_operation_multiply = 4 xl_paste_special_operation_none = -4142 xl_paste_special_operation_subtract = 3 xl_paste_all = -4104 xl_paste_all_except_borders = 7 xl_paste_formats = -4122 xl_paste_formulas = -4123 xl_paste_comments = -4144 xl_paste_values = -4163 xl_paste_column_widths = 8 xl_paste_validation = 6 xl_paste_formulas_and_number_formats = 11 xl_paste_values_and_number_formats = 12 xl_katakana_half = 0 xl_katakana = 1 xl_hiragana = 2 xl_no_conversion = 3 xl_phonetic_align_no_control = 0 xl_phonetic_align_left = 1 xl_phonetic_align_center = 2 xl_phonetic_align_distributed = 3 xl_printer = 2 xl_screen = 1 xl_column_field = 2 xl_data_field = 4 xl_hidden = 0 xl_page_field = 3 xl_row_field = 1 xl_difference_from = 2 xl_index = 9 xl_no_additional_calculation = -4143 xl_percent_difference_from = 4 xl_percent_of = 3 xl_percent_of_column = 7 xl_percent_of_row = 6 xl_percent_of_total = 8 xl_running_total = 5 xl_free_floating = 3 xl_move = 2 xl_move_and_size = 1 xl_macintosh = 1 xl_msdos = 3 xl_windows = 2 xl_print_sheet_end = 1 xl_print_in_place = 16 xl_print_no_comments = -4142 xl_priority_high = -4127 xl_priority_low = -4134 xl_priority_normal = -4143 xl_label_only = 1 xl_data_and_label = 0 xl_data_only = 2 xl_origin = 3 xl_button = 15 xl_blanks = 4 xl_first_row = 256 xl_range_auto_format3_d_effects1 = 13 xl_range_auto_format3_d_effects2 = 14 xl_range_auto_format_accounting1 = 4 xl_range_auto_format_accounting2 = 5 xl_range_auto_format_accounting3 = 6 xl_range_auto_format_accounting4 = 17 xl_range_auto_format_classic1 = 1 xl_range_auto_format_classic2 = 2 xl_range_auto_format_classic3 = 3 xl_range_auto_format_color1 = 7 xl_range_auto_format_color2 = 8 xl_range_auto_format_color3 = 9 xl_range_auto_format_list1 = 10 xl_range_auto_format_list2 = 11 xl_range_auto_format_list3 = 12 xl_range_auto_format_local_format1 = 15 xl_range_auto_format_local_format2 = 16 xl_range_auto_format_local_format3 = 19 xl_range_auto_format_local_format4 = 20 xl_range_auto_format_report1 = 21 xl_range_auto_format_report2 = 22 xl_range_auto_format_report3 = 23 xl_range_auto_format_report4 = 24 xl_range_auto_format_report5 = 25 xl_range_auto_format_report6 = 26 xl_range_auto_format_report7 = 27 xl_range_auto_format_report8 = 28 xl_range_auto_format_report9 = 29 xl_range_auto_format_report10 = 30 xl_range_auto_format_classic_pivot_table = 31 xl_range_auto_format_table1 = 32 xl_range_auto_format_table2 = 33 xl_range_auto_format_table3 = 34 xl_range_auto_format_table4 = 35 xl_range_auto_format_table5 = 36 xl_range_auto_format_table6 = 37 xl_range_auto_format_table7 = 38 xl_range_auto_format_table8 = 39 xl_range_auto_format_table9 = 40 xl_range_auto_format_table10 = 41 xl_range_auto_format_pt_none = 42 xl_range_auto_format_none = -4142 xl_range_auto_format_simple = -4154 xl_absolute = 1 xl_abs_row_rel_column = 2 xl_relative = 4 xl_rel_row_abs_column = 3 xl_tabular = 0 xl_outline = 1 xl_all_at_once = 2 xl_one_after_another = 1 xl_not_yet_routed = 0 xl_routing_complete = 2 xl_routing_in_progress = 1 xl_auto_activate = 3 xl_auto_close = 2 xl_auto_deactivate = 4 xl_auto_open = 1 xl_do_not_save_changes = 2 xl_save_changes = 1 xl_exclusive = 3 xl_no_change = 1 xl_shared = 2 xl_local_session_changes = 2 xl_other_session_changes = 3 xl_user_resolution = 1 xl_next = 1 xl_previous = 2 xl_by_columns = 2 xl_by_rows = 1 xl_sheet_visible = -1 xl_sheet_hidden = 0 xl_sheet_very_hidden = 2 xl_pin_yin = 1 xl_stroke = 2 xl_code_page = 2 xl_syllabary = 1 xl_ascending = 1 xl_descending = 2 xl_sort_rows = 2 xl_sort_columns = 1 xl_sort_labels = 2 xl_sort_values = 1 xl_errors = 16 xl_logical = 4 xl_numbers = 1 xl_text_values = 2 xl_subscribe_to_picture = -4147 xl_subscribe_to_text = -4158 xl_summary_above = 0 xl_summary_below = 1 xl_summary_on_left = -4131 xl_summary_on_right = -4152 xl_summary_pivot_table = -4148 xl_standard_summary = 1 xl_tab_position_first = 0 xl_tab_position_last = 1 xl_delimited = 1 xl_fixed_width = 2 xl_text_qualifier_double_quote = 1 xl_text_qualifier_none = -4142 xl_text_qualifier_single_quote = 2 xl_wbat_chart = -4109 xl_wbat_excel4_intl_macro_sheet = 4 xl_wbat_excel4_macro_sheet = 3 xl_wbat_worksheet = -4167 xl_normal_view = 1 xl_page_break_preview = 2 xl_command = 2 xl_function = 1 xl_not_xlm = 3 xl_guess = 0 xl_no = 2 xl_yes = 1 xl_inside_horizontal = 12 xl_inside_vertical = 11 xl_diagonal_down = 5 xl_diagonal_up = 6 xl_edge_bottom = 9 xl_edge_left = 7 xl_edge_right = 10 xl_edge_top = 8 xl_no_button_changes = 1 xl_no_changes = 4 xl_no_docking_changes = 3 xl_toolbar_protection_none = -4143 xl_no_shape_changes = 2 xl_dialog_open = 1 xl_dialog_open_links = 2 xl_dialog_save_as = 5 xl_dialog_file_delete = 6 xl_dialog_page_setup = 7 xl_dialog_print = 8 xl_dialog_printer_setup = 9 xl_dialog_arrange_all = 12 xl_dialog_window_size = 13 xl_dialog_window_move = 14 xl_dialog_run = 17 xl_dialog_set_print_titles = 23 xl_dialog_font = 26 xl_dialog_display = 27 xl_dialog_protect_document = 28 xl_dialog_calculation = 32 xl_dialog_extract = 35 xl_dialog_data_delete = 36 xl_dialog_sort = 39 xl_dialog_data_series = 40 xl_dialog_table = 41 xl_dialog_format_number = 42 xl_dialog_alignment = 43 xl_dialog_style = 44 xl_dialog_border = 45 xl_dialog_cell_protection = 46 xl_dialog_column_width = 47 xl_dialog_clear = 52 xl_dialog_paste_special = 53 xl_dialog_edit_delete = 54 xl_dialog_insert = 55 xl_dialog_paste_names = 58 xl_dialog_define_name = 61 xl_dialog_create_names = 62 xl_dialog_formula_goto = 63 xl_dialog_formula_find = 64 xl_dialog_gallery_area = 67 xl_dialog_gallery_bar = 68 xl_dialog_gallery_column = 69 xl_dialog_gallery_line = 70 xl_dialog_gallery_pie = 71 xl_dialog_gallery_scatter = 72 xl_dialog_combination = 73 xl_dialog_gridlines = 76 xl_dialog_axes = 78 xl_dialog_attach_text = 80 xl_dialog_patterns = 84 xl_dialog_main_chart = 85 xl_dialog_overlay = 86 xl_dialog_scale = 87 xl_dialog_format_legend = 88 xl_dialog_format_text = 89 xl_dialog_parse = 91 xl_dialog_unhide = 94 xl_dialog_workspace = 95 xl_dialog_activate = 103 xl_dialog_copy_picture = 108 xl_dialog_delete_name = 110 xl_dialog_delete_format = 111 xl_dialog_new = 119 xl_dialog_row_height = 127 xl_dialog_format_move = 128 xl_dialog_format_size = 129 xl_dialog_formula_replace = 130 xl_dialog_select_special = 132 xl_dialog_apply_names = 133 xl_dialog_replace_font = 134 xl_dialog_split = 137 xl_dialog_outline = 142 xl_dialog_save_workbook = 145 xl_dialog_copy_chart = 147 xl_dialog_format_font = 150 xl_dialog_note = 154 xl_dialog_set_update_status = 159 xl_dialog_color_palette = 161 xl_dialog_change_link = 166 xl_dialog_app_move = 170 xl_dialog_app_size = 171 xl_dialog_main_chart_type = 185 xl_dialog_overlay_chart_type = 186 xl_dialog_open_mail = 188 xl_dialog_send_mail = 189 xl_dialog_standard_font = 190 xl_dialog_consolidate = 191 xl_dialog_sort_special = 192 xl_dialog_gallery3d_area = 193 xl_dialog_gallery3d_column = 194 xl_dialog_gallery3d_line = 195 xl_dialog_gallery3d_pie = 196 xl_dialog_view3d = 197 xl_dialog_goal_seek = 198 xl_dialog_workgroup = 199 xl_dialog_fill_group = 200 xl_dialog_update_link = 201 xl_dialog_promote = 202 xl_dialog_demote = 203 xl_dialog_show_detail = 204 xl_dialog_object_properties = 207 xl_dialog_save_new_object = 208 xl_dialog_apply_style = 212 xl_dialog_assign_to_object = 213 xl_dialog_object_protection = 214 xl_dialog_create_publisher = 217 xl_dialog_subscribe_to = 218 xl_dialog_show_toolbar = 220 xl_dialog_print_preview = 222 xl_dialog_edit_color = 223 xl_dialog_format_main = 225 xl_dialog_format_overlay = 226 xl_dialog_edit_series = 228 xl_dialog_define_style = 229 xl_dialog_gallery_radar = 249 xl_dialog_edition_options = 251 xl_dialog_zoom = 256 xl_dialog_insert_object = 259 xl_dialog_size = 261 xl_dialog_move = 262 xl_dialog_format_auto = 269 xl_dialog_gallery3d_bar = 272 xl_dialog_gallery3d_surface = 273 xl_dialog_customize_toolbar = 276 xl_dialog_workbook_add = 281 xl_dialog_workbook_move = 282 xl_dialog_workbook_copy = 283 xl_dialog_workbook_options = 284 xl_dialog_save_workspace = 285 xl_dialog_chart_wizard = 288 xl_dialog_assign_to_tool = 293 xl_dialog_placement = 300 xl_dialog_fill_workgroup = 301 xl_dialog_workbook_new = 302 xl_dialog_scenario_cells = 305 xl_dialog_scenario_add = 307 xl_dialog_scenario_edit = 308 xl_dialog_scenario_summary = 311 xl_dialog_pivot_table_wizard = 312 xl_dialog_pivot_field_properties = 313 xl_dialog_options_calculation = 318 xl_dialog_options_edit = 319 xl_dialog_options_view = 320 xl_dialog_addin_manager = 321 xl_dialog_menu_editor = 322 xl_dialog_attach_toolbars = 323 xl_dialog_options_chart = 325 xl_dialog_vba_insert_file = 328 xl_dialog_vba_procedure_definition = 330 xl_dialog_routing_slip = 336 xl_dialog_mail_logon = 339 xl_dialog_insert_picture = 342 xl_dialog_gallery_doughnut = 344 xl_dialog_chart_trend = 350 xl_dialog_workbook_insert = 354 xl_dialog_options_transition = 355 xl_dialog_options_general = 356 xl_dialog_filter_advanced = 370 xl_dialog_mail_next_letter = 378 xl_dialog_data_label = 379 xl_dialog_insert_title = 380 xl_dialog_font_properties = 381 xl_dialog_macro_options = 382 xl_dialog_workbook_unhide = 384 xl_dialog_workbook_name = 386 xl_dialog_gallery_custom = 388 xl_dialog_add_chart_autoformat = 390 xl_dialog_chart_add_data = 392 xl_dialog_tab_order = 394 xl_dialog_subtotal_create = 398 xl_dialog_workbook_tab_split = 415 xl_dialog_workbook_protect = 417 xl_dialog_scrollbar_properties = 420 xl_dialog_pivot_show_pages = 421 xl_dialog_text_to_columns = 422 xl_dialog_format_charttype = 423 xl_dialog_pivot_field_group = 433 xl_dialog_pivot_field_ungroup = 434 xl_dialog_checkbox_properties = 435 xl_dialog_label_properties = 436 xl_dialog_listbox_properties = 437 xl_dialog_editbox_properties = 438 xl_dialog_open_text = 441 xl_dialog_pushbutton_properties = 445 xl_dialog_filter = 447 xl_dialog_function_wizard = 450 xl_dialog_save_copy_as = 456 xl_dialog_options_lists_add = 458 xl_dialog_series_axes = 460 xl_dialog_series_x = 461 xl_dialog_series_y = 462 xl_dialog_errorbar_x = 463 xl_dialog_errorbar_y = 464 xl_dialog_format_chart = 465 xl_dialog_series_order = 466 xl_dialog_mail_edit_mailer = 470 xl_dialog_standard_width = 472 xl_dialog_scenario_merge = 473 xl_dialog_properties = 474 xl_dialog_summary_info = 474 xl_dialog_find_file = 475 xl_dialog_active_cell_font = 476 xl_dialog_vba_make_addin = 478 xl_dialog_file_sharing = 481 xl_dialog_auto_correct = 485 xl_dialog_custom_views = 493 xl_dialog_insert_name_label = 496 xl_dialog_series_shape = 504 xl_dialog_chart_options_data_labels = 505 xl_dialog_chart_options_data_table = 506 xl_dialog_set_background_picture = 509 xl_dialog_data_validation = 525 xl_dialog_chart_type = 526 xl_dialog_chart_location = 527 _xl_dialog_phonetic = 538 xl_dialog_chart_source_data = 540 _xl_dialog_chart_source_data = 541 xl_dialog_series_options = 557 xl_dialog_pivot_table_options = 567 xl_dialog_pivot_solve_order = 568 xl_dialog_pivot_calculated_field = 570 xl_dialog_pivot_calculated_item = 572 xl_dialog_conditional_formatting = 583 xl_dialog_insert_hyperlink = 596 xl_dialog_protect_sharing = 620 xl_dialog_options_me = 647 xl_dialog_publish_as_web_page = 653 xl_dialog_phonetic = 656 xl_dialog_new_web_query = 667 xl_dialog_import_text_file = 666 xl_dialog_external_data_properties = 530 xl_dialog_web_options_general = 683 xl_dialog_web_options_files = 684 xl_dialog_web_options_pictures = 685 xl_dialog_web_options_encoding = 686 xl_dialog_web_options_fonts = 687 xl_dialog_pivot_client_server_set = 689 xl_dialog_property_fields = 754 xl_dialog_search = 731 xl_dialog_evaluate_formula = 709 xl_dialog_data_label_multiple = 723 xl_dialog_chart_options_data_label_multiple = 724 xl_dialog_error_checking = 732 xl_dialog_web_options_browsers = 773 xl_dialog_create_list = 796 xl_dialog_permission = 832 xl_dialog_my_permission = 834 xl_prompt = 0 xl_constant = 1 xl_range = 2 xl_param_type_unknown = 0 xl_param_type_char = 1 xl_param_type_numeric = 2 xl_param_type_decimal = 3 xl_param_type_integer = 4 xl_param_type_small_int = 5 xl_param_type_float = 6 xl_param_type_real = 7 xl_param_type_double = 8 xl_param_type_var_char = 12 xl_param_type_date = 9 xl_param_type_time = 10 xl_param_type_timestamp = 11 xl_param_type_long_var_char = -1 xl_param_type_binary = -2 xl_param_type_var_binary = -3 xl_param_type_long_var_binary = -4 xl_param_type_big_int = -5 xl_param_type_tiny_int = -6 xl_param_type_bit = -7 xl_param_type_w_char = -8 xl_button_control = 0 xl_check_box = 1 xl_drop_down = 2 xl_edit_box = 3 xl_group_box = 4 xl_label = 5 xl_list_box = 6 xl_option_button = 7 xl_scroll_bar = 8 xl_spinner = 9 xl_source_workbook = 0 xl_source_sheet = 1 xl_source_print_area = 2 xl_source_auto_filter = 3 xl_source_range = 4 xl_source_chart = 5 xl_source_pivot_table = 6 xl_source_query = 7 xl_html_static = 0 xl_html_calc = 1 xl_html_list = 2 xl_html_chart = 3 xl_report1 = 0 xl_report2 = 1 xl_report3 = 2 xl_report4 = 3 xl_report5 = 4 xl_report6 = 5 xl_report7 = 6 xl_report8 = 7 xl_report9 = 8 xl_report10 = 9 xl_table1 = 10 xl_table2 = 11 xl_table3 = 12 xl_table4 = 13 xl_table5 = 14 xl_table6 = 15 xl_table7 = 16 xl_table8 = 17 xl_table9 = 18 xl_table10 = 19 xl_pt_classic = 20 xl_pt_none = 21 xl_cmd_cube = 1 xl_cmd_sql = 2 xl_cmd_table = 3 xl_cmd_default = 4 xl_cmd_list = 5 xl_general_format = 1 xl_text_format = 2 xl_mdy_format = 3 xl_dmy_format = 4 xl_ymd_format = 5 xl_myd_format = 6 xl_dym_format = 7 xl_ydm_format = 8 xl_skip_column = 9 xl_emd_format = 10 xl_odbc_query = 1 xl_dao_recordset = 2 xl_web_query = 4 xl_oledb_query = 5 xl_text_import = 6 xl_ado_recordset = 7 xl_entire_page = 1 xl_all_tables = 2 xl_specified_tables = 3 xl_hierarchy = 1 xl_measure = 2 xl_set = 3 xl_web_formatting_all = 1 xl_web_formatting_rtf = 2 xl_web_formatting_none = 3 xl_display_shapes = -4104 xl_hide = 3 xl_placeholders = 2 xl_at_top = 1 xl_at_bottom = 2 xl_pivot_table_version2000 = 0 xl_pivot_table_version10 = 1 xl_pivot_table_version_current = -1 xl_print_errors_displayed = 0 xl_print_errors_blank = 1 xl_print_errors_dash = 2 xl_print_errors_na = 3 xl_pivot_cell_value = 0 xl_pivot_cell_pivot_item = 1 xl_pivot_cell_subtotal = 2 xl_pivot_cell_grand_total = 3 xl_pivot_cell_data_field = 4 xl_pivot_cell_pivot_field = 5 xl_pivot_cell_page_field_item = 6 xl_pivot_cell_custom_subtotal = 7 xl_pivot_cell_data_pivot_field = 8 xl_pivot_cell_blank_cell = 9 xl_missing_items_default = -1 xl_missing_items_none = 0 xl_missing_items_max = 32500 xl_done = 0 xl_calculating = 1 xl_pending = 2 xl_no_key = 0 xl_esc_key = 1 xl_any_key = 2 xl_sort_normal = 0 xl_sort_text_as_numbers = 1 xl_update_links_user_setting = 1 xl_update_links_never = 2 xl_update_links_always = 3 xl_link_status_ok = 0 xl_link_status_missing_file = 1 xl_link_status_missing_sheet = 2 xl_link_status_old = 3 xl_link_status_source_not_calculated = 4 xl_link_status_indeterminate = 5 xl_link_status_not_started = 6 xl_link_status_invalid_name = 7 xl_link_status_source_not_open = 8 xl_link_status_source_open = 9 xl_link_status_copied_values = 10 xl_within_sheet = 1 xl_within_workbook = 2 xl_normal_load = 0 xl_repair_file = 1 xl_extract_data = 2 xl_as_required = 0 xl_always = 1 xl_never = 2 xl_evaluate_to_error = 1 xl_text_date = 2 xl_number_as_text = 3 xl_inconsistent_formula = 4 xl_omitted_cells = 5 xl_unlocked_formula_cells = 6 xl_empty_cell_references = 7 xl_list_data_validation = 8 xl_data_label_separator_default = 1 xl_indicator_and_button = 0 xl_display_none = 1 xl_button_only = 2 xl_range_value_default = 10 xl_range_value_xml_spreadsheet = 11 xl_range_value_ms_persist_xml = 12 xl_speak_by_rows = 0 xl_speak_by_columns = 1 xl_format_from_left_or_above = 0 xl_format_from_right_or_below = 1 xl_arabic_none = 0 xl_arabic_strict_alef_hamza = 1 xl_arabic_strict_final_yaa = 2 xl_arabic_both_strict = 3 xl_query_table = 0 xl_pivot_table_report = 1 xl_calculated_member = 0 xl_calculated_set = 1 xl_hebrew_full_script = 0 xl_hebrew_partial_script = 1 xl_hebrew_mixed_script = 2 xl_hebrew_mixed_authorized_script = 3 xl_src_external = 0 xl_src_range = 1 xl_src_xml = 2 xl_text_visual_ltr = 1 xl_text_visual_rtl = 2 xl_list_data_type_none = 0 xl_list_data_type_text = 1 xl_list_data_type_multi_line_text = 2 xl_list_data_type_number = 3 xl_list_data_type_currency = 4 xl_list_data_type_date_time = 5 xl_list_data_type_choice = 6 xl_list_data_type_choice_multi = 7 xl_list_data_type_list_lookup = 8 xl_list_data_type_checkbox = 9 xl_list_data_type_hyper_link = 10 xl_list_data_type_counter = 11 xl_list_data_type_multi_line_rich_text = 12 xl_totals_calculation_none = 0 xl_totals_calculation_sum = 1 xl_totals_calculation_average = 2 xl_totals_calculation_count = 3 xl_totals_calculation_count_nums = 4 xl_totals_calculation_min = 5 xl_totals_calculation_max = 6 xl_totals_calculation_std_dev = 7 xl_totals_calculation_var = 8 xl_xml_load_prompt_user = 0 xl_xml_load_open_xml = 1 xl_xml_load_import_to_list = 2 xl_xml_load_map_xml = 3 xl_smart_tag_control_smart_tag = 1 xl_smart_tag_control_link = 2 xl_smart_tag_control_help = 3 xl_smart_tag_control_help_url = 4 xl_smart_tag_control_separator = 5 xl_smart_tag_control_button = 6 xl_smart_tag_control_label = 7 xl_smart_tag_control_image = 8 xl_smart_tag_control_checkbox = 9 xl_smart_tag_control_textbox = 10 xl_smart_tag_control_listbox = 11 xl_smart_tag_control_combo = 12 xl_smart_tag_control_active_x = 13 xl_smart_tag_control_radio_group = 14 xl_list_conflict_dialog = 0 xl_list_conflict_retry_all_conflicts = 1 xl_list_conflict_discard_all_conflicts = 2 xl_list_conflict_error = 3 xl_xml_export_success = 0 xl_xml_export_validation_failed = 1 xl_xml_import_success = 0 xl_xml_import_elements_truncated = 1 xl_xml_import_validation_failed = 2
''' Your function should take in a signle parameter (a string `word`) Your function should return a count of how many occurences of ***"th"*** occur within `word`. Case matters. Your function must utilize recursion. It cannot contain any loops. ''' def count_th(word): print(word) if len(word) < 2: return 0 elif word[0:2] == 'th': return count_th(word[2:]) + 1 else: return count_th(word[1:])
""" Your function should take in a signle parameter (a string `word`) Your function should return a count of how many occurences of ***"th"*** occur within `word`. Case matters. Your function must utilize recursion. It cannot contain any loops. """ def count_th(word): print(word) if len(word) < 2: return 0 elif word[0:2] == 'th': return count_th(word[2:]) + 1 else: return count_th(word[1:])
def triangle(rows): spaces = rows for i in range(0, rows*2, 2): for j in range(0, spaces): print(end = " ") spaces -= 1 for j in range(0, i + 1): print("$", end = "") print() triangle(5)
def triangle(rows): spaces = rows for i in range(0, rows * 2, 2): for j in range(0, spaces): print(end=' ') spaces -= 1 for j in range(0, i + 1): print('$', end='') print() triangle(5)
# list examples a=['spam','eggs',100,1234] print(a[:2]+['bacon',2*2]) print(3*a[:3]+['Boo!']) print(a[:]) a[2]=a[2]+23 print(a) a[0:2]=[1,12] print(a) a[0:2]=[] print(a) a[1:1]=['bletch','xyzzy'] print(a) a[:0]=a print(a) a[:]=[] print(a) a.extend('ab') print(a) a.extend([1,2,33]) print(a)
a = ['spam', 'eggs', 100, 1234] print(a[:2] + ['bacon', 2 * 2]) print(3 * a[:3] + ['Boo!']) print(a[:]) a[2] = a[2] + 23 print(a) a[0:2] = [1, 12] print(a) a[0:2] = [] print(a) a[1:1] = ['bletch', 'xyzzy'] print(a) a[:0] = a print(a) a[:] = [] print(a) a.extend('ab') print(a) a.extend([1, 2, 33]) print(a)
class Message_Template: def __init__( self, chat_id, text, disable_web_page_preview=None, reply_to_message_id=None, reply_markup=None, parse_mode=None, disable_notification=None, timeout=None ): self.chat_id = chat_id self.text = text self.disable_web_page_preview = disable_web_page_preview self.reply_to_message_id = reply_to_message_id self.parse_mode = parse_mode self.disable_notification = disable_notification self.timeout = timeout self.reply_markup = reply_markup
class Message_Template: def __init__(self, chat_id, text, disable_web_page_preview=None, reply_to_message_id=None, reply_markup=None, parse_mode=None, disable_notification=None, timeout=None): self.chat_id = chat_id self.text = text self.disable_web_page_preview = disable_web_page_preview self.reply_to_message_id = reply_to_message_id self.parse_mode = parse_mode self.disable_notification = disable_notification self.timeout = timeout self.reply_markup = reply_markup
# -*- coding: utf-8 -*- """ __init__.py ~~~~~~~~~~~~~~ Test package definition. :copyright: (c) 2016 by fengweimin. :date: 16/6/11 """
""" __init__.py ~~~~~~~~~~~~~~ Test package definition. :copyright: (c) 2016 by fengweimin. :date: 16/6/11 """
''' Design Amazon / Flipkart (an online shopping platform) Beyond the basic functionality (signup, login etc.), interviewers will be looking for the following: Discoverability: How will the buyer discover a product? How will the search surface results? Cart & Checkout: Users expect the cart and checkout to behave in a certain way. How will the design adhere to such known best practices while also introducing innovative checkout semantics like One-Click-Purchase? Payment Methods: Users can pay using credit cards, gift cards, etc. How will the payment method work with the checkout process? Product Reviews & Ratings: When can a user post a review and a rating? How are useful reviews tracked and less useful reviews de-prioritized? ''' # Objects # Customer # account, cart, order # add_item_to_cart(item), remove_item_from_cart(item), place_order(order) # Account # username, password, status, name, shipping_address, email, phone, credit_cards # add_product(product), product_review(review) # Cart # items # add_item(item), remove_item(item), update_item_quantity(item, quantity), # get_items, checkout # Item # item, product_id, quantity, price # update_quantity(quantity) # Product # product_id, name, description, price, category, available_item_count, seller # ProductCategory # name, description # Order # status (unshipped, pending, shipped, completed, canceled), order_logs, # order_number, status, order_date # send_for_shipment, make_payment(payment), add_order_log(order_log) # Order Log # order_number, creation_date, status # Shipping # shipment_number, shipment_date, estimated_arrival, shipment_method, # order_details
""" Design Amazon / Flipkart (an online shopping platform) Beyond the basic functionality (signup, login etc.), interviewers will be looking for the following: Discoverability: How will the buyer discover a product? How will the search surface results? Cart & Checkout: Users expect the cart and checkout to behave in a certain way. How will the design adhere to such known best practices while also introducing innovative checkout semantics like One-Click-Purchase? Payment Methods: Users can pay using credit cards, gift cards, etc. How will the payment method work with the checkout process? Product Reviews & Ratings: When can a user post a review and a rating? How are useful reviews tracked and less useful reviews de-prioritized? """
def list_open_ports(): pass
def list_open_ports(): pass
def swap_case(s): str1 = "" for i in range(len(s)): if s[i].isupper(): str1 = str1+s[i].lower() elif s[i].islower(): str1 = str1+s[i].upper() else: str1 = str1+s[i] return str1 if __name__ == '__main__': s = input() result = swap_case(s) print(result)
def swap_case(s): str1 = '' for i in range(len(s)): if s[i].isupper(): str1 = str1 + s[i].lower() elif s[i].islower(): str1 = str1 + s[i].upper() else: str1 = str1 + s[i] return str1 if __name__ == '__main__': s = input() result = swap_case(s) print(result)
# SPDX-FileCopyrightText: 2020 2019-2020 SAP SE # # SPDX-License-Identifier: Apache-2.0 API_FIELD_CLIENT_ID = 'clientId' API_FIELD_CLIENT_LIMIT = 'limit' API_FIELD_CLIENT_NAME = 'clientName' API_FIELD_DOCUMENT_TYPE = 'documentType' API_FIELD_ENRICHMENT = 'enrichment' API_FIELD_EXTRACTED_HEADER_FIELDS = 'headerFields' API_FIELD_EXTRACTED_LINE_ITEM_FIELDS = 'lineItemFields' API_FIELD_EXTRACTED_VALUES = 'extractedValues' API_FIELD_FILE_TYPE = 'fileType' API_FIELD_ID = 'id' API_FIELD_RESULTS = 'results' API_FIELD_RETURN_NULL = 'returnNullValues' API_FIELD_STATUS = 'status' API_FIELD_TEMPLATE_ID = 'templateId' API_FIELD_VALUE = 'value' API_FIELD_DATA_FOR_RETRAINING = 'dataForRetraining' API_REQUEST_FIELD_CLIENT_START_WITH = 'clientIdStartsWith' API_REQUEST_FIELD_EXTRACTED_FIELDS = 'extraction' API_REQUEST_FIELD_FILE = 'file' API_REQUEST_FIELD_LIMIT = 'limit' API_REQUEST_FIELD_OFFSET = 'offset' API_REQUEST_FIELD_OPTIONS = 'options' API_REQUEST_FIELD_PAYLOAD = 'payload' API_REQUEST_FIELD_RECEIVED_DATE = 'receivedDate' API_REQUEST_FIELD_ENRICHMENT_COMPANYCODE = 'companyCode' API_REQUEST_FIELD_ENRICHMENT_ID = 'id' API_REQUEST_FIELD_ENRICHMENT_SUBTYPE = 'subtype' API_REQUEST_FIELD_ENRICHMENT_SYSTEM = 'system' API_REQUEST_FIELD_ENRICHMENT_TYPE = 'type' API_HEADER_ACCEPT = 'accept' CONTENT_TYPE_PNG = 'image/png' DATA_TYPE_BUSINESS_ENTITY = "businessEntity" DOCUMENT_TYPE_ADVICE = 'paymentAdvice' FILE_TYPE_EXCEL = 'Excel'
api_field_client_id = 'clientId' api_field_client_limit = 'limit' api_field_client_name = 'clientName' api_field_document_type = 'documentType' api_field_enrichment = 'enrichment' api_field_extracted_header_fields = 'headerFields' api_field_extracted_line_item_fields = 'lineItemFields' api_field_extracted_values = 'extractedValues' api_field_file_type = 'fileType' api_field_id = 'id' api_field_results = 'results' api_field_return_null = 'returnNullValues' api_field_status = 'status' api_field_template_id = 'templateId' api_field_value = 'value' api_field_data_for_retraining = 'dataForRetraining' api_request_field_client_start_with = 'clientIdStartsWith' api_request_field_extracted_fields = 'extraction' api_request_field_file = 'file' api_request_field_limit = 'limit' api_request_field_offset = 'offset' api_request_field_options = 'options' api_request_field_payload = 'payload' api_request_field_received_date = 'receivedDate' api_request_field_enrichment_companycode = 'companyCode' api_request_field_enrichment_id = 'id' api_request_field_enrichment_subtype = 'subtype' api_request_field_enrichment_system = 'system' api_request_field_enrichment_type = 'type' api_header_accept = 'accept' content_type_png = 'image/png' data_type_business_entity = 'businessEntity' document_type_advice = 'paymentAdvice' file_type_excel = 'Excel'
"""File with cops""" class Cop: cop_conf = dict() DEFAULT_CONFIG = { 'enabled': True } def processable(self): return self.cop_conf.get('enabled', True) class ICop: cop_conf = dict() @classmethod def name(self): """The Cop name""" class ITokenCop(ICop): def process_tokens(self, tokens, filename): """Method receives generator of tokens and process them one by one.""" class IRawFileCop(ICop): def process_file(self, lines, filename): """Method receives list of file lines and process them one by one.""" class IFormatCop(ICop): def fix_format(self, lines, filename): """Method receives list of file lines and process them one by one."""
"""File with cops""" class Cop: cop_conf = dict() default_config = {'enabled': True} def processable(self): return self.cop_conf.get('enabled', True) class Icop: cop_conf = dict() @classmethod def name(self): """The Cop name""" class Itokencop(ICop): def process_tokens(self, tokens, filename): """Method receives generator of tokens and process them one by one.""" class Irawfilecop(ICop): def process_file(self, lines, filename): """Method receives list of file lines and process them one by one.""" class Iformatcop(ICop): def fix_format(self, lines, filename): """Method receives list of file lines and process them one by one."""
def selection_sort(arr): comparisons = 1 for i in range(len(arr)): comparisons += 1 min_idx = i comparisons += 1 for j in range(i + 1, len(arr)): comparisons += 2 if arr[min_idx] > arr[j]: min_idx = j arr[i], arr[min_idx] = arr[min_idx], arr[i] return comparisons def insertion_sort(arr): comparisons = 1 for i in range(1, len(arr)): comparisons += 1 key = arr[i] j = i - 1 comparisons += 1 while j >= 0 and key < arr[j]: comparisons += 2 arr[j + 1] = arr[j] j -= 1 arr[j + 1] = key return comparisons def merge_sort(lst): comparisons = 0 if len(lst) > 1: middle = len(lst) // 2 left = lst[:middle] right = lst[middle:] merge_sort(left) merge_sort(right) i = j = k = 0 while i < len(left) and j < len(right): if left[i] < right[j]: lst[k] = left[i] i += 1 else: lst[k] = right[j] j += 1 k += 1 comparisons += 1 while i < len(left): lst[k] = left[i] i += 1 k += 1 while j < len(right): lst[k] = right[j] j += 1 k += 1 return comparisons def shell_sort(lst): length = len(lst) h = 1 comparisons = 0 while (h < (length//3)): h = 3*h + 1 while (h >= 1): for i in range(h, length): for j in range(i, h-1, -h): comparisons += 1 if (lst[j] < lst[j-h]): lst[j], lst[j-h] = lst[j-h], lst[j] else: break h = h//3 return comparisons
def selection_sort(arr): comparisons = 1 for i in range(len(arr)): comparisons += 1 min_idx = i comparisons += 1 for j in range(i + 1, len(arr)): comparisons += 2 if arr[min_idx] > arr[j]: min_idx = j (arr[i], arr[min_idx]) = (arr[min_idx], arr[i]) return comparisons def insertion_sort(arr): comparisons = 1 for i in range(1, len(arr)): comparisons += 1 key = arr[i] j = i - 1 comparisons += 1 while j >= 0 and key < arr[j]: comparisons += 2 arr[j + 1] = arr[j] j -= 1 arr[j + 1] = key return comparisons def merge_sort(lst): comparisons = 0 if len(lst) > 1: middle = len(lst) // 2 left = lst[:middle] right = lst[middle:] merge_sort(left) merge_sort(right) i = j = k = 0 while i < len(left) and j < len(right): if left[i] < right[j]: lst[k] = left[i] i += 1 else: lst[k] = right[j] j += 1 k += 1 comparisons += 1 while i < len(left): lst[k] = left[i] i += 1 k += 1 while j < len(right): lst[k] = right[j] j += 1 k += 1 return comparisons def shell_sort(lst): length = len(lst) h = 1 comparisons = 0 while h < length // 3: h = 3 * h + 1 while h >= 1: for i in range(h, length): for j in range(i, h - 1, -h): comparisons += 1 if lst[j] < lst[j - h]: (lst[j], lst[j - h]) = (lst[j - h], lst[j]) else: break h = h // 3 return comparisons
# fail-if: '-x' not in EXTRA_JIT_ARGS def dec(f): return f @dec def f(): pass
def dec(f): return f @dec def f(): pass
#!/usr/bin/env python3 # -*- coding: utf-8 -*- # Andre Augusto Giannotti Scota (https://sites.google.com/view/a2gs/) def my_decorator(func): def wrapper(): print("Something is happening before the function is called.") func() print("Something is happening after the function is called.") return wrapper @my_decorator def say_whee(): print("Whee!") say_whee()
def my_decorator(func): def wrapper(): print('Something is happening before the function is called.') func() print('Something is happening after the function is called.') return wrapper @my_decorator def say_whee(): print('Whee!') say_whee()
class Scene: def __init__(self): """ A scene has multiple SceneObject """ self.objects = [] class SceneObject: def __init__(self, pos, color): """ Object that belongs to a scene Args: pos(ndarray): Position in 3D space color(ndarray): Color in 3 channels using float 0 to 1 """ self.position = pos self.color = color def normal_at(self, p): """ Get the normal at point p Args: p(ndarray): A point in the surface of the object Returns: ndarray: The normal at the given point """ pass class Sphere(SceneObject): def __init__(self, pos, color, radius): SceneObject.__init__(self, pos, color) self.radius = radius def normal_at(self, p): n = (p - self.position) / self.radius return n class Plane(SceneObject): def __init__(self, pos, color, n): """ Object that belongs to a scene Args: pos(ndarray): Position in 3D space color(ndarray): Color in 3 channels using float 0 to 1 n(ndarray): Normal of the plane as a 3D vector """ SceneObject.__init__(self, pos, color) self.n = n def normal_at(self, p): return self.n
class Scene: def __init__(self): """ A scene has multiple SceneObject """ self.objects = [] class Sceneobject: def __init__(self, pos, color): """ Object that belongs to a scene Args: pos(ndarray): Position in 3D space color(ndarray): Color in 3 channels using float 0 to 1 """ self.position = pos self.color = color def normal_at(self, p): """ Get the normal at point p Args: p(ndarray): A point in the surface of the object Returns: ndarray: The normal at the given point """ pass class Sphere(SceneObject): def __init__(self, pos, color, radius): SceneObject.__init__(self, pos, color) self.radius = radius def normal_at(self, p): n = (p - self.position) / self.radius return n class Plane(SceneObject): def __init__(self, pos, color, n): """ Object that belongs to a scene Args: pos(ndarray): Position in 3D space color(ndarray): Color in 3 channels using float 0 to 1 n(ndarray): Normal of the plane as a 3D vector """ SceneObject.__init__(self, pos, color) self.n = n def normal_at(self, p): return self.n
def register_init(func): pass def register_config(func): pass def register_read(func): pass def register_write(func): pass def info(msg): print(msg)
def register_init(func): pass def register_config(func): pass def register_read(func): pass def register_write(func): pass def info(msg): print(msg)
class Solution: def solve(self, words): minimum = sorted(words, key = len)[0] LCP = '' for i in range(len(minimum)): matches = True curChar = minimum[i] for j in range(len(words)): if words[j][i] != curChar: matches = False break if not matches: return LCP LCP += curChar return LCP
class Solution: def solve(self, words): minimum = sorted(words, key=len)[0] lcp = '' for i in range(len(minimum)): matches = True cur_char = minimum[i] for j in range(len(words)): if words[j][i] != curChar: matches = False break if not matches: return LCP lcp += curChar return LCP
# -*- coding: utf-8 -*- operation = input() total = 0 for i in range(144): N = float(input()) line = (i // 12) + 1 if (i < (line * 12 - line)): total += N answer = total if (operation == 'S') else (total / 66) print("%.1f" % answer)
operation = input() total = 0 for i in range(144): n = float(input()) line = i // 12 + 1 if i < line * 12 - line: total += N answer = total if operation == 'S' else total / 66 print('%.1f' % answer)
# -*- coding: utf-8 -*- ''' File name: code\onechild_numbers\sol_413.py Author: Vaidic Joshi Date created: Oct 20, 2018 Python Version: 3.x ''' # Solution to Project Euler Problem #413 :: One-child Numbers # # For more information see: # https://projecteuler.net/problem=413 # Problem Statement ''' We say that a d-digit positive number (no leading zeros) is a one-child number if exactly one of its sub-strings is divisible by d. For example, 5671 is a 4-digit one-child number. Among all its sub-strings 5, 6, 7, 1, 56, 67, 71, 567, 671 and 5671, only 56 is divisible by 4. Similarly, 104 is a 3-digit one-child number because only 0 is divisible by 3. 1132451 is a 7-digit one-child number because only 245 is divisible by 7. Let F(N) be the number of the one-child numbers less than N. We can verify that F(10) = 9, F(103) = 389 and F(107) = 277674. Find F(1019). ''' # Solution # Solution Approach ''' '''
""" File name: code\\onechild_numbers\\sol_413.py Author: Vaidic Joshi Date created: Oct 20, 2018 Python Version: 3.x """ '\nWe say that a d-digit positive number (no leading zeros) is a one-child number if exactly one of its sub-strings is divisible by d.\n\nFor example, 5671 is a 4-digit one-child number. Among all its sub-strings 5, 6, 7, 1, 56, 67, 71, 567, 671 and 5671, only 56 is divisible by 4.\nSimilarly, 104 is a 3-digit one-child number because only 0 is divisible by 3.\n1132451 is a 7-digit one-child number because only 245 is divisible by 7.\n\nLet F(N) be the number of the one-child numbers less than N.\nWe can verify that F(10) = 9, F(103) = 389 and F(107) = 277674.\n\nFind F(1019).\n' '\n'
# A DP program to solve edit distance problem def editDistDP(x, y): m = len(x); n = len(y); # Create an e-table to store results of subproblems e = [[0 for j in range(n + 1)] for i in range(m + 1)] # Fill in e[][] in bottom up manner for i in range(m + 1): for j in range(n + 1): # Initialization if i == 0: e[i][j] = j elif j == 0: e[i][j] = i elif x[i-1] == y[j-1]: e[i][j] = min(1 + e[i-1][j], 1 + e[i][j-1], e[i-1][j-1]) else: e[i][j] = 1 + min(e[i-1][j], e[i][j-1], e[i-1][j-1]) return e[m][n] # Test case 1 # x = "snowy" # y = "sunny" # Test case 2 x = "heroically" y = "scholarly" print(editDistDP(x, y))
def edit_dist_dp(x, y): m = len(x) n = len(y) e = [[0 for j in range(n + 1)] for i in range(m + 1)] for i in range(m + 1): for j in range(n + 1): if i == 0: e[i][j] = j elif j == 0: e[i][j] = i elif x[i - 1] == y[j - 1]: e[i][j] = min(1 + e[i - 1][j], 1 + e[i][j - 1], e[i - 1][j - 1]) else: e[i][j] = 1 + min(e[i - 1][j], e[i][j - 1], e[i - 1][j - 1]) return e[m][n] x = 'heroically' y = 'scholarly' print(edit_dist_dp(x, y))
""" Solver functions for Sudoku """ def print_sudoku(sudoku): for i in range(len(sudoku)): line = "" if i == 3 or i == 6: print("---------------------") for j in range(len(sudoku[i])): if j == 3 or j == 6: line += "| " line += str(sudoku[i][j])+" " print(line) def get_next_empty_cell(sudoku): for x in range(9): for y in range(9): if sudoku[x][y] == 0: return x, y return -1, -1 def is_possible(sudoku, i, j, e): check_row = all([e != sudoku[i][x] for x in range(9)]) if check_row: check_col = all([e != sudoku[x][j] for x in range(9)]) if check_col: sq_x, sq_y = 3*(i//3), 3*(j//3) for x in range(sq_x, sq_x+3): for y in range(sq_y, sq_y+3): if sudoku[x][y] == e: return False return True return False def solve(sudoku, i=0, j=0): i, j = get_next_empty_cell(sudoku) if i == -1: return True for n in range(1, 10): if is_possible(sudoku, i, j, n): sudoku[i][j] = n if solve(sudoku, i, j): return True sudoku[i][j] = 0 return False
""" Solver functions for Sudoku """ def print_sudoku(sudoku): for i in range(len(sudoku)): line = '' if i == 3 or i == 6: print('---------------------') for j in range(len(sudoku[i])): if j == 3 or j == 6: line += '| ' line += str(sudoku[i][j]) + ' ' print(line) def get_next_empty_cell(sudoku): for x in range(9): for y in range(9): if sudoku[x][y] == 0: return (x, y) return (-1, -1) def is_possible(sudoku, i, j, e): check_row = all([e != sudoku[i][x] for x in range(9)]) if check_row: check_col = all([e != sudoku[x][j] for x in range(9)]) if check_col: (sq_x, sq_y) = (3 * (i // 3), 3 * (j // 3)) for x in range(sq_x, sq_x + 3): for y in range(sq_y, sq_y + 3): if sudoku[x][y] == e: return False return True return False def solve(sudoku, i=0, j=0): (i, j) = get_next_empty_cell(sudoku) if i == -1: return True for n in range(1, 10): if is_possible(sudoku, i, j, n): sudoku[i][j] = n if solve(sudoku, i, j): return True sudoku[i][j] = 0 return False
def sum(matriz): sumValue = 0; if len(matriz) > 0 and matriz[-1] <= 1000: for item in matriz: sumValue += item return sumValue print(sum([1, 2, 3]));
def sum(matriz): sum_value = 0 if len(matriz) > 0 and matriz[-1] <= 1000: for item in matriz: sum_value += item return sumValue print(sum([1, 2, 3]))
# https://www.acmicpc.net/problem/11091 input = __import__('sys').stdin.readline N = int(input()) for _ in range(N): chars = [0 for _ in range(26)] line = input().rstrip() for char in line: if 97 <= ord(char) < 123: chars[ord(char) - 97] += 1 elif 65 <= ord(char) < 91: chars[ord(char) - 65] += 1 missing = "".join(chr(index + 97) for index, cnt in enumerate(chars) if cnt == 0) if 0 in chars: print('missing {}'.format(missing)) else: print('pangram')
input = __import__('sys').stdin.readline n = int(input()) for _ in range(N): chars = [0 for _ in range(26)] line = input().rstrip() for char in line: if 97 <= ord(char) < 123: chars[ord(char) - 97] += 1 elif 65 <= ord(char) < 91: chars[ord(char) - 65] += 1 missing = ''.join((chr(index + 97) for (index, cnt) in enumerate(chars) if cnt == 0)) if 0 in chars: print('missing {}'.format(missing)) else: print('pangram')
def http(request): """Responds to any HTTP request. Args: request (flask.Request): HTTP request object. Returns: The response text or any set of values that can be turned into a Response object using `make_response <http://flask.pocoo.org/docs/1.0/api/#flask.Flask.make_response>`. """ return f'Hello World!'
def http(request): """Responds to any HTTP request. Args: request (flask.Request): HTTP request object. Returns: The response text or any set of values that can be turned into a Response object using `make_response <http://flask.pocoo.org/docs/1.0/api/#flask.Flask.make_response>`. """ return f'Hello World!'
attendees = ["Ken", "Alena", "Treasure"] attendees.append("Ashley") attendees.extend(["James", "Guil"]) optional_attendees = ["Ben J.", "Dave"] potential_attendees = attendees + optional_attendees print("There are", len(potential_attendees), "attendees currently")
attendees = ['Ken', 'Alena', 'Treasure'] attendees.append('Ashley') attendees.extend(['James', 'Guil']) optional_attendees = ['Ben J.', 'Dave'] potential_attendees = attendees + optional_attendees print('There are', len(potential_attendees), 'attendees currently')
## https://leetcode.com/problems/dota2-senate/ ## go through the rounds of voting, where a vote is to ban another ## senator or, if all senators of the other party are banned, delcare ## victory. ## the optimal play for each senator is to ban the first member of ## the opposition party after them. fastest way to handle that is to ## basically keep track of the number of bans that we have remaining ## to give out, noting that we'll always have bans from just one party. ## after all, the Ds will ban any Rs before they can vote if they have ## the chance to (and vice versa). that means we can keep track of the ## bans to give out using a single counter that can go positive for one ## party and negative for the other. ## this solution is quite good, coming in at almost the 78th percentile ## for runtime and about the 50th percentile for memory. class Solution: def predictPartyVictory(self, senate: str) -> str: ## Ds add to this, Rs subtract ## so if > 0 and encouter an R, eliminate that R ## if > 0 and encounter another D, add another ## if < 0 and encounter a D, eliminate that D ## if < 0 and encounter another R, subtract another bans_to_proc = 0 values = {'D': 1, 'R': - 1} ## go through rounds of voting until we have all one party while len(set(senate)) > 1: next_senate = '' for ii, char in enumerate(senate): if bans_to_proc == 0: ## no bans from either party in the stack, so this character gets to ## ban the next of the opposition party and survives to the next round next_senate += char bans_to_proc += values[char] elif bans_to_proc > 0 and char == 'D': ## no R bans to proc, so this character will ban the next R and survive bans_to_proc += 1 next_senate += char elif bans_to_proc > 0 and char == 'R': ## have an R ban to proc, so this character gets banned (but uses up a ban) bans_to_proc -= 1 ## don't add this character to the next senate because it got banned elif bans_to_proc < 0 and char == 'R': ## no R bans to proc, so this character will ban the next D and survive bans_to_proc -= 1 next_senate += char elif bans_to_proc < 0 and char == 'D': ## have a D ban to proc, so proc it and ban this character bans_to_proc += 1 ## again, got banned, so skip this character in the next senate senate = next_senate ## now we know we have all one party, so just return the party of the first senator if senate[0] == 'D': return 'Dire' else: return 'Radiant'
class Solution: def predict_party_victory(self, senate: str) -> str: bans_to_proc = 0 values = {'D': 1, 'R': -1} while len(set(senate)) > 1: next_senate = '' for (ii, char) in enumerate(senate): if bans_to_proc == 0: next_senate += char bans_to_proc += values[char] elif bans_to_proc > 0 and char == 'D': bans_to_proc += 1 next_senate += char elif bans_to_proc > 0 and char == 'R': bans_to_proc -= 1 elif bans_to_proc < 0 and char == 'R': bans_to_proc -= 1 next_senate += char elif bans_to_proc < 0 and char == 'D': bans_to_proc += 1 senate = next_senate if senate[0] == 'D': return 'Dire' else: return 'Radiant'
# init exercise 2 solution # Using an approach similar to what was used in the Iris example # we can identify appropriate boundaries for our meshgrid by # referencing the actual wine data x_1_wine = X_wine_train[predictors[0]] x_2_wine = X_wine_train[predictors[1]] x_1_min_wine, x_1_max_wine = x_1_wine.min() - 0.2, x_1_wine.max() + 0.2 x_2_min_wine, x_2_max_wine = x_2_wine.min() - 0.2, x_2_wine.max() + 0.2 # Then we use np.arange to generate our interval arrays # and np.meshgrid to generate our actual grids xx_1_wine, xx_2_wine = np.meshgrid( np.arange(x_1_min_wine, x_1_max_wine, 0.003), np.arange(x_2_min_wine, x_2_max_wine, 0.003) ) # Now we have everything we need to generate our plot plot_wine_2d_boundaries( X_wine_train, y_wine_train, predictors, model1_wine, xx_1_wine, xx_2_wine, )
x_1_wine = X_wine_train[predictors[0]] x_2_wine = X_wine_train[predictors[1]] (x_1_min_wine, x_1_max_wine) = (x_1_wine.min() - 0.2, x_1_wine.max() + 0.2) (x_2_min_wine, x_2_max_wine) = (x_2_wine.min() - 0.2, x_2_wine.max() + 0.2) (xx_1_wine, xx_2_wine) = np.meshgrid(np.arange(x_1_min_wine, x_1_max_wine, 0.003), np.arange(x_2_min_wine, x_2_max_wine, 0.003)) plot_wine_2d_boundaries(X_wine_train, y_wine_train, predictors, model1_wine, xx_1_wine, xx_2_wine)
# addinterest1.py def addInterest(balance, rate): newBalance = balance * (1+rate) balance = newBalance def test(): amount = 1000 rate = 0.05 addInterest(amount, rate) print(amount) test()
def add_interest(balance, rate): new_balance = balance * (1 + rate) balance = newBalance def test(): amount = 1000 rate = 0.05 add_interest(amount, rate) print(amount) test()
print ("How many students' test scores do you want to arrange?") a = input() if a == "2": print ("Enter first student's name") name1 = input() print ("Enter his/her score") score1 = input() print ("Enter second student's name") name2 = input() print ("Enter his/her score") score2 = input() score = {score1:name1,score2:name2} for s in sorted(score): print (s,":",score[s]) if a == "3": print ("Enter first student's name") name1 = input() print ("Enter his/her score") score1 = input() print ("Enter second student's name") name2 = input() print ("Enter his/her score") score2 = input() print ("Enter third student's name") name3 = input() print ("Enter his/her score") score3 = input() score = {score1:name1,score2:name2,score3:name3} for s in sorted(score): print (s,":",score[s]) if a == "4": print ("Enter first student's name") name1 = input() print ("Enter his/her score") score1 = input() print ("Enter second student's name") name2 = input() print ("Enter his/her score") score2 = input() print ("Enter third student's name") name3 = input() print ("Enter his/her score") score3 = input() print ("Enter fourth student's name") name4 = input() print ("Enter his/her score") score4 = input() score = {score1:name1,score2:name2,score3:name3,score4:name4} for s in sorted(score): print (s,":",score[s])
print("How many students' test scores do you want to arrange?") a = input() if a == '2': print("Enter first student's name") name1 = input() print('Enter his/her score') score1 = input() print("Enter second student's name") name2 = input() print('Enter his/her score') score2 = input() score = {score1: name1, score2: name2} for s in sorted(score): print(s, ':', score[s]) if a == '3': print("Enter first student's name") name1 = input() print('Enter his/her score') score1 = input() print("Enter second student's name") name2 = input() print('Enter his/her score') score2 = input() print("Enter third student's name") name3 = input() print('Enter his/her score') score3 = input() score = {score1: name1, score2: name2, score3: name3} for s in sorted(score): print(s, ':', score[s]) if a == '4': print("Enter first student's name") name1 = input() print('Enter his/her score') score1 = input() print("Enter second student's name") name2 = input() print('Enter his/her score') score2 = input() print("Enter third student's name") name3 = input() print('Enter his/her score') score3 = input() print("Enter fourth student's name") name4 = input() print('Enter his/her score') score4 = input() score = {score1: name1, score2: name2, score3: name3, score4: name4} for s in sorted(score): print(s, ':', score[s])
def murmur3_32(data, seed=0): """MurmurHash3 was written by Austin Appleby, and is placed in the public domain. The author hereby disclaims copyright to this source code.""" c1 = 0xCC9E2D51 c2 = 0x1B873593 length = len(data) h1 = seed roundedEnd = length & 0xFFFFFFFC # round down to 4 byte block for i in range(0, roundedEnd, 4): # little endian load order k1 = ( (ord(data[i]) & 0xFF) | ((ord(data[i + 1]) & 0xFF) << 8) | ((ord(data[i + 2]) & 0xFF) << 16) | (ord(data[i + 3]) << 24) ) k1 *= c1 k1 = (k1 << 15) | ((k1 & 0xFFFFFFFF) >> 17) # ROTL32(k1,15) k1 *= c2 h1 ^= k1 h1 = (h1 << 13) | ((h1 & 0xFFFFFFFF) >> 19) # ROTL32(h1,13) h1 = h1 * 5 + 0xE6546B64 # tail k1 = 0 val = length & 0x03 if val == 3: k1 = (ord(data[roundedEnd + 2]) & 0xFF) << 16 # fallthrough if val in [2, 3]: k1 |= (ord(data[roundedEnd + 1]) & 0xFF) << 8 # fallthrough if val in [1, 2, 3]: k1 |= ord(data[roundedEnd]) & 0xFF k1 *= c1 k1 = (k1 << 15) | ((k1 & 0xFFFFFFFF) >> 17) # ROTL32(k1,15) k1 *= c2 h1 ^= k1 # finalization h1 ^= length # fmix(h1) h1 ^= (h1 & 0xFFFFFFFF) >> 16 h1 *= 0x85EBCA6B h1 ^= (h1 & 0xFFFFFFFF) >> 13 h1 *= 0xC2B2AE35 h1 ^= (h1 & 0xFFFFFFFF) >> 16 return h1 & 0xFFFFFFFF
def murmur3_32(data, seed=0): """MurmurHash3 was written by Austin Appleby, and is placed in the public domain. The author hereby disclaims copyright to this source code.""" c1 = 3432918353 c2 = 461845907 length = len(data) h1 = seed rounded_end = length & 4294967292 for i in range(0, roundedEnd, 4): k1 = ord(data[i]) & 255 | (ord(data[i + 1]) & 255) << 8 | (ord(data[i + 2]) & 255) << 16 | ord(data[i + 3]) << 24 k1 *= c1 k1 = k1 << 15 | (k1 & 4294967295) >> 17 k1 *= c2 h1 ^= k1 h1 = h1 << 13 | (h1 & 4294967295) >> 19 h1 = h1 * 5 + 3864292196 k1 = 0 val = length & 3 if val == 3: k1 = (ord(data[roundedEnd + 2]) & 255) << 16 if val in [2, 3]: k1 |= (ord(data[roundedEnd + 1]) & 255) << 8 if val in [1, 2, 3]: k1 |= ord(data[roundedEnd]) & 255 k1 *= c1 k1 = k1 << 15 | (k1 & 4294967295) >> 17 k1 *= c2 h1 ^= k1 h1 ^= length h1 ^= (h1 & 4294967295) >> 16 h1 *= 2246822507 h1 ^= (h1 & 4294967295) >> 13 h1 *= 3266489909 h1 ^= (h1 & 4294967295) >> 16 return h1 & 4294967295
# .-. . .-. .-. . . .-. .-. # `-. | | | | | | `-. | # `-' `--`-' `-' `-' `-' ' __title__ = 'slocust' __version__ = '0.18.5.17.1' __description__ = 'Generate serveral Locust nodes on single server.' __license__ = 'MIT' __url__ = 'http://ityoung.gitee.io' __author__ = 'Shin Yeung' __author_email__ = 'ityoung@foxmail.com' __copyright__ = 'Copyright 2018 Shin Yeung'
__title__ = 'slocust' __version__ = '0.18.5.17.1' __description__ = 'Generate serveral Locust nodes on single server.' __license__ = 'MIT' __url__ = 'http://ityoung.gitee.io' __author__ = 'Shin Yeung' __author_email__ = 'ityoung@foxmail.com' __copyright__ = 'Copyright 2018 Shin Yeung'
def add(x, y): return x+y def product(z, y): return z*y
def add(x, y): return x + y def product(z, y): return z * y
#!/usr/bin/env python3 # -*- coding: utf-8 -*- """ Created on Tue Feb 18 12:00:00 2020 @author: divyanshvinayak """ for _ in range(int(input())): N = int(input()) A = list(map(int, input().split())) B = list(map(int, input().split())) A.sort() B.sort() S = 0 for I in range(N): S += min(A[I], B[I]) print(S)
""" Created on Tue Feb 18 12:00:00 2020 @author: divyanshvinayak """ for _ in range(int(input())): n = int(input()) a = list(map(int, input().split())) b = list(map(int, input().split())) A.sort() B.sort() s = 0 for i in range(N): s += min(A[I], B[I]) print(S)
# Project Euler Problem 21 # Created on: 2012-06-18 # Created by: William McDonald # Returns a list of all primes under n using a sieve technique def primes(n): # 0 prime, 1 not. primeSieve = ['0'] * (n / 2 - 1) primeList = [2] for i in range(3, n, 2): if primeSieve[(i - 3) / 2] == '0': primeList.append(i) for j in range((i - 3) / 2 + i, len(primeSieve), i): primeSieve[j] = '1' return primeList # Returns a list of prime factors of n and their multiplicities def primeD(n): plst = [] for p in primeList: count = 0 while n % p == 0: count += 1 n /= p if count != 0: plst.append([p, count]) if n == 1: return plst # Returns the sum of all proper divisors of n def sumD(n, primeList): lop = primeD(n, primeList) sum = 1 for i in range(len(lop)): sum *= (lop[i][0] ** (lop[i][1] + 1)) - 1 sum /= (lop[i][0] - 1) return (sum - n) def getAns(): primeList = primes(10000) total = 0 for i in range(2, 10001): s1 = sumD(i, primeList) if s1 > i and s1 <= 10000: s2 = sumD(s1, primeList) if s2 == i: total += (s2 + s1) print(total) getAns()
def primes(n): prime_sieve = ['0'] * (n / 2 - 1) prime_list = [2] for i in range(3, n, 2): if primeSieve[(i - 3) / 2] == '0': primeList.append(i) for j in range((i - 3) / 2 + i, len(primeSieve), i): primeSieve[j] = '1' return primeList def prime_d(n): plst = [] for p in primeList: count = 0 while n % p == 0: count += 1 n /= p if count != 0: plst.append([p, count]) if n == 1: return plst def sum_d(n, primeList): lop = prime_d(n, primeList) sum = 1 for i in range(len(lop)): sum *= lop[i][0] ** (lop[i][1] + 1) - 1 sum /= lop[i][0] - 1 return sum - n def get_ans(): prime_list = primes(10000) total = 0 for i in range(2, 10001): s1 = sum_d(i, primeList) if s1 > i and s1 <= 10000: s2 = sum_d(s1, primeList) if s2 == i: total += s2 + s1 print(total) get_ans()
# # PySNMP MIB module ALTEON-TRAP-MIB (http://snmplabs.com/pysmi) # ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/ALTEON-TRAP-MIB # Produced by pysmi-0.3.4 at Wed May 1 11:21:08 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) # ipCurCfgGwIndex, altswitchTraps, slbCurCfgVirtServiceRealPort, fltCurCfgPortIndx, slbCurCfgRealServerIpAddr, slbCurCfgRealServerIndex, fltCurCfgIndx, ipCurCfgGwAddr, slbCurCfgRealServerName = mibBuilder.importSymbols("ALTEON-PRIVATE-MIBS", "ipCurCfgGwIndex", "altswitchTraps", "slbCurCfgVirtServiceRealPort", "fltCurCfgPortIndx", "slbCurCfgRealServerIpAddr", "slbCurCfgRealServerIndex", "fltCurCfgIndx", "ipCurCfgGwAddr", "slbCurCfgRealServerName") OctetString, ObjectIdentifier, Integer = mibBuilder.importSymbols("ASN1", "OctetString", "ObjectIdentifier", "Integer") NamedValues, = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues") ValueSizeConstraint, ConstraintsIntersection, SingleValueConstraint, ConstraintsUnion, ValueRangeConstraint = mibBuilder.importSymbols("ASN1-REFINEMENT", "ValueSizeConstraint", "ConstraintsIntersection", "SingleValueConstraint", "ConstraintsUnion", "ValueRangeConstraint") NotificationGroup, ModuleCompliance = mibBuilder.importSymbols("SNMPv2-CONF", "NotificationGroup", "ModuleCompliance") sysName, sysContact, sysLocation = mibBuilder.importSymbols("SNMPv2-MIB", "sysName", "sysContact", "sysLocation") Counter64, Integer32, NotificationType, Bits, Counter32, Unsigned32, IpAddress, NotificationType, ObjectIdentity, MibIdentifier, ModuleIdentity, TimeTicks, Gauge32, MibScalar, MibTable, MibTableRow, MibTableColumn, iso = mibBuilder.importSymbols("SNMPv2-SMI", "Counter64", "Integer32", "NotificationType", "Bits", "Counter32", "Unsigned32", "IpAddress", "NotificationType", "ObjectIdentity", "MibIdentifier", "ModuleIdentity", "TimeTicks", "Gauge32", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "iso") DisplayString, TextualConvention = mibBuilder.importSymbols("SNMPv2-TC", "DisplayString", "TextualConvention") altSwPrimaryPowerSuppylFailure = NotificationType((1, 3, 6, 1, 4, 1, 1872, 2, 1, 13) + (0,1)) if mibBuilder.loadTexts: altSwPrimaryPowerSuppylFailure.setDescription('A altSwPrimaryPowerSuppylFailure trap signifies that the primary power supply failed.') altSwRedunPowerSuppylFailure = NotificationType((1, 3, 6, 1, 4, 1, 1872, 2, 1, 13) + (0,2)) if mibBuilder.loadTexts: altSwRedunPowerSuppylFailure.setDescription('A altSwRedunPowerSuppylFailure trap signifies that the redundant power supply failed.') altSwDefGwUp = NotificationType((1, 3, 6, 1, 4, 1, 1872, 2, 1, 13) + (0,3)).setObjects(("ALTEON-PRIVATE-MIBS", "ipCurCfgGwIndex"), ("ALTEON-PRIVATE-MIBS", "ipCurCfgGwAddr"), ("SNMPv2-MIB", "sysName"), ("SNMPv2-MIB", "sysLocation"), ("SNMPv2-MIB", "sysContact")) if mibBuilder.loadTexts: altSwDefGwUp.setDescription('A altSwDefGwUp trap signifies that the default gateway is alive.') altSwDefGwDown = NotificationType((1, 3, 6, 1, 4, 1, 1872, 2, 1, 13) + (0,4)).setObjects(("ALTEON-PRIVATE-MIBS", "ipCurCfgGwIndex"), ("ALTEON-PRIVATE-MIBS", "ipCurCfgGwAddr"), ("SNMPv2-MIB", "sysName"), ("SNMPv2-MIB", "sysLocation"), ("SNMPv2-MIB", "sysContact")) if mibBuilder.loadTexts: altSwDefGwDown.setDescription('A altSwDefGwDown trap signifies that the default gateway is down.') altSwDefGwInService = NotificationType((1, 3, 6, 1, 4, 1, 1872, 2, 1, 13) + (0,5)).setObjects(("ALTEON-PRIVATE-MIBS", "ipCurCfgGwIndex"), ("ALTEON-PRIVATE-MIBS", "ipCurCfgGwAddr"), ("SNMPv2-MIB", "sysName"), ("SNMPv2-MIB", "sysLocation"), ("SNMPv2-MIB", "sysContact")) if mibBuilder.loadTexts: altSwDefGwInService.setDescription('A altSwDefGwEnabled trap signifies that the default gateway is up and in service.') altSwDefGwNotInService = NotificationType((1, 3, 6, 1, 4, 1, 1872, 2, 1, 13) + (0,6)).setObjects(("ALTEON-PRIVATE-MIBS", "ipCurCfgGwIndex"), ("ALTEON-PRIVATE-MIBS", "ipCurCfgGwAddr"), ("SNMPv2-MIB", "sysName"), ("SNMPv2-MIB", "sysLocation"), ("SNMPv2-MIB", "sysContact")) if mibBuilder.loadTexts: altSwDefGwNotInService.setDescription('A altSwDefGwDisabled trap signifies that the default gateway is alive but not in service.') altSwSlbRealServerUp = NotificationType((1, 3, 6, 1, 4, 1, 1872, 2, 1, 13) + (0,7)).setObjects(("ALTEON-PRIVATE-MIBS", "slbCurCfgRealServerIndex"), ("ALTEON-PRIVATE-MIBS", "slbCurCfgRealServerIpAddr"), ("ALTEON-PRIVATE-MIBS", "slbCurCfgRealServerName"), ("SNMPv2-MIB", "sysName"), ("SNMPv2-MIB", "sysLocation"), ("SNMPv2-MIB", "sysContact")) if mibBuilder.loadTexts: altSwSlbRealServerUp.setDescription('A altSwSlbRealServerUp trap signifies that the real server is up and operational.') altSwSlbRealServerDown = NotificationType((1, 3, 6, 1, 4, 1, 1872, 2, 1, 13) + (0,8)).setObjects(("ALTEON-PRIVATE-MIBS", "slbCurCfgRealServerIndex"), ("ALTEON-PRIVATE-MIBS", "slbCurCfgRealServerIpAddr"), ("ALTEON-PRIVATE-MIBS", "slbCurCfgRealServerName"), ("SNMPv2-MIB", "sysName"), ("SNMPv2-MIB", "sysLocation"), ("SNMPv2-MIB", "sysContact")) if mibBuilder.loadTexts: altSwSlbRealServerDown.setDescription('A altSwSlbRealServerDown trap signifies that the real server is down and out of service.') altSwSlbRealServerMaxConnReached = NotificationType((1, 3, 6, 1, 4, 1, 1872, 2, 1, 13) + (0,9)).setObjects(("ALTEON-PRIVATE-MIBS", "slbCurCfgRealServerIndex"), ("ALTEON-PRIVATE-MIBS", "slbCurCfgRealServerIpAddr"), ("ALTEON-PRIVATE-MIBS", "slbCurCfgRealServerName"), ("SNMPv2-MIB", "sysName"), ("SNMPv2-MIB", "sysLocation"), ("SNMPv2-MIB", "sysContact")) if mibBuilder.loadTexts: altSwSlbRealServerMaxConnReached.setDescription('A altSwSlbRealServerMaxConnReached trap signifies that the real server has reached maximum connections.') altSwSlbBkupRealServerAct = NotificationType((1, 3, 6, 1, 4, 1, 1872, 2, 1, 13) + (0,10)).setObjects(("ALTEON-PRIVATE-MIBS", "slbCurCfgRealServerIndex"), ("ALTEON-PRIVATE-MIBS", "slbCurCfgRealServerIpAddr"), ("ALTEON-PRIVATE-MIBS", "slbCurCfgRealServerName"), ("SNMPv2-MIB", "sysName"), ("SNMPv2-MIB", "sysLocation"), ("SNMPv2-MIB", "sysContact")) if mibBuilder.loadTexts: altSwSlbBkupRealServerAct.setDescription('A altSwSlbBkupRealServerAct trap signifies that the backup real server is activated due to availablity of the primary real server.') altSwSlbBkupRealServerDeact = NotificationType((1, 3, 6, 1, 4, 1, 1872, 2, 1, 13) + (0,11)).setObjects(("ALTEON-PRIVATE-MIBS", "slbCurCfgRealServerIndex"), ("ALTEON-PRIVATE-MIBS", "slbCurCfgRealServerIpAddr"), ("ALTEON-PRIVATE-MIBS", "slbCurCfgRealServerName"), ("SNMPv2-MIB", "sysName"), ("SNMPv2-MIB", "sysLocation"), ("SNMPv2-MIB", "sysContact")) if mibBuilder.loadTexts: altSwSlbBkupRealServerDeact.setDescription('A altSwSlbBkupRealServerDeact trap signifies that the backup real server is deactivated due to the primary real server is available.') altSwSlbBkupRealServerActOverflow = NotificationType((1, 3, 6, 1, 4, 1, 1872, 2, 1, 13) + (0,12)).setObjects(("ALTEON-PRIVATE-MIBS", "slbCurCfgRealServerIndex"), ("ALTEON-PRIVATE-MIBS", "slbCurCfgRealServerIpAddr"), ("ALTEON-PRIVATE-MIBS", "slbCurCfgRealServerName"), ("SNMPv2-MIB", "sysName"), ("SNMPv2-MIB", "sysLocation"), ("SNMPv2-MIB", "sysContact")) if mibBuilder.loadTexts: altSwSlbBkupRealServerActOverflow.setDescription('A altSwSlbBkupRealServerActOverflow trap signifies that the backup real server is deactivated due to the primary real server is overflowed.') altSwSlbBkupRealServerDeactOverflow = NotificationType((1, 3, 6, 1, 4, 1, 1872, 2, 1, 13) + (0,13)).setObjects(("ALTEON-PRIVATE-MIBS", "slbCurCfgRealServerIndex"), ("ALTEON-PRIVATE-MIBS", "slbCurCfgRealServerIpAddr"), ("ALTEON-PRIVATE-MIBS", "slbCurCfgRealServerName"), ("SNMPv2-MIB", "sysName"), ("SNMPv2-MIB", "sysLocation"), ("SNMPv2-MIB", "sysContact")) if mibBuilder.loadTexts: altSwSlbBkupRealServerDeactOverflow.setDescription('A altSwSlbBkupRealServerDeactOverflow trap signifies that the backup real server is deactivated due to the primary real server is out from overflow situation.') altSwSlbFailoverStandby = NotificationType((1, 3, 6, 1, 4, 1, 1872, 2, 1, 13) + (0,14)) if mibBuilder.loadTexts: altSwSlbFailoverStandby.setDescription('A altSwSlbFailoverStandby trap signifies that the switch is now a standby switch.') altSwSlbFailoverActive = NotificationType((1, 3, 6, 1, 4, 1, 1872, 2, 1, 13) + (0,15)) if mibBuilder.loadTexts: altSwSlbFailoverActive.setDescription('A altSwSlbFailoverActive trap signifies that the switch is now an active switch.') altSwSlbFailoverSwitchUp = NotificationType((1, 3, 6, 1, 4, 1, 1872, 2, 1, 13) + (0,16)) if mibBuilder.loadTexts: altSwSlbFailoverSwitchUp.setDescription('A altSwSlbFailoverSwitchUp trap signifies that the failover switch is alive.') altSwSlbFailoverSwitchDown = NotificationType((1, 3, 6, 1, 4, 1, 1872, 2, 1, 13) + (0,17)) if mibBuilder.loadTexts: altSwSlbFailoverSwitchDown.setDescription('A altSwSlbFailoverSwitchDown trap signifies that the failover switch is down.') altSwfltFilterFired = NotificationType((1, 3, 6, 1, 4, 1, 1872, 2, 1, 13) + (0,18)).setObjects(("ALTEON-PRIVATE-MIBS", "fltCurCfgIndx"), ("ALTEON-PRIVATE-MIBS", "fltCurCfgPortIndx"), ("SNMPv2-MIB", "sysName"), ("SNMPv2-MIB", "sysLocation"), ("SNMPv2-MIB", "sysContact")) if mibBuilder.loadTexts: altSwfltFilterFired.setDescription('A altSwfltFilterFired trap signifies that the packet received on a switch port matches the filter rule.') altSwSlbRealServerServiceUp = NotificationType((1, 3, 6, 1, 4, 1, 1872, 2, 1, 13) + (0,19)).setObjects(("ALTEON-PRIVATE-MIBS", "slbCurCfgRealServerIndex"), ("ALTEON-PRIVATE-MIBS", "slbCurCfgRealServerIpAddr"), ("ALTEON-PRIVATE-MIBS", "slbCurCfgRealServerName"), ("ALTEON-PRIVATE-MIBS", "slbCurCfgVirtServiceRealPort"), ("SNMPv2-MIB", "sysName"), ("SNMPv2-MIB", "sysLocation"), ("SNMPv2-MIB", "sysContact")) if mibBuilder.loadTexts: altSwSlbRealServerServiceUp.setDescription('A altSwSlbRealServerServiceUp trap signifies that the service port of the real server is up and operational.') altSwSlbRealServerServiceDown = NotificationType((1, 3, 6, 1, 4, 1, 1872, 2, 1, 13) + (0,20)).setObjects(("ALTEON-PRIVATE-MIBS", "slbCurCfgRealServerIndex"), ("ALTEON-PRIVATE-MIBS", "slbCurCfgRealServerIpAddr"), ("ALTEON-PRIVATE-MIBS", "slbCurCfgRealServerName"), ("ALTEON-PRIVATE-MIBS", "slbCurCfgVirtServiceRealPort"), ("SNMPv2-MIB", "sysName"), ("SNMPv2-MIB", "sysLocation"), ("SNMPv2-MIB", "sysContact")) if mibBuilder.loadTexts: altSwSlbRealServerServiceDown.setDescription('A altSwSlbRealServerServiceDown trap signifies that the service port of the real server is down and out of service.') mibBuilder.exportSymbols("ALTEON-TRAP-MIB", altSwDefGwUp=altSwDefGwUp, altSwSlbBkupRealServerActOverflow=altSwSlbBkupRealServerActOverflow, altSwSlbFailoverSwitchDown=altSwSlbFailoverSwitchDown, altSwSlbRealServerServiceDown=altSwSlbRealServerServiceDown, altSwSlbFailoverActive=altSwSlbFailoverActive, altSwDefGwInService=altSwDefGwInService, altSwDefGwNotInService=altSwDefGwNotInService, altSwSlbRealServerMaxConnReached=altSwSlbRealServerMaxConnReached, altSwSlbBkupRealServerDeact=altSwSlbBkupRealServerDeact, altSwSlbRealServerUp=altSwSlbRealServerUp, altSwSlbBkupRealServerDeactOverflow=altSwSlbBkupRealServerDeactOverflow, altSwSlbRealServerServiceUp=altSwSlbRealServerServiceUp, altSwRedunPowerSuppylFailure=altSwRedunPowerSuppylFailure, altSwSlbFailoverStandby=altSwSlbFailoverStandby, altSwPrimaryPowerSuppylFailure=altSwPrimaryPowerSuppylFailure, altSwSlbRealServerDown=altSwSlbRealServerDown, altSwDefGwDown=altSwDefGwDown, altSwSlbBkupRealServerAct=altSwSlbBkupRealServerAct, altSwfltFilterFired=altSwfltFilterFired, altSwSlbFailoverSwitchUp=altSwSlbFailoverSwitchUp)
(ip_cur_cfg_gw_index, altswitch_traps, slb_cur_cfg_virt_service_real_port, flt_cur_cfg_port_indx, slb_cur_cfg_real_server_ip_addr, slb_cur_cfg_real_server_index, flt_cur_cfg_indx, ip_cur_cfg_gw_addr, slb_cur_cfg_real_server_name) = mibBuilder.importSymbols('ALTEON-PRIVATE-MIBS', 'ipCurCfgGwIndex', 'altswitchTraps', 'slbCurCfgVirtServiceRealPort', 'fltCurCfgPortIndx', 'slbCurCfgRealServerIpAddr', 'slbCurCfgRealServerIndex', 'fltCurCfgIndx', 'ipCurCfgGwAddr', 'slbCurCfgRealServerName') (octet_string, object_identifier, integer) = mibBuilder.importSymbols('ASN1', 'OctetString', 'ObjectIdentifier', 'Integer') (named_values,) = mibBuilder.importSymbols('ASN1-ENUMERATION', 'NamedValues') (value_size_constraint, constraints_intersection, single_value_constraint, constraints_union, value_range_constraint) = mibBuilder.importSymbols('ASN1-REFINEMENT', 'ValueSizeConstraint', 'ConstraintsIntersection', 'SingleValueConstraint', 'ConstraintsUnion', 'ValueRangeConstraint') (notification_group, module_compliance) = mibBuilder.importSymbols('SNMPv2-CONF', 'NotificationGroup', 'ModuleCompliance') (sys_name, sys_contact, sys_location) = mibBuilder.importSymbols('SNMPv2-MIB', 'sysName', 'sysContact', 'sysLocation') (counter64, integer32, notification_type, bits, counter32, unsigned32, ip_address, notification_type, object_identity, mib_identifier, module_identity, time_ticks, gauge32, mib_scalar, mib_table, mib_table_row, mib_table_column, iso) = mibBuilder.importSymbols('SNMPv2-SMI', 'Counter64', 'Integer32', 'NotificationType', 'Bits', 'Counter32', 'Unsigned32', 'IpAddress', 'NotificationType', 'ObjectIdentity', 'MibIdentifier', 'ModuleIdentity', 'TimeTicks', 'Gauge32', 'MibScalar', 'MibTable', 'MibTableRow', 'MibTableColumn', 'iso') (display_string, textual_convention) = mibBuilder.importSymbols('SNMPv2-TC', 'DisplayString', 'TextualConvention') alt_sw_primary_power_suppyl_failure = notification_type((1, 3, 6, 1, 4, 1, 1872, 2, 1, 13) + (0, 1)) if mibBuilder.loadTexts: altSwPrimaryPowerSuppylFailure.setDescription('A altSwPrimaryPowerSuppylFailure trap signifies that the primary power supply failed.') alt_sw_redun_power_suppyl_failure = notification_type((1, 3, 6, 1, 4, 1, 1872, 2, 1, 13) + (0, 2)) if mibBuilder.loadTexts: altSwRedunPowerSuppylFailure.setDescription('A altSwRedunPowerSuppylFailure trap signifies that the redundant power supply failed.') alt_sw_def_gw_up = notification_type((1, 3, 6, 1, 4, 1, 1872, 2, 1, 13) + (0, 3)).setObjects(('ALTEON-PRIVATE-MIBS', 'ipCurCfgGwIndex'), ('ALTEON-PRIVATE-MIBS', 'ipCurCfgGwAddr'), ('SNMPv2-MIB', 'sysName'), ('SNMPv2-MIB', 'sysLocation'), ('SNMPv2-MIB', 'sysContact')) if mibBuilder.loadTexts: altSwDefGwUp.setDescription('A altSwDefGwUp trap signifies that the default gateway is alive.') alt_sw_def_gw_down = notification_type((1, 3, 6, 1, 4, 1, 1872, 2, 1, 13) + (0, 4)).setObjects(('ALTEON-PRIVATE-MIBS', 'ipCurCfgGwIndex'), ('ALTEON-PRIVATE-MIBS', 'ipCurCfgGwAddr'), ('SNMPv2-MIB', 'sysName'), ('SNMPv2-MIB', 'sysLocation'), ('SNMPv2-MIB', 'sysContact')) if mibBuilder.loadTexts: altSwDefGwDown.setDescription('A altSwDefGwDown trap signifies that the default gateway is down.') alt_sw_def_gw_in_service = notification_type((1, 3, 6, 1, 4, 1, 1872, 2, 1, 13) + (0, 5)).setObjects(('ALTEON-PRIVATE-MIBS', 'ipCurCfgGwIndex'), ('ALTEON-PRIVATE-MIBS', 'ipCurCfgGwAddr'), ('SNMPv2-MIB', 'sysName'), ('SNMPv2-MIB', 'sysLocation'), ('SNMPv2-MIB', 'sysContact')) if mibBuilder.loadTexts: altSwDefGwInService.setDescription('A altSwDefGwEnabled trap signifies that the default gateway is up and in service.') alt_sw_def_gw_not_in_service = notification_type((1, 3, 6, 1, 4, 1, 1872, 2, 1, 13) + (0, 6)).setObjects(('ALTEON-PRIVATE-MIBS', 'ipCurCfgGwIndex'), ('ALTEON-PRIVATE-MIBS', 'ipCurCfgGwAddr'), ('SNMPv2-MIB', 'sysName'), ('SNMPv2-MIB', 'sysLocation'), ('SNMPv2-MIB', 'sysContact')) if mibBuilder.loadTexts: altSwDefGwNotInService.setDescription('A altSwDefGwDisabled trap signifies that the default gateway is alive but not in service.') alt_sw_slb_real_server_up = notification_type((1, 3, 6, 1, 4, 1, 1872, 2, 1, 13) + (0, 7)).setObjects(('ALTEON-PRIVATE-MIBS', 'slbCurCfgRealServerIndex'), ('ALTEON-PRIVATE-MIBS', 'slbCurCfgRealServerIpAddr'), ('ALTEON-PRIVATE-MIBS', 'slbCurCfgRealServerName'), ('SNMPv2-MIB', 'sysName'), ('SNMPv2-MIB', 'sysLocation'), ('SNMPv2-MIB', 'sysContact')) if mibBuilder.loadTexts: altSwSlbRealServerUp.setDescription('A altSwSlbRealServerUp trap signifies that the real server is up and operational.') alt_sw_slb_real_server_down = notification_type((1, 3, 6, 1, 4, 1, 1872, 2, 1, 13) + (0, 8)).setObjects(('ALTEON-PRIVATE-MIBS', 'slbCurCfgRealServerIndex'), ('ALTEON-PRIVATE-MIBS', 'slbCurCfgRealServerIpAddr'), ('ALTEON-PRIVATE-MIBS', 'slbCurCfgRealServerName'), ('SNMPv2-MIB', 'sysName'), ('SNMPv2-MIB', 'sysLocation'), ('SNMPv2-MIB', 'sysContact')) if mibBuilder.loadTexts: altSwSlbRealServerDown.setDescription('A altSwSlbRealServerDown trap signifies that the real server is down and out of service.') alt_sw_slb_real_server_max_conn_reached = notification_type((1, 3, 6, 1, 4, 1, 1872, 2, 1, 13) + (0, 9)).setObjects(('ALTEON-PRIVATE-MIBS', 'slbCurCfgRealServerIndex'), ('ALTEON-PRIVATE-MIBS', 'slbCurCfgRealServerIpAddr'), ('ALTEON-PRIVATE-MIBS', 'slbCurCfgRealServerName'), ('SNMPv2-MIB', 'sysName'), ('SNMPv2-MIB', 'sysLocation'), ('SNMPv2-MIB', 'sysContact')) if mibBuilder.loadTexts: altSwSlbRealServerMaxConnReached.setDescription('A altSwSlbRealServerMaxConnReached trap signifies that the real server has reached maximum connections.') alt_sw_slb_bkup_real_server_act = notification_type((1, 3, 6, 1, 4, 1, 1872, 2, 1, 13) + (0, 10)).setObjects(('ALTEON-PRIVATE-MIBS', 'slbCurCfgRealServerIndex'), ('ALTEON-PRIVATE-MIBS', 'slbCurCfgRealServerIpAddr'), ('ALTEON-PRIVATE-MIBS', 'slbCurCfgRealServerName'), ('SNMPv2-MIB', 'sysName'), ('SNMPv2-MIB', 'sysLocation'), ('SNMPv2-MIB', 'sysContact')) if mibBuilder.loadTexts: altSwSlbBkupRealServerAct.setDescription('A altSwSlbBkupRealServerAct trap signifies that the backup real server is activated due to availablity of the primary real server.') alt_sw_slb_bkup_real_server_deact = notification_type((1, 3, 6, 1, 4, 1, 1872, 2, 1, 13) + (0, 11)).setObjects(('ALTEON-PRIVATE-MIBS', 'slbCurCfgRealServerIndex'), ('ALTEON-PRIVATE-MIBS', 'slbCurCfgRealServerIpAddr'), ('ALTEON-PRIVATE-MIBS', 'slbCurCfgRealServerName'), ('SNMPv2-MIB', 'sysName'), ('SNMPv2-MIB', 'sysLocation'), ('SNMPv2-MIB', 'sysContact')) if mibBuilder.loadTexts: altSwSlbBkupRealServerDeact.setDescription('A altSwSlbBkupRealServerDeact trap signifies that the backup real server is deactivated due to the primary real server is available.') alt_sw_slb_bkup_real_server_act_overflow = notification_type((1, 3, 6, 1, 4, 1, 1872, 2, 1, 13) + (0, 12)).setObjects(('ALTEON-PRIVATE-MIBS', 'slbCurCfgRealServerIndex'), ('ALTEON-PRIVATE-MIBS', 'slbCurCfgRealServerIpAddr'), ('ALTEON-PRIVATE-MIBS', 'slbCurCfgRealServerName'), ('SNMPv2-MIB', 'sysName'), ('SNMPv2-MIB', 'sysLocation'), ('SNMPv2-MIB', 'sysContact')) if mibBuilder.loadTexts: altSwSlbBkupRealServerActOverflow.setDescription('A altSwSlbBkupRealServerActOverflow trap signifies that the backup real server is deactivated due to the primary real server is overflowed.') alt_sw_slb_bkup_real_server_deact_overflow = notification_type((1, 3, 6, 1, 4, 1, 1872, 2, 1, 13) + (0, 13)).setObjects(('ALTEON-PRIVATE-MIBS', 'slbCurCfgRealServerIndex'), ('ALTEON-PRIVATE-MIBS', 'slbCurCfgRealServerIpAddr'), ('ALTEON-PRIVATE-MIBS', 'slbCurCfgRealServerName'), ('SNMPv2-MIB', 'sysName'), ('SNMPv2-MIB', 'sysLocation'), ('SNMPv2-MIB', 'sysContact')) if mibBuilder.loadTexts: altSwSlbBkupRealServerDeactOverflow.setDescription('A altSwSlbBkupRealServerDeactOverflow trap signifies that the backup real server is deactivated due to the primary real server is out from overflow situation.') alt_sw_slb_failover_standby = notification_type((1, 3, 6, 1, 4, 1, 1872, 2, 1, 13) + (0, 14)) if mibBuilder.loadTexts: altSwSlbFailoverStandby.setDescription('A altSwSlbFailoverStandby trap signifies that the switch is now a standby switch.') alt_sw_slb_failover_active = notification_type((1, 3, 6, 1, 4, 1, 1872, 2, 1, 13) + (0, 15)) if mibBuilder.loadTexts: altSwSlbFailoverActive.setDescription('A altSwSlbFailoverActive trap signifies that the switch is now an active switch.') alt_sw_slb_failover_switch_up = notification_type((1, 3, 6, 1, 4, 1, 1872, 2, 1, 13) + (0, 16)) if mibBuilder.loadTexts: altSwSlbFailoverSwitchUp.setDescription('A altSwSlbFailoverSwitchUp trap signifies that the failover switch is alive.') alt_sw_slb_failover_switch_down = notification_type((1, 3, 6, 1, 4, 1, 1872, 2, 1, 13) + (0, 17)) if mibBuilder.loadTexts: altSwSlbFailoverSwitchDown.setDescription('A altSwSlbFailoverSwitchDown trap signifies that the failover switch is down.') alt_swflt_filter_fired = notification_type((1, 3, 6, 1, 4, 1, 1872, 2, 1, 13) + (0, 18)).setObjects(('ALTEON-PRIVATE-MIBS', 'fltCurCfgIndx'), ('ALTEON-PRIVATE-MIBS', 'fltCurCfgPortIndx'), ('SNMPv2-MIB', 'sysName'), ('SNMPv2-MIB', 'sysLocation'), ('SNMPv2-MIB', 'sysContact')) if mibBuilder.loadTexts: altSwfltFilterFired.setDescription('A altSwfltFilterFired trap signifies that the packet received on a switch port matches the filter rule.') alt_sw_slb_real_server_service_up = notification_type((1, 3, 6, 1, 4, 1, 1872, 2, 1, 13) + (0, 19)).setObjects(('ALTEON-PRIVATE-MIBS', 'slbCurCfgRealServerIndex'), ('ALTEON-PRIVATE-MIBS', 'slbCurCfgRealServerIpAddr'), ('ALTEON-PRIVATE-MIBS', 'slbCurCfgRealServerName'), ('ALTEON-PRIVATE-MIBS', 'slbCurCfgVirtServiceRealPort'), ('SNMPv2-MIB', 'sysName'), ('SNMPv2-MIB', 'sysLocation'), ('SNMPv2-MIB', 'sysContact')) if mibBuilder.loadTexts: altSwSlbRealServerServiceUp.setDescription('A altSwSlbRealServerServiceUp trap signifies that the service port of the real server is up and operational.') alt_sw_slb_real_server_service_down = notification_type((1, 3, 6, 1, 4, 1, 1872, 2, 1, 13) + (0, 20)).setObjects(('ALTEON-PRIVATE-MIBS', 'slbCurCfgRealServerIndex'), ('ALTEON-PRIVATE-MIBS', 'slbCurCfgRealServerIpAddr'), ('ALTEON-PRIVATE-MIBS', 'slbCurCfgRealServerName'), ('ALTEON-PRIVATE-MIBS', 'slbCurCfgVirtServiceRealPort'), ('SNMPv2-MIB', 'sysName'), ('SNMPv2-MIB', 'sysLocation'), ('SNMPv2-MIB', 'sysContact')) if mibBuilder.loadTexts: altSwSlbRealServerServiceDown.setDescription('A altSwSlbRealServerServiceDown trap signifies that the service port of the real server is down and out of service.') mibBuilder.exportSymbols('ALTEON-TRAP-MIB', altSwDefGwUp=altSwDefGwUp, altSwSlbBkupRealServerActOverflow=altSwSlbBkupRealServerActOverflow, altSwSlbFailoverSwitchDown=altSwSlbFailoverSwitchDown, altSwSlbRealServerServiceDown=altSwSlbRealServerServiceDown, altSwSlbFailoverActive=altSwSlbFailoverActive, altSwDefGwInService=altSwDefGwInService, altSwDefGwNotInService=altSwDefGwNotInService, altSwSlbRealServerMaxConnReached=altSwSlbRealServerMaxConnReached, altSwSlbBkupRealServerDeact=altSwSlbBkupRealServerDeact, altSwSlbRealServerUp=altSwSlbRealServerUp, altSwSlbBkupRealServerDeactOverflow=altSwSlbBkupRealServerDeactOverflow, altSwSlbRealServerServiceUp=altSwSlbRealServerServiceUp, altSwRedunPowerSuppylFailure=altSwRedunPowerSuppylFailure, altSwSlbFailoverStandby=altSwSlbFailoverStandby, altSwPrimaryPowerSuppylFailure=altSwPrimaryPowerSuppylFailure, altSwSlbRealServerDown=altSwSlbRealServerDown, altSwDefGwDown=altSwDefGwDown, altSwSlbBkupRealServerAct=altSwSlbBkupRealServerAct, altSwfltFilterFired=altSwfltFilterFired, altSwSlbFailoverSwitchUp=altSwSlbFailoverSwitchUp)
#!/usr/bin/env python -*- coding: utf-8 -*- def per_section(it): """ Read a file and yield sections using empty line as delimiter """ section = [] for line in it: if line.strip(): section.append(line) else: yield ''.join(section) section = [] # yield any remaining lines as a section too if section: yield ''.join(section)
def per_section(it): """ Read a file and yield sections using empty line as delimiter """ section = [] for line in it: if line.strip(): section.append(line) else: yield ''.join(section) section = [] if section: yield ''.join(section)
class InfluxDBClientError(Exception): """Raised when an error occurs in the request.""" def __init__(self, content, code=None): """Initialize the InfluxDBClientError handler.""" if isinstance(content, type(b'')): content = content.decode('UTF-8', 'replace') if code is not None: message = "%s: %s" % (code, content) else: message = content super(InfluxDBClientError, self).__init__( message ) self.content = content self.code = code class InfluxDBServerError(Exception): """Raised when a server error occurs.""" def __init__(self, content): """Initialize the InfluxDBServerError handler.""" super(InfluxDBServerError, self).__init__(content)
class Influxdbclienterror(Exception): """Raised when an error occurs in the request.""" def __init__(self, content, code=None): """Initialize the InfluxDBClientError handler.""" if isinstance(content, type(b'')): content = content.decode('UTF-8', 'replace') if code is not None: message = '%s: %s' % (code, content) else: message = content super(InfluxDBClientError, self).__init__(message) self.content = content self.code = code class Influxdbservererror(Exception): """Raised when a server error occurs.""" def __init__(self, content): """Initialize the InfluxDBServerError handler.""" super(InfluxDBServerError, self).__init__(content)
class Solution: def pyramidTransition(self, bottom: str, allowed: List[str]) -> bool: d = defaultdict(set) for a in allowed: d[a[:2]].add(a[2]) return self._dfs(bottom, d, 0, "") def _dfs(self, bottom, d, p, nxt): if len(bottom) == 1: return True if p == len(bottom) - 1: return self._dfs(nxt, d, 0, "") for i in d[bottom[p:p+2]]: if self._dfs(bottom, d, p+1, nxt+i): return True return False
class Solution: def pyramid_transition(self, bottom: str, allowed: List[str]) -> bool: d = defaultdict(set) for a in allowed: d[a[:2]].add(a[2]) return self._dfs(bottom, d, 0, '') def _dfs(self, bottom, d, p, nxt): if len(bottom) == 1: return True if p == len(bottom) - 1: return self._dfs(nxt, d, 0, '') for i in d[bottom[p:p + 2]]: if self._dfs(bottom, d, p + 1, nxt + i): return True return False
for i in range(10): print(i) print("YY")
for i in range(10): print(i) print('YY')
''' The MIT License (MIT) Copyright (c) 2016 WavyCloud Permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files (the "Software"), to deal in the Software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the Software, and to permit persons to whom the Software is furnished to do so, subject to the following conditions: The above copyright notice and this permission notice shall be included in all copies or substantial portions of the Software. THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE. ''' def add_tags_to_on_premises_instances(tags=None, instanceNames=None): """ Adds tags to on-premises instances. See also: AWS API Documentation :example: response = client.add_tags_to_on_premises_instances( tags=[ { 'Key': 'string', 'Value': 'string' }, ], instanceNames=[ 'string', ] ) :type tags: list :param tags: [REQUIRED] The tag key-value pairs to add to the on-premises instances. Keys and values are both required. Keys cannot be null or empty strings. Value-only tags are not allowed. (dict) --Information about a tag. Key (string) --The tag's key. Value (string) --The tag's value. :type instanceNames: list :param instanceNames: [REQUIRED] The names of the on-premises instances to which to add tags. (string) -- """ pass def batch_get_application_revisions(applicationName=None, revisions=None): """ Gets information about one or more application revisions. See also: AWS API Documentation :example: response = client.batch_get_application_revisions( applicationName='string', revisions=[ { 'revisionType': 'S3'|'GitHub', 's3Location': { 'bucket': 'string', 'key': 'string', 'bundleType': 'tar'|'tgz'|'zip', 'version': 'string', 'eTag': 'string' }, 'gitHubLocation': { 'repository': 'string', 'commitId': 'string' } }, ] ) :type applicationName: string :param applicationName: [REQUIRED] The name of an AWS CodeDeploy application about which to get revision information. :type revisions: list :param revisions: [REQUIRED] Information to get about the application revisions, including type and location. (dict) --Information about the location of an application revision. revisionType (string) --The type of application revision: S3: An application revision stored in Amazon S3. GitHub: An application revision stored in GitHub. s3Location (dict) --Information about the location of application artifacts stored in Amazon S3. bucket (string) --The name of the Amazon S3 bucket where the application revision is stored. key (string) --The name of the Amazon S3 object that represents the bundled artifacts for the application revision. bundleType (string) --The file type of the application revision. Must be one of the following: tar: A tar archive file. tgz: A compressed tar archive file. zip: A zip archive file. version (string) --A specific version of the Amazon S3 object that represents the bundled artifacts for the application revision. If the version is not specified, the system will use the most recent version by default. eTag (string) --The ETag of the Amazon S3 object that represents the bundled artifacts for the application revision. If the ETag is not specified as an input parameter, ETag validation of the object will be skipped. gitHubLocation (dict) --Information about the location of application artifacts stored in GitHub. repository (string) --The GitHub account and repository pair that stores a reference to the commit that represents the bundled artifacts for the application revision. Specified as account/repository. commitId (string) --The SHA1 commit ID of the GitHub commit that represents the bundled artifacts for the application revision. :rtype: dict :return: { 'applicationName': 'string', 'errorMessage': 'string', 'revisions': [ { 'revisionLocation': { 'revisionType': 'S3'|'GitHub', 's3Location': { 'bucket': 'string', 'key': 'string', 'bundleType': 'tar'|'tgz'|'zip', 'version': 'string', 'eTag': 'string' }, 'gitHubLocation': { 'repository': 'string', 'commitId': 'string' } }, 'genericRevisionInfo': { 'description': 'string', 'deploymentGroups': [ 'string', ], 'firstUsedTime': datetime(2015, 1, 1), 'lastUsedTime': datetime(2015, 1, 1), 'registerTime': datetime(2015, 1, 1) } }, ] } :returns: S3: An application revision stored in Amazon S3. GitHub: An application revision stored in GitHub. """ pass def batch_get_applications(applicationNames=None): """ Gets information about one or more applications. See also: AWS API Documentation :example: response = client.batch_get_applications( applicationNames=[ 'string', ] ) :type applicationNames: list :param applicationNames: A list of application names separated by spaces. (string) -- :rtype: dict :return: { 'applicationsInfo': [ { 'applicationId': 'string', 'applicationName': 'string', 'createTime': datetime(2015, 1, 1), 'linkedToGitHub': True|False, 'gitHubAccountName': 'string' }, ] } """ pass def batch_get_deployment_groups(applicationName=None, deploymentGroupNames=None): """ Gets information about one or more deployment groups. See also: AWS API Documentation :example: response = client.batch_get_deployment_groups( applicationName='string', deploymentGroupNames=[ 'string', ] ) :type applicationName: string :param applicationName: [REQUIRED] The name of an AWS CodeDeploy application associated with the applicable IAM user or AWS account. :type deploymentGroupNames: list :param deploymentGroupNames: [REQUIRED] The deployment groups' names. (string) -- :rtype: dict :return: { 'deploymentGroupsInfo': [ { 'applicationName': 'string', 'deploymentGroupId': 'string', 'deploymentGroupName': 'string', 'deploymentConfigName': 'string', 'ec2TagFilters': [ { 'Key': 'string', 'Value': 'string', 'Type': 'KEY_ONLY'|'VALUE_ONLY'|'KEY_AND_VALUE' }, ], 'onPremisesInstanceTagFilters': [ { 'Key': 'string', 'Value': 'string', 'Type': 'KEY_ONLY'|'VALUE_ONLY'|'KEY_AND_VALUE' }, ], 'autoScalingGroups': [ { 'name': 'string', 'hook': 'string' }, ], 'serviceRoleArn': 'string', 'targetRevision': { 'revisionType': 'S3'|'GitHub', 's3Location': { 'bucket': 'string', 'key': 'string', 'bundleType': 'tar'|'tgz'|'zip', 'version': 'string', 'eTag': 'string' }, 'gitHubLocation': { 'repository': 'string', 'commitId': 'string' } }, 'triggerConfigurations': [ { 'triggerName': 'string', 'triggerTargetArn': 'string', 'triggerEvents': [ 'DeploymentStart'|'DeploymentSuccess'|'DeploymentFailure'|'DeploymentStop'|'DeploymentRollback'|'DeploymentReady'|'InstanceStart'|'InstanceSuccess'|'InstanceFailure'|'InstanceReady', ] }, ], 'alarmConfiguration': { 'enabled': True|False, 'ignorePollAlarmFailure': True|False, 'alarms': [ { 'name': 'string' }, ] }, 'autoRollbackConfiguration': { 'enabled': True|False, 'events': [ 'DEPLOYMENT_FAILURE'|'DEPLOYMENT_STOP_ON_ALARM'|'DEPLOYMENT_STOP_ON_REQUEST', ] }, 'deploymentStyle': { 'deploymentType': 'IN_PLACE'|'BLUE_GREEN', 'deploymentOption': 'WITH_TRAFFIC_CONTROL'|'WITHOUT_TRAFFIC_CONTROL' }, 'blueGreenDeploymentConfiguration': { 'terminateBlueInstancesOnDeploymentSuccess': { 'action': 'TERMINATE'|'KEEP_ALIVE', 'terminationWaitTimeInMinutes': 123 }, 'deploymentReadyOption': { 'actionOnTimeout': 'CONTINUE_DEPLOYMENT'|'STOP_DEPLOYMENT', 'waitTimeInMinutes': 123 }, 'greenFleetProvisioningOption': { 'action': 'DISCOVER_EXISTING'|'COPY_AUTO_SCALING_GROUP' } }, 'loadBalancerInfo': { 'elbInfoList': [ { 'name': 'string' }, ] }, 'lastSuccessfulDeployment': { 'deploymentId': 'string', 'status': 'Created'|'Queued'|'InProgress'|'Succeeded'|'Failed'|'Stopped'|'Ready', 'endTime': datetime(2015, 1, 1), 'createTime': datetime(2015, 1, 1) }, 'lastAttemptedDeployment': { 'deploymentId': 'string', 'status': 'Created'|'Queued'|'InProgress'|'Succeeded'|'Failed'|'Stopped'|'Ready', 'endTime': datetime(2015, 1, 1), 'createTime': datetime(2015, 1, 1) } }, ], 'errorMessage': 'string' } :returns: KEY_ONLY: Key only. VALUE_ONLY: Value only. KEY_AND_VALUE: Key and value. """ pass def batch_get_deployment_instances(deploymentId=None, instanceIds=None): """ Gets information about one or more instance that are part of a deployment group. See also: AWS API Documentation :example: response = client.batch_get_deployment_instances( deploymentId='string', instanceIds=[ 'string', ] ) :type deploymentId: string :param deploymentId: [REQUIRED] The unique ID of a deployment. :type instanceIds: list :param instanceIds: [REQUIRED] The unique IDs of instances in the deployment group. (string) -- :rtype: dict :return: { 'instancesSummary': [ { 'deploymentId': 'string', 'instanceId': 'string', 'status': 'Pending'|'InProgress'|'Succeeded'|'Failed'|'Skipped'|'Unknown'|'Ready', 'lastUpdatedAt': datetime(2015, 1, 1), 'lifecycleEvents': [ { 'lifecycleEventName': 'string', 'diagnostics': { 'errorCode': 'Success'|'ScriptMissing'|'ScriptNotExecutable'|'ScriptTimedOut'|'ScriptFailed'|'UnknownError', 'scriptName': 'string', 'message': 'string', 'logTail': 'string' }, 'startTime': datetime(2015, 1, 1), 'endTime': datetime(2015, 1, 1), 'status': 'Pending'|'InProgress'|'Succeeded'|'Failed'|'Skipped'|'Unknown' }, ], 'instanceType': 'Blue'|'Green' }, ], 'errorMessage': 'string' } :returns: Pending: The deployment is pending for this instance. In Progress: The deployment is in progress for this instance. Succeeded: The deployment has succeeded for this instance. Failed: The deployment has failed for this instance. Skipped: The deployment has been skipped for this instance. Unknown: The deployment status is unknown for this instance. """ pass def batch_get_deployments(deploymentIds=None): """ Gets information about one or more deployments. See also: AWS API Documentation :example: response = client.batch_get_deployments( deploymentIds=[ 'string', ] ) :type deploymentIds: list :param deploymentIds: A list of deployment IDs, separated by spaces. (string) -- :rtype: dict :return: { 'deploymentsInfo': [ { 'applicationName': 'string', 'deploymentGroupName': 'string', 'deploymentConfigName': 'string', 'deploymentId': 'string', 'previousRevision': { 'revisionType': 'S3'|'GitHub', 's3Location': { 'bucket': 'string', 'key': 'string', 'bundleType': 'tar'|'tgz'|'zip', 'version': 'string', 'eTag': 'string' }, 'gitHubLocation': { 'repository': 'string', 'commitId': 'string' } }, 'revision': { 'revisionType': 'S3'|'GitHub', 's3Location': { 'bucket': 'string', 'key': 'string', 'bundleType': 'tar'|'tgz'|'zip', 'version': 'string', 'eTag': 'string' }, 'gitHubLocation': { 'repository': 'string', 'commitId': 'string' } }, 'status': 'Created'|'Queued'|'InProgress'|'Succeeded'|'Failed'|'Stopped'|'Ready', 'errorInformation': { 'code': 'DEPLOYMENT_GROUP_MISSING'|'APPLICATION_MISSING'|'REVISION_MISSING'|'IAM_ROLE_MISSING'|'IAM_ROLE_PERMISSIONS'|'NO_EC2_SUBSCRIPTION'|'OVER_MAX_INSTANCES'|'NO_INSTANCES'|'TIMEOUT'|'HEALTH_CONSTRAINTS_INVALID'|'HEALTH_CONSTRAINTS'|'INTERNAL_ERROR'|'THROTTLED'|'ALARM_ACTIVE'|'AGENT_ISSUE'|'AUTO_SCALING_IAM_ROLE_PERMISSIONS'|'AUTO_SCALING_CONFIGURATION'|'MANUAL_STOP', 'message': 'string' }, 'createTime': datetime(2015, 1, 1), 'startTime': datetime(2015, 1, 1), 'completeTime': datetime(2015, 1, 1), 'deploymentOverview': { 'Pending': 123, 'InProgress': 123, 'Succeeded': 123, 'Failed': 123, 'Skipped': 123, 'Ready': 123 }, 'description': 'string', 'creator': 'user'|'autoscaling'|'codeDeployRollback', 'ignoreApplicationStopFailures': True|False, 'autoRollbackConfiguration': { 'enabled': True|False, 'events': [ 'DEPLOYMENT_FAILURE'|'DEPLOYMENT_STOP_ON_ALARM'|'DEPLOYMENT_STOP_ON_REQUEST', ] }, 'updateOutdatedInstancesOnly': True|False, 'rollbackInfo': { 'rollbackDeploymentId': 'string', 'rollbackTriggeringDeploymentId': 'string', 'rollbackMessage': 'string' }, 'deploymentStyle': { 'deploymentType': 'IN_PLACE'|'BLUE_GREEN', 'deploymentOption': 'WITH_TRAFFIC_CONTROL'|'WITHOUT_TRAFFIC_CONTROL' }, 'targetInstances': { 'tagFilters': [ { 'Key': 'string', 'Value': 'string', 'Type': 'KEY_ONLY'|'VALUE_ONLY'|'KEY_AND_VALUE' }, ], 'autoScalingGroups': [ 'string', ] }, 'instanceTerminationWaitTimeStarted': True|False, 'blueGreenDeploymentConfiguration': { 'terminateBlueInstancesOnDeploymentSuccess': { 'action': 'TERMINATE'|'KEEP_ALIVE', 'terminationWaitTimeInMinutes': 123 }, 'deploymentReadyOption': { 'actionOnTimeout': 'CONTINUE_DEPLOYMENT'|'STOP_DEPLOYMENT', 'waitTimeInMinutes': 123 }, 'greenFleetProvisioningOption': { 'action': 'DISCOVER_EXISTING'|'COPY_AUTO_SCALING_GROUP' } }, 'loadBalancerInfo': { 'elbInfoList': [ { 'name': 'string' }, ] }, 'additionalDeploymentStatusInfo': 'string', 'fileExistsBehavior': 'DISALLOW'|'OVERWRITE'|'RETAIN' }, ] } :returns: S3: An application revision stored in Amazon S3. GitHub: An application revision stored in GitHub. """ pass def batch_get_on_premises_instances(instanceNames=None): """ Gets information about one or more on-premises instances. See also: AWS API Documentation :example: response = client.batch_get_on_premises_instances( instanceNames=[ 'string', ] ) :type instanceNames: list :param instanceNames: The names of the on-premises instances about which to get information. (string) -- :rtype: dict :return: { 'instanceInfos': [ { 'instanceName': 'string', 'iamSessionArn': 'string', 'iamUserArn': 'string', 'instanceArn': 'string', 'registerTime': datetime(2015, 1, 1), 'deregisterTime': datetime(2015, 1, 1), 'tags': [ { 'Key': 'string', 'Value': 'string' }, ] }, ] } """ pass def can_paginate(operation_name=None): """ Check if an operation can be paginated. :type operation_name: string :param operation_name: The operation name. This is the same name as the method name on the client. For example, if the method name is create_foo, and you'd normally invoke the operation as client.create_foo(**kwargs), if the create_foo operation can be paginated, you can use the call client.get_paginator('create_foo'). """ pass def continue_deployment(deploymentId=None): """ For a blue/green deployment, starts the process of rerouting traffic from instances in the original environment to instances in the replacement environment without waiting for a specified wait time to elapse. (Traffic rerouting, which is achieved by registering instances in the replacement environment with the load balancer, can start as soon as all instances have a status of Ready.) See also: AWS API Documentation :example: response = client.continue_deployment( deploymentId='string' ) :type deploymentId: string :param deploymentId: The deployment ID of the blue/green deployment for which you want to start rerouting traffic to the replacement environment. """ pass def create_application(applicationName=None): """ Creates an application. See also: AWS API Documentation :example: response = client.create_application( applicationName='string' ) :type applicationName: string :param applicationName: [REQUIRED] The name of the application. This name must be unique with the applicable IAM user or AWS account. :rtype: dict :return: { 'applicationId': 'string' } """ pass def create_deployment(applicationName=None, deploymentGroupName=None, revision=None, deploymentConfigName=None, description=None, ignoreApplicationStopFailures=None, targetInstances=None, autoRollbackConfiguration=None, updateOutdatedInstancesOnly=None, fileExistsBehavior=None): """ Deploys an application revision through the specified deployment group. See also: AWS API Documentation :example: response = client.create_deployment( applicationName='string', deploymentGroupName='string', revision={ 'revisionType': 'S3'|'GitHub', 's3Location': { 'bucket': 'string', 'key': 'string', 'bundleType': 'tar'|'tgz'|'zip', 'version': 'string', 'eTag': 'string' }, 'gitHubLocation': { 'repository': 'string', 'commitId': 'string' } }, deploymentConfigName='string', description='string', ignoreApplicationStopFailures=True|False, targetInstances={ 'tagFilters': [ { 'Key': 'string', 'Value': 'string', 'Type': 'KEY_ONLY'|'VALUE_ONLY'|'KEY_AND_VALUE' }, ], 'autoScalingGroups': [ 'string', ] }, autoRollbackConfiguration={ 'enabled': True|False, 'events': [ 'DEPLOYMENT_FAILURE'|'DEPLOYMENT_STOP_ON_ALARM'|'DEPLOYMENT_STOP_ON_REQUEST', ] }, updateOutdatedInstancesOnly=True|False, fileExistsBehavior='DISALLOW'|'OVERWRITE'|'RETAIN' ) :type applicationName: string :param applicationName: [REQUIRED] The name of an AWS CodeDeploy application associated with the applicable IAM user or AWS account. :type deploymentGroupName: string :param deploymentGroupName: The name of the deployment group. :type revision: dict :param revision: The type and location of the revision to deploy. revisionType (string) --The type of application revision: S3: An application revision stored in Amazon S3. GitHub: An application revision stored in GitHub. s3Location (dict) --Information about the location of application artifacts stored in Amazon S3. bucket (string) --The name of the Amazon S3 bucket where the application revision is stored. key (string) --The name of the Amazon S3 object that represents the bundled artifacts for the application revision. bundleType (string) --The file type of the application revision. Must be one of the following: tar: A tar archive file. tgz: A compressed tar archive file. zip: A zip archive file. version (string) --A specific version of the Amazon S3 object that represents the bundled artifacts for the application revision. If the version is not specified, the system will use the most recent version by default. eTag (string) --The ETag of the Amazon S3 object that represents the bundled artifacts for the application revision. If the ETag is not specified as an input parameter, ETag validation of the object will be skipped. gitHubLocation (dict) --Information about the location of application artifacts stored in GitHub. repository (string) --The GitHub account and repository pair that stores a reference to the commit that represents the bundled artifacts for the application revision. Specified as account/repository. commitId (string) --The SHA1 commit ID of the GitHub commit that represents the bundled artifacts for the application revision. :type deploymentConfigName: string :param deploymentConfigName: The name of a deployment configuration associated with the applicable IAM user or AWS account. If not specified, the value configured in the deployment group will be used as the default. If the deployment group does not have a deployment configuration associated with it, then CodeDeployDefault.OneAtATime will be used by default. :type description: string :param description: A comment about the deployment. :type ignoreApplicationStopFailures: boolean :param ignoreApplicationStopFailures: If set to true, then if the deployment causes the ApplicationStop deployment lifecycle event to an instance to fail, the deployment to that instance will not be considered to have failed at that point and will continue on to the BeforeInstall deployment lifecycle event. If set to false or not specified, then if the deployment causes the ApplicationStop deployment lifecycle event to fail to an instance, the deployment to that instance will stop, and the deployment to that instance will be considered to have failed. :type targetInstances: dict :param targetInstances: Information about the instances that will belong to the replacement environment in a blue/green deployment. tagFilters (list) --The tag filter key, type, and value used to identify Amazon EC2 instances in a replacement environment for a blue/green deployment. (dict) --Information about an EC2 tag filter. Key (string) --The tag filter key. Value (string) --The tag filter value. Type (string) --The tag filter type: KEY_ONLY: Key only. VALUE_ONLY: Value only. KEY_AND_VALUE: Key and value. autoScalingGroups (list) --The names of one or more Auto Scaling groups to identify a replacement environment for a blue/green deployment. (string) -- :type autoRollbackConfiguration: dict :param autoRollbackConfiguration: Configuration information for an automatic rollback that is added when a deployment is created. enabled (boolean) --Indicates whether a defined automatic rollback configuration is currently enabled. events (list) --The event type or types that trigger a rollback. (string) -- :type updateOutdatedInstancesOnly: boolean :param updateOutdatedInstancesOnly: Indicates whether to deploy to all instances or only to instances that are not running the latest application revision. :type fileExistsBehavior: string :param fileExistsBehavior: Information about how AWS CodeDeploy handles files that already exist in a deployment target location but weren't part of the previous successful deployment. The fileExistsBehavior parameter takes any of the following values: DISALLOW: The deployment fails. This is also the default behavior if no option is specified. OVERWRITE: The version of the file from the application revision currently being deployed replaces the version already on the instance. RETAIN: The version of the file already on the instance is kept and used as part of the new deployment. :rtype: dict :return: { 'deploymentId': 'string' } """ pass def create_deployment_config(deploymentConfigName=None, minimumHealthyHosts=None): """ Creates a deployment configuration. See also: AWS API Documentation :example: response = client.create_deployment_config( deploymentConfigName='string', minimumHealthyHosts={ 'value': 123, 'type': 'HOST_COUNT'|'FLEET_PERCENT' } ) :type deploymentConfigName: string :param deploymentConfigName: [REQUIRED] The name of the deployment configuration to create. :type minimumHealthyHosts: dict :param minimumHealthyHosts: The minimum number of healthy instances that should be available at any time during the deployment. There are two parameters expected in the input: type and value. The type parameter takes either of the following values: HOST_COUNT: The value parameter represents the minimum number of healthy instances as an absolute value. FLEET_PERCENT: The value parameter represents the minimum number of healthy instances as a percentage of the total number of instances in the deployment. If you specify FLEET_PERCENT, at the start of the deployment, AWS CodeDeploy converts the percentage to the equivalent number of instance and rounds up fractional instances. The value parameter takes an integer. For example, to set a minimum of 95% healthy instance, specify a type of FLEET_PERCENT and a value of 95. value (integer) --The minimum healthy instance value. type (string) --The minimum healthy instance type: HOST_COUNT: The minimum number of healthy instance as an absolute value. FLEET_PERCENT: The minimum number of healthy instance as a percentage of the total number of instance in the deployment. In an example of nine instance, if a HOST_COUNT of six is specified, deploy to up to three instances at a time. The deployment will be successful if six or more instances are deployed to successfully; otherwise, the deployment fails. If a FLEET_PERCENT of 40 is specified, deploy to up to five instance at a time. The deployment will be successful if four or more instance are deployed to successfully; otherwise, the deployment fails. Note In a call to the get deployment configuration operation, CodeDeployDefault.OneAtATime will return a minimum healthy instance type of MOST_CONCURRENCY and a value of 1. This means a deployment to only one instance at a time. (You cannot set the type to MOST_CONCURRENCY, only to HOST_COUNT or FLEET_PERCENT.) In addition, with CodeDeployDefault.OneAtATime, AWS CodeDeploy will try to ensure that all instances but one are kept in a healthy state during the deployment. Although this allows one instance at a time to be taken offline for a new deployment, it also means that if the deployment to the last instance fails, the overall deployment still succeeds. For more information, see AWS CodeDeploy Instance Health in the AWS CodeDeploy User Guide . :rtype: dict :return: { 'deploymentConfigId': 'string' } """ pass def create_deployment_group(applicationName=None, deploymentGroupName=None, deploymentConfigName=None, ec2TagFilters=None, onPremisesInstanceTagFilters=None, autoScalingGroups=None, serviceRoleArn=None, triggerConfigurations=None, alarmConfiguration=None, autoRollbackConfiguration=None, deploymentStyle=None, blueGreenDeploymentConfiguration=None, loadBalancerInfo=None): """ Creates a deployment group to which application revisions will be deployed. See also: AWS API Documentation :example: response = client.create_deployment_group( applicationName='string', deploymentGroupName='string', deploymentConfigName='string', ec2TagFilters=[ { 'Key': 'string', 'Value': 'string', 'Type': 'KEY_ONLY'|'VALUE_ONLY'|'KEY_AND_VALUE' }, ], onPremisesInstanceTagFilters=[ { 'Key': 'string', 'Value': 'string', 'Type': 'KEY_ONLY'|'VALUE_ONLY'|'KEY_AND_VALUE' }, ], autoScalingGroups=[ 'string', ], serviceRoleArn='string', triggerConfigurations=[ { 'triggerName': 'string', 'triggerTargetArn': 'string', 'triggerEvents': [ 'DeploymentStart'|'DeploymentSuccess'|'DeploymentFailure'|'DeploymentStop'|'DeploymentRollback'|'DeploymentReady'|'InstanceStart'|'InstanceSuccess'|'InstanceFailure'|'InstanceReady', ] }, ], alarmConfiguration={ 'enabled': True|False, 'ignorePollAlarmFailure': True|False, 'alarms': [ { 'name': 'string' }, ] }, autoRollbackConfiguration={ 'enabled': True|False, 'events': [ 'DEPLOYMENT_FAILURE'|'DEPLOYMENT_STOP_ON_ALARM'|'DEPLOYMENT_STOP_ON_REQUEST', ] }, deploymentStyle={ 'deploymentType': 'IN_PLACE'|'BLUE_GREEN', 'deploymentOption': 'WITH_TRAFFIC_CONTROL'|'WITHOUT_TRAFFIC_CONTROL' }, blueGreenDeploymentConfiguration={ 'terminateBlueInstancesOnDeploymentSuccess': { 'action': 'TERMINATE'|'KEEP_ALIVE', 'terminationWaitTimeInMinutes': 123 }, 'deploymentReadyOption': { 'actionOnTimeout': 'CONTINUE_DEPLOYMENT'|'STOP_DEPLOYMENT', 'waitTimeInMinutes': 123 }, 'greenFleetProvisioningOption': { 'action': 'DISCOVER_EXISTING'|'COPY_AUTO_SCALING_GROUP' } }, loadBalancerInfo={ 'elbInfoList': [ { 'name': 'string' }, ] } ) :type applicationName: string :param applicationName: [REQUIRED] The name of an AWS CodeDeploy application associated with the applicable IAM user or AWS account. :type deploymentGroupName: string :param deploymentGroupName: [REQUIRED] The name of a new deployment group for the specified application. :type deploymentConfigName: string :param deploymentConfigName: If specified, the deployment configuration name can be either one of the predefined configurations provided with AWS CodeDeploy or a custom deployment configuration that you create by calling the create deployment configuration operation. CodeDeployDefault.OneAtATime is the default deployment configuration. It is used if a configuration isn't specified for the deployment or the deployment group. For more information about the predefined deployment configurations in AWS CodeDeploy, see Working with Deployment Groups in AWS CodeDeploy in the AWS CodeDeploy User Guide. :type ec2TagFilters: list :param ec2TagFilters: The Amazon EC2 tags on which to filter. The deployment group will include EC2 instances with any of the specified tags. (dict) --Information about an EC2 tag filter. Key (string) --The tag filter key. Value (string) --The tag filter value. Type (string) --The tag filter type: KEY_ONLY: Key only. VALUE_ONLY: Value only. KEY_AND_VALUE: Key and value. :type onPremisesInstanceTagFilters: list :param onPremisesInstanceTagFilters: The on-premises instance tags on which to filter. The deployment group will include on-premises instances with any of the specified tags. (dict) --Information about an on-premises instance tag filter. Key (string) --The on-premises instance tag filter key. Value (string) --The on-premises instance tag filter value. Type (string) --The on-premises instance tag filter type: KEY_ONLY: Key only. VALUE_ONLY: Value only. KEY_AND_VALUE: Key and value. :type autoScalingGroups: list :param autoScalingGroups: A list of associated Auto Scaling groups. (string) -- :type serviceRoleArn: string :param serviceRoleArn: [REQUIRED] A service role ARN that allows AWS CodeDeploy to act on the user's behalf when interacting with AWS services. :type triggerConfigurations: list :param triggerConfigurations: Information about triggers to create when the deployment group is created. For examples, see Create a Trigger for an AWS CodeDeploy Event in the AWS CodeDeploy User Guide. (dict) --Information about notification triggers for the deployment group. triggerName (string) --The name of the notification trigger. triggerTargetArn (string) --The ARN of the Amazon Simple Notification Service topic through which notifications about deployment or instance events are sent. triggerEvents (list) --The event type or types for which notifications are triggered. (string) -- :type alarmConfiguration: dict :param alarmConfiguration: Information to add about Amazon CloudWatch alarms when the deployment group is created. enabled (boolean) --Indicates whether the alarm configuration is enabled. ignorePollAlarmFailure (boolean) --Indicates whether a deployment should continue if information about the current state of alarms cannot be retrieved from Amazon CloudWatch. The default value is false. true: The deployment will proceed even if alarm status information can't be retrieved from Amazon CloudWatch. false: The deployment will stop if alarm status information can't be retrieved from Amazon CloudWatch. alarms (list) --A list of alarms configured for the deployment group. A maximum of 10 alarms can be added to a deployment group. (dict) --Information about an alarm. name (string) --The name of the alarm. Maximum length is 255 characters. Each alarm name can be used only once in a list of alarms. :type autoRollbackConfiguration: dict :param autoRollbackConfiguration: Configuration information for an automatic rollback that is added when a deployment group is created. enabled (boolean) --Indicates whether a defined automatic rollback configuration is currently enabled. events (list) --The event type or types that trigger a rollback. (string) -- :type deploymentStyle: dict :param deploymentStyle: Information about the type of deployment, in-place or blue/green, that you want to run and whether to route deployment traffic behind a load balancer. deploymentType (string) --Indicates whether to run an in-place deployment or a blue/green deployment. deploymentOption (string) --Indicates whether to route deployment traffic behind a load balancer. :type blueGreenDeploymentConfiguration: dict :param blueGreenDeploymentConfiguration: Information about blue/green deployment options for a deployment group. terminateBlueInstancesOnDeploymentSuccess (dict) --Information about whether to terminate instances in the original fleet during a blue/green deployment. action (string) --The action to take on instances in the original environment after a successful blue/green deployment. TERMINATE: Instances are terminated after a specified wait time. KEEP_ALIVE: Instances are left running after they are deregistered from the load balancer and removed from the deployment group. terminationWaitTimeInMinutes (integer) --The number of minutes to wait after a successful blue/green deployment before terminating instances from the original environment. deploymentReadyOption (dict) --Information about the action to take when newly provisioned instances are ready to receive traffic in a blue/green deployment. actionOnTimeout (string) --Information about when to reroute traffic from an original environment to a replacement environment in a blue/green deployment. CONTINUE_DEPLOYMENT: Register new instances with the load balancer immediately after the new application revision is installed on the instances in the replacement environment. STOP_DEPLOYMENT: Do not register new instances with load balancer unless traffic is rerouted manually. If traffic is not rerouted manually before the end of the specified wait period, the deployment status is changed to Stopped. waitTimeInMinutes (integer) --The number of minutes to wait before the status of a blue/green deployment changed to Stopped if rerouting is not started manually. Applies only to the STOP_DEPLOYMENT option for actionOnTimeout greenFleetProvisioningOption (dict) --Information about how instances are provisioned for a replacement environment in a blue/green deployment. action (string) --The method used to add instances to a replacement environment. DISCOVER_EXISTING: Use instances that already exist or will be created manually. COPY_AUTO_SCALING_GROUP: Use settings from a specified Auto Scaling group to define and create instances in a new Auto Scaling group. :type loadBalancerInfo: dict :param loadBalancerInfo: Information about the load balancer used in a deployment. elbInfoList (list) --An array containing information about the load balancer in Elastic Load Balancing to use in a deployment. (dict) --Information about a load balancer in Elastic Load Balancing to use in a deployment. name (string) --For blue/green deployments, the name of the load balancer that will be used to route traffic from original instances to replacement instances in a blue/green deployment. For in-place deployments, the name of the load balancer that instances are deregistered from so they are not serving traffic during a deployment, and then re-registered with after the deployment completes. :rtype: dict :return: { 'deploymentGroupId': 'string' } """ pass def delete_application(applicationName=None): """ Deletes an application. See also: AWS API Documentation :example: response = client.delete_application( applicationName='string' ) :type applicationName: string :param applicationName: [REQUIRED] The name of an AWS CodeDeploy application associated with the applicable IAM user or AWS account. """ pass def delete_deployment_config(deploymentConfigName=None): """ Deletes a deployment configuration. See also: AWS API Documentation :example: response = client.delete_deployment_config( deploymentConfigName='string' ) :type deploymentConfigName: string :param deploymentConfigName: [REQUIRED] The name of a deployment configuration associated with the applicable IAM user or AWS account. """ pass def delete_deployment_group(applicationName=None, deploymentGroupName=None): """ Deletes a deployment group. See also: AWS API Documentation :example: response = client.delete_deployment_group( applicationName='string', deploymentGroupName='string' ) :type applicationName: string :param applicationName: [REQUIRED] The name of an AWS CodeDeploy application associated with the applicable IAM user or AWS account. :type deploymentGroupName: string :param deploymentGroupName: [REQUIRED] The name of an existing deployment group for the specified application. :rtype: dict :return: { 'hooksNotCleanedUp': [ { 'name': 'string', 'hook': 'string' }, ] } """ pass def deregister_on_premises_instance(instanceName=None): """ Deregisters an on-premises instance. See also: AWS API Documentation :example: response = client.deregister_on_premises_instance( instanceName='string' ) :type instanceName: string :param instanceName: [REQUIRED] The name of the on-premises instance to deregister. """ pass def generate_presigned_url(ClientMethod=None, Params=None, ExpiresIn=None, HttpMethod=None): """ Generate a presigned url given a client, its method, and arguments :type ClientMethod: string :param ClientMethod: The client method to presign for :type Params: dict :param Params: The parameters normally passed to ClientMethod. :type ExpiresIn: int :param ExpiresIn: The number of seconds the presigned url is valid for. By default it expires in an hour (3600 seconds) :type HttpMethod: string :param HttpMethod: The http method to use on the generated url. By default, the http method is whatever is used in the method's model. """ pass def get_application(applicationName=None): """ Gets information about an application. See also: AWS API Documentation :example: response = client.get_application( applicationName='string' ) :type applicationName: string :param applicationName: [REQUIRED] The name of an AWS CodeDeploy application associated with the applicable IAM user or AWS account. :rtype: dict :return: { 'application': { 'applicationId': 'string', 'applicationName': 'string', 'createTime': datetime(2015, 1, 1), 'linkedToGitHub': True|False, 'gitHubAccountName': 'string' } } """ pass def get_application_revision(applicationName=None, revision=None): """ Gets information about an application revision. See also: AWS API Documentation :example: response = client.get_application_revision( applicationName='string', revision={ 'revisionType': 'S3'|'GitHub', 's3Location': { 'bucket': 'string', 'key': 'string', 'bundleType': 'tar'|'tgz'|'zip', 'version': 'string', 'eTag': 'string' }, 'gitHubLocation': { 'repository': 'string', 'commitId': 'string' } } ) :type applicationName: string :param applicationName: [REQUIRED] The name of the application that corresponds to the revision. :type revision: dict :param revision: [REQUIRED] Information about the application revision to get, including type and location. revisionType (string) --The type of application revision: S3: An application revision stored in Amazon S3. GitHub: An application revision stored in GitHub. s3Location (dict) --Information about the location of application artifacts stored in Amazon S3. bucket (string) --The name of the Amazon S3 bucket where the application revision is stored. key (string) --The name of the Amazon S3 object that represents the bundled artifacts for the application revision. bundleType (string) --The file type of the application revision. Must be one of the following: tar: A tar archive file. tgz: A compressed tar archive file. zip: A zip archive file. version (string) --A specific version of the Amazon S3 object that represents the bundled artifacts for the application revision. If the version is not specified, the system will use the most recent version by default. eTag (string) --The ETag of the Amazon S3 object that represents the bundled artifacts for the application revision. If the ETag is not specified as an input parameter, ETag validation of the object will be skipped. gitHubLocation (dict) --Information about the location of application artifacts stored in GitHub. repository (string) --The GitHub account and repository pair that stores a reference to the commit that represents the bundled artifacts for the application revision. Specified as account/repository. commitId (string) --The SHA1 commit ID of the GitHub commit that represents the bundled artifacts for the application revision. :rtype: dict :return: { 'applicationName': 'string', 'revision': { 'revisionType': 'S3'|'GitHub', 's3Location': { 'bucket': 'string', 'key': 'string', 'bundleType': 'tar'|'tgz'|'zip', 'version': 'string', 'eTag': 'string' }, 'gitHubLocation': { 'repository': 'string', 'commitId': 'string' } }, 'revisionInfo': { 'description': 'string', 'deploymentGroups': [ 'string', ], 'firstUsedTime': datetime(2015, 1, 1), 'lastUsedTime': datetime(2015, 1, 1), 'registerTime': datetime(2015, 1, 1) } } :returns: S3: An application revision stored in Amazon S3. GitHub: An application revision stored in GitHub. """ pass def get_deployment(deploymentId=None): """ Gets information about a deployment. See also: AWS API Documentation :example: response = client.get_deployment( deploymentId='string' ) :type deploymentId: string :param deploymentId: [REQUIRED] A deployment ID associated with the applicable IAM user or AWS account. :rtype: dict :return: { 'deploymentInfo': { 'applicationName': 'string', 'deploymentGroupName': 'string', 'deploymentConfigName': 'string', 'deploymentId': 'string', 'previousRevision': { 'revisionType': 'S3'|'GitHub', 's3Location': { 'bucket': 'string', 'key': 'string', 'bundleType': 'tar'|'tgz'|'zip', 'version': 'string', 'eTag': 'string' }, 'gitHubLocation': { 'repository': 'string', 'commitId': 'string' } }, 'revision': { 'revisionType': 'S3'|'GitHub', 's3Location': { 'bucket': 'string', 'key': 'string', 'bundleType': 'tar'|'tgz'|'zip', 'version': 'string', 'eTag': 'string' }, 'gitHubLocation': { 'repository': 'string', 'commitId': 'string' } }, 'status': 'Created'|'Queued'|'InProgress'|'Succeeded'|'Failed'|'Stopped'|'Ready', 'errorInformation': { 'code': 'DEPLOYMENT_GROUP_MISSING'|'APPLICATION_MISSING'|'REVISION_MISSING'|'IAM_ROLE_MISSING'|'IAM_ROLE_PERMISSIONS'|'NO_EC2_SUBSCRIPTION'|'OVER_MAX_INSTANCES'|'NO_INSTANCES'|'TIMEOUT'|'HEALTH_CONSTRAINTS_INVALID'|'HEALTH_CONSTRAINTS'|'INTERNAL_ERROR'|'THROTTLED'|'ALARM_ACTIVE'|'AGENT_ISSUE'|'AUTO_SCALING_IAM_ROLE_PERMISSIONS'|'AUTO_SCALING_CONFIGURATION'|'MANUAL_STOP', 'message': 'string' }, 'createTime': datetime(2015, 1, 1), 'startTime': datetime(2015, 1, 1), 'completeTime': datetime(2015, 1, 1), 'deploymentOverview': { 'Pending': 123, 'InProgress': 123, 'Succeeded': 123, 'Failed': 123, 'Skipped': 123, 'Ready': 123 }, 'description': 'string', 'creator': 'user'|'autoscaling'|'codeDeployRollback', 'ignoreApplicationStopFailures': True|False, 'autoRollbackConfiguration': { 'enabled': True|False, 'events': [ 'DEPLOYMENT_FAILURE'|'DEPLOYMENT_STOP_ON_ALARM'|'DEPLOYMENT_STOP_ON_REQUEST', ] }, 'updateOutdatedInstancesOnly': True|False, 'rollbackInfo': { 'rollbackDeploymentId': 'string', 'rollbackTriggeringDeploymentId': 'string', 'rollbackMessage': 'string' }, 'deploymentStyle': { 'deploymentType': 'IN_PLACE'|'BLUE_GREEN', 'deploymentOption': 'WITH_TRAFFIC_CONTROL'|'WITHOUT_TRAFFIC_CONTROL' }, 'targetInstances': { 'tagFilters': [ { 'Key': 'string', 'Value': 'string', 'Type': 'KEY_ONLY'|'VALUE_ONLY'|'KEY_AND_VALUE' }, ], 'autoScalingGroups': [ 'string', ] }, 'instanceTerminationWaitTimeStarted': True|False, 'blueGreenDeploymentConfiguration': { 'terminateBlueInstancesOnDeploymentSuccess': { 'action': 'TERMINATE'|'KEEP_ALIVE', 'terminationWaitTimeInMinutes': 123 }, 'deploymentReadyOption': { 'actionOnTimeout': 'CONTINUE_DEPLOYMENT'|'STOP_DEPLOYMENT', 'waitTimeInMinutes': 123 }, 'greenFleetProvisioningOption': { 'action': 'DISCOVER_EXISTING'|'COPY_AUTO_SCALING_GROUP' } }, 'loadBalancerInfo': { 'elbInfoList': [ { 'name': 'string' }, ] }, 'additionalDeploymentStatusInfo': 'string', 'fileExistsBehavior': 'DISALLOW'|'OVERWRITE'|'RETAIN' } } :returns: tar: A tar archive file. tgz: A compressed tar archive file. zip: A zip archive file. """ pass def get_deployment_config(deploymentConfigName=None): """ Gets information about a deployment configuration. See also: AWS API Documentation :example: response = client.get_deployment_config( deploymentConfigName='string' ) :type deploymentConfigName: string :param deploymentConfigName: [REQUIRED] The name of a deployment configuration associated with the applicable IAM user or AWS account. :rtype: dict :return: { 'deploymentConfigInfo': { 'deploymentConfigId': 'string', 'deploymentConfigName': 'string', 'minimumHealthyHosts': { 'value': 123, 'type': 'HOST_COUNT'|'FLEET_PERCENT' }, 'createTime': datetime(2015, 1, 1) } } """ pass def get_deployment_group(applicationName=None, deploymentGroupName=None): """ Gets information about a deployment group. See also: AWS API Documentation :example: response = client.get_deployment_group( applicationName='string', deploymentGroupName='string' ) :type applicationName: string :param applicationName: [REQUIRED] The name of an AWS CodeDeploy application associated with the applicable IAM user or AWS account. :type deploymentGroupName: string :param deploymentGroupName: [REQUIRED] The name of an existing deployment group for the specified application. :rtype: dict :return: { 'deploymentGroupInfo': { 'applicationName': 'string', 'deploymentGroupId': 'string', 'deploymentGroupName': 'string', 'deploymentConfigName': 'string', 'ec2TagFilters': [ { 'Key': 'string', 'Value': 'string', 'Type': 'KEY_ONLY'|'VALUE_ONLY'|'KEY_AND_VALUE' }, ], 'onPremisesInstanceTagFilters': [ { 'Key': 'string', 'Value': 'string', 'Type': 'KEY_ONLY'|'VALUE_ONLY'|'KEY_AND_VALUE' }, ], 'autoScalingGroups': [ { 'name': 'string', 'hook': 'string' }, ], 'serviceRoleArn': 'string', 'targetRevision': { 'revisionType': 'S3'|'GitHub', 's3Location': { 'bucket': 'string', 'key': 'string', 'bundleType': 'tar'|'tgz'|'zip', 'version': 'string', 'eTag': 'string' }, 'gitHubLocation': { 'repository': 'string', 'commitId': 'string' } }, 'triggerConfigurations': [ { 'triggerName': 'string', 'triggerTargetArn': 'string', 'triggerEvents': [ 'DeploymentStart'|'DeploymentSuccess'|'DeploymentFailure'|'DeploymentStop'|'DeploymentRollback'|'DeploymentReady'|'InstanceStart'|'InstanceSuccess'|'InstanceFailure'|'InstanceReady', ] }, ], 'alarmConfiguration': { 'enabled': True|False, 'ignorePollAlarmFailure': True|False, 'alarms': [ { 'name': 'string' }, ] }, 'autoRollbackConfiguration': { 'enabled': True|False, 'events': [ 'DEPLOYMENT_FAILURE'|'DEPLOYMENT_STOP_ON_ALARM'|'DEPLOYMENT_STOP_ON_REQUEST', ] }, 'deploymentStyle': { 'deploymentType': 'IN_PLACE'|'BLUE_GREEN', 'deploymentOption': 'WITH_TRAFFIC_CONTROL'|'WITHOUT_TRAFFIC_CONTROL' }, 'blueGreenDeploymentConfiguration': { 'terminateBlueInstancesOnDeploymentSuccess': { 'action': 'TERMINATE'|'KEEP_ALIVE', 'terminationWaitTimeInMinutes': 123 }, 'deploymentReadyOption': { 'actionOnTimeout': 'CONTINUE_DEPLOYMENT'|'STOP_DEPLOYMENT', 'waitTimeInMinutes': 123 }, 'greenFleetProvisioningOption': { 'action': 'DISCOVER_EXISTING'|'COPY_AUTO_SCALING_GROUP' } }, 'loadBalancerInfo': { 'elbInfoList': [ { 'name': 'string' }, ] }, 'lastSuccessfulDeployment': { 'deploymentId': 'string', 'status': 'Created'|'Queued'|'InProgress'|'Succeeded'|'Failed'|'Stopped'|'Ready', 'endTime': datetime(2015, 1, 1), 'createTime': datetime(2015, 1, 1) }, 'lastAttemptedDeployment': { 'deploymentId': 'string', 'status': 'Created'|'Queued'|'InProgress'|'Succeeded'|'Failed'|'Stopped'|'Ready', 'endTime': datetime(2015, 1, 1), 'createTime': datetime(2015, 1, 1) } } } :returns: KEY_ONLY: Key only. VALUE_ONLY: Value only. KEY_AND_VALUE: Key and value. """ pass def get_deployment_instance(deploymentId=None, instanceId=None): """ Gets information about an instance as part of a deployment. See also: AWS API Documentation :example: response = client.get_deployment_instance( deploymentId='string', instanceId='string' ) :type deploymentId: string :param deploymentId: [REQUIRED] The unique ID of a deployment. :type instanceId: string :param instanceId: [REQUIRED] The unique ID of an instance in the deployment group. :rtype: dict :return: { 'instanceSummary': { 'deploymentId': 'string', 'instanceId': 'string', 'status': 'Pending'|'InProgress'|'Succeeded'|'Failed'|'Skipped'|'Unknown'|'Ready', 'lastUpdatedAt': datetime(2015, 1, 1), 'lifecycleEvents': [ { 'lifecycleEventName': 'string', 'diagnostics': { 'errorCode': 'Success'|'ScriptMissing'|'ScriptNotExecutable'|'ScriptTimedOut'|'ScriptFailed'|'UnknownError', 'scriptName': 'string', 'message': 'string', 'logTail': 'string' }, 'startTime': datetime(2015, 1, 1), 'endTime': datetime(2015, 1, 1), 'status': 'Pending'|'InProgress'|'Succeeded'|'Failed'|'Skipped'|'Unknown' }, ], 'instanceType': 'Blue'|'Green' } } :returns: Pending: The deployment is pending for this instance. In Progress: The deployment is in progress for this instance. Succeeded: The deployment has succeeded for this instance. Failed: The deployment has failed for this instance. Skipped: The deployment has been skipped for this instance. Unknown: The deployment status is unknown for this instance. """ pass def get_on_premises_instance(instanceName=None): """ Gets information about an on-premises instance. See also: AWS API Documentation :example: response = client.get_on_premises_instance( instanceName='string' ) :type instanceName: string :param instanceName: [REQUIRED] The name of the on-premises instance about which to get information. :rtype: dict :return: { 'instanceInfo': { 'instanceName': 'string', 'iamSessionArn': 'string', 'iamUserArn': 'string', 'instanceArn': 'string', 'registerTime': datetime(2015, 1, 1), 'deregisterTime': datetime(2015, 1, 1), 'tags': [ { 'Key': 'string', 'Value': 'string' }, ] } } """ pass def get_paginator(operation_name=None): """ Create a paginator for an operation. :type operation_name: string :param operation_name: The operation name. This is the same name as the method name on the client. For example, if the method name is create_foo, and you'd normally invoke the operation as client.create_foo(**kwargs), if the create_foo operation can be paginated, you can use the call client.get_paginator('create_foo'). :rtype: L{botocore.paginate.Paginator} """ pass def get_waiter(): """ """ pass def list_application_revisions(applicationName=None, sortBy=None, sortOrder=None, s3Bucket=None, s3KeyPrefix=None, deployed=None, nextToken=None): """ Lists information about revisions for an application. See also: AWS API Documentation :example: response = client.list_application_revisions( applicationName='string', sortBy='registerTime'|'firstUsedTime'|'lastUsedTime', sortOrder='ascending'|'descending', s3Bucket='string', s3KeyPrefix='string', deployed='include'|'exclude'|'ignore', nextToken='string' ) :type applicationName: string :param applicationName: [REQUIRED] The name of an AWS CodeDeploy application associated with the applicable IAM user or AWS account. :type sortBy: string :param sortBy: The column name to use to sort the list results: registerTime: Sort by the time the revisions were registered with AWS CodeDeploy. firstUsedTime: Sort by the time the revisions were first used in a deployment. lastUsedTime: Sort by the time the revisions were last used in a deployment. If not specified or set to null, the results will be returned in an arbitrary order. :type sortOrder: string :param sortOrder: The order in which to sort the list results: ascending: ascending order. descending: descending order. If not specified, the results will be sorted in ascending order. If set to null, the results will be sorted in an arbitrary order. :type s3Bucket: string :param s3Bucket: An Amazon S3 bucket name to limit the search for revisions. If set to null, all of the user's buckets will be searched. :type s3KeyPrefix: string :param s3KeyPrefix: A key prefix for the set of Amazon S3 objects to limit the search for revisions. :type deployed: string :param deployed: Whether to list revisions based on whether the revision is the target revision of an deployment group: include: List revisions that are target revisions of a deployment group. exclude: Do not list revisions that are target revisions of a deployment group. ignore: List all revisions. :type nextToken: string :param nextToken: An identifier returned from the previous list application revisions call. It can be used to return the next set of applications in the list. :rtype: dict :return: { 'revisions': [ { 'revisionType': 'S3'|'GitHub', 's3Location': { 'bucket': 'string', 'key': 'string', 'bundleType': 'tar'|'tgz'|'zip', 'version': 'string', 'eTag': 'string' }, 'gitHubLocation': { 'repository': 'string', 'commitId': 'string' } }, ], 'nextToken': 'string' } :returns: S3: An application revision stored in Amazon S3. GitHub: An application revision stored in GitHub. """ pass def list_applications(nextToken=None): """ Lists the applications registered with the applicable IAM user or AWS account. See also: AWS API Documentation :example: response = client.list_applications( nextToken='string' ) :type nextToken: string :param nextToken: An identifier returned from the previous list applications call. It can be used to return the next set of applications in the list. :rtype: dict :return: { 'applications': [ 'string', ], 'nextToken': 'string' } """ pass def list_deployment_configs(nextToken=None): """ Lists the deployment configurations with the applicable IAM user or AWS account. See also: AWS API Documentation :example: response = client.list_deployment_configs( nextToken='string' ) :type nextToken: string :param nextToken: An identifier returned from the previous list deployment configurations call. It can be used to return the next set of deployment configurations in the list. :rtype: dict :return: { 'deploymentConfigsList': [ 'string', ], 'nextToken': 'string' } """ pass def list_deployment_groups(applicationName=None, nextToken=None): """ Lists the deployment groups for an application registered with the applicable IAM user or AWS account. See also: AWS API Documentation :example: response = client.list_deployment_groups( applicationName='string', nextToken='string' ) :type applicationName: string :param applicationName: [REQUIRED] The name of an AWS CodeDeploy application associated with the applicable IAM user or AWS account. :type nextToken: string :param nextToken: An identifier returned from the previous list deployment groups call. It can be used to return the next set of deployment groups in the list. :rtype: dict :return: { 'applicationName': 'string', 'deploymentGroups': [ 'string', ], 'nextToken': 'string' } :returns: (string) -- """ pass def list_deployment_instances(deploymentId=None, nextToken=None, instanceStatusFilter=None, instanceTypeFilter=None): """ Lists the instance for a deployment associated with the applicable IAM user or AWS account. See also: AWS API Documentation :example: response = client.list_deployment_instances( deploymentId='string', nextToken='string', instanceStatusFilter=[ 'Pending'|'InProgress'|'Succeeded'|'Failed'|'Skipped'|'Unknown'|'Ready', ], instanceTypeFilter=[ 'Blue'|'Green', ] ) :type deploymentId: string :param deploymentId: [REQUIRED] The unique ID of a deployment. :type nextToken: string :param nextToken: An identifier returned from the previous list deployment instances call. It can be used to return the next set of deployment instances in the list. :type instanceStatusFilter: list :param instanceStatusFilter: A subset of instances to list by status: Pending: Include those instance with pending deployments. InProgress: Include those instance where deployments are still in progress. Succeeded: Include those instances with successful deployments. Failed: Include those instance with failed deployments. Skipped: Include those instance with skipped deployments. Unknown: Include those instance with deployments in an unknown state. (string) -- :type instanceTypeFilter: list :param instanceTypeFilter: The set of instances in a blue/green deployment, either those in the original environment ('BLUE') or those in the replacement environment ('GREEN'), for which you want to view instance information. (string) -- :rtype: dict :return: { 'instancesList': [ 'string', ], 'nextToken': 'string' } :returns: (string) -- """ pass def list_deployments(applicationName=None, deploymentGroupName=None, includeOnlyStatuses=None, createTimeRange=None, nextToken=None): """ Lists the deployments in a deployment group for an application registered with the applicable IAM user or AWS account. See also: AWS API Documentation :example: response = client.list_deployments( applicationName='string', deploymentGroupName='string', includeOnlyStatuses=[ 'Created'|'Queued'|'InProgress'|'Succeeded'|'Failed'|'Stopped'|'Ready', ], createTimeRange={ 'start': datetime(2015, 1, 1), 'end': datetime(2015, 1, 1) }, nextToken='string' ) :type applicationName: string :param applicationName: The name of an AWS CodeDeploy application associated with the applicable IAM user or AWS account. :type deploymentGroupName: string :param deploymentGroupName: The name of an existing deployment group for the specified application. :type includeOnlyStatuses: list :param includeOnlyStatuses: A subset of deployments to list by status: Created: Include created deployments in the resulting list. Queued: Include queued deployments in the resulting list. In Progress: Include in-progress deployments in the resulting list. Succeeded: Include successful deployments in the resulting list. Failed: Include failed deployments in the resulting list. Stopped: Include stopped deployments in the resulting list. (string) -- :type createTimeRange: dict :param createTimeRange: A time range (start and end) for returning a subset of the list of deployments. start (datetime) --The start time of the time range. Note Specify null to leave the start time open-ended. end (datetime) --The end time of the time range. Note Specify null to leave the end time open-ended. :type nextToken: string :param nextToken: An identifier returned from the previous list deployments call. It can be used to return the next set of deployments in the list. :rtype: dict :return: { 'deployments': [ 'string', ], 'nextToken': 'string' } :returns: (string) -- """ pass def list_git_hub_account_token_names(nextToken=None): """ Lists the names of stored connections to GitHub accounts. See also: AWS API Documentation :example: response = client.list_git_hub_account_token_names( nextToken='string' ) :type nextToken: string :param nextToken: An identifier returned from the previous ListGitHubAccountTokenNames call. It can be used to return the next set of names in the list. :rtype: dict :return: { 'tokenNameList': [ 'string', ], 'nextToken': 'string' } """ pass def list_on_premises_instances(registrationStatus=None, tagFilters=None, nextToken=None): """ Gets a list of names for one or more on-premises instances. Unless otherwise specified, both registered and deregistered on-premises instance names will be listed. To list only registered or deregistered on-premises instance names, use the registration status parameter. See also: AWS API Documentation :example: response = client.list_on_premises_instances( registrationStatus='Registered'|'Deregistered', tagFilters=[ { 'Key': 'string', 'Value': 'string', 'Type': 'KEY_ONLY'|'VALUE_ONLY'|'KEY_AND_VALUE' }, ], nextToken='string' ) :type registrationStatus: string :param registrationStatus: The registration status of the on-premises instances: Deregistered: Include deregistered on-premises instances in the resulting list. Registered: Include registered on-premises instances in the resulting list. :type tagFilters: list :param tagFilters: The on-premises instance tags that will be used to restrict the corresponding on-premises instance names returned. (dict) --Information about an on-premises instance tag filter. Key (string) --The on-premises instance tag filter key. Value (string) --The on-premises instance tag filter value. Type (string) --The on-premises instance tag filter type: KEY_ONLY: Key only. VALUE_ONLY: Value only. KEY_AND_VALUE: Key and value. :type nextToken: string :param nextToken: An identifier returned from the previous list on-premises instances call. It can be used to return the next set of on-premises instances in the list. :rtype: dict :return: { 'instanceNames': [ 'string', ], 'nextToken': 'string' } :returns: (string) -- """ pass def register_application_revision(applicationName=None, description=None, revision=None): """ Registers with AWS CodeDeploy a revision for the specified application. See also: AWS API Documentation :example: response = client.register_application_revision( applicationName='string', description='string', revision={ 'revisionType': 'S3'|'GitHub', 's3Location': { 'bucket': 'string', 'key': 'string', 'bundleType': 'tar'|'tgz'|'zip', 'version': 'string', 'eTag': 'string' }, 'gitHubLocation': { 'repository': 'string', 'commitId': 'string' } } ) :type applicationName: string :param applicationName: [REQUIRED] The name of an AWS CodeDeploy application associated with the applicable IAM user or AWS account. :type description: string :param description: A comment about the revision. :type revision: dict :param revision: [REQUIRED] Information about the application revision to register, including type and location. revisionType (string) --The type of application revision: S3: An application revision stored in Amazon S3. GitHub: An application revision stored in GitHub. s3Location (dict) --Information about the location of application artifacts stored in Amazon S3. bucket (string) --The name of the Amazon S3 bucket where the application revision is stored. key (string) --The name of the Amazon S3 object that represents the bundled artifacts for the application revision. bundleType (string) --The file type of the application revision. Must be one of the following: tar: A tar archive file. tgz: A compressed tar archive file. zip: A zip archive file. version (string) --A specific version of the Amazon S3 object that represents the bundled artifacts for the application revision. If the version is not specified, the system will use the most recent version by default. eTag (string) --The ETag of the Amazon S3 object that represents the bundled artifacts for the application revision. If the ETag is not specified as an input parameter, ETag validation of the object will be skipped. gitHubLocation (dict) --Information about the location of application artifacts stored in GitHub. repository (string) --The GitHub account and repository pair that stores a reference to the commit that represents the bundled artifacts for the application revision. Specified as account/repository. commitId (string) --The SHA1 commit ID of the GitHub commit that represents the bundled artifacts for the application revision. """ pass def register_on_premises_instance(instanceName=None, iamSessionArn=None, iamUserArn=None): """ Registers an on-premises instance. See also: AWS API Documentation :example: response = client.register_on_premises_instance( instanceName='string', iamSessionArn='string', iamUserArn='string' ) :type instanceName: string :param instanceName: [REQUIRED] The name of the on-premises instance to register. :type iamSessionArn: string :param iamSessionArn: The ARN of the IAM session to associate with the on-premises instance. :type iamUserArn: string :param iamUserArn: The ARN of the IAM user to associate with the on-premises instance. """ pass def remove_tags_from_on_premises_instances(tags=None, instanceNames=None): """ Removes one or more tags from one or more on-premises instances. See also: AWS API Documentation :example: response = client.remove_tags_from_on_premises_instances( tags=[ { 'Key': 'string', 'Value': 'string' }, ], instanceNames=[ 'string', ] ) :type tags: list :param tags: [REQUIRED] The tag key-value pairs to remove from the on-premises instances. (dict) --Information about a tag. Key (string) --The tag's key. Value (string) --The tag's value. :type instanceNames: list :param instanceNames: [REQUIRED] The names of the on-premises instances from which to remove tags. (string) -- """ pass def skip_wait_time_for_instance_termination(deploymentId=None): """ In a blue/green deployment, overrides any specified wait time and starts terminating instances immediately after the traffic routing is completed. See also: AWS API Documentation :example: response = client.skip_wait_time_for_instance_termination( deploymentId='string' ) :type deploymentId: string :param deploymentId: The ID of the blue/green deployment for which you want to skip the instance termination wait time. """ pass def stop_deployment(deploymentId=None, autoRollbackEnabled=None): """ Attempts to stop an ongoing deployment. See also: AWS API Documentation :example: response = client.stop_deployment( deploymentId='string', autoRollbackEnabled=True|False ) :type deploymentId: string :param deploymentId: [REQUIRED] The unique ID of a deployment. :type autoRollbackEnabled: boolean :param autoRollbackEnabled: Indicates, when a deployment is stopped, whether instances that have been updated should be rolled back to the previous version of the application revision. :rtype: dict :return: { 'status': 'Pending'|'Succeeded', 'statusMessage': 'string' } :returns: Pending: The stop operation is pending. Succeeded: The stop operation was successful. """ pass def update_application(applicationName=None, newApplicationName=None): """ Changes the name of an application. See also: AWS API Documentation :example: response = client.update_application( applicationName='string', newApplicationName='string' ) :type applicationName: string :param applicationName: The current name of the application you want to change. :type newApplicationName: string :param newApplicationName: The new name to give the application. """ pass def update_deployment_group(applicationName=None, currentDeploymentGroupName=None, newDeploymentGroupName=None, deploymentConfigName=None, ec2TagFilters=None, onPremisesInstanceTagFilters=None, autoScalingGroups=None, serviceRoleArn=None, triggerConfigurations=None, alarmConfiguration=None, autoRollbackConfiguration=None, deploymentStyle=None, blueGreenDeploymentConfiguration=None, loadBalancerInfo=None): """ Changes information about a deployment group. See also: AWS API Documentation :example: response = client.update_deployment_group( applicationName='string', currentDeploymentGroupName='string', newDeploymentGroupName='string', deploymentConfigName='string', ec2TagFilters=[ { 'Key': 'string', 'Value': 'string', 'Type': 'KEY_ONLY'|'VALUE_ONLY'|'KEY_AND_VALUE' }, ], onPremisesInstanceTagFilters=[ { 'Key': 'string', 'Value': 'string', 'Type': 'KEY_ONLY'|'VALUE_ONLY'|'KEY_AND_VALUE' }, ], autoScalingGroups=[ 'string', ], serviceRoleArn='string', triggerConfigurations=[ { 'triggerName': 'string', 'triggerTargetArn': 'string', 'triggerEvents': [ 'DeploymentStart'|'DeploymentSuccess'|'DeploymentFailure'|'DeploymentStop'|'DeploymentRollback'|'DeploymentReady'|'InstanceStart'|'InstanceSuccess'|'InstanceFailure'|'InstanceReady', ] }, ], alarmConfiguration={ 'enabled': True|False, 'ignorePollAlarmFailure': True|False, 'alarms': [ { 'name': 'string' }, ] }, autoRollbackConfiguration={ 'enabled': True|False, 'events': [ 'DEPLOYMENT_FAILURE'|'DEPLOYMENT_STOP_ON_ALARM'|'DEPLOYMENT_STOP_ON_REQUEST', ] }, deploymentStyle={ 'deploymentType': 'IN_PLACE'|'BLUE_GREEN', 'deploymentOption': 'WITH_TRAFFIC_CONTROL'|'WITHOUT_TRAFFIC_CONTROL' }, blueGreenDeploymentConfiguration={ 'terminateBlueInstancesOnDeploymentSuccess': { 'action': 'TERMINATE'|'KEEP_ALIVE', 'terminationWaitTimeInMinutes': 123 }, 'deploymentReadyOption': { 'actionOnTimeout': 'CONTINUE_DEPLOYMENT'|'STOP_DEPLOYMENT', 'waitTimeInMinutes': 123 }, 'greenFleetProvisioningOption': { 'action': 'DISCOVER_EXISTING'|'COPY_AUTO_SCALING_GROUP' } }, loadBalancerInfo={ 'elbInfoList': [ { 'name': 'string' }, ] } ) :type applicationName: string :param applicationName: [REQUIRED] The application name corresponding to the deployment group to update. :type currentDeploymentGroupName: string :param currentDeploymentGroupName: [REQUIRED] The current name of the deployment group. :type newDeploymentGroupName: string :param newDeploymentGroupName: The new name of the deployment group, if you want to change it. :type deploymentConfigName: string :param deploymentConfigName: The replacement deployment configuration name to use, if you want to change it. :type ec2TagFilters: list :param ec2TagFilters: The replacement set of Amazon EC2 tags on which to filter, if you want to change them. To keep the existing tags, enter their names. To remove tags, do not enter any tag names. (dict) --Information about an EC2 tag filter. Key (string) --The tag filter key. Value (string) --The tag filter value. Type (string) --The tag filter type: KEY_ONLY: Key only. VALUE_ONLY: Value only. KEY_AND_VALUE: Key and value. :type onPremisesInstanceTagFilters: list :param onPremisesInstanceTagFilters: The replacement set of on-premises instance tags on which to filter, if you want to change them. To keep the existing tags, enter their names. To remove tags, do not enter any tag names. (dict) --Information about an on-premises instance tag filter. Key (string) --The on-premises instance tag filter key. Value (string) --The on-premises instance tag filter value. Type (string) --The on-premises instance tag filter type: KEY_ONLY: Key only. VALUE_ONLY: Value only. KEY_AND_VALUE: Key and value. :type autoScalingGroups: list :param autoScalingGroups: The replacement list of Auto Scaling groups to be included in the deployment group, if you want to change them. To keep the Auto Scaling groups, enter their names. To remove Auto Scaling groups, do not enter any Auto Scaling group names. (string) -- :type serviceRoleArn: string :param serviceRoleArn: A replacement ARN for the service role, if you want to change it. :type triggerConfigurations: list :param triggerConfigurations: Information about triggers to change when the deployment group is updated. For examples, see Modify Triggers in an AWS CodeDeploy Deployment Group in the AWS CodeDeploy User Guide. (dict) --Information about notification triggers for the deployment group. triggerName (string) --The name of the notification trigger. triggerTargetArn (string) --The ARN of the Amazon Simple Notification Service topic through which notifications about deployment or instance events are sent. triggerEvents (list) --The event type or types for which notifications are triggered. (string) -- :type alarmConfiguration: dict :param alarmConfiguration: Information to add or change about Amazon CloudWatch alarms when the deployment group is updated. enabled (boolean) --Indicates whether the alarm configuration is enabled. ignorePollAlarmFailure (boolean) --Indicates whether a deployment should continue if information about the current state of alarms cannot be retrieved from Amazon CloudWatch. The default value is false. true: The deployment will proceed even if alarm status information can't be retrieved from Amazon CloudWatch. false: The deployment will stop if alarm status information can't be retrieved from Amazon CloudWatch. alarms (list) --A list of alarms configured for the deployment group. A maximum of 10 alarms can be added to a deployment group. (dict) --Information about an alarm. name (string) --The name of the alarm. Maximum length is 255 characters. Each alarm name can be used only once in a list of alarms. :type autoRollbackConfiguration: dict :param autoRollbackConfiguration: Information for an automatic rollback configuration that is added or changed when a deployment group is updated. enabled (boolean) --Indicates whether a defined automatic rollback configuration is currently enabled. events (list) --The event type or types that trigger a rollback. (string) -- :type deploymentStyle: dict :param deploymentStyle: Information about the type of deployment, either in-place or blue/green, you want to run and whether to route deployment traffic behind a load balancer. deploymentType (string) --Indicates whether to run an in-place deployment or a blue/green deployment. deploymentOption (string) --Indicates whether to route deployment traffic behind a load balancer. :type blueGreenDeploymentConfiguration: dict :param blueGreenDeploymentConfiguration: Information about blue/green deployment options for a deployment group. terminateBlueInstancesOnDeploymentSuccess (dict) --Information about whether to terminate instances in the original fleet during a blue/green deployment. action (string) --The action to take on instances in the original environment after a successful blue/green deployment. TERMINATE: Instances are terminated after a specified wait time. KEEP_ALIVE: Instances are left running after they are deregistered from the load balancer and removed from the deployment group. terminationWaitTimeInMinutes (integer) --The number of minutes to wait after a successful blue/green deployment before terminating instances from the original environment. deploymentReadyOption (dict) --Information about the action to take when newly provisioned instances are ready to receive traffic in a blue/green deployment. actionOnTimeout (string) --Information about when to reroute traffic from an original environment to a replacement environment in a blue/green deployment. CONTINUE_DEPLOYMENT: Register new instances with the load balancer immediately after the new application revision is installed on the instances in the replacement environment. STOP_DEPLOYMENT: Do not register new instances with load balancer unless traffic is rerouted manually. If traffic is not rerouted manually before the end of the specified wait period, the deployment status is changed to Stopped. waitTimeInMinutes (integer) --The number of minutes to wait before the status of a blue/green deployment changed to Stopped if rerouting is not started manually. Applies only to the STOP_DEPLOYMENT option for actionOnTimeout greenFleetProvisioningOption (dict) --Information about how instances are provisioned for a replacement environment in a blue/green deployment. action (string) --The method used to add instances to a replacement environment. DISCOVER_EXISTING: Use instances that already exist or will be created manually. COPY_AUTO_SCALING_GROUP: Use settings from a specified Auto Scaling group to define and create instances in a new Auto Scaling group. :type loadBalancerInfo: dict :param loadBalancerInfo: Information about the load balancer used in a deployment. elbInfoList (list) --An array containing information about the load balancer in Elastic Load Balancing to use in a deployment. (dict) --Information about a load balancer in Elastic Load Balancing to use in a deployment. name (string) --For blue/green deployments, the name of the load balancer that will be used to route traffic from original instances to replacement instances in a blue/green deployment. For in-place deployments, the name of the load balancer that instances are deregistered from so they are not serving traffic during a deployment, and then re-registered with after the deployment completes. :rtype: dict :return: { 'hooksNotCleanedUp': [ { 'name': 'string', 'hook': 'string' }, ] } """ pass
""" The MIT License (MIT) Copyright (c) 2016 WavyCloud Permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files (the "Software"), to deal in the Software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the Software, and to permit persons to whom the Software is furnished to do so, subject to the following conditions: The above copyright notice and this permission notice shall be included in all copies or substantial portions of the Software. THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE. """ def add_tags_to_on_premises_instances(tags=None, instanceNames=None): """ Adds tags to on-premises instances. See also: AWS API Documentation :example: response = client.add_tags_to_on_premises_instances( tags=[ { 'Key': 'string', 'Value': 'string' }, ], instanceNames=[ 'string', ] ) :type tags: list :param tags: [REQUIRED] The tag key-value pairs to add to the on-premises instances. Keys and values are both required. Keys cannot be null or empty strings. Value-only tags are not allowed. (dict) --Information about a tag. Key (string) --The tag's key. Value (string) --The tag's value. :type instanceNames: list :param instanceNames: [REQUIRED] The names of the on-premises instances to which to add tags. (string) -- """ pass def batch_get_application_revisions(applicationName=None, revisions=None): """ Gets information about one or more application revisions. See also: AWS API Documentation :example: response = client.batch_get_application_revisions( applicationName='string', revisions=[ { 'revisionType': 'S3'|'GitHub', 's3Location': { 'bucket': 'string', 'key': 'string', 'bundleType': 'tar'|'tgz'|'zip', 'version': 'string', 'eTag': 'string' }, 'gitHubLocation': { 'repository': 'string', 'commitId': 'string' } }, ] ) :type applicationName: string :param applicationName: [REQUIRED] The name of an AWS CodeDeploy application about which to get revision information. :type revisions: list :param revisions: [REQUIRED] Information to get about the application revisions, including type and location. (dict) --Information about the location of an application revision. revisionType (string) --The type of application revision: S3: An application revision stored in Amazon S3. GitHub: An application revision stored in GitHub. s3Location (dict) --Information about the location of application artifacts stored in Amazon S3. bucket (string) --The name of the Amazon S3 bucket where the application revision is stored. key (string) --The name of the Amazon S3 object that represents the bundled artifacts for the application revision. bundleType (string) --The file type of the application revision. Must be one of the following: tar: A tar archive file. tgz: A compressed tar archive file. zip: A zip archive file. version (string) --A specific version of the Amazon S3 object that represents the bundled artifacts for the application revision. If the version is not specified, the system will use the most recent version by default. eTag (string) --The ETag of the Amazon S3 object that represents the bundled artifacts for the application revision. If the ETag is not specified as an input parameter, ETag validation of the object will be skipped. gitHubLocation (dict) --Information about the location of application artifacts stored in GitHub. repository (string) --The GitHub account and repository pair that stores a reference to the commit that represents the bundled artifacts for the application revision. Specified as account/repository. commitId (string) --The SHA1 commit ID of the GitHub commit that represents the bundled artifacts for the application revision. :rtype: dict :return: { 'applicationName': 'string', 'errorMessage': 'string', 'revisions': [ { 'revisionLocation': { 'revisionType': 'S3'|'GitHub', 's3Location': { 'bucket': 'string', 'key': 'string', 'bundleType': 'tar'|'tgz'|'zip', 'version': 'string', 'eTag': 'string' }, 'gitHubLocation': { 'repository': 'string', 'commitId': 'string' } }, 'genericRevisionInfo': { 'description': 'string', 'deploymentGroups': [ 'string', ], 'firstUsedTime': datetime(2015, 1, 1), 'lastUsedTime': datetime(2015, 1, 1), 'registerTime': datetime(2015, 1, 1) } }, ] } :returns: S3: An application revision stored in Amazon S3. GitHub: An application revision stored in GitHub. """ pass def batch_get_applications(applicationNames=None): """ Gets information about one or more applications. See also: AWS API Documentation :example: response = client.batch_get_applications( applicationNames=[ 'string', ] ) :type applicationNames: list :param applicationNames: A list of application names separated by spaces. (string) -- :rtype: dict :return: { 'applicationsInfo': [ { 'applicationId': 'string', 'applicationName': 'string', 'createTime': datetime(2015, 1, 1), 'linkedToGitHub': True|False, 'gitHubAccountName': 'string' }, ] } """ pass def batch_get_deployment_groups(applicationName=None, deploymentGroupNames=None): """ Gets information about one or more deployment groups. See also: AWS API Documentation :example: response = client.batch_get_deployment_groups( applicationName='string', deploymentGroupNames=[ 'string', ] ) :type applicationName: string :param applicationName: [REQUIRED] The name of an AWS CodeDeploy application associated with the applicable IAM user or AWS account. :type deploymentGroupNames: list :param deploymentGroupNames: [REQUIRED] The deployment groups' names. (string) -- :rtype: dict :return: { 'deploymentGroupsInfo': [ { 'applicationName': 'string', 'deploymentGroupId': 'string', 'deploymentGroupName': 'string', 'deploymentConfigName': 'string', 'ec2TagFilters': [ { 'Key': 'string', 'Value': 'string', 'Type': 'KEY_ONLY'|'VALUE_ONLY'|'KEY_AND_VALUE' }, ], 'onPremisesInstanceTagFilters': [ { 'Key': 'string', 'Value': 'string', 'Type': 'KEY_ONLY'|'VALUE_ONLY'|'KEY_AND_VALUE' }, ], 'autoScalingGroups': [ { 'name': 'string', 'hook': 'string' }, ], 'serviceRoleArn': 'string', 'targetRevision': { 'revisionType': 'S3'|'GitHub', 's3Location': { 'bucket': 'string', 'key': 'string', 'bundleType': 'tar'|'tgz'|'zip', 'version': 'string', 'eTag': 'string' }, 'gitHubLocation': { 'repository': 'string', 'commitId': 'string' } }, 'triggerConfigurations': [ { 'triggerName': 'string', 'triggerTargetArn': 'string', 'triggerEvents': [ 'DeploymentStart'|'DeploymentSuccess'|'DeploymentFailure'|'DeploymentStop'|'DeploymentRollback'|'DeploymentReady'|'InstanceStart'|'InstanceSuccess'|'InstanceFailure'|'InstanceReady', ] }, ], 'alarmConfiguration': { 'enabled': True|False, 'ignorePollAlarmFailure': True|False, 'alarms': [ { 'name': 'string' }, ] }, 'autoRollbackConfiguration': { 'enabled': True|False, 'events': [ 'DEPLOYMENT_FAILURE'|'DEPLOYMENT_STOP_ON_ALARM'|'DEPLOYMENT_STOP_ON_REQUEST', ] }, 'deploymentStyle': { 'deploymentType': 'IN_PLACE'|'BLUE_GREEN', 'deploymentOption': 'WITH_TRAFFIC_CONTROL'|'WITHOUT_TRAFFIC_CONTROL' }, 'blueGreenDeploymentConfiguration': { 'terminateBlueInstancesOnDeploymentSuccess': { 'action': 'TERMINATE'|'KEEP_ALIVE', 'terminationWaitTimeInMinutes': 123 }, 'deploymentReadyOption': { 'actionOnTimeout': 'CONTINUE_DEPLOYMENT'|'STOP_DEPLOYMENT', 'waitTimeInMinutes': 123 }, 'greenFleetProvisioningOption': { 'action': 'DISCOVER_EXISTING'|'COPY_AUTO_SCALING_GROUP' } }, 'loadBalancerInfo': { 'elbInfoList': [ { 'name': 'string' }, ] }, 'lastSuccessfulDeployment': { 'deploymentId': 'string', 'status': 'Created'|'Queued'|'InProgress'|'Succeeded'|'Failed'|'Stopped'|'Ready', 'endTime': datetime(2015, 1, 1), 'createTime': datetime(2015, 1, 1) }, 'lastAttemptedDeployment': { 'deploymentId': 'string', 'status': 'Created'|'Queued'|'InProgress'|'Succeeded'|'Failed'|'Stopped'|'Ready', 'endTime': datetime(2015, 1, 1), 'createTime': datetime(2015, 1, 1) } }, ], 'errorMessage': 'string' } :returns: KEY_ONLY: Key only. VALUE_ONLY: Value only. KEY_AND_VALUE: Key and value. """ pass def batch_get_deployment_instances(deploymentId=None, instanceIds=None): """ Gets information about one or more instance that are part of a deployment group. See also: AWS API Documentation :example: response = client.batch_get_deployment_instances( deploymentId='string', instanceIds=[ 'string', ] ) :type deploymentId: string :param deploymentId: [REQUIRED] The unique ID of a deployment. :type instanceIds: list :param instanceIds: [REQUIRED] The unique IDs of instances in the deployment group. (string) -- :rtype: dict :return: { 'instancesSummary': [ { 'deploymentId': 'string', 'instanceId': 'string', 'status': 'Pending'|'InProgress'|'Succeeded'|'Failed'|'Skipped'|'Unknown'|'Ready', 'lastUpdatedAt': datetime(2015, 1, 1), 'lifecycleEvents': [ { 'lifecycleEventName': 'string', 'diagnostics': { 'errorCode': 'Success'|'ScriptMissing'|'ScriptNotExecutable'|'ScriptTimedOut'|'ScriptFailed'|'UnknownError', 'scriptName': 'string', 'message': 'string', 'logTail': 'string' }, 'startTime': datetime(2015, 1, 1), 'endTime': datetime(2015, 1, 1), 'status': 'Pending'|'InProgress'|'Succeeded'|'Failed'|'Skipped'|'Unknown' }, ], 'instanceType': 'Blue'|'Green' }, ], 'errorMessage': 'string' } :returns: Pending: The deployment is pending for this instance. In Progress: The deployment is in progress for this instance. Succeeded: The deployment has succeeded for this instance. Failed: The deployment has failed for this instance. Skipped: The deployment has been skipped for this instance. Unknown: The deployment status is unknown for this instance. """ pass def batch_get_deployments(deploymentIds=None): """ Gets information about one or more deployments. See also: AWS API Documentation :example: response = client.batch_get_deployments( deploymentIds=[ 'string', ] ) :type deploymentIds: list :param deploymentIds: A list of deployment IDs, separated by spaces. (string) -- :rtype: dict :return: { 'deploymentsInfo': [ { 'applicationName': 'string', 'deploymentGroupName': 'string', 'deploymentConfigName': 'string', 'deploymentId': 'string', 'previousRevision': { 'revisionType': 'S3'|'GitHub', 's3Location': { 'bucket': 'string', 'key': 'string', 'bundleType': 'tar'|'tgz'|'zip', 'version': 'string', 'eTag': 'string' }, 'gitHubLocation': { 'repository': 'string', 'commitId': 'string' } }, 'revision': { 'revisionType': 'S3'|'GitHub', 's3Location': { 'bucket': 'string', 'key': 'string', 'bundleType': 'tar'|'tgz'|'zip', 'version': 'string', 'eTag': 'string' }, 'gitHubLocation': { 'repository': 'string', 'commitId': 'string' } }, 'status': 'Created'|'Queued'|'InProgress'|'Succeeded'|'Failed'|'Stopped'|'Ready', 'errorInformation': { 'code': 'DEPLOYMENT_GROUP_MISSING'|'APPLICATION_MISSING'|'REVISION_MISSING'|'IAM_ROLE_MISSING'|'IAM_ROLE_PERMISSIONS'|'NO_EC2_SUBSCRIPTION'|'OVER_MAX_INSTANCES'|'NO_INSTANCES'|'TIMEOUT'|'HEALTH_CONSTRAINTS_INVALID'|'HEALTH_CONSTRAINTS'|'INTERNAL_ERROR'|'THROTTLED'|'ALARM_ACTIVE'|'AGENT_ISSUE'|'AUTO_SCALING_IAM_ROLE_PERMISSIONS'|'AUTO_SCALING_CONFIGURATION'|'MANUAL_STOP', 'message': 'string' }, 'createTime': datetime(2015, 1, 1), 'startTime': datetime(2015, 1, 1), 'completeTime': datetime(2015, 1, 1), 'deploymentOverview': { 'Pending': 123, 'InProgress': 123, 'Succeeded': 123, 'Failed': 123, 'Skipped': 123, 'Ready': 123 }, 'description': 'string', 'creator': 'user'|'autoscaling'|'codeDeployRollback', 'ignoreApplicationStopFailures': True|False, 'autoRollbackConfiguration': { 'enabled': True|False, 'events': [ 'DEPLOYMENT_FAILURE'|'DEPLOYMENT_STOP_ON_ALARM'|'DEPLOYMENT_STOP_ON_REQUEST', ] }, 'updateOutdatedInstancesOnly': True|False, 'rollbackInfo': { 'rollbackDeploymentId': 'string', 'rollbackTriggeringDeploymentId': 'string', 'rollbackMessage': 'string' }, 'deploymentStyle': { 'deploymentType': 'IN_PLACE'|'BLUE_GREEN', 'deploymentOption': 'WITH_TRAFFIC_CONTROL'|'WITHOUT_TRAFFIC_CONTROL' }, 'targetInstances': { 'tagFilters': [ { 'Key': 'string', 'Value': 'string', 'Type': 'KEY_ONLY'|'VALUE_ONLY'|'KEY_AND_VALUE' }, ], 'autoScalingGroups': [ 'string', ] }, 'instanceTerminationWaitTimeStarted': True|False, 'blueGreenDeploymentConfiguration': { 'terminateBlueInstancesOnDeploymentSuccess': { 'action': 'TERMINATE'|'KEEP_ALIVE', 'terminationWaitTimeInMinutes': 123 }, 'deploymentReadyOption': { 'actionOnTimeout': 'CONTINUE_DEPLOYMENT'|'STOP_DEPLOYMENT', 'waitTimeInMinutes': 123 }, 'greenFleetProvisioningOption': { 'action': 'DISCOVER_EXISTING'|'COPY_AUTO_SCALING_GROUP' } }, 'loadBalancerInfo': { 'elbInfoList': [ { 'name': 'string' }, ] }, 'additionalDeploymentStatusInfo': 'string', 'fileExistsBehavior': 'DISALLOW'|'OVERWRITE'|'RETAIN' }, ] } :returns: S3: An application revision stored in Amazon S3. GitHub: An application revision stored in GitHub. """ pass def batch_get_on_premises_instances(instanceNames=None): """ Gets information about one or more on-premises instances. See also: AWS API Documentation :example: response = client.batch_get_on_premises_instances( instanceNames=[ 'string', ] ) :type instanceNames: list :param instanceNames: The names of the on-premises instances about which to get information. (string) -- :rtype: dict :return: { 'instanceInfos': [ { 'instanceName': 'string', 'iamSessionArn': 'string', 'iamUserArn': 'string', 'instanceArn': 'string', 'registerTime': datetime(2015, 1, 1), 'deregisterTime': datetime(2015, 1, 1), 'tags': [ { 'Key': 'string', 'Value': 'string' }, ] }, ] } """ pass def can_paginate(operation_name=None): """ Check if an operation can be paginated. :type operation_name: string :param operation_name: The operation name. This is the same name as the method name on the client. For example, if the method name is create_foo, and you'd normally invoke the operation as client.create_foo(**kwargs), if the create_foo operation can be paginated, you can use the call client.get_paginator('create_foo'). """ pass def continue_deployment(deploymentId=None): """ For a blue/green deployment, starts the process of rerouting traffic from instances in the original environment to instances in the replacement environment without waiting for a specified wait time to elapse. (Traffic rerouting, which is achieved by registering instances in the replacement environment with the load balancer, can start as soon as all instances have a status of Ready.) See also: AWS API Documentation :example: response = client.continue_deployment( deploymentId='string' ) :type deploymentId: string :param deploymentId: The deployment ID of the blue/green deployment for which you want to start rerouting traffic to the replacement environment. """ pass def create_application(applicationName=None): """ Creates an application. See also: AWS API Documentation :example: response = client.create_application( applicationName='string' ) :type applicationName: string :param applicationName: [REQUIRED] The name of the application. This name must be unique with the applicable IAM user or AWS account. :rtype: dict :return: { 'applicationId': 'string' } """ pass def create_deployment(applicationName=None, deploymentGroupName=None, revision=None, deploymentConfigName=None, description=None, ignoreApplicationStopFailures=None, targetInstances=None, autoRollbackConfiguration=None, updateOutdatedInstancesOnly=None, fileExistsBehavior=None): """ Deploys an application revision through the specified deployment group. See also: AWS API Documentation :example: response = client.create_deployment( applicationName='string', deploymentGroupName='string', revision={ 'revisionType': 'S3'|'GitHub', 's3Location': { 'bucket': 'string', 'key': 'string', 'bundleType': 'tar'|'tgz'|'zip', 'version': 'string', 'eTag': 'string' }, 'gitHubLocation': { 'repository': 'string', 'commitId': 'string' } }, deploymentConfigName='string', description='string', ignoreApplicationStopFailures=True|False, targetInstances={ 'tagFilters': [ { 'Key': 'string', 'Value': 'string', 'Type': 'KEY_ONLY'|'VALUE_ONLY'|'KEY_AND_VALUE' }, ], 'autoScalingGroups': [ 'string', ] }, autoRollbackConfiguration={ 'enabled': True|False, 'events': [ 'DEPLOYMENT_FAILURE'|'DEPLOYMENT_STOP_ON_ALARM'|'DEPLOYMENT_STOP_ON_REQUEST', ] }, updateOutdatedInstancesOnly=True|False, fileExistsBehavior='DISALLOW'|'OVERWRITE'|'RETAIN' ) :type applicationName: string :param applicationName: [REQUIRED] The name of an AWS CodeDeploy application associated with the applicable IAM user or AWS account. :type deploymentGroupName: string :param deploymentGroupName: The name of the deployment group. :type revision: dict :param revision: The type and location of the revision to deploy. revisionType (string) --The type of application revision: S3: An application revision stored in Amazon S3. GitHub: An application revision stored in GitHub. s3Location (dict) --Information about the location of application artifacts stored in Amazon S3. bucket (string) --The name of the Amazon S3 bucket where the application revision is stored. key (string) --The name of the Amazon S3 object that represents the bundled artifacts for the application revision. bundleType (string) --The file type of the application revision. Must be one of the following: tar: A tar archive file. tgz: A compressed tar archive file. zip: A zip archive file. version (string) --A specific version of the Amazon S3 object that represents the bundled artifacts for the application revision. If the version is not specified, the system will use the most recent version by default. eTag (string) --The ETag of the Amazon S3 object that represents the bundled artifacts for the application revision. If the ETag is not specified as an input parameter, ETag validation of the object will be skipped. gitHubLocation (dict) --Information about the location of application artifacts stored in GitHub. repository (string) --The GitHub account and repository pair that stores a reference to the commit that represents the bundled artifacts for the application revision. Specified as account/repository. commitId (string) --The SHA1 commit ID of the GitHub commit that represents the bundled artifacts for the application revision. :type deploymentConfigName: string :param deploymentConfigName: The name of a deployment configuration associated with the applicable IAM user or AWS account. If not specified, the value configured in the deployment group will be used as the default. If the deployment group does not have a deployment configuration associated with it, then CodeDeployDefault.OneAtATime will be used by default. :type description: string :param description: A comment about the deployment. :type ignoreApplicationStopFailures: boolean :param ignoreApplicationStopFailures: If set to true, then if the deployment causes the ApplicationStop deployment lifecycle event to an instance to fail, the deployment to that instance will not be considered to have failed at that point and will continue on to the BeforeInstall deployment lifecycle event. If set to false or not specified, then if the deployment causes the ApplicationStop deployment lifecycle event to fail to an instance, the deployment to that instance will stop, and the deployment to that instance will be considered to have failed. :type targetInstances: dict :param targetInstances: Information about the instances that will belong to the replacement environment in a blue/green deployment. tagFilters (list) --The tag filter key, type, and value used to identify Amazon EC2 instances in a replacement environment for a blue/green deployment. (dict) --Information about an EC2 tag filter. Key (string) --The tag filter key. Value (string) --The tag filter value. Type (string) --The tag filter type: KEY_ONLY: Key only. VALUE_ONLY: Value only. KEY_AND_VALUE: Key and value. autoScalingGroups (list) --The names of one or more Auto Scaling groups to identify a replacement environment for a blue/green deployment. (string) -- :type autoRollbackConfiguration: dict :param autoRollbackConfiguration: Configuration information for an automatic rollback that is added when a deployment is created. enabled (boolean) --Indicates whether a defined automatic rollback configuration is currently enabled. events (list) --The event type or types that trigger a rollback. (string) -- :type updateOutdatedInstancesOnly: boolean :param updateOutdatedInstancesOnly: Indicates whether to deploy to all instances or only to instances that are not running the latest application revision. :type fileExistsBehavior: string :param fileExistsBehavior: Information about how AWS CodeDeploy handles files that already exist in a deployment target location but weren't part of the previous successful deployment. The fileExistsBehavior parameter takes any of the following values: DISALLOW: The deployment fails. This is also the default behavior if no option is specified. OVERWRITE: The version of the file from the application revision currently being deployed replaces the version already on the instance. RETAIN: The version of the file already on the instance is kept and used as part of the new deployment. :rtype: dict :return: { 'deploymentId': 'string' } """ pass def create_deployment_config(deploymentConfigName=None, minimumHealthyHosts=None): """ Creates a deployment configuration. See also: AWS API Documentation :example: response = client.create_deployment_config( deploymentConfigName='string', minimumHealthyHosts={ 'value': 123, 'type': 'HOST_COUNT'|'FLEET_PERCENT' } ) :type deploymentConfigName: string :param deploymentConfigName: [REQUIRED] The name of the deployment configuration to create. :type minimumHealthyHosts: dict :param minimumHealthyHosts: The minimum number of healthy instances that should be available at any time during the deployment. There are two parameters expected in the input: type and value. The type parameter takes either of the following values: HOST_COUNT: The value parameter represents the minimum number of healthy instances as an absolute value. FLEET_PERCENT: The value parameter represents the minimum number of healthy instances as a percentage of the total number of instances in the deployment. If you specify FLEET_PERCENT, at the start of the deployment, AWS CodeDeploy converts the percentage to the equivalent number of instance and rounds up fractional instances. The value parameter takes an integer. For example, to set a minimum of 95% healthy instance, specify a type of FLEET_PERCENT and a value of 95. value (integer) --The minimum healthy instance value. type (string) --The minimum healthy instance type: HOST_COUNT: The minimum number of healthy instance as an absolute value. FLEET_PERCENT: The minimum number of healthy instance as a percentage of the total number of instance in the deployment. In an example of nine instance, if a HOST_COUNT of six is specified, deploy to up to three instances at a time. The deployment will be successful if six or more instances are deployed to successfully; otherwise, the deployment fails. If a FLEET_PERCENT of 40 is specified, deploy to up to five instance at a time. The deployment will be successful if four or more instance are deployed to successfully; otherwise, the deployment fails. Note In a call to the get deployment configuration operation, CodeDeployDefault.OneAtATime will return a minimum healthy instance type of MOST_CONCURRENCY and a value of 1. This means a deployment to only one instance at a time. (You cannot set the type to MOST_CONCURRENCY, only to HOST_COUNT or FLEET_PERCENT.) In addition, with CodeDeployDefault.OneAtATime, AWS CodeDeploy will try to ensure that all instances but one are kept in a healthy state during the deployment. Although this allows one instance at a time to be taken offline for a new deployment, it also means that if the deployment to the last instance fails, the overall deployment still succeeds. For more information, see AWS CodeDeploy Instance Health in the AWS CodeDeploy User Guide . :rtype: dict :return: { 'deploymentConfigId': 'string' } """ pass def create_deployment_group(applicationName=None, deploymentGroupName=None, deploymentConfigName=None, ec2TagFilters=None, onPremisesInstanceTagFilters=None, autoScalingGroups=None, serviceRoleArn=None, triggerConfigurations=None, alarmConfiguration=None, autoRollbackConfiguration=None, deploymentStyle=None, blueGreenDeploymentConfiguration=None, loadBalancerInfo=None): """ Creates a deployment group to which application revisions will be deployed. See also: AWS API Documentation :example: response = client.create_deployment_group( applicationName='string', deploymentGroupName='string', deploymentConfigName='string', ec2TagFilters=[ { 'Key': 'string', 'Value': 'string', 'Type': 'KEY_ONLY'|'VALUE_ONLY'|'KEY_AND_VALUE' }, ], onPremisesInstanceTagFilters=[ { 'Key': 'string', 'Value': 'string', 'Type': 'KEY_ONLY'|'VALUE_ONLY'|'KEY_AND_VALUE' }, ], autoScalingGroups=[ 'string', ], serviceRoleArn='string', triggerConfigurations=[ { 'triggerName': 'string', 'triggerTargetArn': 'string', 'triggerEvents': [ 'DeploymentStart'|'DeploymentSuccess'|'DeploymentFailure'|'DeploymentStop'|'DeploymentRollback'|'DeploymentReady'|'InstanceStart'|'InstanceSuccess'|'InstanceFailure'|'InstanceReady', ] }, ], alarmConfiguration={ 'enabled': True|False, 'ignorePollAlarmFailure': True|False, 'alarms': [ { 'name': 'string' }, ] }, autoRollbackConfiguration={ 'enabled': True|False, 'events': [ 'DEPLOYMENT_FAILURE'|'DEPLOYMENT_STOP_ON_ALARM'|'DEPLOYMENT_STOP_ON_REQUEST', ] }, deploymentStyle={ 'deploymentType': 'IN_PLACE'|'BLUE_GREEN', 'deploymentOption': 'WITH_TRAFFIC_CONTROL'|'WITHOUT_TRAFFIC_CONTROL' }, blueGreenDeploymentConfiguration={ 'terminateBlueInstancesOnDeploymentSuccess': { 'action': 'TERMINATE'|'KEEP_ALIVE', 'terminationWaitTimeInMinutes': 123 }, 'deploymentReadyOption': { 'actionOnTimeout': 'CONTINUE_DEPLOYMENT'|'STOP_DEPLOYMENT', 'waitTimeInMinutes': 123 }, 'greenFleetProvisioningOption': { 'action': 'DISCOVER_EXISTING'|'COPY_AUTO_SCALING_GROUP' } }, loadBalancerInfo={ 'elbInfoList': [ { 'name': 'string' }, ] } ) :type applicationName: string :param applicationName: [REQUIRED] The name of an AWS CodeDeploy application associated with the applicable IAM user or AWS account. :type deploymentGroupName: string :param deploymentGroupName: [REQUIRED] The name of a new deployment group for the specified application. :type deploymentConfigName: string :param deploymentConfigName: If specified, the deployment configuration name can be either one of the predefined configurations provided with AWS CodeDeploy or a custom deployment configuration that you create by calling the create deployment configuration operation. CodeDeployDefault.OneAtATime is the default deployment configuration. It is used if a configuration isn't specified for the deployment or the deployment group. For more information about the predefined deployment configurations in AWS CodeDeploy, see Working with Deployment Groups in AWS CodeDeploy in the AWS CodeDeploy User Guide. :type ec2TagFilters: list :param ec2TagFilters: The Amazon EC2 tags on which to filter. The deployment group will include EC2 instances with any of the specified tags. (dict) --Information about an EC2 tag filter. Key (string) --The tag filter key. Value (string) --The tag filter value. Type (string) --The tag filter type: KEY_ONLY: Key only. VALUE_ONLY: Value only. KEY_AND_VALUE: Key and value. :type onPremisesInstanceTagFilters: list :param onPremisesInstanceTagFilters: The on-premises instance tags on which to filter. The deployment group will include on-premises instances with any of the specified tags. (dict) --Information about an on-premises instance tag filter. Key (string) --The on-premises instance tag filter key. Value (string) --The on-premises instance tag filter value. Type (string) --The on-premises instance tag filter type: KEY_ONLY: Key only. VALUE_ONLY: Value only. KEY_AND_VALUE: Key and value. :type autoScalingGroups: list :param autoScalingGroups: A list of associated Auto Scaling groups. (string) -- :type serviceRoleArn: string :param serviceRoleArn: [REQUIRED] A service role ARN that allows AWS CodeDeploy to act on the user's behalf when interacting with AWS services. :type triggerConfigurations: list :param triggerConfigurations: Information about triggers to create when the deployment group is created. For examples, see Create a Trigger for an AWS CodeDeploy Event in the AWS CodeDeploy User Guide. (dict) --Information about notification triggers for the deployment group. triggerName (string) --The name of the notification trigger. triggerTargetArn (string) --The ARN of the Amazon Simple Notification Service topic through which notifications about deployment or instance events are sent. triggerEvents (list) --The event type or types for which notifications are triggered. (string) -- :type alarmConfiguration: dict :param alarmConfiguration: Information to add about Amazon CloudWatch alarms when the deployment group is created. enabled (boolean) --Indicates whether the alarm configuration is enabled. ignorePollAlarmFailure (boolean) --Indicates whether a deployment should continue if information about the current state of alarms cannot be retrieved from Amazon CloudWatch. The default value is false. true: The deployment will proceed even if alarm status information can't be retrieved from Amazon CloudWatch. false: The deployment will stop if alarm status information can't be retrieved from Amazon CloudWatch. alarms (list) --A list of alarms configured for the deployment group. A maximum of 10 alarms can be added to a deployment group. (dict) --Information about an alarm. name (string) --The name of the alarm. Maximum length is 255 characters. Each alarm name can be used only once in a list of alarms. :type autoRollbackConfiguration: dict :param autoRollbackConfiguration: Configuration information for an automatic rollback that is added when a deployment group is created. enabled (boolean) --Indicates whether a defined automatic rollback configuration is currently enabled. events (list) --The event type or types that trigger a rollback. (string) -- :type deploymentStyle: dict :param deploymentStyle: Information about the type of deployment, in-place or blue/green, that you want to run and whether to route deployment traffic behind a load balancer. deploymentType (string) --Indicates whether to run an in-place deployment or a blue/green deployment. deploymentOption (string) --Indicates whether to route deployment traffic behind a load balancer. :type blueGreenDeploymentConfiguration: dict :param blueGreenDeploymentConfiguration: Information about blue/green deployment options for a deployment group. terminateBlueInstancesOnDeploymentSuccess (dict) --Information about whether to terminate instances in the original fleet during a blue/green deployment. action (string) --The action to take on instances in the original environment after a successful blue/green deployment. TERMINATE: Instances are terminated after a specified wait time. KEEP_ALIVE: Instances are left running after they are deregistered from the load balancer and removed from the deployment group. terminationWaitTimeInMinutes (integer) --The number of minutes to wait after a successful blue/green deployment before terminating instances from the original environment. deploymentReadyOption (dict) --Information about the action to take when newly provisioned instances are ready to receive traffic in a blue/green deployment. actionOnTimeout (string) --Information about when to reroute traffic from an original environment to a replacement environment in a blue/green deployment. CONTINUE_DEPLOYMENT: Register new instances with the load balancer immediately after the new application revision is installed on the instances in the replacement environment. STOP_DEPLOYMENT: Do not register new instances with load balancer unless traffic is rerouted manually. If traffic is not rerouted manually before the end of the specified wait period, the deployment status is changed to Stopped. waitTimeInMinutes (integer) --The number of minutes to wait before the status of a blue/green deployment changed to Stopped if rerouting is not started manually. Applies only to the STOP_DEPLOYMENT option for actionOnTimeout greenFleetProvisioningOption (dict) --Information about how instances are provisioned for a replacement environment in a blue/green deployment. action (string) --The method used to add instances to a replacement environment. DISCOVER_EXISTING: Use instances that already exist or will be created manually. COPY_AUTO_SCALING_GROUP: Use settings from a specified Auto Scaling group to define and create instances in a new Auto Scaling group. :type loadBalancerInfo: dict :param loadBalancerInfo: Information about the load balancer used in a deployment. elbInfoList (list) --An array containing information about the load balancer in Elastic Load Balancing to use in a deployment. (dict) --Information about a load balancer in Elastic Load Balancing to use in a deployment. name (string) --For blue/green deployments, the name of the load balancer that will be used to route traffic from original instances to replacement instances in a blue/green deployment. For in-place deployments, the name of the load balancer that instances are deregistered from so they are not serving traffic during a deployment, and then re-registered with after the deployment completes. :rtype: dict :return: { 'deploymentGroupId': 'string' } """ pass def delete_application(applicationName=None): """ Deletes an application. See also: AWS API Documentation :example: response = client.delete_application( applicationName='string' ) :type applicationName: string :param applicationName: [REQUIRED] The name of an AWS CodeDeploy application associated with the applicable IAM user or AWS account. """ pass def delete_deployment_config(deploymentConfigName=None): """ Deletes a deployment configuration. See also: AWS API Documentation :example: response = client.delete_deployment_config( deploymentConfigName='string' ) :type deploymentConfigName: string :param deploymentConfigName: [REQUIRED] The name of a deployment configuration associated with the applicable IAM user or AWS account. """ pass def delete_deployment_group(applicationName=None, deploymentGroupName=None): """ Deletes a deployment group. See also: AWS API Documentation :example: response = client.delete_deployment_group( applicationName='string', deploymentGroupName='string' ) :type applicationName: string :param applicationName: [REQUIRED] The name of an AWS CodeDeploy application associated with the applicable IAM user or AWS account. :type deploymentGroupName: string :param deploymentGroupName: [REQUIRED] The name of an existing deployment group for the specified application. :rtype: dict :return: { 'hooksNotCleanedUp': [ { 'name': 'string', 'hook': 'string' }, ] } """ pass def deregister_on_premises_instance(instanceName=None): """ Deregisters an on-premises instance. See also: AWS API Documentation :example: response = client.deregister_on_premises_instance( instanceName='string' ) :type instanceName: string :param instanceName: [REQUIRED] The name of the on-premises instance to deregister. """ pass def generate_presigned_url(ClientMethod=None, Params=None, ExpiresIn=None, HttpMethod=None): """ Generate a presigned url given a client, its method, and arguments :type ClientMethod: string :param ClientMethod: The client method to presign for :type Params: dict :param Params: The parameters normally passed to ClientMethod. :type ExpiresIn: int :param ExpiresIn: The number of seconds the presigned url is valid for. By default it expires in an hour (3600 seconds) :type HttpMethod: string :param HttpMethod: The http method to use on the generated url. By default, the http method is whatever is used in the method's model. """ pass def get_application(applicationName=None): """ Gets information about an application. See also: AWS API Documentation :example: response = client.get_application( applicationName='string' ) :type applicationName: string :param applicationName: [REQUIRED] The name of an AWS CodeDeploy application associated with the applicable IAM user or AWS account. :rtype: dict :return: { 'application': { 'applicationId': 'string', 'applicationName': 'string', 'createTime': datetime(2015, 1, 1), 'linkedToGitHub': True|False, 'gitHubAccountName': 'string' } } """ pass def get_application_revision(applicationName=None, revision=None): """ Gets information about an application revision. See also: AWS API Documentation :example: response = client.get_application_revision( applicationName='string', revision={ 'revisionType': 'S3'|'GitHub', 's3Location': { 'bucket': 'string', 'key': 'string', 'bundleType': 'tar'|'tgz'|'zip', 'version': 'string', 'eTag': 'string' }, 'gitHubLocation': { 'repository': 'string', 'commitId': 'string' } } ) :type applicationName: string :param applicationName: [REQUIRED] The name of the application that corresponds to the revision. :type revision: dict :param revision: [REQUIRED] Information about the application revision to get, including type and location. revisionType (string) --The type of application revision: S3: An application revision stored in Amazon S3. GitHub: An application revision stored in GitHub. s3Location (dict) --Information about the location of application artifacts stored in Amazon S3. bucket (string) --The name of the Amazon S3 bucket where the application revision is stored. key (string) --The name of the Amazon S3 object that represents the bundled artifacts for the application revision. bundleType (string) --The file type of the application revision. Must be one of the following: tar: A tar archive file. tgz: A compressed tar archive file. zip: A zip archive file. version (string) --A specific version of the Amazon S3 object that represents the bundled artifacts for the application revision. If the version is not specified, the system will use the most recent version by default. eTag (string) --The ETag of the Amazon S3 object that represents the bundled artifacts for the application revision. If the ETag is not specified as an input parameter, ETag validation of the object will be skipped. gitHubLocation (dict) --Information about the location of application artifacts stored in GitHub. repository (string) --The GitHub account and repository pair that stores a reference to the commit that represents the bundled artifacts for the application revision. Specified as account/repository. commitId (string) --The SHA1 commit ID of the GitHub commit that represents the bundled artifacts for the application revision. :rtype: dict :return: { 'applicationName': 'string', 'revision': { 'revisionType': 'S3'|'GitHub', 's3Location': { 'bucket': 'string', 'key': 'string', 'bundleType': 'tar'|'tgz'|'zip', 'version': 'string', 'eTag': 'string' }, 'gitHubLocation': { 'repository': 'string', 'commitId': 'string' } }, 'revisionInfo': { 'description': 'string', 'deploymentGroups': [ 'string', ], 'firstUsedTime': datetime(2015, 1, 1), 'lastUsedTime': datetime(2015, 1, 1), 'registerTime': datetime(2015, 1, 1) } } :returns: S3: An application revision stored in Amazon S3. GitHub: An application revision stored in GitHub. """ pass def get_deployment(deploymentId=None): """ Gets information about a deployment. See also: AWS API Documentation :example: response = client.get_deployment( deploymentId='string' ) :type deploymentId: string :param deploymentId: [REQUIRED] A deployment ID associated with the applicable IAM user or AWS account. :rtype: dict :return: { 'deploymentInfo': { 'applicationName': 'string', 'deploymentGroupName': 'string', 'deploymentConfigName': 'string', 'deploymentId': 'string', 'previousRevision': { 'revisionType': 'S3'|'GitHub', 's3Location': { 'bucket': 'string', 'key': 'string', 'bundleType': 'tar'|'tgz'|'zip', 'version': 'string', 'eTag': 'string' }, 'gitHubLocation': { 'repository': 'string', 'commitId': 'string' } }, 'revision': { 'revisionType': 'S3'|'GitHub', 's3Location': { 'bucket': 'string', 'key': 'string', 'bundleType': 'tar'|'tgz'|'zip', 'version': 'string', 'eTag': 'string' }, 'gitHubLocation': { 'repository': 'string', 'commitId': 'string' } }, 'status': 'Created'|'Queued'|'InProgress'|'Succeeded'|'Failed'|'Stopped'|'Ready', 'errorInformation': { 'code': 'DEPLOYMENT_GROUP_MISSING'|'APPLICATION_MISSING'|'REVISION_MISSING'|'IAM_ROLE_MISSING'|'IAM_ROLE_PERMISSIONS'|'NO_EC2_SUBSCRIPTION'|'OVER_MAX_INSTANCES'|'NO_INSTANCES'|'TIMEOUT'|'HEALTH_CONSTRAINTS_INVALID'|'HEALTH_CONSTRAINTS'|'INTERNAL_ERROR'|'THROTTLED'|'ALARM_ACTIVE'|'AGENT_ISSUE'|'AUTO_SCALING_IAM_ROLE_PERMISSIONS'|'AUTO_SCALING_CONFIGURATION'|'MANUAL_STOP', 'message': 'string' }, 'createTime': datetime(2015, 1, 1), 'startTime': datetime(2015, 1, 1), 'completeTime': datetime(2015, 1, 1), 'deploymentOverview': { 'Pending': 123, 'InProgress': 123, 'Succeeded': 123, 'Failed': 123, 'Skipped': 123, 'Ready': 123 }, 'description': 'string', 'creator': 'user'|'autoscaling'|'codeDeployRollback', 'ignoreApplicationStopFailures': True|False, 'autoRollbackConfiguration': { 'enabled': True|False, 'events': [ 'DEPLOYMENT_FAILURE'|'DEPLOYMENT_STOP_ON_ALARM'|'DEPLOYMENT_STOP_ON_REQUEST', ] }, 'updateOutdatedInstancesOnly': True|False, 'rollbackInfo': { 'rollbackDeploymentId': 'string', 'rollbackTriggeringDeploymentId': 'string', 'rollbackMessage': 'string' }, 'deploymentStyle': { 'deploymentType': 'IN_PLACE'|'BLUE_GREEN', 'deploymentOption': 'WITH_TRAFFIC_CONTROL'|'WITHOUT_TRAFFIC_CONTROL' }, 'targetInstances': { 'tagFilters': [ { 'Key': 'string', 'Value': 'string', 'Type': 'KEY_ONLY'|'VALUE_ONLY'|'KEY_AND_VALUE' }, ], 'autoScalingGroups': [ 'string', ] }, 'instanceTerminationWaitTimeStarted': True|False, 'blueGreenDeploymentConfiguration': { 'terminateBlueInstancesOnDeploymentSuccess': { 'action': 'TERMINATE'|'KEEP_ALIVE', 'terminationWaitTimeInMinutes': 123 }, 'deploymentReadyOption': { 'actionOnTimeout': 'CONTINUE_DEPLOYMENT'|'STOP_DEPLOYMENT', 'waitTimeInMinutes': 123 }, 'greenFleetProvisioningOption': { 'action': 'DISCOVER_EXISTING'|'COPY_AUTO_SCALING_GROUP' } }, 'loadBalancerInfo': { 'elbInfoList': [ { 'name': 'string' }, ] }, 'additionalDeploymentStatusInfo': 'string', 'fileExistsBehavior': 'DISALLOW'|'OVERWRITE'|'RETAIN' } } :returns: tar: A tar archive file. tgz: A compressed tar archive file. zip: A zip archive file. """ pass def get_deployment_config(deploymentConfigName=None): """ Gets information about a deployment configuration. See also: AWS API Documentation :example: response = client.get_deployment_config( deploymentConfigName='string' ) :type deploymentConfigName: string :param deploymentConfigName: [REQUIRED] The name of a deployment configuration associated with the applicable IAM user or AWS account. :rtype: dict :return: { 'deploymentConfigInfo': { 'deploymentConfigId': 'string', 'deploymentConfigName': 'string', 'minimumHealthyHosts': { 'value': 123, 'type': 'HOST_COUNT'|'FLEET_PERCENT' }, 'createTime': datetime(2015, 1, 1) } } """ pass def get_deployment_group(applicationName=None, deploymentGroupName=None): """ Gets information about a deployment group. See also: AWS API Documentation :example: response = client.get_deployment_group( applicationName='string', deploymentGroupName='string' ) :type applicationName: string :param applicationName: [REQUIRED] The name of an AWS CodeDeploy application associated with the applicable IAM user or AWS account. :type deploymentGroupName: string :param deploymentGroupName: [REQUIRED] The name of an existing deployment group for the specified application. :rtype: dict :return: { 'deploymentGroupInfo': { 'applicationName': 'string', 'deploymentGroupId': 'string', 'deploymentGroupName': 'string', 'deploymentConfigName': 'string', 'ec2TagFilters': [ { 'Key': 'string', 'Value': 'string', 'Type': 'KEY_ONLY'|'VALUE_ONLY'|'KEY_AND_VALUE' }, ], 'onPremisesInstanceTagFilters': [ { 'Key': 'string', 'Value': 'string', 'Type': 'KEY_ONLY'|'VALUE_ONLY'|'KEY_AND_VALUE' }, ], 'autoScalingGroups': [ { 'name': 'string', 'hook': 'string' }, ], 'serviceRoleArn': 'string', 'targetRevision': { 'revisionType': 'S3'|'GitHub', 's3Location': { 'bucket': 'string', 'key': 'string', 'bundleType': 'tar'|'tgz'|'zip', 'version': 'string', 'eTag': 'string' }, 'gitHubLocation': { 'repository': 'string', 'commitId': 'string' } }, 'triggerConfigurations': [ { 'triggerName': 'string', 'triggerTargetArn': 'string', 'triggerEvents': [ 'DeploymentStart'|'DeploymentSuccess'|'DeploymentFailure'|'DeploymentStop'|'DeploymentRollback'|'DeploymentReady'|'InstanceStart'|'InstanceSuccess'|'InstanceFailure'|'InstanceReady', ] }, ], 'alarmConfiguration': { 'enabled': True|False, 'ignorePollAlarmFailure': True|False, 'alarms': [ { 'name': 'string' }, ] }, 'autoRollbackConfiguration': { 'enabled': True|False, 'events': [ 'DEPLOYMENT_FAILURE'|'DEPLOYMENT_STOP_ON_ALARM'|'DEPLOYMENT_STOP_ON_REQUEST', ] }, 'deploymentStyle': { 'deploymentType': 'IN_PLACE'|'BLUE_GREEN', 'deploymentOption': 'WITH_TRAFFIC_CONTROL'|'WITHOUT_TRAFFIC_CONTROL' }, 'blueGreenDeploymentConfiguration': { 'terminateBlueInstancesOnDeploymentSuccess': { 'action': 'TERMINATE'|'KEEP_ALIVE', 'terminationWaitTimeInMinutes': 123 }, 'deploymentReadyOption': { 'actionOnTimeout': 'CONTINUE_DEPLOYMENT'|'STOP_DEPLOYMENT', 'waitTimeInMinutes': 123 }, 'greenFleetProvisioningOption': { 'action': 'DISCOVER_EXISTING'|'COPY_AUTO_SCALING_GROUP' } }, 'loadBalancerInfo': { 'elbInfoList': [ { 'name': 'string' }, ] }, 'lastSuccessfulDeployment': { 'deploymentId': 'string', 'status': 'Created'|'Queued'|'InProgress'|'Succeeded'|'Failed'|'Stopped'|'Ready', 'endTime': datetime(2015, 1, 1), 'createTime': datetime(2015, 1, 1) }, 'lastAttemptedDeployment': { 'deploymentId': 'string', 'status': 'Created'|'Queued'|'InProgress'|'Succeeded'|'Failed'|'Stopped'|'Ready', 'endTime': datetime(2015, 1, 1), 'createTime': datetime(2015, 1, 1) } } } :returns: KEY_ONLY: Key only. VALUE_ONLY: Value only. KEY_AND_VALUE: Key and value. """ pass def get_deployment_instance(deploymentId=None, instanceId=None): """ Gets information about an instance as part of a deployment. See also: AWS API Documentation :example: response = client.get_deployment_instance( deploymentId='string', instanceId='string' ) :type deploymentId: string :param deploymentId: [REQUIRED] The unique ID of a deployment. :type instanceId: string :param instanceId: [REQUIRED] The unique ID of an instance in the deployment group. :rtype: dict :return: { 'instanceSummary': { 'deploymentId': 'string', 'instanceId': 'string', 'status': 'Pending'|'InProgress'|'Succeeded'|'Failed'|'Skipped'|'Unknown'|'Ready', 'lastUpdatedAt': datetime(2015, 1, 1), 'lifecycleEvents': [ { 'lifecycleEventName': 'string', 'diagnostics': { 'errorCode': 'Success'|'ScriptMissing'|'ScriptNotExecutable'|'ScriptTimedOut'|'ScriptFailed'|'UnknownError', 'scriptName': 'string', 'message': 'string', 'logTail': 'string' }, 'startTime': datetime(2015, 1, 1), 'endTime': datetime(2015, 1, 1), 'status': 'Pending'|'InProgress'|'Succeeded'|'Failed'|'Skipped'|'Unknown' }, ], 'instanceType': 'Blue'|'Green' } } :returns: Pending: The deployment is pending for this instance. In Progress: The deployment is in progress for this instance. Succeeded: The deployment has succeeded for this instance. Failed: The deployment has failed for this instance. Skipped: The deployment has been skipped for this instance. Unknown: The deployment status is unknown for this instance. """ pass def get_on_premises_instance(instanceName=None): """ Gets information about an on-premises instance. See also: AWS API Documentation :example: response = client.get_on_premises_instance( instanceName='string' ) :type instanceName: string :param instanceName: [REQUIRED] The name of the on-premises instance about which to get information. :rtype: dict :return: { 'instanceInfo': { 'instanceName': 'string', 'iamSessionArn': 'string', 'iamUserArn': 'string', 'instanceArn': 'string', 'registerTime': datetime(2015, 1, 1), 'deregisterTime': datetime(2015, 1, 1), 'tags': [ { 'Key': 'string', 'Value': 'string' }, ] } } """ pass def get_paginator(operation_name=None): """ Create a paginator for an operation. :type operation_name: string :param operation_name: The operation name. This is the same name as the method name on the client. For example, if the method name is create_foo, and you'd normally invoke the operation as client.create_foo(**kwargs), if the create_foo operation can be paginated, you can use the call client.get_paginator('create_foo'). :rtype: L{botocore.paginate.Paginator} """ pass def get_waiter(): """ """ pass def list_application_revisions(applicationName=None, sortBy=None, sortOrder=None, s3Bucket=None, s3KeyPrefix=None, deployed=None, nextToken=None): """ Lists information about revisions for an application. See also: AWS API Documentation :example: response = client.list_application_revisions( applicationName='string', sortBy='registerTime'|'firstUsedTime'|'lastUsedTime', sortOrder='ascending'|'descending', s3Bucket='string', s3KeyPrefix='string', deployed='include'|'exclude'|'ignore', nextToken='string' ) :type applicationName: string :param applicationName: [REQUIRED] The name of an AWS CodeDeploy application associated with the applicable IAM user or AWS account. :type sortBy: string :param sortBy: The column name to use to sort the list results: registerTime: Sort by the time the revisions were registered with AWS CodeDeploy. firstUsedTime: Sort by the time the revisions were first used in a deployment. lastUsedTime: Sort by the time the revisions were last used in a deployment. If not specified or set to null, the results will be returned in an arbitrary order. :type sortOrder: string :param sortOrder: The order in which to sort the list results: ascending: ascending order. descending: descending order. If not specified, the results will be sorted in ascending order. If set to null, the results will be sorted in an arbitrary order. :type s3Bucket: string :param s3Bucket: An Amazon S3 bucket name to limit the search for revisions. If set to null, all of the user's buckets will be searched. :type s3KeyPrefix: string :param s3KeyPrefix: A key prefix for the set of Amazon S3 objects to limit the search for revisions. :type deployed: string :param deployed: Whether to list revisions based on whether the revision is the target revision of an deployment group: include: List revisions that are target revisions of a deployment group. exclude: Do not list revisions that are target revisions of a deployment group. ignore: List all revisions. :type nextToken: string :param nextToken: An identifier returned from the previous list application revisions call. It can be used to return the next set of applications in the list. :rtype: dict :return: { 'revisions': [ { 'revisionType': 'S3'|'GitHub', 's3Location': { 'bucket': 'string', 'key': 'string', 'bundleType': 'tar'|'tgz'|'zip', 'version': 'string', 'eTag': 'string' }, 'gitHubLocation': { 'repository': 'string', 'commitId': 'string' } }, ], 'nextToken': 'string' } :returns: S3: An application revision stored in Amazon S3. GitHub: An application revision stored in GitHub. """ pass def list_applications(nextToken=None): """ Lists the applications registered with the applicable IAM user or AWS account. See also: AWS API Documentation :example: response = client.list_applications( nextToken='string' ) :type nextToken: string :param nextToken: An identifier returned from the previous list applications call. It can be used to return the next set of applications in the list. :rtype: dict :return: { 'applications': [ 'string', ], 'nextToken': 'string' } """ pass def list_deployment_configs(nextToken=None): """ Lists the deployment configurations with the applicable IAM user or AWS account. See also: AWS API Documentation :example: response = client.list_deployment_configs( nextToken='string' ) :type nextToken: string :param nextToken: An identifier returned from the previous list deployment configurations call. It can be used to return the next set of deployment configurations in the list. :rtype: dict :return: { 'deploymentConfigsList': [ 'string', ], 'nextToken': 'string' } """ pass def list_deployment_groups(applicationName=None, nextToken=None): """ Lists the deployment groups for an application registered with the applicable IAM user or AWS account. See also: AWS API Documentation :example: response = client.list_deployment_groups( applicationName='string', nextToken='string' ) :type applicationName: string :param applicationName: [REQUIRED] The name of an AWS CodeDeploy application associated with the applicable IAM user or AWS account. :type nextToken: string :param nextToken: An identifier returned from the previous list deployment groups call. It can be used to return the next set of deployment groups in the list. :rtype: dict :return: { 'applicationName': 'string', 'deploymentGroups': [ 'string', ], 'nextToken': 'string' } :returns: (string) -- """ pass def list_deployment_instances(deploymentId=None, nextToken=None, instanceStatusFilter=None, instanceTypeFilter=None): """ Lists the instance for a deployment associated with the applicable IAM user or AWS account. See also: AWS API Documentation :example: response = client.list_deployment_instances( deploymentId='string', nextToken='string', instanceStatusFilter=[ 'Pending'|'InProgress'|'Succeeded'|'Failed'|'Skipped'|'Unknown'|'Ready', ], instanceTypeFilter=[ 'Blue'|'Green', ] ) :type deploymentId: string :param deploymentId: [REQUIRED] The unique ID of a deployment. :type nextToken: string :param nextToken: An identifier returned from the previous list deployment instances call. It can be used to return the next set of deployment instances in the list. :type instanceStatusFilter: list :param instanceStatusFilter: A subset of instances to list by status: Pending: Include those instance with pending deployments. InProgress: Include those instance where deployments are still in progress. Succeeded: Include those instances with successful deployments. Failed: Include those instance with failed deployments. Skipped: Include those instance with skipped deployments. Unknown: Include those instance with deployments in an unknown state. (string) -- :type instanceTypeFilter: list :param instanceTypeFilter: The set of instances in a blue/green deployment, either those in the original environment ('BLUE') or those in the replacement environment ('GREEN'), for which you want to view instance information. (string) -- :rtype: dict :return: { 'instancesList': [ 'string', ], 'nextToken': 'string' } :returns: (string) -- """ pass def list_deployments(applicationName=None, deploymentGroupName=None, includeOnlyStatuses=None, createTimeRange=None, nextToken=None): """ Lists the deployments in a deployment group for an application registered with the applicable IAM user or AWS account. See also: AWS API Documentation :example: response = client.list_deployments( applicationName='string', deploymentGroupName='string', includeOnlyStatuses=[ 'Created'|'Queued'|'InProgress'|'Succeeded'|'Failed'|'Stopped'|'Ready', ], createTimeRange={ 'start': datetime(2015, 1, 1), 'end': datetime(2015, 1, 1) }, nextToken='string' ) :type applicationName: string :param applicationName: The name of an AWS CodeDeploy application associated with the applicable IAM user or AWS account. :type deploymentGroupName: string :param deploymentGroupName: The name of an existing deployment group for the specified application. :type includeOnlyStatuses: list :param includeOnlyStatuses: A subset of deployments to list by status: Created: Include created deployments in the resulting list. Queued: Include queued deployments in the resulting list. In Progress: Include in-progress deployments in the resulting list. Succeeded: Include successful deployments in the resulting list. Failed: Include failed deployments in the resulting list. Stopped: Include stopped deployments in the resulting list. (string) -- :type createTimeRange: dict :param createTimeRange: A time range (start and end) for returning a subset of the list of deployments. start (datetime) --The start time of the time range. Note Specify null to leave the start time open-ended. end (datetime) --The end time of the time range. Note Specify null to leave the end time open-ended. :type nextToken: string :param nextToken: An identifier returned from the previous list deployments call. It can be used to return the next set of deployments in the list. :rtype: dict :return: { 'deployments': [ 'string', ], 'nextToken': 'string' } :returns: (string) -- """ pass def list_git_hub_account_token_names(nextToken=None): """ Lists the names of stored connections to GitHub accounts. See also: AWS API Documentation :example: response = client.list_git_hub_account_token_names( nextToken='string' ) :type nextToken: string :param nextToken: An identifier returned from the previous ListGitHubAccountTokenNames call. It can be used to return the next set of names in the list. :rtype: dict :return: { 'tokenNameList': [ 'string', ], 'nextToken': 'string' } """ pass def list_on_premises_instances(registrationStatus=None, tagFilters=None, nextToken=None): """ Gets a list of names for one or more on-premises instances. Unless otherwise specified, both registered and deregistered on-premises instance names will be listed. To list only registered or deregistered on-premises instance names, use the registration status parameter. See also: AWS API Documentation :example: response = client.list_on_premises_instances( registrationStatus='Registered'|'Deregistered', tagFilters=[ { 'Key': 'string', 'Value': 'string', 'Type': 'KEY_ONLY'|'VALUE_ONLY'|'KEY_AND_VALUE' }, ], nextToken='string' ) :type registrationStatus: string :param registrationStatus: The registration status of the on-premises instances: Deregistered: Include deregistered on-premises instances in the resulting list. Registered: Include registered on-premises instances in the resulting list. :type tagFilters: list :param tagFilters: The on-premises instance tags that will be used to restrict the corresponding on-premises instance names returned. (dict) --Information about an on-premises instance tag filter. Key (string) --The on-premises instance tag filter key. Value (string) --The on-premises instance tag filter value. Type (string) --The on-premises instance tag filter type: KEY_ONLY: Key only. VALUE_ONLY: Value only. KEY_AND_VALUE: Key and value. :type nextToken: string :param nextToken: An identifier returned from the previous list on-premises instances call. It can be used to return the next set of on-premises instances in the list. :rtype: dict :return: { 'instanceNames': [ 'string', ], 'nextToken': 'string' } :returns: (string) -- """ pass def register_application_revision(applicationName=None, description=None, revision=None): """ Registers with AWS CodeDeploy a revision for the specified application. See also: AWS API Documentation :example: response = client.register_application_revision( applicationName='string', description='string', revision={ 'revisionType': 'S3'|'GitHub', 's3Location': { 'bucket': 'string', 'key': 'string', 'bundleType': 'tar'|'tgz'|'zip', 'version': 'string', 'eTag': 'string' }, 'gitHubLocation': { 'repository': 'string', 'commitId': 'string' } } ) :type applicationName: string :param applicationName: [REQUIRED] The name of an AWS CodeDeploy application associated with the applicable IAM user or AWS account. :type description: string :param description: A comment about the revision. :type revision: dict :param revision: [REQUIRED] Information about the application revision to register, including type and location. revisionType (string) --The type of application revision: S3: An application revision stored in Amazon S3. GitHub: An application revision stored in GitHub. s3Location (dict) --Information about the location of application artifacts stored in Amazon S3. bucket (string) --The name of the Amazon S3 bucket where the application revision is stored. key (string) --The name of the Amazon S3 object that represents the bundled artifacts for the application revision. bundleType (string) --The file type of the application revision. Must be one of the following: tar: A tar archive file. tgz: A compressed tar archive file. zip: A zip archive file. version (string) --A specific version of the Amazon S3 object that represents the bundled artifacts for the application revision. If the version is not specified, the system will use the most recent version by default. eTag (string) --The ETag of the Amazon S3 object that represents the bundled artifacts for the application revision. If the ETag is not specified as an input parameter, ETag validation of the object will be skipped. gitHubLocation (dict) --Information about the location of application artifacts stored in GitHub. repository (string) --The GitHub account and repository pair that stores a reference to the commit that represents the bundled artifacts for the application revision. Specified as account/repository. commitId (string) --The SHA1 commit ID of the GitHub commit that represents the bundled artifacts for the application revision. """ pass def register_on_premises_instance(instanceName=None, iamSessionArn=None, iamUserArn=None): """ Registers an on-premises instance. See also: AWS API Documentation :example: response = client.register_on_premises_instance( instanceName='string', iamSessionArn='string', iamUserArn='string' ) :type instanceName: string :param instanceName: [REQUIRED] The name of the on-premises instance to register. :type iamSessionArn: string :param iamSessionArn: The ARN of the IAM session to associate with the on-premises instance. :type iamUserArn: string :param iamUserArn: The ARN of the IAM user to associate with the on-premises instance. """ pass def remove_tags_from_on_premises_instances(tags=None, instanceNames=None): """ Removes one or more tags from one or more on-premises instances. See also: AWS API Documentation :example: response = client.remove_tags_from_on_premises_instances( tags=[ { 'Key': 'string', 'Value': 'string' }, ], instanceNames=[ 'string', ] ) :type tags: list :param tags: [REQUIRED] The tag key-value pairs to remove from the on-premises instances. (dict) --Information about a tag. Key (string) --The tag's key. Value (string) --The tag's value. :type instanceNames: list :param instanceNames: [REQUIRED] The names of the on-premises instances from which to remove tags. (string) -- """ pass def skip_wait_time_for_instance_termination(deploymentId=None): """ In a blue/green deployment, overrides any specified wait time and starts terminating instances immediately after the traffic routing is completed. See also: AWS API Documentation :example: response = client.skip_wait_time_for_instance_termination( deploymentId='string' ) :type deploymentId: string :param deploymentId: The ID of the blue/green deployment for which you want to skip the instance termination wait time. """ pass def stop_deployment(deploymentId=None, autoRollbackEnabled=None): """ Attempts to stop an ongoing deployment. See also: AWS API Documentation :example: response = client.stop_deployment( deploymentId='string', autoRollbackEnabled=True|False ) :type deploymentId: string :param deploymentId: [REQUIRED] The unique ID of a deployment. :type autoRollbackEnabled: boolean :param autoRollbackEnabled: Indicates, when a deployment is stopped, whether instances that have been updated should be rolled back to the previous version of the application revision. :rtype: dict :return: { 'status': 'Pending'|'Succeeded', 'statusMessage': 'string' } :returns: Pending: The stop operation is pending. Succeeded: The stop operation was successful. """ pass def update_application(applicationName=None, newApplicationName=None): """ Changes the name of an application. See also: AWS API Documentation :example: response = client.update_application( applicationName='string', newApplicationName='string' ) :type applicationName: string :param applicationName: The current name of the application you want to change. :type newApplicationName: string :param newApplicationName: The new name to give the application. """ pass def update_deployment_group(applicationName=None, currentDeploymentGroupName=None, newDeploymentGroupName=None, deploymentConfigName=None, ec2TagFilters=None, onPremisesInstanceTagFilters=None, autoScalingGroups=None, serviceRoleArn=None, triggerConfigurations=None, alarmConfiguration=None, autoRollbackConfiguration=None, deploymentStyle=None, blueGreenDeploymentConfiguration=None, loadBalancerInfo=None): """ Changes information about a deployment group. See also: AWS API Documentation :example: response = client.update_deployment_group( applicationName='string', currentDeploymentGroupName='string', newDeploymentGroupName='string', deploymentConfigName='string', ec2TagFilters=[ { 'Key': 'string', 'Value': 'string', 'Type': 'KEY_ONLY'|'VALUE_ONLY'|'KEY_AND_VALUE' }, ], onPremisesInstanceTagFilters=[ { 'Key': 'string', 'Value': 'string', 'Type': 'KEY_ONLY'|'VALUE_ONLY'|'KEY_AND_VALUE' }, ], autoScalingGroups=[ 'string', ], serviceRoleArn='string', triggerConfigurations=[ { 'triggerName': 'string', 'triggerTargetArn': 'string', 'triggerEvents': [ 'DeploymentStart'|'DeploymentSuccess'|'DeploymentFailure'|'DeploymentStop'|'DeploymentRollback'|'DeploymentReady'|'InstanceStart'|'InstanceSuccess'|'InstanceFailure'|'InstanceReady', ] }, ], alarmConfiguration={ 'enabled': True|False, 'ignorePollAlarmFailure': True|False, 'alarms': [ { 'name': 'string' }, ] }, autoRollbackConfiguration={ 'enabled': True|False, 'events': [ 'DEPLOYMENT_FAILURE'|'DEPLOYMENT_STOP_ON_ALARM'|'DEPLOYMENT_STOP_ON_REQUEST', ] }, deploymentStyle={ 'deploymentType': 'IN_PLACE'|'BLUE_GREEN', 'deploymentOption': 'WITH_TRAFFIC_CONTROL'|'WITHOUT_TRAFFIC_CONTROL' }, blueGreenDeploymentConfiguration={ 'terminateBlueInstancesOnDeploymentSuccess': { 'action': 'TERMINATE'|'KEEP_ALIVE', 'terminationWaitTimeInMinutes': 123 }, 'deploymentReadyOption': { 'actionOnTimeout': 'CONTINUE_DEPLOYMENT'|'STOP_DEPLOYMENT', 'waitTimeInMinutes': 123 }, 'greenFleetProvisioningOption': { 'action': 'DISCOVER_EXISTING'|'COPY_AUTO_SCALING_GROUP' } }, loadBalancerInfo={ 'elbInfoList': [ { 'name': 'string' }, ] } ) :type applicationName: string :param applicationName: [REQUIRED] The application name corresponding to the deployment group to update. :type currentDeploymentGroupName: string :param currentDeploymentGroupName: [REQUIRED] The current name of the deployment group. :type newDeploymentGroupName: string :param newDeploymentGroupName: The new name of the deployment group, if you want to change it. :type deploymentConfigName: string :param deploymentConfigName: The replacement deployment configuration name to use, if you want to change it. :type ec2TagFilters: list :param ec2TagFilters: The replacement set of Amazon EC2 tags on which to filter, if you want to change them. To keep the existing tags, enter their names. To remove tags, do not enter any tag names. (dict) --Information about an EC2 tag filter. Key (string) --The tag filter key. Value (string) --The tag filter value. Type (string) --The tag filter type: KEY_ONLY: Key only. VALUE_ONLY: Value only. KEY_AND_VALUE: Key and value. :type onPremisesInstanceTagFilters: list :param onPremisesInstanceTagFilters: The replacement set of on-premises instance tags on which to filter, if you want to change them. To keep the existing tags, enter their names. To remove tags, do not enter any tag names. (dict) --Information about an on-premises instance tag filter. Key (string) --The on-premises instance tag filter key. Value (string) --The on-premises instance tag filter value. Type (string) --The on-premises instance tag filter type: KEY_ONLY: Key only. VALUE_ONLY: Value only. KEY_AND_VALUE: Key and value. :type autoScalingGroups: list :param autoScalingGroups: The replacement list of Auto Scaling groups to be included in the deployment group, if you want to change them. To keep the Auto Scaling groups, enter their names. To remove Auto Scaling groups, do not enter any Auto Scaling group names. (string) -- :type serviceRoleArn: string :param serviceRoleArn: A replacement ARN for the service role, if you want to change it. :type triggerConfigurations: list :param triggerConfigurations: Information about triggers to change when the deployment group is updated. For examples, see Modify Triggers in an AWS CodeDeploy Deployment Group in the AWS CodeDeploy User Guide. (dict) --Information about notification triggers for the deployment group. triggerName (string) --The name of the notification trigger. triggerTargetArn (string) --The ARN of the Amazon Simple Notification Service topic through which notifications about deployment or instance events are sent. triggerEvents (list) --The event type or types for which notifications are triggered. (string) -- :type alarmConfiguration: dict :param alarmConfiguration: Information to add or change about Amazon CloudWatch alarms when the deployment group is updated. enabled (boolean) --Indicates whether the alarm configuration is enabled. ignorePollAlarmFailure (boolean) --Indicates whether a deployment should continue if information about the current state of alarms cannot be retrieved from Amazon CloudWatch. The default value is false. true: The deployment will proceed even if alarm status information can't be retrieved from Amazon CloudWatch. false: The deployment will stop if alarm status information can't be retrieved from Amazon CloudWatch. alarms (list) --A list of alarms configured for the deployment group. A maximum of 10 alarms can be added to a deployment group. (dict) --Information about an alarm. name (string) --The name of the alarm. Maximum length is 255 characters. Each alarm name can be used only once in a list of alarms. :type autoRollbackConfiguration: dict :param autoRollbackConfiguration: Information for an automatic rollback configuration that is added or changed when a deployment group is updated. enabled (boolean) --Indicates whether a defined automatic rollback configuration is currently enabled. events (list) --The event type or types that trigger a rollback. (string) -- :type deploymentStyle: dict :param deploymentStyle: Information about the type of deployment, either in-place or blue/green, you want to run and whether to route deployment traffic behind a load balancer. deploymentType (string) --Indicates whether to run an in-place deployment or a blue/green deployment. deploymentOption (string) --Indicates whether to route deployment traffic behind a load balancer. :type blueGreenDeploymentConfiguration: dict :param blueGreenDeploymentConfiguration: Information about blue/green deployment options for a deployment group. terminateBlueInstancesOnDeploymentSuccess (dict) --Information about whether to terminate instances in the original fleet during a blue/green deployment. action (string) --The action to take on instances in the original environment after a successful blue/green deployment. TERMINATE: Instances are terminated after a specified wait time. KEEP_ALIVE: Instances are left running after they are deregistered from the load balancer and removed from the deployment group. terminationWaitTimeInMinutes (integer) --The number of minutes to wait after a successful blue/green deployment before terminating instances from the original environment. deploymentReadyOption (dict) --Information about the action to take when newly provisioned instances are ready to receive traffic in a blue/green deployment. actionOnTimeout (string) --Information about when to reroute traffic from an original environment to a replacement environment in a blue/green deployment. CONTINUE_DEPLOYMENT: Register new instances with the load balancer immediately after the new application revision is installed on the instances in the replacement environment. STOP_DEPLOYMENT: Do not register new instances with load balancer unless traffic is rerouted manually. If traffic is not rerouted manually before the end of the specified wait period, the deployment status is changed to Stopped. waitTimeInMinutes (integer) --The number of minutes to wait before the status of a blue/green deployment changed to Stopped if rerouting is not started manually. Applies only to the STOP_DEPLOYMENT option for actionOnTimeout greenFleetProvisioningOption (dict) --Information about how instances are provisioned for a replacement environment in a blue/green deployment. action (string) --The method used to add instances to a replacement environment. DISCOVER_EXISTING: Use instances that already exist or will be created manually. COPY_AUTO_SCALING_GROUP: Use settings from a specified Auto Scaling group to define and create instances in a new Auto Scaling group. :type loadBalancerInfo: dict :param loadBalancerInfo: Information about the load balancer used in a deployment. elbInfoList (list) --An array containing information about the load balancer in Elastic Load Balancing to use in a deployment. (dict) --Information about a load balancer in Elastic Load Balancing to use in a deployment. name (string) --For blue/green deployments, the name of the load balancer that will be used to route traffic from original instances to replacement instances in a blue/green deployment. For in-place deployments, the name of the load balancer that instances are deregistered from so they are not serving traffic during a deployment, and then re-registered with after the deployment completes. :rtype: dict :return: { 'hooksNotCleanedUp': [ { 'name': 'string', 'hook': 'string' }, ] } """ pass
# Copyright 2019 Google LLC # # 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. """Create configuration to deploy GKE cluster.""" def GenerateConfig(context): """Generate YAML resource configuration.""" name_prefix = context.env['deployment'] + '-' + context.env['name'] cluster_name = name_prefix regular_type_name = name_prefix + '-type' service_type_name = name_prefix + '-service-type' resources = [{ 'name': cluster_name, 'type': 'gcp-types/container-v1beta1:projects.zones.clusters', 'properties': { 'zone': context.properties['zone'], 'cluster': { 'name': cluster_name, 'network': context.properties['network'], 'subnetwork': context.properties['subnetwork'], 'nodePools': [{ 'name': 'default-pool', 'config': { 'machineType': context.properties['machineType'], 'oauthScopes': [ 'https://www.googleapis.com/auth/' + s for s in [ 'compute', 'devstorage.read_only', 'logging.write', 'monitoring' ] ], }, 'initialNodeCount': context.properties['initialNodeCount'], 'management': { 'autoUpgrade': True, 'autoRepair': True }, }], 'privateClusterConfig': { 'enablePrivateNodes': True, 'masterIpv4CidrBlock': '172.16.0.0/28' }, 'shieldedNodes': { 'enabled': True }, 'ipAllocationPolicy': { 'useIpAliases': True }, 'releaseChannel': { 'channel': 'REGULAR' }, }, } }] resources.append({ 'name': name_prefix + '-cloud-router', 'type': 'compute.v1.routers', 'properties': { 'region': context.properties['zone'][:-2], 'network': 'global/networks/' + context.properties['network'], 'nats': [{ 'name': name_prefix + '-nat-config', 'natIpAllocateOption': 'AUTO_ONLY', 'sourceSubnetworkIpRangesToNat': 'ALL_SUBNETWORKS_ALL_IP_RANGES', 'logConfig': { 'enable': True }, }] } }) k8s_resource_types = [] k8s_resource_types.append(service_type_name) resources.append({ 'name': service_type_name, 'type': 'deploymentmanager.v2beta.typeProvider', 'properties': { 'options': { 'validationOptions': { # Kubernetes API accepts ints, in fields they annotate # with string. This validation will show as warning # rather than failure for Deployment Manager. # https://github.com/kubernetes/kubernetes/issues/2971 'schemaValidation': 'IGNORE_WITH_WARNINGS' }, # According to kubernetes spec, the path parameter 'name' # should be the value inside the metadata field # https://github.com/kubernetes/community/blob/master # /contributors/devel/api-conventions.md # This mapping specifies that 'inputMappings': [{ 'fieldName': 'name', 'location': 'PATH', 'methodMatch': '^(GET|DELETE|PUT)$', 'value': '$.ifNull(' '$.resource.properties.metadata.name, ' '$.resource.name)' }, { 'fieldName': 'metadata.name', 'location': 'BODY', 'methodMatch': '^(PUT|POST)$', 'value': '$.ifNull(' '$.resource.properties.metadata.name, ' '$.resource.name)' }, { 'fieldName': 'Authorization', 'location': 'HEADER', 'value': '$.concat("Bearer ",' '$.googleOauth2AccessToken())' }, { 'fieldName': 'spec.clusterIP', 'location': 'BODY', 'methodMatch': '^(PUT)$', 'value': '$.resource.self.spec.clusterIP' }, { 'fieldName': 'metadata.resourceVersion', 'location': 'BODY', 'methodMatch': '^(PUT)$', 'value': '$.resource.self.metadata.resourceVersion' }, { 'fieldName': 'spec.ports', 'location': 'BODY', 'methodMatch': '^(PUT)$', 'value': '$.resource.self.spec.ports' }] }, 'descriptorUrl': ''.join(['https://$(ref.', cluster_name, '.endpoint)/openapi/v2']) } }) k8s_resource_types.append(regular_type_name) resources.append({ 'name': regular_type_name, 'type': 'deploymentmanager.v2beta.typeProvider', 'properties': { 'options': { 'validationOptions': { # Kubernetes API accepts ints, in fields they annotate # with string. This validation will show as warning # rather than failure for Deployment Manager. # https://github.com/kubernetes/kubernetes/issues/2971 'schemaValidation': 'IGNORE_WITH_WARNINGS' }, # According to kubernetes spec, the path parameter 'name' # should be the value inside the metadata field # https://github.com/kubernetes/community/blob/master # /contributors/devel/api-conventions.md # This mapping specifies that 'inputMappings': [{ 'fieldName': 'name', 'location': 'PATH', 'methodMatch': '^(GET|DELETE|PUT)$', 'value': '$.ifNull(' '$.resource.properties.metadata.name, ' '$.resource.name)' }, { 'fieldName': 'metadata.name', 'location': 'BODY', 'methodMatch': '^(PUT|POST)$', 'value': '$.ifNull(' '$.resource.properties.metadata.name, ' '$.resource.name)' }, { 'fieldName': 'Authorization', 'location': 'HEADER', 'value': '$.concat("Bearer ",' '$.googleOauth2AccessToken())' }] }, 'descriptorUrl': ''.join(['https://$(ref.', cluster_name, '.endpoint)/openapi/v2']) } }) cluster_regular_type_root = ''.join( [context.env['project'], '/', regular_type_name]) cluster_service_type_root = ''.join( [context.env['project'], '/', service_type_name]) cluster_types = { 'Service': ''.join([ cluster_service_type_root, ':', '/api/v1/namespaces/{namespace}/services/{name}' ]), 'ServiceAccount': ''.join([ cluster_regular_type_root, ':', '/api/v1/namespaces/{namespace}/serviceaccounts/{name}' ]), 'Deployment': ''.join([ cluster_regular_type_root, ':', '/apis/apps/v1/namespaces/{namespace}/deployments/{name}' ]), 'ClusterRole': ''.join([ cluster_regular_type_root, ':', '/apis/rbac.authorization.k8s.io/v1beta1/clusterroles/{name}' ]), 'ClusterRoleBinding': ''.join([ cluster_regular_type_root, ':', '/apis/rbac.authorization.k8s.io/v1beta1/clusterrolebindings/{name}' ]), 'Ingress': ''.join([ cluster_regular_type_root, ':', '/apis/extensions/v1beta1/namespaces/{namespace}/ingresses/{name}' ]), } resources.append({ 'name': name_prefix + '-rbac-admin-clusterrolebinding', 'type': cluster_types['ClusterRoleBinding'], 'metadata': { 'dependsOn': k8s_resource_types }, 'properties': { 'apiVersion': 'rbac.authorization.k8s.io/v1beta1', 'kind': 'ClusterRoleBinding', 'namespace': 'default', 'metadata': { 'name': 'rbac-cluster-admin', }, 'roleRef': { 'apiGroup': 'rbac.authorization.k8s.io', 'kind': 'ClusterRole', 'name': 'cluster-admin', }, 'subjects': [{ 'kind': 'User', 'name': context.properties['serviceAccountName'], 'apiGroup': 'rbac.authorization.k8s.io', }], } }) resources.extend([{ 'name': name_prefix + '-service', 'type': cluster_types['Service'], 'metadata': { 'dependsOn': [name_prefix + '-rbac-admin-clusterrolebinding'] }, 'properties': { 'apiVersion': 'v1', 'kind': 'Service', 'namespace': 'default', 'metadata': { 'name': 'ambassador-admin', 'labels': { 'service': 'ambassador-admin' } }, 'spec': { 'type': 'NodePort', 'ports': [{ 'name': 'ambassador-admin', 'port': 8877, 'targetPort': 8877, }], 'selector': { 'service': 'ambassador', } } } }, { 'name': name_prefix + '-clusterrole', 'type': cluster_types['ClusterRole'], 'metadata': { 'dependsOn': [name_prefix + '-rbac-admin-clusterrolebinding'] }, 'properties': { 'apiVersion': 'rbac.authorization.k8s.io/v1beta1', 'kind': 'ClusterRole', 'namespace': 'default', 'metadata': { 'name': 'ambassador', }, 'rules': [{ 'apiGroups': [''], 'resources': ['endpoints', 'namespaces', 'secrets', 'services'], 'verbs': ['get', 'list', 'watch'] }, { 'apiGroups': ['getambassador.io'], 'resources': ['*'], 'verbs': ['get', 'list', 'watch'] }, { 'apiGroups': ['apiextensions.k8s.io'], 'resources': ['customresourcedefinitions'], 'verbs': ['get', 'list', 'watch'] }, { 'apiGroups': ['networking.internal.knative.dev'], 'resources': ['ingresses/status', 'clusteringresses/status'], 'verbs': ['update'] }, { 'apiGroups': ['extensions'], 'resources': ['ingresses'], 'verbs': ['get', 'list', 'watch'] }, { 'apiGroups': ['extensions'], 'resources': ['ingresses/status'], 'verbs': ['update'] }] } }, { 'name': name_prefix + '-serviceaccount', 'type': cluster_types['ServiceAccount'], 'metadata': { 'dependsOn': [name_prefix + '-rbac-admin-clusterrolebinding'] }, 'properties': { 'apiVersion': 'v1', 'kind': 'ServiceAccount', 'namespace': 'default', 'metadata': { 'name': 'ambassador', }, } }, { 'name': name_prefix + '-clusterrolebinding', 'type': cluster_types['ClusterRoleBinding'], 'metadata': { 'dependsOn': [name_prefix + '-rbac-admin-clusterrolebinding'] }, 'properties': { 'apiVersion': 'rbac.authorization.k8s.io/v1beta1', 'kind': 'ClusterRoleBinding', 'namespace': 'default', 'metadata': { 'name': 'ambassador', }, 'roleRef': { 'apiGroup': 'rbac.authorization.k8s.io', 'kind': 'ClusterRole', 'name': 'ambassador', }, 'subjects': [{ 'kind': 'ServiceAccount', 'name': 'ambassador', 'namespace': 'default', }], } }, { 'name': name_prefix + '-deployment', 'type': cluster_types['Deployment'], 'metadata': { 'dependsOn': [name_prefix + '-rbac-admin-clusterrolebinding'] }, 'properties': { 'apiVersion': 'apps/v1', 'kind': 'Deployment', 'namespace': 'default', 'metadata': { 'name': 'ambassador' }, 'spec': { 'replicas': context.properties['replicas'], 'selector': { 'matchLabels': {'service': 'ambassador'} }, 'template': { 'metadata': { 'annotations': { 'sidecar.istio.io/inject': 'false', 'consul.hashicorp.com/connect-inject': 'false' }, 'labels': { 'service': 'ambassador' } }, 'spec': { 'affinity': { 'podAntiAffinity': { 'preferredDuringSchedulingIgnoredDuringExecution': [{'weight': 100, 'podAffinityTerm': {'labelSelector': {'matchLabels': {'service': 'ambassador'}}, 'topologyKey': 'kubernetes.io/hostname'} }] } }, 'serviceAccountName': 'ambassador', 'containers': [{ 'name': 'ambassador', 'image': 'quay.io/datawire/ambassador:' + context.properties['imageVersion'], 'resources': { 'limits': { 'cpu': '1', 'memory': '400Mi' }, 'requests': { 'cpu': '200m', 'memory': '100Mi' }, }, 'env': [{ 'name': 'AMBASSADOR_NAMESPACE', 'valueFrom': { 'fieldRef': { 'fieldPath': 'metadata.namespace' } }, }], 'ports': [ {'name': 'http', 'containerPort': 8080}, {'name': 'https', 'containerPort': 8443}, {'name': 'admin', 'containerPort': 8877} ], 'livenessProbe': { 'httpGet': { 'path': '/ambassador/v0/check_alive', 'port': 8080 }, 'initialDelaySeconds': 30, 'periodSeconds': 3, }, 'readinessProbe': { 'httpGet': { 'path': '/ambassador/v0/check_ready', 'port': 8080 }, 'initialDelaySeconds': 30, 'periodSeconds': 3, }, 'volumeMounts': [{ 'name': 'ambassador-pod-info', 'mountPath': '/tmp/ambassador-pod-info' }] }], 'volumes': [{ 'name': 'ambassador-pod-info', 'downwardAPI': { 'items': [{ 'path': 'labels', 'fieldRef': {'fieldPath': 'metadata.labels'} }] } }], 'restartPolicy': 'Always', 'securityContext': {'runAsUser': 8888} }, } } } }]) ambassador_config_template = ('---\n' 'apiVersion: ambassador/v1\n' 'kind: Mapping\n' 'name: {0}_mapping\n' 'prefix: /\n' 'host: {1}\n' 'service: https://{2}:443\n' 'host_rewrite: {2}\n' 'tls: True\n') # create services ingress_sepc_rules = [] for routing_obj in context.properties['routing']: ambassador_config = '' for mapping_obj in routing_obj['mapping']: ambassador_config = ambassador_config + ambassador_config_template.format( routing_obj['name'] + mapping_obj['name'], mapping_obj['source'], mapping_obj['destination']) ingress_sepc_rules.append({ 'host': mapping_obj['source'], 'http': { 'paths': [{ 'path': '/*', 'backend': { 'serviceName': routing_obj['name'], 'servicePort': 80, }, }], }, }) resources.append({ 'name': name_prefix + '-' + routing_obj['name'] + '-service', 'type': cluster_types['Service'], 'metadata': { 'dependsOn': [name_prefix + '-rbac-admin-clusterrolebinding'] }, 'properties': { 'apiVersion': 'v1', 'kind': 'Service', 'namespace': 'default', 'metadata': { 'name': routing_obj['name'], 'labels': { 'service': 'ambassador' }, 'annotations': { 'getambassador.io/config': ambassador_config, }, }, 'spec': { 'type': 'NodePort', 'ports': [{ 'name': routing_obj['name'] + '-http', 'port': 80, 'targetPort': 8080, }], 'selector': { 'service': 'ambassador', } } } }) resources.append({ 'name': name_prefix + '-ingress', 'type': cluster_types['Ingress'], 'metadata': { 'dependsOn': [name_prefix + '-rbac-admin-clusterrolebinding'] }, 'properties': { 'apiVersion': 'extensions/v1beta1', 'kind': 'Ingress', 'namespace': 'default', 'metadata': { 'name': name_prefix + '-ingress', 'annotations': { 'ingress.gcp.kubernetes.io/pre-shared-cert': ','.join(context.properties['tls']), }, }, 'spec': { 'rules': ingress_sepc_rules, } } }) return {'resources': resources}
"""Create configuration to deploy GKE cluster.""" def generate_config(context): """Generate YAML resource configuration.""" name_prefix = context.env['deployment'] + '-' + context.env['name'] cluster_name = name_prefix regular_type_name = name_prefix + '-type' service_type_name = name_prefix + '-service-type' resources = [{'name': cluster_name, 'type': 'gcp-types/container-v1beta1:projects.zones.clusters', 'properties': {'zone': context.properties['zone'], 'cluster': {'name': cluster_name, 'network': context.properties['network'], 'subnetwork': context.properties['subnetwork'], 'nodePools': [{'name': 'default-pool', 'config': {'machineType': context.properties['machineType'], 'oauthScopes': ['https://www.googleapis.com/auth/' + s for s in ['compute', 'devstorage.read_only', 'logging.write', 'monitoring']]}, 'initialNodeCount': context.properties['initialNodeCount'], 'management': {'autoUpgrade': True, 'autoRepair': True}}], 'privateClusterConfig': {'enablePrivateNodes': True, 'masterIpv4CidrBlock': '172.16.0.0/28'}, 'shieldedNodes': {'enabled': True}, 'ipAllocationPolicy': {'useIpAliases': True}, 'releaseChannel': {'channel': 'REGULAR'}}}}] resources.append({'name': name_prefix + '-cloud-router', 'type': 'compute.v1.routers', 'properties': {'region': context.properties['zone'][:-2], 'network': 'global/networks/' + context.properties['network'], 'nats': [{'name': name_prefix + '-nat-config', 'natIpAllocateOption': 'AUTO_ONLY', 'sourceSubnetworkIpRangesToNat': 'ALL_SUBNETWORKS_ALL_IP_RANGES', 'logConfig': {'enable': True}}]}}) k8s_resource_types = [] k8s_resource_types.append(service_type_name) resources.append({'name': service_type_name, 'type': 'deploymentmanager.v2beta.typeProvider', 'properties': {'options': {'validationOptions': {'schemaValidation': 'IGNORE_WITH_WARNINGS'}, 'inputMappings': [{'fieldName': 'name', 'location': 'PATH', 'methodMatch': '^(GET|DELETE|PUT)$', 'value': '$.ifNull($.resource.properties.metadata.name, $.resource.name)'}, {'fieldName': 'metadata.name', 'location': 'BODY', 'methodMatch': '^(PUT|POST)$', 'value': '$.ifNull($.resource.properties.metadata.name, $.resource.name)'}, {'fieldName': 'Authorization', 'location': 'HEADER', 'value': '$.concat("Bearer ",$.googleOauth2AccessToken())'}, {'fieldName': 'spec.clusterIP', 'location': 'BODY', 'methodMatch': '^(PUT)$', 'value': '$.resource.self.spec.clusterIP'}, {'fieldName': 'metadata.resourceVersion', 'location': 'BODY', 'methodMatch': '^(PUT)$', 'value': '$.resource.self.metadata.resourceVersion'}, {'fieldName': 'spec.ports', 'location': 'BODY', 'methodMatch': '^(PUT)$', 'value': '$.resource.self.spec.ports'}]}, 'descriptorUrl': ''.join(['https://$(ref.', cluster_name, '.endpoint)/openapi/v2'])}}) k8s_resource_types.append(regular_type_name) resources.append({'name': regular_type_name, 'type': 'deploymentmanager.v2beta.typeProvider', 'properties': {'options': {'validationOptions': {'schemaValidation': 'IGNORE_WITH_WARNINGS'}, 'inputMappings': [{'fieldName': 'name', 'location': 'PATH', 'methodMatch': '^(GET|DELETE|PUT)$', 'value': '$.ifNull($.resource.properties.metadata.name, $.resource.name)'}, {'fieldName': 'metadata.name', 'location': 'BODY', 'methodMatch': '^(PUT|POST)$', 'value': '$.ifNull($.resource.properties.metadata.name, $.resource.name)'}, {'fieldName': 'Authorization', 'location': 'HEADER', 'value': '$.concat("Bearer ",$.googleOauth2AccessToken())'}]}, 'descriptorUrl': ''.join(['https://$(ref.', cluster_name, '.endpoint)/openapi/v2'])}}) cluster_regular_type_root = ''.join([context.env['project'], '/', regular_type_name]) cluster_service_type_root = ''.join([context.env['project'], '/', service_type_name]) cluster_types = {'Service': ''.join([cluster_service_type_root, ':', '/api/v1/namespaces/{namespace}/services/{name}']), 'ServiceAccount': ''.join([cluster_regular_type_root, ':', '/api/v1/namespaces/{namespace}/serviceaccounts/{name}']), 'Deployment': ''.join([cluster_regular_type_root, ':', '/apis/apps/v1/namespaces/{namespace}/deployments/{name}']), 'ClusterRole': ''.join([cluster_regular_type_root, ':', '/apis/rbac.authorization.k8s.io/v1beta1/clusterroles/{name}']), 'ClusterRoleBinding': ''.join([cluster_regular_type_root, ':', '/apis/rbac.authorization.k8s.io/v1beta1/clusterrolebindings/{name}']), 'Ingress': ''.join([cluster_regular_type_root, ':', '/apis/extensions/v1beta1/namespaces/{namespace}/ingresses/{name}'])} resources.append({'name': name_prefix + '-rbac-admin-clusterrolebinding', 'type': cluster_types['ClusterRoleBinding'], 'metadata': {'dependsOn': k8s_resource_types}, 'properties': {'apiVersion': 'rbac.authorization.k8s.io/v1beta1', 'kind': 'ClusterRoleBinding', 'namespace': 'default', 'metadata': {'name': 'rbac-cluster-admin'}, 'roleRef': {'apiGroup': 'rbac.authorization.k8s.io', 'kind': 'ClusterRole', 'name': 'cluster-admin'}, 'subjects': [{'kind': 'User', 'name': context.properties['serviceAccountName'], 'apiGroup': 'rbac.authorization.k8s.io'}]}}) resources.extend([{'name': name_prefix + '-service', 'type': cluster_types['Service'], 'metadata': {'dependsOn': [name_prefix + '-rbac-admin-clusterrolebinding']}, 'properties': {'apiVersion': 'v1', 'kind': 'Service', 'namespace': 'default', 'metadata': {'name': 'ambassador-admin', 'labels': {'service': 'ambassador-admin'}}, 'spec': {'type': 'NodePort', 'ports': [{'name': 'ambassador-admin', 'port': 8877, 'targetPort': 8877}], 'selector': {'service': 'ambassador'}}}}, {'name': name_prefix + '-clusterrole', 'type': cluster_types['ClusterRole'], 'metadata': {'dependsOn': [name_prefix + '-rbac-admin-clusterrolebinding']}, 'properties': {'apiVersion': 'rbac.authorization.k8s.io/v1beta1', 'kind': 'ClusterRole', 'namespace': 'default', 'metadata': {'name': 'ambassador'}, 'rules': [{'apiGroups': [''], 'resources': ['endpoints', 'namespaces', 'secrets', 'services'], 'verbs': ['get', 'list', 'watch']}, {'apiGroups': ['getambassador.io'], 'resources': ['*'], 'verbs': ['get', 'list', 'watch']}, {'apiGroups': ['apiextensions.k8s.io'], 'resources': ['customresourcedefinitions'], 'verbs': ['get', 'list', 'watch']}, {'apiGroups': ['networking.internal.knative.dev'], 'resources': ['ingresses/status', 'clusteringresses/status'], 'verbs': ['update']}, {'apiGroups': ['extensions'], 'resources': ['ingresses'], 'verbs': ['get', 'list', 'watch']}, {'apiGroups': ['extensions'], 'resources': ['ingresses/status'], 'verbs': ['update']}]}}, {'name': name_prefix + '-serviceaccount', 'type': cluster_types['ServiceAccount'], 'metadata': {'dependsOn': [name_prefix + '-rbac-admin-clusterrolebinding']}, 'properties': {'apiVersion': 'v1', 'kind': 'ServiceAccount', 'namespace': 'default', 'metadata': {'name': 'ambassador'}}}, {'name': name_prefix + '-clusterrolebinding', 'type': cluster_types['ClusterRoleBinding'], 'metadata': {'dependsOn': [name_prefix + '-rbac-admin-clusterrolebinding']}, 'properties': {'apiVersion': 'rbac.authorization.k8s.io/v1beta1', 'kind': 'ClusterRoleBinding', 'namespace': 'default', 'metadata': {'name': 'ambassador'}, 'roleRef': {'apiGroup': 'rbac.authorization.k8s.io', 'kind': 'ClusterRole', 'name': 'ambassador'}, 'subjects': [{'kind': 'ServiceAccount', 'name': 'ambassador', 'namespace': 'default'}]}}, {'name': name_prefix + '-deployment', 'type': cluster_types['Deployment'], 'metadata': {'dependsOn': [name_prefix + '-rbac-admin-clusterrolebinding']}, 'properties': {'apiVersion': 'apps/v1', 'kind': 'Deployment', 'namespace': 'default', 'metadata': {'name': 'ambassador'}, 'spec': {'replicas': context.properties['replicas'], 'selector': {'matchLabels': {'service': 'ambassador'}}, 'template': {'metadata': {'annotations': {'sidecar.istio.io/inject': 'false', 'consul.hashicorp.com/connect-inject': 'false'}, 'labels': {'service': 'ambassador'}}, 'spec': {'affinity': {'podAntiAffinity': {'preferredDuringSchedulingIgnoredDuringExecution': [{'weight': 100, 'podAffinityTerm': {'labelSelector': {'matchLabels': {'service': 'ambassador'}}, 'topologyKey': 'kubernetes.io/hostname'}}]}}, 'serviceAccountName': 'ambassador', 'containers': [{'name': 'ambassador', 'image': 'quay.io/datawire/ambassador:' + context.properties['imageVersion'], 'resources': {'limits': {'cpu': '1', 'memory': '400Mi'}, 'requests': {'cpu': '200m', 'memory': '100Mi'}}, 'env': [{'name': 'AMBASSADOR_NAMESPACE', 'valueFrom': {'fieldRef': {'fieldPath': 'metadata.namespace'}}}], 'ports': [{'name': 'http', 'containerPort': 8080}, {'name': 'https', 'containerPort': 8443}, {'name': 'admin', 'containerPort': 8877}], 'livenessProbe': {'httpGet': {'path': '/ambassador/v0/check_alive', 'port': 8080}, 'initialDelaySeconds': 30, 'periodSeconds': 3}, 'readinessProbe': {'httpGet': {'path': '/ambassador/v0/check_ready', 'port': 8080}, 'initialDelaySeconds': 30, 'periodSeconds': 3}, 'volumeMounts': [{'name': 'ambassador-pod-info', 'mountPath': '/tmp/ambassador-pod-info'}]}], 'volumes': [{'name': 'ambassador-pod-info', 'downwardAPI': {'items': [{'path': 'labels', 'fieldRef': {'fieldPath': 'metadata.labels'}}]}}], 'restartPolicy': 'Always', 'securityContext': {'runAsUser': 8888}}}}}}]) ambassador_config_template = '---\napiVersion: ambassador/v1\nkind: Mapping\nname: {0}_mapping\nprefix: /\nhost: {1}\nservice: https://{2}:443\nhost_rewrite: {2}\ntls: True\n' ingress_sepc_rules = [] for routing_obj in context.properties['routing']: ambassador_config = '' for mapping_obj in routing_obj['mapping']: ambassador_config = ambassador_config + ambassador_config_template.format(routing_obj['name'] + mapping_obj['name'], mapping_obj['source'], mapping_obj['destination']) ingress_sepc_rules.append({'host': mapping_obj['source'], 'http': {'paths': [{'path': '/*', 'backend': {'serviceName': routing_obj['name'], 'servicePort': 80}}]}}) resources.append({'name': name_prefix + '-' + routing_obj['name'] + '-service', 'type': cluster_types['Service'], 'metadata': {'dependsOn': [name_prefix + '-rbac-admin-clusterrolebinding']}, 'properties': {'apiVersion': 'v1', 'kind': 'Service', 'namespace': 'default', 'metadata': {'name': routing_obj['name'], 'labels': {'service': 'ambassador'}, 'annotations': {'getambassador.io/config': ambassador_config}}, 'spec': {'type': 'NodePort', 'ports': [{'name': routing_obj['name'] + '-http', 'port': 80, 'targetPort': 8080}], 'selector': {'service': 'ambassador'}}}}) resources.append({'name': name_prefix + '-ingress', 'type': cluster_types['Ingress'], 'metadata': {'dependsOn': [name_prefix + '-rbac-admin-clusterrolebinding']}, 'properties': {'apiVersion': 'extensions/v1beta1', 'kind': 'Ingress', 'namespace': 'default', 'metadata': {'name': name_prefix + '-ingress', 'annotations': {'ingress.gcp.kubernetes.io/pre-shared-cert': ','.join(context.properties['tls'])}}, 'spec': {'rules': ingress_sepc_rules}}}) return {'resources': resources}
# V0 # V1 # https://blog.csdn.net/fuxuemingzhu/article/details/86563872 # https://blog.csdn.net/danspace1/article/details/88737508 # IDEA : # TOTAL MOVES = abs(coins left need) + abs(coins right need) # Definition for a binary tree node. # class TreeNode(object): # def __init__(self, x): # self.val = x # self.left = None # self.right = None class Solution(object): def distributeCoins(self, root): """ :type root: TreeNode :rtype: int """ self.ans = 0 def dfs(root): # return the balance of the node if not root: return 0 left = dfs(root.left) right = dfs(root.right) self.ans += abs(left) + abs(right) return root.val -1 + left + right dfs(root) return self.ans # V2 # Time: O(n) # Space: O(h) # Definition for a binary tree node. class TreeNode(object): def __init__(self, x): self.val = x self.left = None self.right = None class Solution(object): def distributeCoins(self, root): """ :type root: TreeNode :rtype: int """ def dfs(root, result): if not root: return 0 left, right = dfs(root.left, result), dfs(root.right, result) result[0] += abs(left) + abs(right) return root.val + left + right - 1 result = [0] dfs(root, result) return result[0]
class Solution(object): def distribute_coins(self, root): """ :type root: TreeNode :rtype: int """ self.ans = 0 def dfs(root): if not root: return 0 left = dfs(root.left) right = dfs(root.right) self.ans += abs(left) + abs(right) return root.val - 1 + left + right dfs(root) return self.ans class Treenode(object): def __init__(self, x): self.val = x self.left = None self.right = None class Solution(object): def distribute_coins(self, root): """ :type root: TreeNode :rtype: int """ def dfs(root, result): if not root: return 0 (left, right) = (dfs(root.left, result), dfs(root.right, result)) result[0] += abs(left) + abs(right) return root.val + left + right - 1 result = [0] dfs(root, result) return result[0]
# # PySNMP MIB module UX25-MIB (http://snmplabs.com/pysmi) # ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/UX25-MIB # Produced by pysmi-0.3.4 at Wed May 1 15:30:16 2019 # On host DAVWANG4-M-1475 platform Darwin version 18.5.0 by user davwang4 # Using Python version 3.7.3 (default, Mar 27 2019, 09:23:15) # OctetString, ObjectIdentifier, Integer = mibBuilder.importSymbols("ASN1", "OctetString", "ObjectIdentifier", "Integer") NamedValues, = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues") ConstraintsUnion, ConstraintsIntersection, SingleValueConstraint, ValueRangeConstraint, ValueSizeConstraint = mibBuilder.importSymbols("ASN1-REFINEMENT", "ConstraintsUnion", "ConstraintsIntersection", "SingleValueConstraint", "ValueRangeConstraint", "ValueSizeConstraint") ModuleCompliance, NotificationGroup = mibBuilder.importSymbols("SNMPv2-CONF", "ModuleCompliance", "NotificationGroup") Gauge32, enterprises, IpAddress, Counter64, ModuleIdentity, Unsigned32, Bits, MibScalar, MibTable, MibTableRow, MibTableColumn, ObjectIdentity, Integer32, Counter32, iso, experimental, MibIdentifier, TimeTicks, NotificationType = mibBuilder.importSymbols("SNMPv2-SMI", "Gauge32", "enterprises", "IpAddress", "Counter64", "ModuleIdentity", "Unsigned32", "Bits", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "ObjectIdentity", "Integer32", "Counter32", "iso", "experimental", "MibIdentifier", "TimeTicks", "NotificationType") DisplayString, TextualConvention = mibBuilder.importSymbols("SNMPv2-TC", "DisplayString", "TextualConvention") usr = MibIdentifier((1, 3, 6, 1, 4, 1, 429)) nas = MibIdentifier((1, 3, 6, 1, 4, 1, 429, 1)) ux25 = MibIdentifier((1, 3, 6, 1, 4, 1, 429, 1, 10)) ux25AdmnChannelTable = MibTable((1, 3, 6, 1, 4, 1, 429, 1, 10, 1), ) if mibBuilder.loadTexts: ux25AdmnChannelTable.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnChannelTable.setDescription('Defines objects for the parameters of an X.25 interface which the administrator can read and set.') ux25AdmnChannelEntry = MibTableRow((1, 3, 6, 1, 4, 1, 429, 1, 10, 1, 1), ).setIndexNames((0, "UX25-MIB", "ux25AdmnChanneIndex")) if mibBuilder.loadTexts: ux25AdmnChannelEntry.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnChannelEntry.setDescription('Entries of ux25AdmnChannelTable.') ux25AdmnChanneIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 1, 1, 1), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ux25AdmnChanneIndex.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnChanneIndex.setDescription('A unique value for each X.25 subnetwork entity in the chassis. The value of this object matches the value of the index of the corresponding X.25 subnetwork entity entry in the entity table of the chassis MIB.') ux25AdmnNetMode = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 1, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24))).clone(namedValues=NamedValues(("x25Llc", 1), ("x2588", 2), ("x2584", 3), ("x2580", 4), ("pss", 5), ("austpac", 6), ("datapac", 7), ("ddn", 8), ("telenet", 9), ("transpac", 10), ("tymnet", 11), ("datexP", 12), ("ddxP", 13), ("venusP", 14), ("accunet", 15), ("itapac", 16), ("datapak", 17), ("datanet", 18), ("dcs", 19), ("telepac", 20), ("fDatapac", 21), ("finpac", 22), ("pacnet", 23), ("luxpac", 24)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: ux25AdmnNetMode.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnNetMode.setDescription('Selects the network protocol to be used. Default=x2584(3).') ux25AdmnProtocolVersion = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 1, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("x25ver80", 1), ("x25ver84", 2), ("x25ver88", 3)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: ux25AdmnProtocolVersion.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnProtocolVersion.setDescription('Determines the X.25 protocol version being used on the network. A network mode of X25_LLC overides this field to the 1984 standard. Default=x25ver84(3).') ux25AdmnInterfaceMode = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 1, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("dceMode", 1), ("dteMode", 2), ("dxeMode", 3)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: ux25AdmnInterfaceMode.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnInterfaceMode.setDescription('Indicates the DTE/DCE nature of the link. The DXE parameter is resolved using ISO 8208 for DTE-DTE operation. Default=dteMode(2).') ux25AdmnLowestPVCVal = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 1, 1, 5), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 4095))).setMaxAccess("readwrite") if mibBuilder.loadTexts: ux25AdmnLowestPVCVal.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnLowestPVCVal.setDescription('Low end of the Permanent Virtual Circuit range. If both the Low and High ends of the range are set to 0 there are no PVCs. Default=0.') ux25AdmnHighestPVCVal = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 1, 1, 6), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 4095))).setMaxAccess("readwrite") if mibBuilder.loadTexts: ux25AdmnHighestPVCVal.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnHighestPVCVal.setDescription('High end of the Permanent Virtual Circuit range. If both the Low and High ends of the range are set to 0 there are no PVCs. Default=0.') ux25AdmnChannelLIC = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 1, 1, 7), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 4095))).setMaxAccess("readwrite") if mibBuilder.loadTexts: ux25AdmnChannelLIC.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnChannelLIC.setDescription('Low end of the one-way incoming logical channel. If both Low and High ends of the channel are set to 0, there are no one-way incoming channels. Default=0.') ux25AdmnChannelHIC = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 1, 1, 8), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 4095))).setMaxAccess("readwrite") if mibBuilder.loadTexts: ux25AdmnChannelHIC.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnChannelHIC.setDescription('High end of the one-way incoming logical channel. If both Low and High ends of the channel are set to 0, there are no one-way incoming channels. Default=0.') ux25AdmnChannelLTC = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 1, 1, 9), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 4095))).setMaxAccess("readwrite") if mibBuilder.loadTexts: ux25AdmnChannelLTC.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnChannelLTC.setDescription('Low end of the two-way incoming logical channel. If both Low and High ends of the channel are set to 0, there are no two-way incoming channels. Default=1024.') ux25AdmnChannelHTC = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 1, 1, 10), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 4095))).setMaxAccess("readwrite") if mibBuilder.loadTexts: ux25AdmnChannelHTC.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnChannelHTC.setDescription('High end of the two-way incoming logical channel. If both Low and High ends of the channel are set to 0, there are no two-way incoming channels. Default=1087.') ux25AdmnChannelLOC = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 1, 1, 11), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 4095))).setMaxAccess("readwrite") if mibBuilder.loadTexts: ux25AdmnChannelLOC.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnChannelLOC.setDescription('Low end of the one-way outgoing logical channel. If both Low and High ends of the channel are set to 0, there are no one-way outgoing channels. Default=0.') ux25AdmnChannelHOC = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 1, 1, 12), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 4095))).setMaxAccess("readwrite") if mibBuilder.loadTexts: ux25AdmnChannelHOC.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnChannelHOC.setDescription('High end of the one-way outgoing logical channel. If both Low and High ends of the channel are set to 0, there are no one-way outgoing channels. Default=0.') ux25AdmnClassTable = MibTable((1, 3, 6, 1, 4, 1, 429, 1, 10, 2), ) if mibBuilder.loadTexts: ux25AdmnClassTable.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnClassTable.setDescription('Defines objects for the parameters of an X.25 interface which the administrator can read and set.') ux25AdmnClassEntry = MibTableRow((1, 3, 6, 1, 4, 1, 429, 1, 10, 2, 1), ).setIndexNames((0, "UX25-MIB", "ux25AdmnClassIndex")) if mibBuilder.loadTexts: ux25AdmnClassEntry.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnClassEntry.setDescription('Entries of ux25AdmnClassTable.') ux25AdmnClassIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 2, 1, 1), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ux25AdmnClassIndex.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnClassIndex.setDescription('A unique value for each X.25 subnetwork entity in the chassis. The value of this object matches the value of the index of the corresponding X.25 subnetwork entity entry in the entity table of the chassis MIB.') ux25AdmnLocMaxThruPutClass = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 2, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16))).clone(namedValues=NamedValues(("tcReserved0", 1), ("tcReserved1", 2), ("tcReserved2", 3), ("tc75", 4), ("tc150", 5), ("tc300", 6), ("tc600", 7), ("tc1200", 8), ("tc2400", 9), ("tc4800", 10), ("tc9600", 11), ("tc19200", 12), ("tc48000", 13), ("tcReserved13", 14), ("tcReserved14", 15), ("tcReserved15", 16)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: ux25AdmnLocMaxThruPutClass.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnLocMaxThruPutClass.setDescription('The maximum value of the throughput class Quality of Service parameter which is supported. According to ISO 8208 this parameter is bounded in the range >=3 and <=12 corresponding to a range 75 to 48000 bits/second. The range supported here is 0 to 15 for non-standard X.25 implementations, which use the Throughput Class Window/Packet Parameters (Group II). Default=12.') ux25AdmnRemMaxThruPutClass = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 2, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16))).clone(namedValues=NamedValues(("tcReserved0", 1), ("tcReserved1", 2), ("tcReserved2", 3), ("tc75", 4), ("tc150", 5), ("tc300", 6), ("tc600", 7), ("tc1200", 8), ("tc2400", 9), ("tc4800", 10), ("tc9600", 11), ("tc19200", 12), ("tc48000", 13), ("tcReserved13", 14), ("tcReserved14", 15), ("tcReserved15", 16)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: ux25AdmnRemMaxThruPutClass.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnRemMaxThruPutClass.setDescription('The maximum value of the throughput class Quality of Service parameter which is supported. According to ISO 8208 this parameter is bounded in the range >=3 and <=12 corresponding to a range 75 to 48000 bits/second. The range supported here is 0 to 15 for non-standard X.25 implementations, which use the Throughput Class Window/Packet Parameters (Group II). Default=12.') ux25AdmnLocDefThruPutClass = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 2, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16))).clone(namedValues=NamedValues(("tcReserved0", 1), ("tcReserved1", 2), ("tcReserved2", 3), ("tc75", 4), ("tc150", 5), ("tc300", 6), ("tc600", 7), ("tc1200", 8), ("tc2400", 9), ("tc4800", 10), ("tc9600", 11), ("tc19200", 12), ("tc48000", 13), ("tcReserved13", 14), ("tcReserved14", 15), ("tcReserved15", 16)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: ux25AdmnLocDefThruPutClass.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnLocDefThruPutClass.setDescription('The default throughput class that is defined for the local-to-remote direction. In some networks, such as TELENET, negotiation of throughput class is constrained to be towards a configured default throughput class. In other PSDNs, this value should be set equal to the value of the Maximum Local Throughput Class. Default=12.') ux25AdmnRemDefThruPutClass = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 2, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16))).clone(namedValues=NamedValues(("tcReserved0", 1), ("tcReserved1", 2), ("tcReserved2", 3), ("tc75", 4), ("tc150", 5), ("tc300", 6), ("tc600", 7), ("tc1200", 8), ("tc2400", 9), ("tc4800", 10), ("tc9600", 11), ("tc19200", 12), ("tc48000", 13), ("tcReserved13", 14), ("tcReserved14", 15), ("tcReserved15", 16)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: ux25AdmnRemDefThruPutClass.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnRemDefThruPutClass.setDescription('The default throughput class value defined for remote-to-local direction. In some networks, such as TELENET, negotiation of throughput class is constrained to be towards a configured default throughput class. In other PSDNs, this value should be set equal to the value of the Maximum Remote Throughput Class. Default=12.') ux25AdmnLocMinThruPutClass = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 2, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16))).clone(namedValues=NamedValues(("tcReserved0", 1), ("tcReserved1", 2), ("tcReserved2", 3), ("tc75", 4), ("tc150", 5), ("tc300", 6), ("tc600", 7), ("tc1200", 8), ("tc2400", 9), ("tc4800", 10), ("tc9600", 11), ("tc19200", 12), ("tc48000", 13), ("tcReserved13", 14), ("tcReserved14", 15), ("tcReserved15", 16)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: ux25AdmnLocMinThruPutClass.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnLocMinThruPutClass.setDescription('According to ISO 8208, the throughput class parameter is defined in the range of >=3 to <=12. Some PSDNs may provide different mapping, in which case, this parameter is the minimum value. Default=3.') ux25AdmnRemMinThruPutClass = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 2, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16))).clone(namedValues=NamedValues(("tcReserved0", 1), ("tcReserved1", 2), ("tcReserved2", 3), ("tc75", 4), ("tc150", 5), ("tc300", 6), ("tc600", 7), ("tc1200", 8), ("tc2400", 9), ("tc4800", 10), ("tc9600", 11), ("tc19200", 12), ("tc48000", 13), ("tcReserved13", 14), ("tcReserved14", 15), ("tcReserved15", 16)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: ux25AdmnRemMinThruPutClass.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnRemMinThruPutClass.setDescription('According to ISO 8208, the throughput class parameter is defined in the range of >=3 to <=12. Some PSDNs may provide different mapping, in which case, this parameter is the minimum value. Default=3.') ux25AdmnThclassNegToDef = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 2, 1, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("disable", 1), ("enable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: ux25AdmnThclassNegToDef.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnThclassNegToDef.setDescription('Determines if throughput class negotiation will be used for certain network procedures. Default=disable(1).') ux25AdmnThclassType = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 2, 1, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("noTcType", 1), ("loNibble", 2), ("highNibble", 3), ("bothNibbles", 4)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: ux25AdmnThclassType.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnThclassType.setDescription('Defines which throughput class encodings can be used to assign packet and window sizes. Some implementations of X.25 do not use the X.25 packet and window negotiation and rely on mapping the throughput class to these parameters. Default=noTcType(1).') ux25AdmnThclassWinMap = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 2, 1, 10), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(31, 63))).setMaxAccess("readwrite") if mibBuilder.loadTexts: ux25AdmnThclassWinMap.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnThclassWinMap.setDescription('The mapping between throughput class and a window parameter. Each number has a range of 1 to 127. Default=3.3.3.3.3.3.3.3.3.3.3.3.3.3.3.3') ux25AdmnThclassPackMap = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 2, 1, 11), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(31, 47))).setMaxAccess("readwrite") if mibBuilder.loadTexts: ux25AdmnThclassPackMap.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnThclassPackMap.setDescription('The mapping between the throughput class and a packet parameter. Each number has a range of 4 to 12. Default=7.7.7.7.7.7.7.7.7.7.7.7.7.7.7.7') ux25AdmnPacketTable = MibTable((1, 3, 6, 1, 4, 1, 429, 1, 10, 3), ) if mibBuilder.loadTexts: ux25AdmnPacketTable.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnPacketTable.setDescription('Defines objects for the parameters of an X.25 interface which the administrator can read and set.') ux25AdmnPacketEntry = MibTableRow((1, 3, 6, 1, 4, 1, 429, 1, 10, 3, 1), ).setIndexNames((0, "UX25-MIB", "ux25AdmnPacketIndex")) if mibBuilder.loadTexts: ux25AdmnPacketEntry.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnPacketEntry.setDescription('Entries of ux25AdmnPacketTable.') ux25AdmnPacketIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 3, 1, 1), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ux25AdmnPacketIndex.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnPacketIndex.setDescription('A unique value for each X.25 subnetwork entity in the chassis. The value of this object matches the value of the index of the corresponding X.25 subnetwork entity entry in the entity table of the chassis MIB.') ux25AdmnPktSequencing = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 3, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(16, 32))).clone(namedValues=NamedValues(("pktSeq8", 16), ("pktSeq128", 32)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: ux25AdmnPktSequencing.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnPktSequencing.setDescription('Indicates whether modulo 8 or 128 sequence numbering operates on the network. Default=pktSeq8(16).') ux25AdmnLocMaxPktSize = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 3, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(7, 8, 9))).clone(namedValues=NamedValues(("maxPktSz128", 7), ("maxPktSz256", 8), ("maxPktSz512", 9)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: ux25AdmnLocMaxPktSize.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnLocMaxPktSize.setDescription('Maximum acceptable size of packets in the local-to-remote direction. On an incoming call, a value for the packet size parameter greater than this value will be negotiated down to an acceptable size when the call is accepted. Default=maxPktSz256(8).') ux25AdmnRemMaxPktSize = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 3, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(7, 8, 9))).clone(namedValues=NamedValues(("maxPktSz128", 7), ("maxPktSz256", 8), ("maxPktSz512", 9)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: ux25AdmnRemMaxPktSize.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnRemMaxPktSize.setDescription('Maximum acceptable size of packets in the remote-to-local direction. On an incoming call, a value for the packet size parameter greater than this value will be negotiated down to an acceptable size when the call is accepted. Default=maxPktSz256(8).') ux25AdmnLocDefPktSize = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 3, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(4, 5, 6, 7, 8, 9))).clone(namedValues=NamedValues(("defPktSz16", 4), ("defPktSz32", 5), ("defPktSz64", 6), ("defPktSz128", 7), ("defPktSz256", 8), ("defPktSz512", 9)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: ux25AdmnLocDefPktSize.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnLocDefPktSize.setDescription('Specifies the value of the default packet size for the direction local-to-remote, which may be nonstandard, provided the value is agreed between the communicating parties on the LAN or between the DTE and DCE. Default=defPktSz256(8).') ux25AdmnRemDefPktSize = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 3, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(4, 5, 6, 7, 8, 9))).clone(namedValues=NamedValues(("defPktSz16", 4), ("defPktSz32", 5), ("defPktSz64", 6), ("defPktSz128", 7), ("defPktSz256", 8), ("defPktSz512", 9)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: ux25AdmnRemDefPktSize.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnRemDefPktSize.setDescription('Specifies the value of the default packet size for the direction remote-to-local, which may be nonstandard, provided the value is agreed between the communicating parties on the LAN or between the DTE and DCE. Default=defPktSz256(8).') ux25AdmnLocMaxWinSize = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 3, 1, 7), Integer32().subtype(subtypeSpec=ValueRangeConstraint(2, 127))).setMaxAccess("readwrite") if mibBuilder.loadTexts: ux25AdmnLocMaxWinSize.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnLocMaxWinSize.setDescription('Specifies the maximum local window size. NOTE: 127 allowed only for modulo 128 networks. Default=7.') ux25AdmnRemMaxWinSize = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 3, 1, 8), Integer32().subtype(subtypeSpec=ValueRangeConstraint(2, 127))).setMaxAccess("readwrite") if mibBuilder.loadTexts: ux25AdmnRemMaxWinSize.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnRemMaxWinSize.setDescription('Specifies the maximum remote window size. NOTE: 127 allowed only for modulo 128 networks. Default=7.') ux25AdmnLocDefWinSize = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 3, 1, 9), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 127))).setMaxAccess("readwrite") if mibBuilder.loadTexts: ux25AdmnLocDefWinSize.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnLocDefWinSize.setDescription('Specifies the value of the default window size, which may be nonstandard, provided the value is agreed on by all parties on the LAN between the DTE and DCE. NOTE: The sequence numbering scheme affects the range of this parameter. Default=2.') ux25AdmnRemDefWinSize = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 3, 1, 10), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 127))).setMaxAccess("readwrite") if mibBuilder.loadTexts: ux25AdmnRemDefWinSize.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnRemDefWinSize.setDescription('Specifies the value of the default window size, which may be nonstandard, provided the value is agreed on by all parties on the LAN between the DTE and DCE. NOTE: The sequence numbering scheme affects the range of this parameter. Default=2.') ux25AdmnMaxNSDULimit = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 3, 1, 11), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 32000))).setMaxAccess("readwrite") if mibBuilder.loadTexts: ux25AdmnMaxNSDULimit.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnMaxNSDULimit.setDescription('The default maximum length beyond which concatenation is stopped and data currently held is passed to the Network Service user. Default=256.') ux25AdmnAccNoDiagnostic = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 3, 1, 12), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("disable", 1), ("enable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: ux25AdmnAccNoDiagnostic.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnAccNoDiagnostic.setDescription('Allow the omission of the diagnostic byte in incoming RESTART, CLEAR and RESET INDICATION packets. Default=disable(1).') ux25AdmnUseDiagnosticPacket = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 3, 1, 13), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("disable", 1), ("enable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: ux25AdmnUseDiagnosticPacket.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnUseDiagnosticPacket.setDescription('Use diagnostic packets. Default=disable(1).') ux25AdmnItutClearLen = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 3, 1, 14), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("disable", 1), ("enable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: ux25AdmnItutClearLen.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnItutClearLen.setDescription('Restrict the length of a CLEAR INDICATION to 5 bytes and a CLEAR CONFIRM to 3 bytes. Default=disable(1).') ux25AdmnBarDiagnosticPacket = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 3, 1, 15), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("disable", 1), ("enable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: ux25AdmnBarDiagnosticPacket.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnBarDiagnosticPacket.setDescription('Bar diagnostic packets. Default=disable(1).') ux25AdmnDiscNzDiagnostic = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 3, 1, 16), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("disable", 1), ("enable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: ux25AdmnDiscNzDiagnostic.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnDiscNzDiagnostic.setDescription('Discard all diagnostic packets on a non-zero LCN. Default=disable(1).') ux25AdmnAcceptHexAdd = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 3, 1, 17), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("disable", 1), ("enable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: ux25AdmnAcceptHexAdd.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnAcceptHexAdd.setDescription('Allow DTE addresses to contain hexadecimal digits. Default=disable(1).') ux25AdmnBarNonPrivilegeListen = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 3, 1, 18), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("disable", 1), ("enable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: ux25AdmnBarNonPrivilegeListen.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnBarNonPrivilegeListen.setDescription('Disallow a non-privileged user (i.e without superuser privilege) from listening for incoming calls. Default=enable(2).') ux25AdmnIntlAddrRecognition = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 3, 1, 19), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("notDistinguished", 1), ("examineDnic", 2), ("prefix1", 3), ("prefix0", 4)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: ux25AdmnIntlAddrRecognition.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnIntlAddrRecognition.setDescription("Determine whether outgoing international calls are to be accepted. The values and their interpretation are: 1 - International calls are not distinguished. 2 - The DNIC of the called DTE address is examined and compared to that held in the psdn_local members dnic1 and dnic2. A mismatch implies an international call. 3 - International calls are distinguished by having a '1' prefix on the DTE address. 4 - International calls are distinguished by having a '0' prefix on the DTE address. Default=notDistinguished(1).") ux25AdmnDnic = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 3, 1, 20), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite") if mibBuilder.loadTexts: ux25AdmnDnic.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnDnic.setDescription('This field contains the first four digits of DNIC and is only used when ux25AdmnIntlAddrRecognition is set to examineDnic(2). Note this field must contain exactly four BCD digits. Default=0000.') ux25AdmnIntlPrioritized = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 3, 1, 21), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("disable", 1), ("enable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: ux25AdmnIntlPrioritized.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnIntlPrioritized.setDescription('Determine whether some prioritizing method is to used for international calls and is used in conjuction with ux25AdmnPrtyEncodeCtrl and ux25AdmnPrtyPktForced value. Default=disable(1).') ux25AdmnPrtyEncodeCtrl = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 3, 1, 22), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("x2588", 1), ("datapacPriority76", 2), ("datapacTraffic80", 3)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: ux25AdmnPrtyEncodeCtrl.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnPrtyEncodeCtrl.setDescription('Describes how the priority request is to be encoded for this PSDN. Default=x2588(1).') ux25AdmnPrtyPktForcedVal = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 3, 1, 23), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 5, 6, 7, 8, 9, 10, 11, 12, 13))).clone(namedValues=NamedValues(("prioPktSz0", 1), ("prioPktSz4", 5), ("prioPktSz5", 6), ("prioPktSz6", 7), ("prioPktSz7", 8), ("prioPktSz8", 9), ("prioPktSz9", 10), ("prioPktSz10", 11), ("prioPktSz11", 12), ("prioPktSz12", 13)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: ux25AdmnPrtyPktForcedVal.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnPrtyPktForcedVal.setDescription('If this entry is other than prioPktSz1(1) all priority call requests and incoming calls should have the associated packet size parameter forced to this value. Note that the actual packet size is 2 to the power of this parameter. Default=prioPktSz1(1).') ux25AdmnSrcAddrCtrl = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 3, 1, 24), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("noSaCntrl", 1), ("omitDte", 2), ("useLocal", 3), ("forceLocal", 4)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: ux25AdmnSrcAddrCtrl.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnSrcAddrCtrl.setDescription('Provide a means to override or set the calling address in outgoing call requests for this PSDN. Default=noSaCntrl(1).') ux25AdmnDbitInAccept = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 3, 1, 25), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("leaveDbit", 1), ("zeroDbit", 2), ("clearCall", 3)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: ux25AdmnDbitInAccept.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnDbitInAccept.setDescription('Defines the action to take when a Call Accept is received with the D-bit set and there is no local D-bit support. Default=clearCall(3).') ux25AdmnDbitOutAccept = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 3, 1, 26), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("leaveDbit", 1), ("zeroDbit", 2), ("clearCall", 3)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: ux25AdmnDbitOutAccept.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnDbitOutAccept.setDescription('Defines the action to take when the remote user sends a Call Accept with the D-bit set when the local user did not request use of the D-bit. Default=clearCall(3).') ux25AdmnDbitInData = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 3, 1, 27), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("leaveDbit", 1), ("zeroDbit", 2), ("clearCall", 3)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: ux25AdmnDbitInData.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnDbitInData.setDescription('Defines the action to take when a data packet is received with the D-bit set and the local user did not request use of the D-bit. Default=clearCall(3).') ux25AdmnDbitOutData = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 3, 1, 28), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("leaveDbit", 1), ("zeroDbit", 2), ("clearCall", 3)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: ux25AdmnDbitOutData.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnDbitOutData.setDescription('Defines the action when the local user send a data packet with the D-bit set, but the remote party has not indicated D-bit support. Default=clearCall(3).') ux25AdmnSubscriberTable = MibTable((1, 3, 6, 1, 4, 1, 429, 1, 10, 4), ) if mibBuilder.loadTexts: ux25AdmnSubscriberTable.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnSubscriberTable.setDescription('Defines objects for the parameters of an X.25 interface which the administrator can read and set.') ux25AdmnSubscriberEntry = MibTableRow((1, 3, 6, 1, 4, 1, 429, 1, 10, 4, 1), ).setIndexNames((0, "UX25-MIB", "ux25AdmnSubscriberIndex")) if mibBuilder.loadTexts: ux25AdmnSubscriberEntry.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnSubscriberEntry.setDescription('Entries of ux25AdmnSubscriberTable.') ux25AdmnSubscriberIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 4, 1, 1), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ux25AdmnSubscriberIndex.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnSubscriberIndex.setDescription('A unique value for each X.25 subnetwork entity in the chassis. The value of this object matches the value of the index of the corresponding X.25 subnetwork entity entry in the entity table of the chassis MIB.') ux25AdmnSubCugIaoa = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 4, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("disable", 1), ("enable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: ux25AdmnSubCugIaoa.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnSubCugIaoa.setDescription('Specifies if this DTE subscribes to Closed User Groups with Incoming or Outgoing access. Default=enable(2).') ux25AdmnSubCugPref = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 4, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("disable", 1), ("enable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: ux25AdmnSubCugPref.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnSubCugPref.setDescription('Specifies if this DTE subscribes to a Preferential Closed User Groups. Default=disable(1).') ux25AdmnSubCugoa = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 4, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("disable", 1), ("enable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: ux25AdmnSubCugoa.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnSubCugoa.setDescription('Specifies if this DTE subscribes to Closed User Groups with Outgoing access. Default=disable(1).') ux25AdmnSubCugia = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 4, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("disable", 1), ("enable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: ux25AdmnSubCugia.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnSubCugia.setDescription('Specifies whether or not this DTE subscribes to Closed User Groups with Incoming Access. Default=disable(1).') ux25AdmnCugFormat = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 4, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("basic", 1), ("extended", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: ux25AdmnCugFormat.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnCugFormat.setDescription('The maximum number of Closed User Groups that this DTE subscribes to. This will be one of two ranges: Basic (100 or fewer) or Extended (between 101 and 10000). Default=basic(1).') ux25AdmnBarInCug = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 4, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("disable", 1), ("enable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: ux25AdmnBarInCug.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnBarInCug.setDescription('Provides the means to force rejection of any incoming calls carrying the Closed User Group optional facility (which is necessary in some networks, such as DDN. When enabled, such calls will be rejected, otherwise incoming Closed User Group facilities are ignored. Default=disable(1).') ux25AdmnSubExtended = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 4, 1, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("disable", 1), ("enable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: ux25AdmnSubExtended.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnSubExtended.setDescription('Subscribe to extended call packets (Window and Packet size negotiation is permitted). Default=enable(2).') ux25AdmnBarExtended = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 4, 1, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("disable", 1), ("enable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: ux25AdmnBarExtended.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnBarExtended.setDescription('Treat window and packet size negotiation in incoming packets as a procedure error. Default=disable(1).') ux25AdmnSubFstSelNoRstrct = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 4, 1, 10), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("disable", 1), ("enable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: ux25AdmnSubFstSelNoRstrct.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnSubFstSelNoRstrct.setDescription('Subscribe to fast select with no restriction on response. Default=enable(2).') ux25AdmnSubFstSelWthRstrct = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 4, 1, 11), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("disable", 1), ("enable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: ux25AdmnSubFstSelWthRstrct.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnSubFstSelWthRstrct.setDescription('Subscribe to fast select with restriction on response. Default=disable(1).') ux25AdmnAccptRvsChrgng = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 4, 1, 12), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("disable", 1), ("enable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: ux25AdmnAccptRvsChrgng.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnAccptRvsChrgng.setDescription('Allow incoming calls to specify the reverse charging facility. Default=disable(1).') ux25AdmnSubLocChargePrevent = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 4, 1, 13), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("disable", 1), ("enable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: ux25AdmnSubLocChargePrevent.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnSubLocChargePrevent.setDescription('Subscribe to local charging prevention. Default=disable(1).') ux25AdmnSubToaNpiFormat = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 4, 1, 14), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("disable", 1), ("enable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: ux25AdmnSubToaNpiFormat.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnSubToaNpiFormat.setDescription('Subscribe to TOA/NPI Address Format. Default=disable(1).') ux25AdmnBarToaNpiFormat = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 4, 1, 15), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("disable", 1), ("enable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: ux25AdmnBarToaNpiFormat.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnBarToaNpiFormat.setDescription('Bar incoming call set-up and clearing packets which use the TOA/NPI Address Format. Default=disable(1).') ux25AdmnSubNuiOverride = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 4, 1, 16), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("disable", 1), ("enable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: ux25AdmnSubNuiOverride.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnSubNuiOverride.setDescription('Subscribe to NUI override. Deafult=disable(1).') ux25AdmnBarInCall = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 4, 1, 17), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("disable", 1), ("enable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: ux25AdmnBarInCall.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnBarInCall.setDescription('Bar incoming calls. Default=disable(1).') ux25AdmnBarOutCall = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 4, 1, 18), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("disable", 1), ("enable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: ux25AdmnBarOutCall.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnBarOutCall.setDescription('Bar outgoing calls. Default=disable(1).') ux25AdmnTimerTable = MibTable((1, 3, 6, 1, 4, 1, 429, 1, 10, 5), ) if mibBuilder.loadTexts: ux25AdmnTimerTable.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnTimerTable.setDescription('Defines objects for the parameters of an X.25 interface which the administrator can read and set.') ux25AdmnTimerEntry = MibTableRow((1, 3, 6, 1, 4, 1, 429, 1, 10, 5, 1), ).setIndexNames((0, "UX25-MIB", "ux25AdmnTimerIndex")) if mibBuilder.loadTexts: ux25AdmnTimerEntry.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnTimerEntry.setDescription('Entries of ux25AdmnTimerTable.') ux25AdmnTimerIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 5, 1, 1), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ux25AdmnTimerIndex.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnTimerIndex.setDescription('A unique value for each X.25 subnetwork entity in the chassis. The value of this object matches the value of the index of the corresponding X.25 subnetwork entity entry in the entity table of the chassis MIB.') ux25AdmnAckDelay = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 5, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 32000))).setMaxAccess("readwrite") if mibBuilder.loadTexts: ux25AdmnAckDelay.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnAckDelay.setDescription('The maximum number of ticks (0.1 second units) over which a pending acknowledgement is withheld. Default=5.') ux25AdmnRstrtTime = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 5, 1, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 32000))).setMaxAccess("readwrite") if mibBuilder.loadTexts: ux25AdmnRstrtTime.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnRstrtTime.setDescription('The number of ticks (0.1 second units) for the DTE timer parameter T20, the Restart Request Response Timer. Default=1800.') ux25AdmnCallTime = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 5, 1, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 32000))).setMaxAccess("readwrite") if mibBuilder.loadTexts: ux25AdmnCallTime.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnCallTime.setDescription('The number of ticks (0.1 second units) for the DTE timer parameter T21, the Call Request Response Timer. Default=2000.') ux25AdmnRstTime = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 5, 1, 5), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 32000))).setMaxAccess("readwrite") if mibBuilder.loadTexts: ux25AdmnRstTime.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnRstTime.setDescription('The number of ticks (0.1 second units) for the DTE timer parameter T22, the Reset Request Response Timer. Default=1800.') ux25AdmnClrTime = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 5, 1, 6), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 32000))).setMaxAccess("readwrite") if mibBuilder.loadTexts: ux25AdmnClrTime.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnClrTime.setDescription('The number of ticks (0.1 second units) for the DTE timer parameter T23, the Clear Request Response Timer. Default=1800.') ux25AdmnWinStatTime = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 5, 1, 7), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 32000))).setMaxAccess("readwrite") if mibBuilder.loadTexts: ux25AdmnWinStatTime.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnWinStatTime.setDescription('Related, but does not correspond exactly to the DTE Window Status Transmission Timer, T24. Specifies the number of ticks (0.1 second units) for the maximum time that acknowledgments of data received from the remote transmitter will be witheld. At timer expiration, any witheld acknowledgments will be carried by a X.25 level 3 RNR packet. Default=750.') ux25AdmnWinRotTime = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 5, 1, 8), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 32000))).setMaxAccess("readwrite") if mibBuilder.loadTexts: ux25AdmnWinRotTime.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnWinRotTime.setDescription('The number of ticks (0.1 second units) for the DTE timer parameter T25, the Window Rotation Timer. Default=1500.') ux25AdmnIntrptTime = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 5, 1, 9), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 32000))).setMaxAccess("readwrite") if mibBuilder.loadTexts: ux25AdmnIntrptTime.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnIntrptTime.setDescription('The number of ticks (0.1 second units) for the DTE timer parameter T26, the Interrupt Response Timer. Default=1800.') ux25AdmnIdleValue = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 5, 1, 10), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 32000))).setMaxAccess("readwrite") if mibBuilder.loadTexts: ux25AdmnIdleValue.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnIdleValue.setDescription('The number of ticks (0.1 second units) during which a link level connection associated with no connections will be maintained. If the link is to a WAN then this value should be zero (infinity). This timer is only used with X.25 on a LAN. Default=0.') ux25AdmnConnectValue = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 5, 1, 11), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 32000))).setMaxAccess("readwrite") if mibBuilder.loadTexts: ux25AdmnConnectValue.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnConnectValue.setDescription('Specifies the number of ticks (0.1 second units), over which the DTE/DCE resolution phase be completely implemented in order to prevent the unlikely event that two packet level entities cannot resolve their DTE/DCE nature. When this expires, the link connection will be disconnected and all pending connections aborted. Default=2000.') ux25AdmnRstrtCnt = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 5, 1, 12), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 255))).setMaxAccess("readwrite") if mibBuilder.loadTexts: ux25AdmnRstrtCnt.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnRstrtCnt.setDescription('The number of ticks (0.1 second units) for the DTE Restart Request Retransmission Count. Default=1.') ux25AdmnRstCnt = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 5, 1, 13), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 255))).setMaxAccess("readwrite") if mibBuilder.loadTexts: ux25AdmnRstCnt.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnRstCnt.setDescription('The number of ticks (0.1 second units) for the DTE Reset Request Retransmission Count. Default=1.') ux25AdmnClrCnt = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 5, 1, 14), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 255))).setMaxAccess("readwrite") if mibBuilder.loadTexts: ux25AdmnClrCnt.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnClrCnt.setDescription('The number of ticks (0.1 second units) for the DTE Clear Request Retransmission Count. Default=1.') ux25AdmnLocalDelay = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 5, 1, 15), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 32000))).setMaxAccess("readwrite") if mibBuilder.loadTexts: ux25AdmnLocalDelay.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnLocalDelay.setDescription('The transit delay (in 0.1 second units) attributed to internal processing. Default=5.') ux25AdmnAccessDelay = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 5, 1, 16), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 32000))).setMaxAccess("readwrite") if mibBuilder.loadTexts: ux25AdmnAccessDelay.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnAccessDelay.setDescription('The transit delay (in 0.1 second units) attributed to the effect of the line transmission rate. Default=5.') ux25OperChannelTable = MibTable((1, 3, 6, 1, 4, 1, 429, 1, 10, 6), ) if mibBuilder.loadTexts: ux25OperChannelTable.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperChannelTable.setDescription('Defines objects that report the current parameters used by a running interface. These objects are read only.') ux25OperChannelEntry = MibTableRow((1, 3, 6, 1, 4, 1, 429, 1, 10, 6, 1), ).setIndexNames((0, "UX25-MIB", "ux25OperChannelIndex")) if mibBuilder.loadTexts: ux25OperChannelEntry.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperChannelEntry.setDescription('Entries of ux25OperChannelTable.') ux25OperChannelIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 6, 1, 1), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ux25OperChannelIndex.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperChannelIndex.setDescription('') ux25OperNetMode = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 6, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24))).clone(namedValues=NamedValues(("x25Llc", 1), ("x2588", 2), ("x2584", 3), ("x2580", 4), ("pss", 5), ("austpac", 6), ("datapac", 7), ("ddn", 8), ("telenet", 9), ("transpac", 10), ("tymnet", 11), ("datexP", 12), ("ddxP", 13), ("venusP", 14), ("accunet", 15), ("itapac", 16), ("datapak", 17), ("datanet", 18), ("dcs", 19), ("telepac", 20), ("fDatapac", 21), ("finpac", 22), ("pacnet", 23), ("luxpac", 24)))).setMaxAccess("readonly") if mibBuilder.loadTexts: ux25OperNetMode.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperNetMode.setDescription('') ux25OperProtocolVersion = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 6, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("x25ver80", 1), ("x25ver84", 2), ("x25ver88", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: ux25OperProtocolVersion.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperProtocolVersion.setDescription('') ux25OperInterfaceMode = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 6, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("dceMode", 1), ("dteMode", 2), ("dxeMode", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: ux25OperInterfaceMode.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperInterfaceMode.setDescription('') ux25OperLowestPVCVal = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 6, 1, 5), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 4095))).setMaxAccess("readonly") if mibBuilder.loadTexts: ux25OperLowestPVCVal.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperLowestPVCVal.setDescription('') ux25OperHighestPVCVal = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 6, 1, 6), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 4095))).setMaxAccess("readonly") if mibBuilder.loadTexts: ux25OperHighestPVCVal.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperHighestPVCVal.setDescription('') ux25OperChannelLIC = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 6, 1, 7), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 4095))).setMaxAccess("readonly") if mibBuilder.loadTexts: ux25OperChannelLIC.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperChannelLIC.setDescription('') ux25OperChannelHIC = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 6, 1, 8), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 4095))).setMaxAccess("readonly") if mibBuilder.loadTexts: ux25OperChannelHIC.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperChannelHIC.setDescription('') ux25OperChannelLTC = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 6, 1, 9), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 4095))).setMaxAccess("readonly") if mibBuilder.loadTexts: ux25OperChannelLTC.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperChannelLTC.setDescription('') ux25OperChannelHTC = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 6, 1, 10), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 4095))).setMaxAccess("readonly") if mibBuilder.loadTexts: ux25OperChannelHTC.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperChannelHTC.setDescription('') ux25OperChannelLOC = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 6, 1, 11), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 4095))).setMaxAccess("readonly") if mibBuilder.loadTexts: ux25OperChannelLOC.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperChannelLOC.setDescription('') ux25OperChannelHOC = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 6, 1, 12), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 4095))).setMaxAccess("readonly") if mibBuilder.loadTexts: ux25OperChannelHOC.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperChannelHOC.setDescription('') ux25OperClassTable = MibTable((1, 3, 6, 1, 4, 1, 429, 1, 10, 7), ) if mibBuilder.loadTexts: ux25OperClassTable.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperClassTable.setDescription('Defines objects that report the current parameters used by a running interface. These objects are read only.') ux25OperClassEntry = MibTableRow((1, 3, 6, 1, 4, 1, 429, 1, 10, 7, 1), ).setIndexNames((0, "UX25-MIB", "ux25OperClassIndex")) if mibBuilder.loadTexts: ux25OperClassEntry.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperClassEntry.setDescription('Entries of ux25OperTable.') ux25OperClassIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 7, 1, 1), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ux25OperClassIndex.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperClassIndex.setDescription('') ux25OperLocMaxThruPutClass = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 7, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16))).clone(namedValues=NamedValues(("tcReserved0", 1), ("tcReserved1", 2), ("tcReserved2", 3), ("tc75", 4), ("tc150", 5), ("tc300", 6), ("tc600", 7), ("tc1200", 8), ("tc2400", 9), ("tc4800", 10), ("tc9600", 11), ("tc19200", 12), ("tc48000", 13), ("tcReserved13", 14), ("tcReserved14", 15), ("tcReserved15", 16)))).setMaxAccess("readonly") if mibBuilder.loadTexts: ux25OperLocMaxThruPutClass.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperLocMaxThruPutClass.setDescription('') ux25OperRemMaxThruPutClass = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 7, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16))).clone(namedValues=NamedValues(("tcReserved0", 1), ("tcReserved1", 2), ("tcReserved2", 3), ("tc75", 4), ("tc150", 5), ("tc300", 6), ("tc600", 7), ("tc1200", 8), ("tc2400", 9), ("tc4800", 10), ("tc9600", 11), ("tc19200", 12), ("tc48000", 13), ("tcReserved13", 14), ("tcReserved14", 15), ("tcReserved15", 16)))).setMaxAccess("readonly") if mibBuilder.loadTexts: ux25OperRemMaxThruPutClass.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperRemMaxThruPutClass.setDescription('') ux25OperLocDefThruPutClass = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 7, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16))).clone(namedValues=NamedValues(("tcReserved0", 1), ("tcReserved1", 2), ("tcReserved2", 3), ("tc75", 4), ("tc150", 5), ("tc300", 6), ("tc600", 7), ("tc1200", 8), ("tc2400", 9), ("tc4800", 10), ("tc9600", 11), ("tc19200", 12), ("tc48000", 13), ("tcReserved13", 14), ("tcReserved14", 15), ("tcReserved15", 16)))).setMaxAccess("readonly") if mibBuilder.loadTexts: ux25OperLocDefThruPutClass.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperLocDefThruPutClass.setDescription('') ux25OperRemDefThruPutClass = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 7, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16))).clone(namedValues=NamedValues(("tcReserved0", 1), ("tcReserved1", 2), ("tcReserved2", 3), ("tc75", 4), ("tc150", 5), ("tc300", 6), ("tc600", 7), ("tc1200", 8), ("tc2400", 9), ("tc4800", 10), ("tc9600", 11), ("tc19200", 12), ("tc48000", 13), ("tcReserved13", 14), ("tcReserved14", 15), ("tcReserved15", 16)))).setMaxAccess("readonly") if mibBuilder.loadTexts: ux25OperRemDefThruPutClass.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperRemDefThruPutClass.setDescription('') ux25OperLocMinThruPutClass = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 7, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16))).clone(namedValues=NamedValues(("tcReserved0", 1), ("tcReserved1", 2), ("tcReserved2", 3), ("tc75", 4), ("tc150", 5), ("tc300", 6), ("tc600", 7), ("tc1200", 8), ("tc2400", 9), ("tc4800", 10), ("tc9600", 11), ("tc19200", 12), ("tc48000", 13), ("tcReserved13", 14), ("tcReserved14", 15), ("tcReserved15", 16)))).setMaxAccess("readonly") if mibBuilder.loadTexts: ux25OperLocMinThruPutClass.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperLocMinThruPutClass.setDescription('') ux25OperRemMinThruPutClass = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 7, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16))).clone(namedValues=NamedValues(("tcReserved0", 1), ("tcReserved1", 2), ("tcReserved2", 3), ("tc75", 4), ("tc150", 5), ("tc300", 6), ("tc600", 7), ("tc1200", 8), ("tc2400", 9), ("tc4800", 10), ("tc9600", 11), ("tc19200", 12), ("tc48000", 13), ("tcReserved13", 14), ("tcReserved14", 15), ("tcReserved15", 16)))).setMaxAccess("readonly") if mibBuilder.loadTexts: ux25OperRemMinThruPutClass.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperRemMinThruPutClass.setDescription('') ux25OperThclassNegToDef = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 7, 1, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("disable", 1), ("enable", 2)))).setMaxAccess("readonly") if mibBuilder.loadTexts: ux25OperThclassNegToDef.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperThclassNegToDef.setDescription('') ux25OperThclassType = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 7, 1, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("noTcType", 1), ("loNibble", 2), ("highNibble", 3), ("bothNibbles", 4)))).setMaxAccess("readonly") if mibBuilder.loadTexts: ux25OperThclassType.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperThclassType.setDescription('') ux25OperThclassWinMap = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 7, 1, 10), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(31, 63))).setMaxAccess("readonly") if mibBuilder.loadTexts: ux25OperThclassWinMap.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperThclassWinMap.setDescription('') ux25OperThclassPackMap = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 7, 1, 11), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(31, 47))).setMaxAccess("readonly") if mibBuilder.loadTexts: ux25OperThclassPackMap.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperThclassPackMap.setDescription('') ux25OperPacketTable = MibTable((1, 3, 6, 1, 4, 1, 429, 1, 10, 8), ) if mibBuilder.loadTexts: ux25OperPacketTable.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperPacketTable.setDescription('Defines objects that report the current parameters used by a running interface. These objects are read only.') ux25OperPacketEntry = MibTableRow((1, 3, 6, 1, 4, 1, 429, 1, 10, 8, 1), ).setIndexNames((0, "UX25-MIB", "ux25OperPacketIndex")) if mibBuilder.loadTexts: ux25OperPacketEntry.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperPacketEntry.setDescription('Entries of ux25OperPacketTable.') ux25OperPacketIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 8, 1, 1), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ux25OperPacketIndex.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperPacketIndex.setDescription('') ux25OperPktSequencing = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 8, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(16, 32))).clone(namedValues=NamedValues(("pktSeq8", 16), ("pktSeq128", 32)))).setMaxAccess("readonly") if mibBuilder.loadTexts: ux25OperPktSequencing.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperPktSequencing.setDescription('') ux25OperLocMaxPktSize = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 8, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(7, 8, 9))).clone(namedValues=NamedValues(("maxPktSz128", 7), ("maxPktSz256", 8), ("maxPktSz512", 9)))).setMaxAccess("readonly") if mibBuilder.loadTexts: ux25OperLocMaxPktSize.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperLocMaxPktSize.setDescription('') ux25OperRemMaxPktSize = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 8, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(7, 8, 9))).clone(namedValues=NamedValues(("maxPktSz128", 7), ("maxPktSz256", 8), ("maxPktSz512", 9)))).setMaxAccess("readonly") if mibBuilder.loadTexts: ux25OperRemMaxPktSize.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperRemMaxPktSize.setDescription('') ux25OperLocDefPktSize = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 8, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(4, 5, 6, 7, 8, 9))).clone(namedValues=NamedValues(("defPktSz16", 4), ("defPktSz32", 5), ("defPktSz64", 6), ("defPktSz128", 7), ("defPktSz256", 8), ("defPktSz512", 9)))).setMaxAccess("readonly") if mibBuilder.loadTexts: ux25OperLocDefPktSize.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperLocDefPktSize.setDescription('') ux25OperRemDefPktSize = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 8, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(4, 5, 6, 7, 8, 9))).clone(namedValues=NamedValues(("defPktSz16", 4), ("defPktSz32", 5), ("defPktSz64", 6), ("defPktSz128", 7), ("defPktSz256", 8), ("defPktSz512", 9)))).setMaxAccess("readonly") if mibBuilder.loadTexts: ux25OperRemDefPktSize.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperRemDefPktSize.setDescription('') ux25OperLocMaxWinSize = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 8, 1, 7), Integer32().subtype(subtypeSpec=ValueRangeConstraint(2, 127))).setMaxAccess("readonly") if mibBuilder.loadTexts: ux25OperLocMaxWinSize.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperLocMaxWinSize.setDescription('') ux25OperRemMaxWinSize = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 8, 1, 8), Integer32().subtype(subtypeSpec=ValueRangeConstraint(2, 127))).setMaxAccess("readonly") if mibBuilder.loadTexts: ux25OperRemMaxWinSize.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperRemMaxWinSize.setDescription('') ux25OperLocDefWinSize = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 8, 1, 9), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 127))).setMaxAccess("readonly") if mibBuilder.loadTexts: ux25OperLocDefWinSize.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperLocDefWinSize.setDescription('') ux25OperRemDefWinSize = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 8, 1, 10), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 127))).setMaxAccess("readonly") if mibBuilder.loadTexts: ux25OperRemDefWinSize.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperRemDefWinSize.setDescription('') ux25OperMaxNSDULimit = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 8, 1, 11), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 32000))).setMaxAccess("readonly") if mibBuilder.loadTexts: ux25OperMaxNSDULimit.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperMaxNSDULimit.setDescription('') ux25OperAccNoDiagnostic = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 8, 1, 12), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("disable", 1), ("enable", 2)))).setMaxAccess("readonly") if mibBuilder.loadTexts: ux25OperAccNoDiagnostic.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperAccNoDiagnostic.setDescription('') ux25OperUseDiagnosticPacket = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 8, 1, 13), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("disable", 1), ("enable", 2)))).setMaxAccess("readonly") if mibBuilder.loadTexts: ux25OperUseDiagnosticPacket.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperUseDiagnosticPacket.setDescription('') ux25OperItutClearLen = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 8, 1, 14), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("disable", 1), ("enable", 2)))).setMaxAccess("readonly") if mibBuilder.loadTexts: ux25OperItutClearLen.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperItutClearLen.setDescription('') ux25OperBarDiagnosticPacket = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 8, 1, 15), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("disable", 1), ("enable", 2)))).setMaxAccess("readonly") if mibBuilder.loadTexts: ux25OperBarDiagnosticPacket.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperBarDiagnosticPacket.setDescription('') ux25OperDiscNzDiagnostic = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 8, 1, 16), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("disable", 1), ("enable", 2)))).setMaxAccess("readonly") if mibBuilder.loadTexts: ux25OperDiscNzDiagnostic.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperDiscNzDiagnostic.setDescription('') ux25OperAcceptHexAdd = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 8, 1, 17), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("disable", 1), ("enable", 2)))).setMaxAccess("readonly") if mibBuilder.loadTexts: ux25OperAcceptHexAdd.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperAcceptHexAdd.setDescription('') ux25OperBarNonPrivilegeListen = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 8, 1, 18), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("disable", 1), ("enable", 2)))).setMaxAccess("readonly") if mibBuilder.loadTexts: ux25OperBarNonPrivilegeListen.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperBarNonPrivilegeListen.setDescription('') ux25OperIntlAddrRecognition = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 8, 1, 19), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("notDistinguished", 1), ("examineDnic", 2), ("prefix1", 3), ("prefix0", 4)))).setMaxAccess("readonly") if mibBuilder.loadTexts: ux25OperIntlAddrRecognition.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperIntlAddrRecognition.setDescription('') ux25OperDnic = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 8, 1, 20), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readonly") if mibBuilder.loadTexts: ux25OperDnic.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperDnic.setDescription('') ux25OperIntlPrioritized = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 8, 1, 21), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("disable", 1), ("enable", 2)))).setMaxAccess("readonly") if mibBuilder.loadTexts: ux25OperIntlPrioritized.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperIntlPrioritized.setDescription('') ux25OperPrtyEncodeCtrl = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 8, 1, 22), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("x2588", 1), ("datapacPriority76", 2), ("datapacTraffic80", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: ux25OperPrtyEncodeCtrl.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperPrtyEncodeCtrl.setDescription('') ux25OperPrtyPktForcedVal = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 8, 1, 23), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 5, 6, 7, 8, 9, 10, 11, 12, 13))).clone(namedValues=NamedValues(("prioPktSz0", 1), ("prioPktSz4", 5), ("prioPktSz5", 6), ("prioPktSz6", 7), ("prioPktSz7", 8), ("prioPktSz8", 9), ("prioPktSz9", 10), ("prioPktSz10", 11), ("prioPktSz11", 12), ("prioPktSz12", 13)))).setMaxAccess("readonly") if mibBuilder.loadTexts: ux25OperPrtyPktForcedVal.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperPrtyPktForcedVal.setDescription('') ux25OperSrcAddrCtrl = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 8, 1, 24), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("noSaCntrl", 1), ("omitDte", 2), ("useLocal", 3), ("forceLocal", 4)))).setMaxAccess("readonly") if mibBuilder.loadTexts: ux25OperSrcAddrCtrl.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperSrcAddrCtrl.setDescription('') ux25OperDbitInAccept = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 8, 1, 25), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("leaveDbit", 1), ("zeroDbit", 2), ("clearCall", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: ux25OperDbitInAccept.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperDbitInAccept.setDescription('') ux25OperDbitOutAccept = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 8, 1, 26), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("leaveDbit", 1), ("zeroDbit", 2), ("clearCall", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: ux25OperDbitOutAccept.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperDbitOutAccept.setDescription('') ux25OperDbitInData = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 8, 1, 27), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("leaveDbit", 1), ("zeroDbit", 2), ("clearCall", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: ux25OperDbitInData.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperDbitInData.setDescription('') ux25OperDbitOutData = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 8, 1, 28), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("leaveDbit", 1), ("zeroDbit", 2), ("clearCall", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: ux25OperDbitOutData.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperDbitOutData.setDescription('') ux25OperSubscriberTable = MibTable((1, 3, 6, 1, 4, 1, 429, 1, 10, 9), ) if mibBuilder.loadTexts: ux25OperSubscriberTable.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperSubscriberTable.setDescription('Defines objects that report the current parameters used by a running interface. These objects are read only.') ux25OperSubscriberEntry = MibTableRow((1, 3, 6, 1, 4, 1, 429, 1, 10, 9, 1), ).setIndexNames((0, "UX25-MIB", "ux25OperSubscriberIndex")) if mibBuilder.loadTexts: ux25OperSubscriberEntry.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperSubscriberEntry.setDescription('Entries of ux25OperSubscriberTable.') ux25OperSubscriberIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 9, 1, 1), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ux25OperSubscriberIndex.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperSubscriberIndex.setDescription('') ux25OperSubCugIaoa = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 9, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("disable", 1), ("enable", 2)))).setMaxAccess("readonly") if mibBuilder.loadTexts: ux25OperSubCugIaoa.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperSubCugIaoa.setDescription('') ux25OperSubCugPref = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 9, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("disable", 1), ("enable", 2)))).setMaxAccess("readonly") if mibBuilder.loadTexts: ux25OperSubCugPref.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperSubCugPref.setDescription('') ux25OperSubCugoa = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 9, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("disable", 1), ("enable", 2)))).setMaxAccess("readonly") if mibBuilder.loadTexts: ux25OperSubCugoa.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperSubCugoa.setDescription('') ux25OperSubCugia = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 9, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("disable", 1), ("enable", 2)))).setMaxAccess("readonly") if mibBuilder.loadTexts: ux25OperSubCugia.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperSubCugia.setDescription('') ux25OperCugFormat = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 9, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("basic", 1), ("extended", 2)))).setMaxAccess("readonly") if mibBuilder.loadTexts: ux25OperCugFormat.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperCugFormat.setDescription('') ux25OperBarInCug = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 9, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("disable", 1), ("enable", 2)))).setMaxAccess("readonly") if mibBuilder.loadTexts: ux25OperBarInCug.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperBarInCug.setDescription('') ux25OperSubExtended = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 9, 1, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("disable", 1), ("enable", 2)))).setMaxAccess("readonly") if mibBuilder.loadTexts: ux25OperSubExtended.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperSubExtended.setDescription('') ux25OperBarExtended = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 9, 1, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("disable", 1), ("enable", 2)))).setMaxAccess("readonly") if mibBuilder.loadTexts: ux25OperBarExtended.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperBarExtended.setDescription('') ux25OperSubFstSelNoRstrct = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 9, 1, 10), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("disable", 1), ("enable", 2)))).setMaxAccess("readonly") if mibBuilder.loadTexts: ux25OperSubFstSelNoRstrct.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperSubFstSelNoRstrct.setDescription('') ux25OperSubFstSelWthRstrct = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 9, 1, 11), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("disable", 1), ("enable", 2)))).setMaxAccess("readonly") if mibBuilder.loadTexts: ux25OperSubFstSelWthRstrct.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperSubFstSelWthRstrct.setDescription('') ux25OperAccptRvsChrgng = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 9, 1, 12), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("disable", 1), ("enable", 2)))).setMaxAccess("readonly") if mibBuilder.loadTexts: ux25OperAccptRvsChrgng.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperAccptRvsChrgng.setDescription('') ux25OperSubLocChargePrevent = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 9, 1, 13), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("disable", 1), ("enable", 2)))).setMaxAccess("readonly") if mibBuilder.loadTexts: ux25OperSubLocChargePrevent.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperSubLocChargePrevent.setDescription('') ux25OperSubToaNpiFormat = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 9, 1, 14), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("disable", 1), ("enable", 2)))).setMaxAccess("readonly") if mibBuilder.loadTexts: ux25OperSubToaNpiFormat.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperSubToaNpiFormat.setDescription('') ux25OperBarToaNpiFormat = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 9, 1, 15), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("disable", 1), ("enable", 2)))).setMaxAccess("readonly") if mibBuilder.loadTexts: ux25OperBarToaNpiFormat.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperBarToaNpiFormat.setDescription('') ux25OperSubNuiOverride = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 9, 1, 16), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("disable", 1), ("enable", 2)))).setMaxAccess("readonly") if mibBuilder.loadTexts: ux25OperSubNuiOverride.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperSubNuiOverride.setDescription('') ux25OperBarInCall = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 9, 1, 17), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("disable", 1), ("enable", 2)))).setMaxAccess("readonly") if mibBuilder.loadTexts: ux25OperBarInCall.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperBarInCall.setDescription('') ux25OperBarOutCall = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 9, 1, 18), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("disable", 1), ("enable", 2)))).setMaxAccess("readonly") if mibBuilder.loadTexts: ux25OperBarOutCall.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperBarOutCall.setDescription('') ux25OperTimerTable = MibTable((1, 3, 6, 1, 4, 1, 429, 1, 10, 10), ) if mibBuilder.loadTexts: ux25OperTimerTable.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperTimerTable.setDescription('Defines objects that report the current parameters used by a running interface. These objects are read only.') ux25OperTimerEntry = MibTableRow((1, 3, 6, 1, 4, 1, 429, 1, 10, 10, 1), ).setIndexNames((0, "UX25-MIB", "ux25OperTimerIndex")) if mibBuilder.loadTexts: ux25OperTimerEntry.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperTimerEntry.setDescription('Entries of ux25OperTimerTable.') ux25OperTimerIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 10, 1, 1), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ux25OperTimerIndex.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperTimerIndex.setDescription('') ux25OperAckDelay = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 10, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 32000))).setMaxAccess("readonly") if mibBuilder.loadTexts: ux25OperAckDelay.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperAckDelay.setDescription('') ux25OperRstrtTime = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 10, 1, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 32000))).setMaxAccess("readonly") if mibBuilder.loadTexts: ux25OperRstrtTime.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperRstrtTime.setDescription('') ux25OperCallTime = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 10, 1, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 32000))).setMaxAccess("readonly") if mibBuilder.loadTexts: ux25OperCallTime.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperCallTime.setDescription('') ux25OperRstTime = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 10, 1, 5), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 32000))).setMaxAccess("readonly") if mibBuilder.loadTexts: ux25OperRstTime.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperRstTime.setDescription('') ux25OperClrTime = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 10, 1, 6), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 32000))).setMaxAccess("readonly") if mibBuilder.loadTexts: ux25OperClrTime.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperClrTime.setDescription('') ux25OperWinStatTime = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 10, 1, 7), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 32000))).setMaxAccess("readonly") if mibBuilder.loadTexts: ux25OperWinStatTime.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperWinStatTime.setDescription('') ux25OperWinRotTime = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 10, 1, 8), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 32000))).setMaxAccess("readonly") if mibBuilder.loadTexts: ux25OperWinRotTime.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperWinRotTime.setDescription('') ux25OperIntrptTime = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 10, 1, 9), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 32000))).setMaxAccess("readonly") if mibBuilder.loadTexts: ux25OperIntrptTime.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperIntrptTime.setDescription('') ux25OperIdleValue = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 10, 1, 10), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 32000))).setMaxAccess("readonly") if mibBuilder.loadTexts: ux25OperIdleValue.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperIdleValue.setDescription('') ux25OperConnectValue = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 10, 1, 11), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 32000))).setMaxAccess("readonly") if mibBuilder.loadTexts: ux25OperConnectValue.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperConnectValue.setDescription('') ux25OperRstrtCnt = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 10, 1, 12), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 255))).setMaxAccess("readonly") if mibBuilder.loadTexts: ux25OperRstrtCnt.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperRstrtCnt.setDescription('') ux25OperRstCnt = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 10, 1, 13), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 255))).setMaxAccess("readonly") if mibBuilder.loadTexts: ux25OperRstCnt.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperRstCnt.setDescription('') ux25OperClrCnt = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 10, 1, 14), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 255))).setMaxAccess("readonly") if mibBuilder.loadTexts: ux25OperClrCnt.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperClrCnt.setDescription('') ux25OperLocalDelay = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 10, 1, 15), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 32000))).setMaxAccess("readonly") if mibBuilder.loadTexts: ux25OperLocalDelay.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperLocalDelay.setDescription('') ux25OperAccessDelay = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 10, 1, 16), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 32000))).setMaxAccess("readonly") if mibBuilder.loadTexts: ux25OperAccessDelay.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperAccessDelay.setDescription('') ux25StatTable = MibTable((1, 3, 6, 1, 4, 1, 429, 1, 10, 11), ) if mibBuilder.loadTexts: ux25StatTable.setStatus('mandatory') if mibBuilder.loadTexts: ux25StatTable.setDescription('Defines objects that report operational statistics for an X.25 interface.') ux25StatEntry = MibTableRow((1, 3, 6, 1, 4, 1, 429, 1, 10, 11, 1), ).setIndexNames((0, "UX25-MIB", "ux25StatIndex")) if mibBuilder.loadTexts: ux25StatEntry.setStatus('mandatory') if mibBuilder.loadTexts: ux25StatEntry.setDescription('Entries of ux25StatTable.') ux25StatIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 11, 1, 1), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ux25StatIndex.setStatus('mandatory') if mibBuilder.loadTexts: ux25StatIndex.setDescription('A unique value for each X.25 subnetwork entity in the chassis. The value of this object matches the value of the index of the corresponding X.25 subnetwork entity entry in the entity table of the chassis MIB.') ux25StatCallsRcvd = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 11, 1, 2), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ux25StatCallsRcvd.setStatus('mandatory') if mibBuilder.loadTexts: ux25StatCallsRcvd.setDescription('Number of incoming calls.') ux25StatCallsSent = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 11, 1, 3), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ux25StatCallsSent.setStatus('mandatory') if mibBuilder.loadTexts: ux25StatCallsSent.setDescription('Number of outgoing calls.') ux25StatCallsRcvdEstab = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 11, 1, 4), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ux25StatCallsRcvdEstab.setStatus('mandatory') if mibBuilder.loadTexts: ux25StatCallsRcvdEstab.setDescription('Number of incoming calls established.') ux25StatCallsSentEstab = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 11, 1, 5), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ux25StatCallsSentEstab.setStatus('mandatory') if mibBuilder.loadTexts: ux25StatCallsSentEstab.setDescription('Number of outgoing calls established.') ux25StatDataPktsRcvd = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 11, 1, 6), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ux25StatDataPktsRcvd.setStatus('mandatory') if mibBuilder.loadTexts: ux25StatDataPktsRcvd.setDescription('Number of data packets received.') ux25StatDataPktsSent = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 11, 1, 7), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ux25StatDataPktsSent.setStatus('mandatory') if mibBuilder.loadTexts: ux25StatDataPktsSent.setDescription('Number of data packets sent.') ux25StatRestartsRcvd = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 11, 1, 8), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ux25StatRestartsRcvd.setStatus('mandatory') if mibBuilder.loadTexts: ux25StatRestartsRcvd.setDescription('Number of restarts received.') ux25StatRestartsSent = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 11, 1, 9), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ux25StatRestartsSent.setStatus('mandatory') if mibBuilder.loadTexts: ux25StatRestartsSent.setDescription('Number of restarts sent.') ux25StatRcvrNotRdyRcvd = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 11, 1, 10), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ux25StatRcvrNotRdyRcvd.setStatus('mandatory') if mibBuilder.loadTexts: ux25StatRcvrNotRdyRcvd.setDescription('Number of receiver not ready received.') ux25StatRcvrNotRdySent = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 11, 1, 11), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ux25StatRcvrNotRdySent.setStatus('mandatory') if mibBuilder.loadTexts: ux25StatRcvrNotRdySent.setDescription('Number of receiver not ready sent.') ux25StatRcvrRdyRcvd = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 11, 1, 12), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ux25StatRcvrRdyRcvd.setStatus('mandatory') if mibBuilder.loadTexts: ux25StatRcvrRdyRcvd.setDescription('Number of receiver ready received.') ux25StatRcvrRdySent = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 11, 1, 13), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ux25StatRcvrRdySent.setStatus('mandatory') if mibBuilder.loadTexts: ux25StatRcvrRdySent.setDescription('Number of receiver ready sent.') ux25StatResetsRcvd = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 11, 1, 14), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ux25StatResetsRcvd.setStatus('mandatory') if mibBuilder.loadTexts: ux25StatResetsRcvd.setDescription('Number of resets received.') ux25StatResetsSent = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 11, 1, 15), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ux25StatResetsSent.setStatus('mandatory') if mibBuilder.loadTexts: ux25StatResetsSent.setDescription('Number of resets sent.') ux25StatDiagPktsRcvd = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 11, 1, 16), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ux25StatDiagPktsRcvd.setStatus('mandatory') if mibBuilder.loadTexts: ux25StatDiagPktsRcvd.setDescription('Number of diagnostic packets received.') ux25StatDiagPktsSent = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 11, 1, 17), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ux25StatDiagPktsSent.setStatus('mandatory') if mibBuilder.loadTexts: ux25StatDiagPktsSent.setDescription('Number of diagnostic packets sent.') ux25StatIntrptPktsRcvd = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 11, 1, 18), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ux25StatIntrptPktsRcvd.setStatus('mandatory') if mibBuilder.loadTexts: ux25StatIntrptPktsRcvd.setDescription('Number of interrupt packets received.') ux25StatIntrptPktsSent = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 11, 1, 19), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ux25StatIntrptPktsSent.setStatus('mandatory') if mibBuilder.loadTexts: ux25StatIntrptPktsSent.setDescription('Number of interrupt packets sent.') ux25StatPVCsInDatTrnsfrState = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 11, 1, 20), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ux25StatPVCsInDatTrnsfrState.setStatus('mandatory') if mibBuilder.loadTexts: ux25StatPVCsInDatTrnsfrState.setDescription('Number of PVCs in Data Transfer State.') ux25StatSVCsInDatTrnsfrState = MibTableColumn((1, 3, 6, 1, 4, 1, 429, 1, 10, 11, 1, 21), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ux25StatSVCsInDatTrnsfrState.setStatus('mandatory') if mibBuilder.loadTexts: ux25StatSVCsInDatTrnsfrState.setDescription('Number of SVCs in Data Transfer State.') mibBuilder.exportSymbols("UX25-MIB", ux25AdmnClassTable=ux25AdmnClassTable, ux25AdmnPacketTable=ux25AdmnPacketTable, ux25AdmnPacketEntry=ux25AdmnPacketEntry, ux25AdmnChanneIndex=ux25AdmnChanneIndex, ux25OperPacketEntry=ux25OperPacketEntry, ux25AdmnBarInCall=ux25AdmnBarInCall, ux25AdmnSubExtended=ux25AdmnSubExtended, ux25OperPacketIndex=ux25OperPacketIndex, ux25OperBarToaNpiFormat=ux25OperBarToaNpiFormat, ux25StatEntry=ux25StatEntry, ux25AdmnHighestPVCVal=ux25AdmnHighestPVCVal, ux25OperSubCugia=ux25OperSubCugia, ux25AdmnSubNuiOverride=ux25AdmnSubNuiOverride, ux25AdmnLowestPVCVal=ux25AdmnLowestPVCVal, ux25OperChannelLIC=ux25OperChannelLIC, ux25AdmnAckDelay=ux25AdmnAckDelay, ux25OperThclassNegToDef=ux25OperThclassNegToDef, ux25OperBarOutCall=ux25OperBarOutCall, ux25AdmnChannelHIC=ux25AdmnChannelHIC, ux25StatResetsSent=ux25StatResetsSent, ux25AdmnUseDiagnosticPacket=ux25AdmnUseDiagnosticPacket, ux25OperRstrtCnt=ux25OperRstrtCnt, ux25StatCallsRcvdEstab=ux25StatCallsRcvdEstab, ux25OperSubscriberIndex=ux25OperSubscriberIndex, ux25AdmnLocalDelay=ux25AdmnLocalDelay, ux25OperCugFormat=ux25OperCugFormat, ux25OperLocDefPktSize=ux25OperLocDefPktSize, ux25AdmnPrtyEncodeCtrl=ux25AdmnPrtyEncodeCtrl, ux25OperDbitOutAccept=ux25OperDbitOutAccept, ux25OperNetMode=ux25OperNetMode, ux25OperClrTime=ux25OperClrTime, ux25AdmnChannelEntry=ux25AdmnChannelEntry, ux25OperTimerIndex=ux25OperTimerIndex, ux25AdmnRstTime=ux25AdmnRstTime, ux25AdmnIntlAddrRecognition=ux25AdmnIntlAddrRecognition, ux25AdmnBarNonPrivilegeListen=ux25AdmnBarNonPrivilegeListen, ux25OperLocMaxPktSize=ux25OperLocMaxPktSize, ux25StatPVCsInDatTrnsfrState=ux25StatPVCsInDatTrnsfrState, ux25AdmnItutClearLen=ux25AdmnItutClearLen, ux25OperChannelTable=ux25OperChannelTable, ux25AdmnSubLocChargePrevent=ux25AdmnSubLocChargePrevent, ux25OperLowestPVCVal=ux25OperLowestPVCVal, ux25StatTable=ux25StatTable, ux25OperRemMaxPktSize=ux25OperRemMaxPktSize, ux25OperSubNuiOverride=ux25OperSubNuiOverride, ux25AdmnLocMaxPktSize=ux25AdmnLocMaxPktSize, usr=usr, ux25AdmnRemMaxThruPutClass=ux25AdmnRemMaxThruPutClass, ux25OperChannelLTC=ux25OperChannelLTC, ux25AdmnBarInCug=ux25AdmnBarInCug, ux25OperClassIndex=ux25OperClassIndex, ux25OperAccNoDiagnostic=ux25OperAccNoDiagnostic, ux25AdmnWinRotTime=ux25AdmnWinRotTime, ux25OperItutClearLen=ux25OperItutClearLen, ux25OperLocMinThruPutClass=ux25OperLocMinThruPutClass, ux25OperDbitInData=ux25OperDbitInData, ux25AdmnTimerEntry=ux25AdmnTimerEntry, ux25AdmnDbitOutData=ux25AdmnDbitOutData, ux25StatSVCsInDatTrnsfrState=ux25StatSVCsInDatTrnsfrState, ux25OperIntlAddrRecognition=ux25OperIntlAddrRecognition, ux25AdmnDiscNzDiagnostic=ux25AdmnDiscNzDiagnostic, ux25OperLocalDelay=ux25OperLocalDelay, ux25OperPktSequencing=ux25OperPktSequencing, ux25OperRemDefPktSize=ux25OperRemDefPktSize, ux25OperRstrtTime=ux25OperRstrtTime, ux25StatRestartsRcvd=ux25StatRestartsRcvd, ux25AdmnAcceptHexAdd=ux25AdmnAcceptHexAdd, ux25StatDiagPktsSent=ux25StatDiagPktsSent, ux25AdmnChannelLTC=ux25AdmnChannelLTC, ux25OperPrtyPktForcedVal=ux25OperPrtyPktForcedVal, ux25OperThclassType=ux25OperThclassType, ux25OperRstCnt=ux25OperRstCnt, ux25AdmnSubCugIaoa=ux25AdmnSubCugIaoa, ux25AdmnChannelTable=ux25AdmnChannelTable, ux25AdmnRemMinThruPutClass=ux25AdmnRemMinThruPutClass, ux25AdmnChannelLOC=ux25AdmnChannelLOC, ux25AdmnBarDiagnosticPacket=ux25AdmnBarDiagnosticPacket, ux25OperIntrptTime=ux25OperIntrptTime, ux25AdmnSubCugPref=ux25AdmnSubCugPref, ux25OperDiscNzDiagnostic=ux25OperDiscNzDiagnostic, ux25AdmnConnectValue=ux25AdmnConnectValue, ux25OperChannelHOC=ux25OperChannelHOC, ux25AdmnSubscriberEntry=ux25AdmnSubscriberEntry, ux25OperLocDefWinSize=ux25OperLocDefWinSize, ux25AdmnRemDefWinSize=ux25AdmnRemDefWinSize, ux25OperThclassPackMap=ux25OperThclassPackMap, ux25OperSubCugIaoa=ux25OperSubCugIaoa, ux25OperSubLocChargePrevent=ux25OperSubLocChargePrevent, ux25OperRemDefThruPutClass=ux25OperRemDefThruPutClass, ux25AdmnProtocolVersion=ux25AdmnProtocolVersion, ux25OperRstTime=ux25OperRstTime, ux25AdmnNetMode=ux25AdmnNetMode, ux25AdmnClassIndex=ux25AdmnClassIndex, ux25OperSrcAddrCtrl=ux25OperSrcAddrCtrl, ux25AdmnIntlPrioritized=ux25AdmnIntlPrioritized, ux25OperBarInCug=ux25OperBarInCug, ux25AdmnRemMaxWinSize=ux25AdmnRemMaxWinSize, ux25StatRcvrNotRdySent=ux25StatRcvrNotRdySent, ux25AdmnDbitOutAccept=ux25AdmnDbitOutAccept, ux25OperAccessDelay=ux25OperAccessDelay, ux25AdmnRstrtCnt=ux25AdmnRstrtCnt, ux25StatIntrptPktsSent=ux25StatIntrptPktsSent, ux25StatDataPktsSent=ux25StatDataPktsSent, ux25AdmnTimerTable=ux25AdmnTimerTable, ux25OperTimerTable=ux25OperTimerTable, ux25AdmnThclassType=ux25AdmnThclassType, ux25AdmnMaxNSDULimit=ux25AdmnMaxNSDULimit, ux25OperMaxNSDULimit=ux25OperMaxNSDULimit, ux25OperBarDiagnosticPacket=ux25OperBarDiagnosticPacket, ux25OperWinStatTime=ux25OperWinStatTime, ux25AdmnChannelHOC=ux25AdmnChannelHOC, ux25StatResetsRcvd=ux25StatResetsRcvd, ux25StatRestartsSent=ux25StatRestartsSent, ux25StatCallsRcvd=ux25StatCallsRcvd, ux25OperBarExtended=ux25OperBarExtended, ux25AdmnLocDefWinSize=ux25AdmnLocDefWinSize, ux25OperAcceptHexAdd=ux25OperAcceptHexAdd, ux25OperSubToaNpiFormat=ux25OperSubToaNpiFormat, ux25OperDbitInAccept=ux25OperDbitInAccept, ux25OperSubCugPref=ux25OperSubCugPref, ux25AdmnDbitInAccept=ux25AdmnDbitInAccept, ux25OperConnectValue=ux25OperConnectValue, ux25StatDiagPktsRcvd=ux25StatDiagPktsRcvd, ux25OperIdleValue=ux25OperIdleValue, ux25OperSubscriberTable=ux25OperSubscriberTable, ux25StatRcvrRdyRcvd=ux25StatRcvrRdyRcvd, ux25OperClassTable=ux25OperClassTable, ux25OperThclassWinMap=ux25OperThclassWinMap, ux25OperDnic=ux25OperDnic, ux25AdmnSubscriberIndex=ux25AdmnSubscriberIndex, ux25AdmnIdleValue=ux25AdmnIdleValue, ux25AdmnClassEntry=ux25AdmnClassEntry, ux25OperWinRotTime=ux25OperWinRotTime, ux25AdmnTimerIndex=ux25AdmnTimerIndex, ux25AdmnClrCnt=ux25AdmnClrCnt, ux25AdmnLocMaxThruPutClass=ux25AdmnLocMaxThruPutClass, ux25StatIntrptPktsRcvd=ux25StatIntrptPktsRcvd, ux25AdmnRstrtTime=ux25AdmnRstrtTime, ux25AdmnSubToaNpiFormat=ux25AdmnSubToaNpiFormat, ux25OperChannelIndex=ux25OperChannelIndex, ux25AdmnSubFstSelNoRstrct=ux25AdmnSubFstSelNoRstrct, ux25OperSubCugoa=ux25OperSubCugoa, ux25OperAccptRvsChrgng=ux25OperAccptRvsChrgng, ux25StatRcvrRdySent=ux25StatRcvrRdySent, ux25OperHighestPVCVal=ux25OperHighestPVCVal, ux25AdmnAccNoDiagnostic=ux25AdmnAccNoDiagnostic, ux25OperPacketTable=ux25OperPacketTable, ux25AdmnInterfaceMode=ux25AdmnInterfaceMode, ux25OperUseDiagnosticPacket=ux25OperUseDiagnosticPacket, ux25AdmnWinStatTime=ux25AdmnWinStatTime, ux25StatDataPktsRcvd=ux25StatDataPktsRcvd, ux25OperChannelLOC=ux25OperChannelLOC, ux25AdmnDbitInData=ux25AdmnDbitInData, ux25StatCallsSent=ux25StatCallsSent, ux25AdmnLocMinThruPutClass=ux25AdmnLocMinThruPutClass, ux25AdmnPktSequencing=ux25AdmnPktSequencing, ux25OperBarNonPrivilegeListen=ux25OperBarNonPrivilegeListen, ux25OperInterfaceMode=ux25OperInterfaceMode, ux25AdmnIntrptTime=ux25AdmnIntrptTime, ux25AdmnBarOutCall=ux25AdmnBarOutCall, ux25OperProtocolVersion=ux25OperProtocolVersion, ux25OperBarInCall=ux25OperBarInCall, ux25AdmnBarExtended=ux25AdmnBarExtended, ux25OperIntlPrioritized=ux25OperIntlPrioritized, ux25AdmnPacketIndex=ux25AdmnPacketIndex, ux25OperDbitOutData=ux25OperDbitOutData, ux25AdmnRemDefPktSize=ux25AdmnRemDefPktSize, ux25OperSubscriberEntry=ux25OperSubscriberEntry, ux25OperClassEntry=ux25OperClassEntry, ux25OperPrtyEncodeCtrl=ux25OperPrtyEncodeCtrl, ux25OperRemMaxWinSize=ux25OperRemMaxWinSize, ux25AdmnCallTime=ux25AdmnCallTime, ux25AdmnPrtyPktForcedVal=ux25AdmnPrtyPktForcedVal, ux25AdmnAccptRvsChrgng=ux25AdmnAccptRvsChrgng, ux25OperRemMinThruPutClass=ux25OperRemMinThruPutClass, ux25OperClrCnt=ux25OperClrCnt, ux25AdmnSrcAddrCtrl=ux25AdmnSrcAddrCtrl, ux25StatRcvrNotRdyRcvd=ux25StatRcvrNotRdyRcvd, ux25OperSubExtended=ux25OperSubExtended, ux25OperSubFstSelNoRstrct=ux25OperSubFstSelNoRstrct, ux25OperSubFstSelWthRstrct=ux25OperSubFstSelWthRstrct, ux25OperChannelHTC=ux25OperChannelHTC, ux25OperCallTime=ux25OperCallTime, ux25AdmnBarToaNpiFormat=ux25AdmnBarToaNpiFormat, ux25AdmnLocMaxWinSize=ux25AdmnLocMaxWinSize, ux25AdmnLocDefThruPutClass=ux25AdmnLocDefThruPutClass, ux25OperLocMaxWinSize=ux25OperLocMaxWinSize, ux25OperRemDefWinSize=ux25OperRemDefWinSize, ux25AdmnChannelHTC=ux25AdmnChannelHTC, ux25AdmnRemMaxPktSize=ux25AdmnRemMaxPktSize, ux25AdmnSubFstSelWthRstrct=ux25AdmnSubFstSelWthRstrct, ux25AdmnClrTime=ux25AdmnClrTime, ux25OperLocDefThruPutClass=ux25OperLocDefThruPutClass, ux25OperChannelEntry=ux25OperChannelEntry, ux25=ux25, ux25OperChannelHIC=ux25OperChannelHIC, ux25OperRemMaxThruPutClass=ux25OperRemMaxThruPutClass, ux25AdmnRemDefThruPutClass=ux25AdmnRemDefThruPutClass, ux25AdmnThclassNegToDef=ux25AdmnThclassNegToDef, ux25AdmnThclassWinMap=ux25AdmnThclassWinMap, ux25AdmnSubCugoa=ux25AdmnSubCugoa, ux25AdmnDnic=ux25AdmnDnic, ux25AdmnSubCugia=ux25AdmnSubCugia, ux25AdmnCugFormat=ux25AdmnCugFormat, nas=nas, ux25AdmnChannelLIC=ux25AdmnChannelLIC, ux25AdmnLocDefPktSize=ux25AdmnLocDefPktSize, ux25AdmnAccessDelay=ux25AdmnAccessDelay, ux25OperAckDelay=ux25OperAckDelay, ux25StatCallsSentEstab=ux25StatCallsSentEstab, ux25AdmnSubscriberTable=ux25AdmnSubscriberTable, ux25AdmnRstCnt=ux25AdmnRstCnt, ux25AdmnThclassPackMap=ux25AdmnThclassPackMap, ux25OperLocMaxThruPutClass=ux25OperLocMaxThruPutClass, ux25StatIndex=ux25StatIndex, ux25OperTimerEntry=ux25OperTimerEntry)
(octet_string, object_identifier, integer) = mibBuilder.importSymbols('ASN1', 'OctetString', 'ObjectIdentifier', 'Integer') (named_values,) = mibBuilder.importSymbols('ASN1-ENUMERATION', 'NamedValues') (constraints_union, constraints_intersection, single_value_constraint, value_range_constraint, value_size_constraint) = mibBuilder.importSymbols('ASN1-REFINEMENT', 'ConstraintsUnion', 'ConstraintsIntersection', 'SingleValueConstraint', 'ValueRangeConstraint', 'ValueSizeConstraint') (module_compliance, notification_group) = mibBuilder.importSymbols('SNMPv2-CONF', 'ModuleCompliance', 'NotificationGroup') (gauge32, enterprises, ip_address, counter64, module_identity, unsigned32, bits, mib_scalar, mib_table, mib_table_row, mib_table_column, object_identity, integer32, counter32, iso, experimental, mib_identifier, time_ticks, notification_type) = mibBuilder.importSymbols('SNMPv2-SMI', 'Gauge32', 'enterprises', 'IpAddress', 'Counter64', 'ModuleIdentity', 'Unsigned32', 'Bits', 'MibScalar', 'MibTable', 'MibTableRow', 'MibTableColumn', 'ObjectIdentity', 'Integer32', 'Counter32', 'iso', 'experimental', 'MibIdentifier', 'TimeTicks', 'NotificationType') (display_string, textual_convention) = mibBuilder.importSymbols('SNMPv2-TC', 'DisplayString', 'TextualConvention') usr = mib_identifier((1, 3, 6, 1, 4, 1, 429)) nas = mib_identifier((1, 3, 6, 1, 4, 1, 429, 1)) ux25 = mib_identifier((1, 3, 6, 1, 4, 1, 429, 1, 10)) ux25_admn_channel_table = mib_table((1, 3, 6, 1, 4, 1, 429, 1, 10, 1)) if mibBuilder.loadTexts: ux25AdmnChannelTable.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnChannelTable.setDescription('Defines objects for the parameters of an X.25 interface which the administrator can read and set.') ux25_admn_channel_entry = mib_table_row((1, 3, 6, 1, 4, 1, 429, 1, 10, 1, 1)).setIndexNames((0, 'UX25-MIB', 'ux25AdmnChanneIndex')) if mibBuilder.loadTexts: ux25AdmnChannelEntry.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnChannelEntry.setDescription('Entries of ux25AdmnChannelTable.') ux25_admn_channe_index = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 1, 1, 1), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ux25AdmnChanneIndex.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnChanneIndex.setDescription('A unique value for each X.25 subnetwork entity in the chassis. The value of this object matches the value of the index of the corresponding X.25 subnetwork entity entry in the entity table of the chassis MIB.') ux25_admn_net_mode = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 1, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24))).clone(namedValues=named_values(('x25Llc', 1), ('x2588', 2), ('x2584', 3), ('x2580', 4), ('pss', 5), ('austpac', 6), ('datapac', 7), ('ddn', 8), ('telenet', 9), ('transpac', 10), ('tymnet', 11), ('datexP', 12), ('ddxP', 13), ('venusP', 14), ('accunet', 15), ('itapac', 16), ('datapak', 17), ('datanet', 18), ('dcs', 19), ('telepac', 20), ('fDatapac', 21), ('finpac', 22), ('pacnet', 23), ('luxpac', 24)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: ux25AdmnNetMode.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnNetMode.setDescription('Selects the network protocol to be used. Default=x2584(3).') ux25_admn_protocol_version = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 1, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('x25ver80', 1), ('x25ver84', 2), ('x25ver88', 3)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: ux25AdmnProtocolVersion.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnProtocolVersion.setDescription('Determines the X.25 protocol version being used on the network. A network mode of X25_LLC overides this field to the 1984 standard. Default=x25ver84(3).') ux25_admn_interface_mode = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 1, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('dceMode', 1), ('dteMode', 2), ('dxeMode', 3)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: ux25AdmnInterfaceMode.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnInterfaceMode.setDescription('Indicates the DTE/DCE nature of the link. The DXE parameter is resolved using ISO 8208 for DTE-DTE operation. Default=dteMode(2).') ux25_admn_lowest_pvc_val = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 1, 1, 5), integer32().subtype(subtypeSpec=value_range_constraint(0, 4095))).setMaxAccess('readwrite') if mibBuilder.loadTexts: ux25AdmnLowestPVCVal.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnLowestPVCVal.setDescription('Low end of the Permanent Virtual Circuit range. If both the Low and High ends of the range are set to 0 there are no PVCs. Default=0.') ux25_admn_highest_pvc_val = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 1, 1, 6), integer32().subtype(subtypeSpec=value_range_constraint(0, 4095))).setMaxAccess('readwrite') if mibBuilder.loadTexts: ux25AdmnHighestPVCVal.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnHighestPVCVal.setDescription('High end of the Permanent Virtual Circuit range. If both the Low and High ends of the range are set to 0 there are no PVCs. Default=0.') ux25_admn_channel_lic = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 1, 1, 7), integer32().subtype(subtypeSpec=value_range_constraint(0, 4095))).setMaxAccess('readwrite') if mibBuilder.loadTexts: ux25AdmnChannelLIC.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnChannelLIC.setDescription('Low end of the one-way incoming logical channel. If both Low and High ends of the channel are set to 0, there are no one-way incoming channels. Default=0.') ux25_admn_channel_hic = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 1, 1, 8), integer32().subtype(subtypeSpec=value_range_constraint(0, 4095))).setMaxAccess('readwrite') if mibBuilder.loadTexts: ux25AdmnChannelHIC.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnChannelHIC.setDescription('High end of the one-way incoming logical channel. If both Low and High ends of the channel are set to 0, there are no one-way incoming channels. Default=0.') ux25_admn_channel_ltc = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 1, 1, 9), integer32().subtype(subtypeSpec=value_range_constraint(0, 4095))).setMaxAccess('readwrite') if mibBuilder.loadTexts: ux25AdmnChannelLTC.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnChannelLTC.setDescription('Low end of the two-way incoming logical channel. If both Low and High ends of the channel are set to 0, there are no two-way incoming channels. Default=1024.') ux25_admn_channel_htc = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 1, 1, 10), integer32().subtype(subtypeSpec=value_range_constraint(0, 4095))).setMaxAccess('readwrite') if mibBuilder.loadTexts: ux25AdmnChannelHTC.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnChannelHTC.setDescription('High end of the two-way incoming logical channel. If both Low and High ends of the channel are set to 0, there are no two-way incoming channels. Default=1087.') ux25_admn_channel_loc = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 1, 1, 11), integer32().subtype(subtypeSpec=value_range_constraint(0, 4095))).setMaxAccess('readwrite') if mibBuilder.loadTexts: ux25AdmnChannelLOC.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnChannelLOC.setDescription('Low end of the one-way outgoing logical channel. If both Low and High ends of the channel are set to 0, there are no one-way outgoing channels. Default=0.') ux25_admn_channel_hoc = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 1, 1, 12), integer32().subtype(subtypeSpec=value_range_constraint(0, 4095))).setMaxAccess('readwrite') if mibBuilder.loadTexts: ux25AdmnChannelHOC.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnChannelHOC.setDescription('High end of the one-way outgoing logical channel. If both Low and High ends of the channel are set to 0, there are no one-way outgoing channels. Default=0.') ux25_admn_class_table = mib_table((1, 3, 6, 1, 4, 1, 429, 1, 10, 2)) if mibBuilder.loadTexts: ux25AdmnClassTable.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnClassTable.setDescription('Defines objects for the parameters of an X.25 interface which the administrator can read and set.') ux25_admn_class_entry = mib_table_row((1, 3, 6, 1, 4, 1, 429, 1, 10, 2, 1)).setIndexNames((0, 'UX25-MIB', 'ux25AdmnClassIndex')) if mibBuilder.loadTexts: ux25AdmnClassEntry.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnClassEntry.setDescription('Entries of ux25AdmnClassTable.') ux25_admn_class_index = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 2, 1, 1), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ux25AdmnClassIndex.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnClassIndex.setDescription('A unique value for each X.25 subnetwork entity in the chassis. The value of this object matches the value of the index of the corresponding X.25 subnetwork entity entry in the entity table of the chassis MIB.') ux25_admn_loc_max_thru_put_class = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 2, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16))).clone(namedValues=named_values(('tcReserved0', 1), ('tcReserved1', 2), ('tcReserved2', 3), ('tc75', 4), ('tc150', 5), ('tc300', 6), ('tc600', 7), ('tc1200', 8), ('tc2400', 9), ('tc4800', 10), ('tc9600', 11), ('tc19200', 12), ('tc48000', 13), ('tcReserved13', 14), ('tcReserved14', 15), ('tcReserved15', 16)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: ux25AdmnLocMaxThruPutClass.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnLocMaxThruPutClass.setDescription('The maximum value of the throughput class Quality of Service parameter which is supported. According to ISO 8208 this parameter is bounded in the range >=3 and <=12 corresponding to a range 75 to 48000 bits/second. The range supported here is 0 to 15 for non-standard X.25 implementations, which use the Throughput Class Window/Packet Parameters (Group II). Default=12.') ux25_admn_rem_max_thru_put_class = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 2, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16))).clone(namedValues=named_values(('tcReserved0', 1), ('tcReserved1', 2), ('tcReserved2', 3), ('tc75', 4), ('tc150', 5), ('tc300', 6), ('tc600', 7), ('tc1200', 8), ('tc2400', 9), ('tc4800', 10), ('tc9600', 11), ('tc19200', 12), ('tc48000', 13), ('tcReserved13', 14), ('tcReserved14', 15), ('tcReserved15', 16)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: ux25AdmnRemMaxThruPutClass.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnRemMaxThruPutClass.setDescription('The maximum value of the throughput class Quality of Service parameter which is supported. According to ISO 8208 this parameter is bounded in the range >=3 and <=12 corresponding to a range 75 to 48000 bits/second. The range supported here is 0 to 15 for non-standard X.25 implementations, which use the Throughput Class Window/Packet Parameters (Group II). Default=12.') ux25_admn_loc_def_thru_put_class = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 2, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16))).clone(namedValues=named_values(('tcReserved0', 1), ('tcReserved1', 2), ('tcReserved2', 3), ('tc75', 4), ('tc150', 5), ('tc300', 6), ('tc600', 7), ('tc1200', 8), ('tc2400', 9), ('tc4800', 10), ('tc9600', 11), ('tc19200', 12), ('tc48000', 13), ('tcReserved13', 14), ('tcReserved14', 15), ('tcReserved15', 16)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: ux25AdmnLocDefThruPutClass.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnLocDefThruPutClass.setDescription('The default throughput class that is defined for the local-to-remote direction. In some networks, such as TELENET, negotiation of throughput class is constrained to be towards a configured default throughput class. In other PSDNs, this value should be set equal to the value of the Maximum Local Throughput Class. Default=12.') ux25_admn_rem_def_thru_put_class = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 2, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16))).clone(namedValues=named_values(('tcReserved0', 1), ('tcReserved1', 2), ('tcReserved2', 3), ('tc75', 4), ('tc150', 5), ('tc300', 6), ('tc600', 7), ('tc1200', 8), ('tc2400', 9), ('tc4800', 10), ('tc9600', 11), ('tc19200', 12), ('tc48000', 13), ('tcReserved13', 14), ('tcReserved14', 15), ('tcReserved15', 16)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: ux25AdmnRemDefThruPutClass.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnRemDefThruPutClass.setDescription('The default throughput class value defined for remote-to-local direction. In some networks, such as TELENET, negotiation of throughput class is constrained to be towards a configured default throughput class. In other PSDNs, this value should be set equal to the value of the Maximum Remote Throughput Class. Default=12.') ux25_admn_loc_min_thru_put_class = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 2, 1, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16))).clone(namedValues=named_values(('tcReserved0', 1), ('tcReserved1', 2), ('tcReserved2', 3), ('tc75', 4), ('tc150', 5), ('tc300', 6), ('tc600', 7), ('tc1200', 8), ('tc2400', 9), ('tc4800', 10), ('tc9600', 11), ('tc19200', 12), ('tc48000', 13), ('tcReserved13', 14), ('tcReserved14', 15), ('tcReserved15', 16)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: ux25AdmnLocMinThruPutClass.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnLocMinThruPutClass.setDescription('According to ISO 8208, the throughput class parameter is defined in the range of >=3 to <=12. Some PSDNs may provide different mapping, in which case, this parameter is the minimum value. Default=3.') ux25_admn_rem_min_thru_put_class = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 2, 1, 7), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16))).clone(namedValues=named_values(('tcReserved0', 1), ('tcReserved1', 2), ('tcReserved2', 3), ('tc75', 4), ('tc150', 5), ('tc300', 6), ('tc600', 7), ('tc1200', 8), ('tc2400', 9), ('tc4800', 10), ('tc9600', 11), ('tc19200', 12), ('tc48000', 13), ('tcReserved13', 14), ('tcReserved14', 15), ('tcReserved15', 16)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: ux25AdmnRemMinThruPutClass.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnRemMinThruPutClass.setDescription('According to ISO 8208, the throughput class parameter is defined in the range of >=3 to <=12. Some PSDNs may provide different mapping, in which case, this parameter is the minimum value. Default=3.') ux25_admn_thclass_neg_to_def = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 2, 1, 8), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('disable', 1), ('enable', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: ux25AdmnThclassNegToDef.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnThclassNegToDef.setDescription('Determines if throughput class negotiation will be used for certain network procedures. Default=disable(1).') ux25_admn_thclass_type = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 2, 1, 9), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('noTcType', 1), ('loNibble', 2), ('highNibble', 3), ('bothNibbles', 4)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: ux25AdmnThclassType.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnThclassType.setDescription('Defines which throughput class encodings can be used to assign packet and window sizes. Some implementations of X.25 do not use the X.25 packet and window negotiation and rely on mapping the throughput class to these parameters. Default=noTcType(1).') ux25_admn_thclass_win_map = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 2, 1, 10), display_string().subtype(subtypeSpec=value_size_constraint(31, 63))).setMaxAccess('readwrite') if mibBuilder.loadTexts: ux25AdmnThclassWinMap.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnThclassWinMap.setDescription('The mapping between throughput class and a window parameter. Each number has a range of 1 to 127. Default=3.3.3.3.3.3.3.3.3.3.3.3.3.3.3.3') ux25_admn_thclass_pack_map = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 2, 1, 11), display_string().subtype(subtypeSpec=value_size_constraint(31, 47))).setMaxAccess('readwrite') if mibBuilder.loadTexts: ux25AdmnThclassPackMap.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnThclassPackMap.setDescription('The mapping between the throughput class and a packet parameter. Each number has a range of 4 to 12. Default=7.7.7.7.7.7.7.7.7.7.7.7.7.7.7.7') ux25_admn_packet_table = mib_table((1, 3, 6, 1, 4, 1, 429, 1, 10, 3)) if mibBuilder.loadTexts: ux25AdmnPacketTable.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnPacketTable.setDescription('Defines objects for the parameters of an X.25 interface which the administrator can read and set.') ux25_admn_packet_entry = mib_table_row((1, 3, 6, 1, 4, 1, 429, 1, 10, 3, 1)).setIndexNames((0, 'UX25-MIB', 'ux25AdmnPacketIndex')) if mibBuilder.loadTexts: ux25AdmnPacketEntry.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnPacketEntry.setDescription('Entries of ux25AdmnPacketTable.') ux25_admn_packet_index = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 3, 1, 1), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ux25AdmnPacketIndex.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnPacketIndex.setDescription('A unique value for each X.25 subnetwork entity in the chassis. The value of this object matches the value of the index of the corresponding X.25 subnetwork entity entry in the entity table of the chassis MIB.') ux25_admn_pkt_sequencing = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 3, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(16, 32))).clone(namedValues=named_values(('pktSeq8', 16), ('pktSeq128', 32)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: ux25AdmnPktSequencing.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnPktSequencing.setDescription('Indicates whether modulo 8 or 128 sequence numbering operates on the network. Default=pktSeq8(16).') ux25_admn_loc_max_pkt_size = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 3, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(7, 8, 9))).clone(namedValues=named_values(('maxPktSz128', 7), ('maxPktSz256', 8), ('maxPktSz512', 9)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: ux25AdmnLocMaxPktSize.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnLocMaxPktSize.setDescription('Maximum acceptable size of packets in the local-to-remote direction. On an incoming call, a value for the packet size parameter greater than this value will be negotiated down to an acceptable size when the call is accepted. Default=maxPktSz256(8).') ux25_admn_rem_max_pkt_size = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 3, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(7, 8, 9))).clone(namedValues=named_values(('maxPktSz128', 7), ('maxPktSz256', 8), ('maxPktSz512', 9)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: ux25AdmnRemMaxPktSize.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnRemMaxPktSize.setDescription('Maximum acceptable size of packets in the remote-to-local direction. On an incoming call, a value for the packet size parameter greater than this value will be negotiated down to an acceptable size when the call is accepted. Default=maxPktSz256(8).') ux25_admn_loc_def_pkt_size = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 3, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(4, 5, 6, 7, 8, 9))).clone(namedValues=named_values(('defPktSz16', 4), ('defPktSz32', 5), ('defPktSz64', 6), ('defPktSz128', 7), ('defPktSz256', 8), ('defPktSz512', 9)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: ux25AdmnLocDefPktSize.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnLocDefPktSize.setDescription('Specifies the value of the default packet size for the direction local-to-remote, which may be nonstandard, provided the value is agreed between the communicating parties on the LAN or between the DTE and DCE. Default=defPktSz256(8).') ux25_admn_rem_def_pkt_size = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 3, 1, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(4, 5, 6, 7, 8, 9))).clone(namedValues=named_values(('defPktSz16', 4), ('defPktSz32', 5), ('defPktSz64', 6), ('defPktSz128', 7), ('defPktSz256', 8), ('defPktSz512', 9)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: ux25AdmnRemDefPktSize.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnRemDefPktSize.setDescription('Specifies the value of the default packet size for the direction remote-to-local, which may be nonstandard, provided the value is agreed between the communicating parties on the LAN or between the DTE and DCE. Default=defPktSz256(8).') ux25_admn_loc_max_win_size = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 3, 1, 7), integer32().subtype(subtypeSpec=value_range_constraint(2, 127))).setMaxAccess('readwrite') if mibBuilder.loadTexts: ux25AdmnLocMaxWinSize.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnLocMaxWinSize.setDescription('Specifies the maximum local window size. NOTE: 127 allowed only for modulo 128 networks. Default=7.') ux25_admn_rem_max_win_size = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 3, 1, 8), integer32().subtype(subtypeSpec=value_range_constraint(2, 127))).setMaxAccess('readwrite') if mibBuilder.loadTexts: ux25AdmnRemMaxWinSize.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnRemMaxWinSize.setDescription('Specifies the maximum remote window size. NOTE: 127 allowed only for modulo 128 networks. Default=7.') ux25_admn_loc_def_win_size = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 3, 1, 9), integer32().subtype(subtypeSpec=value_range_constraint(1, 127))).setMaxAccess('readwrite') if mibBuilder.loadTexts: ux25AdmnLocDefWinSize.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnLocDefWinSize.setDescription('Specifies the value of the default window size, which may be nonstandard, provided the value is agreed on by all parties on the LAN between the DTE and DCE. NOTE: The sequence numbering scheme affects the range of this parameter. Default=2.') ux25_admn_rem_def_win_size = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 3, 1, 10), integer32().subtype(subtypeSpec=value_range_constraint(1, 127))).setMaxAccess('readwrite') if mibBuilder.loadTexts: ux25AdmnRemDefWinSize.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnRemDefWinSize.setDescription('Specifies the value of the default window size, which may be nonstandard, provided the value is agreed on by all parties on the LAN between the DTE and DCE. NOTE: The sequence numbering scheme affects the range of this parameter. Default=2.') ux25_admn_max_nsdu_limit = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 3, 1, 11), integer32().subtype(subtypeSpec=value_range_constraint(0, 32000))).setMaxAccess('readwrite') if mibBuilder.loadTexts: ux25AdmnMaxNSDULimit.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnMaxNSDULimit.setDescription('The default maximum length beyond which concatenation is stopped and data currently held is passed to the Network Service user. Default=256.') ux25_admn_acc_no_diagnostic = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 3, 1, 12), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('disable', 1), ('enable', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: ux25AdmnAccNoDiagnostic.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnAccNoDiagnostic.setDescription('Allow the omission of the diagnostic byte in incoming RESTART, CLEAR and RESET INDICATION packets. Default=disable(1).') ux25_admn_use_diagnostic_packet = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 3, 1, 13), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('disable', 1), ('enable', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: ux25AdmnUseDiagnosticPacket.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnUseDiagnosticPacket.setDescription('Use diagnostic packets. Default=disable(1).') ux25_admn_itut_clear_len = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 3, 1, 14), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('disable', 1), ('enable', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: ux25AdmnItutClearLen.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnItutClearLen.setDescription('Restrict the length of a CLEAR INDICATION to 5 bytes and a CLEAR CONFIRM to 3 bytes. Default=disable(1).') ux25_admn_bar_diagnostic_packet = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 3, 1, 15), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('disable', 1), ('enable', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: ux25AdmnBarDiagnosticPacket.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnBarDiagnosticPacket.setDescription('Bar diagnostic packets. Default=disable(1).') ux25_admn_disc_nz_diagnostic = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 3, 1, 16), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('disable', 1), ('enable', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: ux25AdmnDiscNzDiagnostic.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnDiscNzDiagnostic.setDescription('Discard all diagnostic packets on a non-zero LCN. Default=disable(1).') ux25_admn_accept_hex_add = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 3, 1, 17), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('disable', 1), ('enable', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: ux25AdmnAcceptHexAdd.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnAcceptHexAdd.setDescription('Allow DTE addresses to contain hexadecimal digits. Default=disable(1).') ux25_admn_bar_non_privilege_listen = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 3, 1, 18), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('disable', 1), ('enable', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: ux25AdmnBarNonPrivilegeListen.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnBarNonPrivilegeListen.setDescription('Disallow a non-privileged user (i.e without superuser privilege) from listening for incoming calls. Default=enable(2).') ux25_admn_intl_addr_recognition = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 3, 1, 19), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('notDistinguished', 1), ('examineDnic', 2), ('prefix1', 3), ('prefix0', 4)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: ux25AdmnIntlAddrRecognition.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnIntlAddrRecognition.setDescription("Determine whether outgoing international calls are to be accepted. The values and their interpretation are: 1 - International calls are not distinguished. 2 - The DNIC of the called DTE address is examined and compared to that held in the psdn_local members dnic1 and dnic2. A mismatch implies an international call. 3 - International calls are distinguished by having a '1' prefix on the DTE address. 4 - International calls are distinguished by having a '0' prefix on the DTE address. Default=notDistinguished(1).") ux25_admn_dnic = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 3, 1, 20), display_string().subtype(subtypeSpec=value_size_constraint(4, 4)).setFixedLength(4)).setMaxAccess('readwrite') if mibBuilder.loadTexts: ux25AdmnDnic.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnDnic.setDescription('This field contains the first four digits of DNIC and is only used when ux25AdmnIntlAddrRecognition is set to examineDnic(2). Note this field must contain exactly four BCD digits. Default=0000.') ux25_admn_intl_prioritized = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 3, 1, 21), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('disable', 1), ('enable', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: ux25AdmnIntlPrioritized.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnIntlPrioritized.setDescription('Determine whether some prioritizing method is to used for international calls and is used in conjuction with ux25AdmnPrtyEncodeCtrl and ux25AdmnPrtyPktForced value. Default=disable(1).') ux25_admn_prty_encode_ctrl = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 3, 1, 22), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('x2588', 1), ('datapacPriority76', 2), ('datapacTraffic80', 3)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: ux25AdmnPrtyEncodeCtrl.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnPrtyEncodeCtrl.setDescription('Describes how the priority request is to be encoded for this PSDN. Default=x2588(1).') ux25_admn_prty_pkt_forced_val = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 3, 1, 23), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 5, 6, 7, 8, 9, 10, 11, 12, 13))).clone(namedValues=named_values(('prioPktSz0', 1), ('prioPktSz4', 5), ('prioPktSz5', 6), ('prioPktSz6', 7), ('prioPktSz7', 8), ('prioPktSz8', 9), ('prioPktSz9', 10), ('prioPktSz10', 11), ('prioPktSz11', 12), ('prioPktSz12', 13)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: ux25AdmnPrtyPktForcedVal.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnPrtyPktForcedVal.setDescription('If this entry is other than prioPktSz1(1) all priority call requests and incoming calls should have the associated packet size parameter forced to this value. Note that the actual packet size is 2 to the power of this parameter. Default=prioPktSz1(1).') ux25_admn_src_addr_ctrl = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 3, 1, 24), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('noSaCntrl', 1), ('omitDte', 2), ('useLocal', 3), ('forceLocal', 4)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: ux25AdmnSrcAddrCtrl.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnSrcAddrCtrl.setDescription('Provide a means to override or set the calling address in outgoing call requests for this PSDN. Default=noSaCntrl(1).') ux25_admn_dbit_in_accept = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 3, 1, 25), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('leaveDbit', 1), ('zeroDbit', 2), ('clearCall', 3)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: ux25AdmnDbitInAccept.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnDbitInAccept.setDescription('Defines the action to take when a Call Accept is received with the D-bit set and there is no local D-bit support. Default=clearCall(3).') ux25_admn_dbit_out_accept = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 3, 1, 26), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('leaveDbit', 1), ('zeroDbit', 2), ('clearCall', 3)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: ux25AdmnDbitOutAccept.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnDbitOutAccept.setDescription('Defines the action to take when the remote user sends a Call Accept with the D-bit set when the local user did not request use of the D-bit. Default=clearCall(3).') ux25_admn_dbit_in_data = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 3, 1, 27), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('leaveDbit', 1), ('zeroDbit', 2), ('clearCall', 3)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: ux25AdmnDbitInData.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnDbitInData.setDescription('Defines the action to take when a data packet is received with the D-bit set and the local user did not request use of the D-bit. Default=clearCall(3).') ux25_admn_dbit_out_data = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 3, 1, 28), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('leaveDbit', 1), ('zeroDbit', 2), ('clearCall', 3)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: ux25AdmnDbitOutData.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnDbitOutData.setDescription('Defines the action when the local user send a data packet with the D-bit set, but the remote party has not indicated D-bit support. Default=clearCall(3).') ux25_admn_subscriber_table = mib_table((1, 3, 6, 1, 4, 1, 429, 1, 10, 4)) if mibBuilder.loadTexts: ux25AdmnSubscriberTable.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnSubscriberTable.setDescription('Defines objects for the parameters of an X.25 interface which the administrator can read and set.') ux25_admn_subscriber_entry = mib_table_row((1, 3, 6, 1, 4, 1, 429, 1, 10, 4, 1)).setIndexNames((0, 'UX25-MIB', 'ux25AdmnSubscriberIndex')) if mibBuilder.loadTexts: ux25AdmnSubscriberEntry.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnSubscriberEntry.setDescription('Entries of ux25AdmnSubscriberTable.') ux25_admn_subscriber_index = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 4, 1, 1), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ux25AdmnSubscriberIndex.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnSubscriberIndex.setDescription('A unique value for each X.25 subnetwork entity in the chassis. The value of this object matches the value of the index of the corresponding X.25 subnetwork entity entry in the entity table of the chassis MIB.') ux25_admn_sub_cug_iaoa = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 4, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('disable', 1), ('enable', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: ux25AdmnSubCugIaoa.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnSubCugIaoa.setDescription('Specifies if this DTE subscribes to Closed User Groups with Incoming or Outgoing access. Default=enable(2).') ux25_admn_sub_cug_pref = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 4, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('disable', 1), ('enable', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: ux25AdmnSubCugPref.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnSubCugPref.setDescription('Specifies if this DTE subscribes to a Preferential Closed User Groups. Default=disable(1).') ux25_admn_sub_cugoa = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 4, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('disable', 1), ('enable', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: ux25AdmnSubCugoa.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnSubCugoa.setDescription('Specifies if this DTE subscribes to Closed User Groups with Outgoing access. Default=disable(1).') ux25_admn_sub_cugia = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 4, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('disable', 1), ('enable', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: ux25AdmnSubCugia.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnSubCugia.setDescription('Specifies whether or not this DTE subscribes to Closed User Groups with Incoming Access. Default=disable(1).') ux25_admn_cug_format = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 4, 1, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('basic', 1), ('extended', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: ux25AdmnCugFormat.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnCugFormat.setDescription('The maximum number of Closed User Groups that this DTE subscribes to. This will be one of two ranges: Basic (100 or fewer) or Extended (between 101 and 10000). Default=basic(1).') ux25_admn_bar_in_cug = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 4, 1, 7), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('disable', 1), ('enable', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: ux25AdmnBarInCug.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnBarInCug.setDescription('Provides the means to force rejection of any incoming calls carrying the Closed User Group optional facility (which is necessary in some networks, such as DDN. When enabled, such calls will be rejected, otherwise incoming Closed User Group facilities are ignored. Default=disable(1).') ux25_admn_sub_extended = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 4, 1, 8), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('disable', 1), ('enable', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: ux25AdmnSubExtended.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnSubExtended.setDescription('Subscribe to extended call packets (Window and Packet size negotiation is permitted). Default=enable(2).') ux25_admn_bar_extended = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 4, 1, 9), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('disable', 1), ('enable', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: ux25AdmnBarExtended.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnBarExtended.setDescription('Treat window and packet size negotiation in incoming packets as a procedure error. Default=disable(1).') ux25_admn_sub_fst_sel_no_rstrct = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 4, 1, 10), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('disable', 1), ('enable', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: ux25AdmnSubFstSelNoRstrct.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnSubFstSelNoRstrct.setDescription('Subscribe to fast select with no restriction on response. Default=enable(2).') ux25_admn_sub_fst_sel_wth_rstrct = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 4, 1, 11), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('disable', 1), ('enable', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: ux25AdmnSubFstSelWthRstrct.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnSubFstSelWthRstrct.setDescription('Subscribe to fast select with restriction on response. Default=disable(1).') ux25_admn_accpt_rvs_chrgng = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 4, 1, 12), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('disable', 1), ('enable', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: ux25AdmnAccptRvsChrgng.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnAccptRvsChrgng.setDescription('Allow incoming calls to specify the reverse charging facility. Default=disable(1).') ux25_admn_sub_loc_charge_prevent = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 4, 1, 13), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('disable', 1), ('enable', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: ux25AdmnSubLocChargePrevent.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnSubLocChargePrevent.setDescription('Subscribe to local charging prevention. Default=disable(1).') ux25_admn_sub_toa_npi_format = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 4, 1, 14), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('disable', 1), ('enable', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: ux25AdmnSubToaNpiFormat.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnSubToaNpiFormat.setDescription('Subscribe to TOA/NPI Address Format. Default=disable(1).') ux25_admn_bar_toa_npi_format = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 4, 1, 15), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('disable', 1), ('enable', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: ux25AdmnBarToaNpiFormat.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnBarToaNpiFormat.setDescription('Bar incoming call set-up and clearing packets which use the TOA/NPI Address Format. Default=disable(1).') ux25_admn_sub_nui_override = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 4, 1, 16), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('disable', 1), ('enable', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: ux25AdmnSubNuiOverride.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnSubNuiOverride.setDescription('Subscribe to NUI override. Deafult=disable(1).') ux25_admn_bar_in_call = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 4, 1, 17), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('disable', 1), ('enable', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: ux25AdmnBarInCall.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnBarInCall.setDescription('Bar incoming calls. Default=disable(1).') ux25_admn_bar_out_call = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 4, 1, 18), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('disable', 1), ('enable', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: ux25AdmnBarOutCall.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnBarOutCall.setDescription('Bar outgoing calls. Default=disable(1).') ux25_admn_timer_table = mib_table((1, 3, 6, 1, 4, 1, 429, 1, 10, 5)) if mibBuilder.loadTexts: ux25AdmnTimerTable.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnTimerTable.setDescription('Defines objects for the parameters of an X.25 interface which the administrator can read and set.') ux25_admn_timer_entry = mib_table_row((1, 3, 6, 1, 4, 1, 429, 1, 10, 5, 1)).setIndexNames((0, 'UX25-MIB', 'ux25AdmnTimerIndex')) if mibBuilder.loadTexts: ux25AdmnTimerEntry.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnTimerEntry.setDescription('Entries of ux25AdmnTimerTable.') ux25_admn_timer_index = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 5, 1, 1), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ux25AdmnTimerIndex.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnTimerIndex.setDescription('A unique value for each X.25 subnetwork entity in the chassis. The value of this object matches the value of the index of the corresponding X.25 subnetwork entity entry in the entity table of the chassis MIB.') ux25_admn_ack_delay = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 5, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(0, 32000))).setMaxAccess('readwrite') if mibBuilder.loadTexts: ux25AdmnAckDelay.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnAckDelay.setDescription('The maximum number of ticks (0.1 second units) over which a pending acknowledgement is withheld. Default=5.') ux25_admn_rstrt_time = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 5, 1, 3), integer32().subtype(subtypeSpec=value_range_constraint(0, 32000))).setMaxAccess('readwrite') if mibBuilder.loadTexts: ux25AdmnRstrtTime.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnRstrtTime.setDescription('The number of ticks (0.1 second units) for the DTE timer parameter T20, the Restart Request Response Timer. Default=1800.') ux25_admn_call_time = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 5, 1, 4), integer32().subtype(subtypeSpec=value_range_constraint(0, 32000))).setMaxAccess('readwrite') if mibBuilder.loadTexts: ux25AdmnCallTime.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnCallTime.setDescription('The number of ticks (0.1 second units) for the DTE timer parameter T21, the Call Request Response Timer. Default=2000.') ux25_admn_rst_time = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 5, 1, 5), integer32().subtype(subtypeSpec=value_range_constraint(0, 32000))).setMaxAccess('readwrite') if mibBuilder.loadTexts: ux25AdmnRstTime.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnRstTime.setDescription('The number of ticks (0.1 second units) for the DTE timer parameter T22, the Reset Request Response Timer. Default=1800.') ux25_admn_clr_time = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 5, 1, 6), integer32().subtype(subtypeSpec=value_range_constraint(0, 32000))).setMaxAccess('readwrite') if mibBuilder.loadTexts: ux25AdmnClrTime.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnClrTime.setDescription('The number of ticks (0.1 second units) for the DTE timer parameter T23, the Clear Request Response Timer. Default=1800.') ux25_admn_win_stat_time = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 5, 1, 7), integer32().subtype(subtypeSpec=value_range_constraint(0, 32000))).setMaxAccess('readwrite') if mibBuilder.loadTexts: ux25AdmnWinStatTime.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnWinStatTime.setDescription('Related, but does not correspond exactly to the DTE Window Status Transmission Timer, T24. Specifies the number of ticks (0.1 second units) for the maximum time that acknowledgments of data received from the remote transmitter will be witheld. At timer expiration, any witheld acknowledgments will be carried by a X.25 level 3 RNR packet. Default=750.') ux25_admn_win_rot_time = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 5, 1, 8), integer32().subtype(subtypeSpec=value_range_constraint(0, 32000))).setMaxAccess('readwrite') if mibBuilder.loadTexts: ux25AdmnWinRotTime.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnWinRotTime.setDescription('The number of ticks (0.1 second units) for the DTE timer parameter T25, the Window Rotation Timer. Default=1500.') ux25_admn_intrpt_time = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 5, 1, 9), integer32().subtype(subtypeSpec=value_range_constraint(0, 32000))).setMaxAccess('readwrite') if mibBuilder.loadTexts: ux25AdmnIntrptTime.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnIntrptTime.setDescription('The number of ticks (0.1 second units) for the DTE timer parameter T26, the Interrupt Response Timer. Default=1800.') ux25_admn_idle_value = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 5, 1, 10), integer32().subtype(subtypeSpec=value_range_constraint(0, 32000))).setMaxAccess('readwrite') if mibBuilder.loadTexts: ux25AdmnIdleValue.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnIdleValue.setDescription('The number of ticks (0.1 second units) during which a link level connection associated with no connections will be maintained. If the link is to a WAN then this value should be zero (infinity). This timer is only used with X.25 on a LAN. Default=0.') ux25_admn_connect_value = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 5, 1, 11), integer32().subtype(subtypeSpec=value_range_constraint(0, 32000))).setMaxAccess('readwrite') if mibBuilder.loadTexts: ux25AdmnConnectValue.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnConnectValue.setDescription('Specifies the number of ticks (0.1 second units), over which the DTE/DCE resolution phase be completely implemented in order to prevent the unlikely event that two packet level entities cannot resolve their DTE/DCE nature. When this expires, the link connection will be disconnected and all pending connections aborted. Default=2000.') ux25_admn_rstrt_cnt = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 5, 1, 12), integer32().subtype(subtypeSpec=value_range_constraint(1, 255))).setMaxAccess('readwrite') if mibBuilder.loadTexts: ux25AdmnRstrtCnt.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnRstrtCnt.setDescription('The number of ticks (0.1 second units) for the DTE Restart Request Retransmission Count. Default=1.') ux25_admn_rst_cnt = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 5, 1, 13), integer32().subtype(subtypeSpec=value_range_constraint(1, 255))).setMaxAccess('readwrite') if mibBuilder.loadTexts: ux25AdmnRstCnt.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnRstCnt.setDescription('The number of ticks (0.1 second units) for the DTE Reset Request Retransmission Count. Default=1.') ux25_admn_clr_cnt = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 5, 1, 14), integer32().subtype(subtypeSpec=value_range_constraint(1, 255))).setMaxAccess('readwrite') if mibBuilder.loadTexts: ux25AdmnClrCnt.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnClrCnt.setDescription('The number of ticks (0.1 second units) for the DTE Clear Request Retransmission Count. Default=1.') ux25_admn_local_delay = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 5, 1, 15), integer32().subtype(subtypeSpec=value_range_constraint(0, 32000))).setMaxAccess('readwrite') if mibBuilder.loadTexts: ux25AdmnLocalDelay.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnLocalDelay.setDescription('The transit delay (in 0.1 second units) attributed to internal processing. Default=5.') ux25_admn_access_delay = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 5, 1, 16), integer32().subtype(subtypeSpec=value_range_constraint(0, 32000))).setMaxAccess('readwrite') if mibBuilder.loadTexts: ux25AdmnAccessDelay.setStatus('mandatory') if mibBuilder.loadTexts: ux25AdmnAccessDelay.setDescription('The transit delay (in 0.1 second units) attributed to the effect of the line transmission rate. Default=5.') ux25_oper_channel_table = mib_table((1, 3, 6, 1, 4, 1, 429, 1, 10, 6)) if mibBuilder.loadTexts: ux25OperChannelTable.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperChannelTable.setDescription('Defines objects that report the current parameters used by a running interface. These objects are read only.') ux25_oper_channel_entry = mib_table_row((1, 3, 6, 1, 4, 1, 429, 1, 10, 6, 1)).setIndexNames((0, 'UX25-MIB', 'ux25OperChannelIndex')) if mibBuilder.loadTexts: ux25OperChannelEntry.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperChannelEntry.setDescription('Entries of ux25OperChannelTable.') ux25_oper_channel_index = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 6, 1, 1), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ux25OperChannelIndex.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperChannelIndex.setDescription('') ux25_oper_net_mode = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 6, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24))).clone(namedValues=named_values(('x25Llc', 1), ('x2588', 2), ('x2584', 3), ('x2580', 4), ('pss', 5), ('austpac', 6), ('datapac', 7), ('ddn', 8), ('telenet', 9), ('transpac', 10), ('tymnet', 11), ('datexP', 12), ('ddxP', 13), ('venusP', 14), ('accunet', 15), ('itapac', 16), ('datapak', 17), ('datanet', 18), ('dcs', 19), ('telepac', 20), ('fDatapac', 21), ('finpac', 22), ('pacnet', 23), ('luxpac', 24)))).setMaxAccess('readonly') if mibBuilder.loadTexts: ux25OperNetMode.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperNetMode.setDescription('') ux25_oper_protocol_version = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 6, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('x25ver80', 1), ('x25ver84', 2), ('x25ver88', 3)))).setMaxAccess('readonly') if mibBuilder.loadTexts: ux25OperProtocolVersion.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperProtocolVersion.setDescription('') ux25_oper_interface_mode = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 6, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('dceMode', 1), ('dteMode', 2), ('dxeMode', 3)))).setMaxAccess('readonly') if mibBuilder.loadTexts: ux25OperInterfaceMode.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperInterfaceMode.setDescription('') ux25_oper_lowest_pvc_val = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 6, 1, 5), integer32().subtype(subtypeSpec=value_range_constraint(0, 4095))).setMaxAccess('readonly') if mibBuilder.loadTexts: ux25OperLowestPVCVal.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperLowestPVCVal.setDescription('') ux25_oper_highest_pvc_val = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 6, 1, 6), integer32().subtype(subtypeSpec=value_range_constraint(0, 4095))).setMaxAccess('readonly') if mibBuilder.loadTexts: ux25OperHighestPVCVal.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperHighestPVCVal.setDescription('') ux25_oper_channel_lic = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 6, 1, 7), integer32().subtype(subtypeSpec=value_range_constraint(0, 4095))).setMaxAccess('readonly') if mibBuilder.loadTexts: ux25OperChannelLIC.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperChannelLIC.setDescription('') ux25_oper_channel_hic = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 6, 1, 8), integer32().subtype(subtypeSpec=value_range_constraint(0, 4095))).setMaxAccess('readonly') if mibBuilder.loadTexts: ux25OperChannelHIC.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperChannelHIC.setDescription('') ux25_oper_channel_ltc = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 6, 1, 9), integer32().subtype(subtypeSpec=value_range_constraint(0, 4095))).setMaxAccess('readonly') if mibBuilder.loadTexts: ux25OperChannelLTC.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperChannelLTC.setDescription('') ux25_oper_channel_htc = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 6, 1, 10), integer32().subtype(subtypeSpec=value_range_constraint(0, 4095))).setMaxAccess('readonly') if mibBuilder.loadTexts: ux25OperChannelHTC.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperChannelHTC.setDescription('') ux25_oper_channel_loc = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 6, 1, 11), integer32().subtype(subtypeSpec=value_range_constraint(0, 4095))).setMaxAccess('readonly') if mibBuilder.loadTexts: ux25OperChannelLOC.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperChannelLOC.setDescription('') ux25_oper_channel_hoc = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 6, 1, 12), integer32().subtype(subtypeSpec=value_range_constraint(0, 4095))).setMaxAccess('readonly') if mibBuilder.loadTexts: ux25OperChannelHOC.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperChannelHOC.setDescription('') ux25_oper_class_table = mib_table((1, 3, 6, 1, 4, 1, 429, 1, 10, 7)) if mibBuilder.loadTexts: ux25OperClassTable.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperClassTable.setDescription('Defines objects that report the current parameters used by a running interface. These objects are read only.') ux25_oper_class_entry = mib_table_row((1, 3, 6, 1, 4, 1, 429, 1, 10, 7, 1)).setIndexNames((0, 'UX25-MIB', 'ux25OperClassIndex')) if mibBuilder.loadTexts: ux25OperClassEntry.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperClassEntry.setDescription('Entries of ux25OperTable.') ux25_oper_class_index = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 7, 1, 1), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ux25OperClassIndex.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperClassIndex.setDescription('') ux25_oper_loc_max_thru_put_class = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 7, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16))).clone(namedValues=named_values(('tcReserved0', 1), ('tcReserved1', 2), ('tcReserved2', 3), ('tc75', 4), ('tc150', 5), ('tc300', 6), ('tc600', 7), ('tc1200', 8), ('tc2400', 9), ('tc4800', 10), ('tc9600', 11), ('tc19200', 12), ('tc48000', 13), ('tcReserved13', 14), ('tcReserved14', 15), ('tcReserved15', 16)))).setMaxAccess('readonly') if mibBuilder.loadTexts: ux25OperLocMaxThruPutClass.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperLocMaxThruPutClass.setDescription('') ux25_oper_rem_max_thru_put_class = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 7, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16))).clone(namedValues=named_values(('tcReserved0', 1), ('tcReserved1', 2), ('tcReserved2', 3), ('tc75', 4), ('tc150', 5), ('tc300', 6), ('tc600', 7), ('tc1200', 8), ('tc2400', 9), ('tc4800', 10), ('tc9600', 11), ('tc19200', 12), ('tc48000', 13), ('tcReserved13', 14), ('tcReserved14', 15), ('tcReserved15', 16)))).setMaxAccess('readonly') if mibBuilder.loadTexts: ux25OperRemMaxThruPutClass.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperRemMaxThruPutClass.setDescription('') ux25_oper_loc_def_thru_put_class = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 7, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16))).clone(namedValues=named_values(('tcReserved0', 1), ('tcReserved1', 2), ('tcReserved2', 3), ('tc75', 4), ('tc150', 5), ('tc300', 6), ('tc600', 7), ('tc1200', 8), ('tc2400', 9), ('tc4800', 10), ('tc9600', 11), ('tc19200', 12), ('tc48000', 13), ('tcReserved13', 14), ('tcReserved14', 15), ('tcReserved15', 16)))).setMaxAccess('readonly') if mibBuilder.loadTexts: ux25OperLocDefThruPutClass.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperLocDefThruPutClass.setDescription('') ux25_oper_rem_def_thru_put_class = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 7, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16))).clone(namedValues=named_values(('tcReserved0', 1), ('tcReserved1', 2), ('tcReserved2', 3), ('tc75', 4), ('tc150', 5), ('tc300', 6), ('tc600', 7), ('tc1200', 8), ('tc2400', 9), ('tc4800', 10), ('tc9600', 11), ('tc19200', 12), ('tc48000', 13), ('tcReserved13', 14), ('tcReserved14', 15), ('tcReserved15', 16)))).setMaxAccess('readonly') if mibBuilder.loadTexts: ux25OperRemDefThruPutClass.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperRemDefThruPutClass.setDescription('') ux25_oper_loc_min_thru_put_class = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 7, 1, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16))).clone(namedValues=named_values(('tcReserved0', 1), ('tcReserved1', 2), ('tcReserved2', 3), ('tc75', 4), ('tc150', 5), ('tc300', 6), ('tc600', 7), ('tc1200', 8), ('tc2400', 9), ('tc4800', 10), ('tc9600', 11), ('tc19200', 12), ('tc48000', 13), ('tcReserved13', 14), ('tcReserved14', 15), ('tcReserved15', 16)))).setMaxAccess('readonly') if mibBuilder.loadTexts: ux25OperLocMinThruPutClass.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperLocMinThruPutClass.setDescription('') ux25_oper_rem_min_thru_put_class = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 7, 1, 7), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16))).clone(namedValues=named_values(('tcReserved0', 1), ('tcReserved1', 2), ('tcReserved2', 3), ('tc75', 4), ('tc150', 5), ('tc300', 6), ('tc600', 7), ('tc1200', 8), ('tc2400', 9), ('tc4800', 10), ('tc9600', 11), ('tc19200', 12), ('tc48000', 13), ('tcReserved13', 14), ('tcReserved14', 15), ('tcReserved15', 16)))).setMaxAccess('readonly') if mibBuilder.loadTexts: ux25OperRemMinThruPutClass.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperRemMinThruPutClass.setDescription('') ux25_oper_thclass_neg_to_def = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 7, 1, 8), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('disable', 1), ('enable', 2)))).setMaxAccess('readonly') if mibBuilder.loadTexts: ux25OperThclassNegToDef.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperThclassNegToDef.setDescription('') ux25_oper_thclass_type = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 7, 1, 9), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('noTcType', 1), ('loNibble', 2), ('highNibble', 3), ('bothNibbles', 4)))).setMaxAccess('readonly') if mibBuilder.loadTexts: ux25OperThclassType.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperThclassType.setDescription('') ux25_oper_thclass_win_map = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 7, 1, 10), display_string().subtype(subtypeSpec=value_size_constraint(31, 63))).setMaxAccess('readonly') if mibBuilder.loadTexts: ux25OperThclassWinMap.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperThclassWinMap.setDescription('') ux25_oper_thclass_pack_map = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 7, 1, 11), display_string().subtype(subtypeSpec=value_size_constraint(31, 47))).setMaxAccess('readonly') if mibBuilder.loadTexts: ux25OperThclassPackMap.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperThclassPackMap.setDescription('') ux25_oper_packet_table = mib_table((1, 3, 6, 1, 4, 1, 429, 1, 10, 8)) if mibBuilder.loadTexts: ux25OperPacketTable.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperPacketTable.setDescription('Defines objects that report the current parameters used by a running interface. These objects are read only.') ux25_oper_packet_entry = mib_table_row((1, 3, 6, 1, 4, 1, 429, 1, 10, 8, 1)).setIndexNames((0, 'UX25-MIB', 'ux25OperPacketIndex')) if mibBuilder.loadTexts: ux25OperPacketEntry.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperPacketEntry.setDescription('Entries of ux25OperPacketTable.') ux25_oper_packet_index = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 8, 1, 1), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ux25OperPacketIndex.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperPacketIndex.setDescription('') ux25_oper_pkt_sequencing = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 8, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(16, 32))).clone(namedValues=named_values(('pktSeq8', 16), ('pktSeq128', 32)))).setMaxAccess('readonly') if mibBuilder.loadTexts: ux25OperPktSequencing.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperPktSequencing.setDescription('') ux25_oper_loc_max_pkt_size = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 8, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(7, 8, 9))).clone(namedValues=named_values(('maxPktSz128', 7), ('maxPktSz256', 8), ('maxPktSz512', 9)))).setMaxAccess('readonly') if mibBuilder.loadTexts: ux25OperLocMaxPktSize.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperLocMaxPktSize.setDescription('') ux25_oper_rem_max_pkt_size = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 8, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(7, 8, 9))).clone(namedValues=named_values(('maxPktSz128', 7), ('maxPktSz256', 8), ('maxPktSz512', 9)))).setMaxAccess('readonly') if mibBuilder.loadTexts: ux25OperRemMaxPktSize.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperRemMaxPktSize.setDescription('') ux25_oper_loc_def_pkt_size = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 8, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(4, 5, 6, 7, 8, 9))).clone(namedValues=named_values(('defPktSz16', 4), ('defPktSz32', 5), ('defPktSz64', 6), ('defPktSz128', 7), ('defPktSz256', 8), ('defPktSz512', 9)))).setMaxAccess('readonly') if mibBuilder.loadTexts: ux25OperLocDefPktSize.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperLocDefPktSize.setDescription('') ux25_oper_rem_def_pkt_size = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 8, 1, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(4, 5, 6, 7, 8, 9))).clone(namedValues=named_values(('defPktSz16', 4), ('defPktSz32', 5), ('defPktSz64', 6), ('defPktSz128', 7), ('defPktSz256', 8), ('defPktSz512', 9)))).setMaxAccess('readonly') if mibBuilder.loadTexts: ux25OperRemDefPktSize.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperRemDefPktSize.setDescription('') ux25_oper_loc_max_win_size = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 8, 1, 7), integer32().subtype(subtypeSpec=value_range_constraint(2, 127))).setMaxAccess('readonly') if mibBuilder.loadTexts: ux25OperLocMaxWinSize.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperLocMaxWinSize.setDescription('') ux25_oper_rem_max_win_size = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 8, 1, 8), integer32().subtype(subtypeSpec=value_range_constraint(2, 127))).setMaxAccess('readonly') if mibBuilder.loadTexts: ux25OperRemMaxWinSize.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperRemMaxWinSize.setDescription('') ux25_oper_loc_def_win_size = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 8, 1, 9), integer32().subtype(subtypeSpec=value_range_constraint(1, 127))).setMaxAccess('readonly') if mibBuilder.loadTexts: ux25OperLocDefWinSize.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperLocDefWinSize.setDescription('') ux25_oper_rem_def_win_size = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 8, 1, 10), integer32().subtype(subtypeSpec=value_range_constraint(1, 127))).setMaxAccess('readonly') if mibBuilder.loadTexts: ux25OperRemDefWinSize.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperRemDefWinSize.setDescription('') ux25_oper_max_nsdu_limit = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 8, 1, 11), integer32().subtype(subtypeSpec=value_range_constraint(0, 32000))).setMaxAccess('readonly') if mibBuilder.loadTexts: ux25OperMaxNSDULimit.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperMaxNSDULimit.setDescription('') ux25_oper_acc_no_diagnostic = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 8, 1, 12), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('disable', 1), ('enable', 2)))).setMaxAccess('readonly') if mibBuilder.loadTexts: ux25OperAccNoDiagnostic.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperAccNoDiagnostic.setDescription('') ux25_oper_use_diagnostic_packet = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 8, 1, 13), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('disable', 1), ('enable', 2)))).setMaxAccess('readonly') if mibBuilder.loadTexts: ux25OperUseDiagnosticPacket.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperUseDiagnosticPacket.setDescription('') ux25_oper_itut_clear_len = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 8, 1, 14), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('disable', 1), ('enable', 2)))).setMaxAccess('readonly') if mibBuilder.loadTexts: ux25OperItutClearLen.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperItutClearLen.setDescription('') ux25_oper_bar_diagnostic_packet = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 8, 1, 15), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('disable', 1), ('enable', 2)))).setMaxAccess('readonly') if mibBuilder.loadTexts: ux25OperBarDiagnosticPacket.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperBarDiagnosticPacket.setDescription('') ux25_oper_disc_nz_diagnostic = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 8, 1, 16), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('disable', 1), ('enable', 2)))).setMaxAccess('readonly') if mibBuilder.loadTexts: ux25OperDiscNzDiagnostic.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperDiscNzDiagnostic.setDescription('') ux25_oper_accept_hex_add = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 8, 1, 17), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('disable', 1), ('enable', 2)))).setMaxAccess('readonly') if mibBuilder.loadTexts: ux25OperAcceptHexAdd.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperAcceptHexAdd.setDescription('') ux25_oper_bar_non_privilege_listen = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 8, 1, 18), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('disable', 1), ('enable', 2)))).setMaxAccess('readonly') if mibBuilder.loadTexts: ux25OperBarNonPrivilegeListen.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperBarNonPrivilegeListen.setDescription('') ux25_oper_intl_addr_recognition = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 8, 1, 19), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('notDistinguished', 1), ('examineDnic', 2), ('prefix1', 3), ('prefix0', 4)))).setMaxAccess('readonly') if mibBuilder.loadTexts: ux25OperIntlAddrRecognition.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperIntlAddrRecognition.setDescription('') ux25_oper_dnic = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 8, 1, 20), display_string().subtype(subtypeSpec=value_size_constraint(4, 4)).setFixedLength(4)).setMaxAccess('readonly') if mibBuilder.loadTexts: ux25OperDnic.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperDnic.setDescription('') ux25_oper_intl_prioritized = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 8, 1, 21), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('disable', 1), ('enable', 2)))).setMaxAccess('readonly') if mibBuilder.loadTexts: ux25OperIntlPrioritized.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperIntlPrioritized.setDescription('') ux25_oper_prty_encode_ctrl = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 8, 1, 22), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('x2588', 1), ('datapacPriority76', 2), ('datapacTraffic80', 3)))).setMaxAccess('readonly') if mibBuilder.loadTexts: ux25OperPrtyEncodeCtrl.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperPrtyEncodeCtrl.setDescription('') ux25_oper_prty_pkt_forced_val = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 8, 1, 23), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 5, 6, 7, 8, 9, 10, 11, 12, 13))).clone(namedValues=named_values(('prioPktSz0', 1), ('prioPktSz4', 5), ('prioPktSz5', 6), ('prioPktSz6', 7), ('prioPktSz7', 8), ('prioPktSz8', 9), ('prioPktSz9', 10), ('prioPktSz10', 11), ('prioPktSz11', 12), ('prioPktSz12', 13)))).setMaxAccess('readonly') if mibBuilder.loadTexts: ux25OperPrtyPktForcedVal.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperPrtyPktForcedVal.setDescription('') ux25_oper_src_addr_ctrl = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 8, 1, 24), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('noSaCntrl', 1), ('omitDte', 2), ('useLocal', 3), ('forceLocal', 4)))).setMaxAccess('readonly') if mibBuilder.loadTexts: ux25OperSrcAddrCtrl.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperSrcAddrCtrl.setDescription('') ux25_oper_dbit_in_accept = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 8, 1, 25), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('leaveDbit', 1), ('zeroDbit', 2), ('clearCall', 3)))).setMaxAccess('readonly') if mibBuilder.loadTexts: ux25OperDbitInAccept.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperDbitInAccept.setDescription('') ux25_oper_dbit_out_accept = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 8, 1, 26), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('leaveDbit', 1), ('zeroDbit', 2), ('clearCall', 3)))).setMaxAccess('readonly') if mibBuilder.loadTexts: ux25OperDbitOutAccept.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperDbitOutAccept.setDescription('') ux25_oper_dbit_in_data = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 8, 1, 27), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('leaveDbit', 1), ('zeroDbit', 2), ('clearCall', 3)))).setMaxAccess('readonly') if mibBuilder.loadTexts: ux25OperDbitInData.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperDbitInData.setDescription('') ux25_oper_dbit_out_data = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 8, 1, 28), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('leaveDbit', 1), ('zeroDbit', 2), ('clearCall', 3)))).setMaxAccess('readonly') if mibBuilder.loadTexts: ux25OperDbitOutData.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperDbitOutData.setDescription('') ux25_oper_subscriber_table = mib_table((1, 3, 6, 1, 4, 1, 429, 1, 10, 9)) if mibBuilder.loadTexts: ux25OperSubscriberTable.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperSubscriberTable.setDescription('Defines objects that report the current parameters used by a running interface. These objects are read only.') ux25_oper_subscriber_entry = mib_table_row((1, 3, 6, 1, 4, 1, 429, 1, 10, 9, 1)).setIndexNames((0, 'UX25-MIB', 'ux25OperSubscriberIndex')) if mibBuilder.loadTexts: ux25OperSubscriberEntry.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperSubscriberEntry.setDescription('Entries of ux25OperSubscriberTable.') ux25_oper_subscriber_index = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 9, 1, 1), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ux25OperSubscriberIndex.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperSubscriberIndex.setDescription('') ux25_oper_sub_cug_iaoa = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 9, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('disable', 1), ('enable', 2)))).setMaxAccess('readonly') if mibBuilder.loadTexts: ux25OperSubCugIaoa.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperSubCugIaoa.setDescription('') ux25_oper_sub_cug_pref = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 9, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('disable', 1), ('enable', 2)))).setMaxAccess('readonly') if mibBuilder.loadTexts: ux25OperSubCugPref.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperSubCugPref.setDescription('') ux25_oper_sub_cugoa = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 9, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('disable', 1), ('enable', 2)))).setMaxAccess('readonly') if mibBuilder.loadTexts: ux25OperSubCugoa.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperSubCugoa.setDescription('') ux25_oper_sub_cugia = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 9, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('disable', 1), ('enable', 2)))).setMaxAccess('readonly') if mibBuilder.loadTexts: ux25OperSubCugia.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperSubCugia.setDescription('') ux25_oper_cug_format = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 9, 1, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('basic', 1), ('extended', 2)))).setMaxAccess('readonly') if mibBuilder.loadTexts: ux25OperCugFormat.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperCugFormat.setDescription('') ux25_oper_bar_in_cug = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 9, 1, 7), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('disable', 1), ('enable', 2)))).setMaxAccess('readonly') if mibBuilder.loadTexts: ux25OperBarInCug.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperBarInCug.setDescription('') ux25_oper_sub_extended = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 9, 1, 8), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('disable', 1), ('enable', 2)))).setMaxAccess('readonly') if mibBuilder.loadTexts: ux25OperSubExtended.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperSubExtended.setDescription('') ux25_oper_bar_extended = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 9, 1, 9), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('disable', 1), ('enable', 2)))).setMaxAccess('readonly') if mibBuilder.loadTexts: ux25OperBarExtended.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperBarExtended.setDescription('') ux25_oper_sub_fst_sel_no_rstrct = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 9, 1, 10), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('disable', 1), ('enable', 2)))).setMaxAccess('readonly') if mibBuilder.loadTexts: ux25OperSubFstSelNoRstrct.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperSubFstSelNoRstrct.setDescription('') ux25_oper_sub_fst_sel_wth_rstrct = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 9, 1, 11), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('disable', 1), ('enable', 2)))).setMaxAccess('readonly') if mibBuilder.loadTexts: ux25OperSubFstSelWthRstrct.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperSubFstSelWthRstrct.setDescription('') ux25_oper_accpt_rvs_chrgng = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 9, 1, 12), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('disable', 1), ('enable', 2)))).setMaxAccess('readonly') if mibBuilder.loadTexts: ux25OperAccptRvsChrgng.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperAccptRvsChrgng.setDescription('') ux25_oper_sub_loc_charge_prevent = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 9, 1, 13), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('disable', 1), ('enable', 2)))).setMaxAccess('readonly') if mibBuilder.loadTexts: ux25OperSubLocChargePrevent.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperSubLocChargePrevent.setDescription('') ux25_oper_sub_toa_npi_format = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 9, 1, 14), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('disable', 1), ('enable', 2)))).setMaxAccess('readonly') if mibBuilder.loadTexts: ux25OperSubToaNpiFormat.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperSubToaNpiFormat.setDescription('') ux25_oper_bar_toa_npi_format = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 9, 1, 15), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('disable', 1), ('enable', 2)))).setMaxAccess('readonly') if mibBuilder.loadTexts: ux25OperBarToaNpiFormat.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperBarToaNpiFormat.setDescription('') ux25_oper_sub_nui_override = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 9, 1, 16), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('disable', 1), ('enable', 2)))).setMaxAccess('readonly') if mibBuilder.loadTexts: ux25OperSubNuiOverride.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperSubNuiOverride.setDescription('') ux25_oper_bar_in_call = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 9, 1, 17), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('disable', 1), ('enable', 2)))).setMaxAccess('readonly') if mibBuilder.loadTexts: ux25OperBarInCall.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperBarInCall.setDescription('') ux25_oper_bar_out_call = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 9, 1, 18), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('disable', 1), ('enable', 2)))).setMaxAccess('readonly') if mibBuilder.loadTexts: ux25OperBarOutCall.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperBarOutCall.setDescription('') ux25_oper_timer_table = mib_table((1, 3, 6, 1, 4, 1, 429, 1, 10, 10)) if mibBuilder.loadTexts: ux25OperTimerTable.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperTimerTable.setDescription('Defines objects that report the current parameters used by a running interface. These objects are read only.') ux25_oper_timer_entry = mib_table_row((1, 3, 6, 1, 4, 1, 429, 1, 10, 10, 1)).setIndexNames((0, 'UX25-MIB', 'ux25OperTimerIndex')) if mibBuilder.loadTexts: ux25OperTimerEntry.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperTimerEntry.setDescription('Entries of ux25OperTimerTable.') ux25_oper_timer_index = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 10, 1, 1), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ux25OperTimerIndex.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperTimerIndex.setDescription('') ux25_oper_ack_delay = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 10, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(0, 32000))).setMaxAccess('readonly') if mibBuilder.loadTexts: ux25OperAckDelay.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperAckDelay.setDescription('') ux25_oper_rstrt_time = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 10, 1, 3), integer32().subtype(subtypeSpec=value_range_constraint(0, 32000))).setMaxAccess('readonly') if mibBuilder.loadTexts: ux25OperRstrtTime.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperRstrtTime.setDescription('') ux25_oper_call_time = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 10, 1, 4), integer32().subtype(subtypeSpec=value_range_constraint(0, 32000))).setMaxAccess('readonly') if mibBuilder.loadTexts: ux25OperCallTime.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperCallTime.setDescription('') ux25_oper_rst_time = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 10, 1, 5), integer32().subtype(subtypeSpec=value_range_constraint(0, 32000))).setMaxAccess('readonly') if mibBuilder.loadTexts: ux25OperRstTime.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperRstTime.setDescription('') ux25_oper_clr_time = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 10, 1, 6), integer32().subtype(subtypeSpec=value_range_constraint(0, 32000))).setMaxAccess('readonly') if mibBuilder.loadTexts: ux25OperClrTime.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperClrTime.setDescription('') ux25_oper_win_stat_time = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 10, 1, 7), integer32().subtype(subtypeSpec=value_range_constraint(0, 32000))).setMaxAccess('readonly') if mibBuilder.loadTexts: ux25OperWinStatTime.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperWinStatTime.setDescription('') ux25_oper_win_rot_time = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 10, 1, 8), integer32().subtype(subtypeSpec=value_range_constraint(0, 32000))).setMaxAccess('readonly') if mibBuilder.loadTexts: ux25OperWinRotTime.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperWinRotTime.setDescription('') ux25_oper_intrpt_time = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 10, 1, 9), integer32().subtype(subtypeSpec=value_range_constraint(0, 32000))).setMaxAccess('readonly') if mibBuilder.loadTexts: ux25OperIntrptTime.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperIntrptTime.setDescription('') ux25_oper_idle_value = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 10, 1, 10), integer32().subtype(subtypeSpec=value_range_constraint(0, 32000))).setMaxAccess('readonly') if mibBuilder.loadTexts: ux25OperIdleValue.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperIdleValue.setDescription('') ux25_oper_connect_value = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 10, 1, 11), integer32().subtype(subtypeSpec=value_range_constraint(0, 32000))).setMaxAccess('readonly') if mibBuilder.loadTexts: ux25OperConnectValue.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperConnectValue.setDescription('') ux25_oper_rstrt_cnt = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 10, 1, 12), integer32().subtype(subtypeSpec=value_range_constraint(1, 255))).setMaxAccess('readonly') if mibBuilder.loadTexts: ux25OperRstrtCnt.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperRstrtCnt.setDescription('') ux25_oper_rst_cnt = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 10, 1, 13), integer32().subtype(subtypeSpec=value_range_constraint(1, 255))).setMaxAccess('readonly') if mibBuilder.loadTexts: ux25OperRstCnt.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperRstCnt.setDescription('') ux25_oper_clr_cnt = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 10, 1, 14), integer32().subtype(subtypeSpec=value_range_constraint(1, 255))).setMaxAccess('readonly') if mibBuilder.loadTexts: ux25OperClrCnt.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperClrCnt.setDescription('') ux25_oper_local_delay = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 10, 1, 15), integer32().subtype(subtypeSpec=value_range_constraint(0, 32000))).setMaxAccess('readonly') if mibBuilder.loadTexts: ux25OperLocalDelay.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperLocalDelay.setDescription('') ux25_oper_access_delay = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 10, 1, 16), integer32().subtype(subtypeSpec=value_range_constraint(0, 32000))).setMaxAccess('readonly') if mibBuilder.loadTexts: ux25OperAccessDelay.setStatus('mandatory') if mibBuilder.loadTexts: ux25OperAccessDelay.setDescription('') ux25_stat_table = mib_table((1, 3, 6, 1, 4, 1, 429, 1, 10, 11)) if mibBuilder.loadTexts: ux25StatTable.setStatus('mandatory') if mibBuilder.loadTexts: ux25StatTable.setDescription('Defines objects that report operational statistics for an X.25 interface.') ux25_stat_entry = mib_table_row((1, 3, 6, 1, 4, 1, 429, 1, 10, 11, 1)).setIndexNames((0, 'UX25-MIB', 'ux25StatIndex')) if mibBuilder.loadTexts: ux25StatEntry.setStatus('mandatory') if mibBuilder.loadTexts: ux25StatEntry.setDescription('Entries of ux25StatTable.') ux25_stat_index = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 11, 1, 1), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ux25StatIndex.setStatus('mandatory') if mibBuilder.loadTexts: ux25StatIndex.setDescription('A unique value for each X.25 subnetwork entity in the chassis. The value of this object matches the value of the index of the corresponding X.25 subnetwork entity entry in the entity table of the chassis MIB.') ux25_stat_calls_rcvd = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 11, 1, 2), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ux25StatCallsRcvd.setStatus('mandatory') if mibBuilder.loadTexts: ux25StatCallsRcvd.setDescription('Number of incoming calls.') ux25_stat_calls_sent = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 11, 1, 3), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ux25StatCallsSent.setStatus('mandatory') if mibBuilder.loadTexts: ux25StatCallsSent.setDescription('Number of outgoing calls.') ux25_stat_calls_rcvd_estab = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 11, 1, 4), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ux25StatCallsRcvdEstab.setStatus('mandatory') if mibBuilder.loadTexts: ux25StatCallsRcvdEstab.setDescription('Number of incoming calls established.') ux25_stat_calls_sent_estab = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 11, 1, 5), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ux25StatCallsSentEstab.setStatus('mandatory') if mibBuilder.loadTexts: ux25StatCallsSentEstab.setDescription('Number of outgoing calls established.') ux25_stat_data_pkts_rcvd = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 11, 1, 6), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ux25StatDataPktsRcvd.setStatus('mandatory') if mibBuilder.loadTexts: ux25StatDataPktsRcvd.setDescription('Number of data packets received.') ux25_stat_data_pkts_sent = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 11, 1, 7), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ux25StatDataPktsSent.setStatus('mandatory') if mibBuilder.loadTexts: ux25StatDataPktsSent.setDescription('Number of data packets sent.') ux25_stat_restarts_rcvd = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 11, 1, 8), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ux25StatRestartsRcvd.setStatus('mandatory') if mibBuilder.loadTexts: ux25StatRestartsRcvd.setDescription('Number of restarts received.') ux25_stat_restarts_sent = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 11, 1, 9), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ux25StatRestartsSent.setStatus('mandatory') if mibBuilder.loadTexts: ux25StatRestartsSent.setDescription('Number of restarts sent.') ux25_stat_rcvr_not_rdy_rcvd = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 11, 1, 10), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ux25StatRcvrNotRdyRcvd.setStatus('mandatory') if mibBuilder.loadTexts: ux25StatRcvrNotRdyRcvd.setDescription('Number of receiver not ready received.') ux25_stat_rcvr_not_rdy_sent = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 11, 1, 11), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ux25StatRcvrNotRdySent.setStatus('mandatory') if mibBuilder.loadTexts: ux25StatRcvrNotRdySent.setDescription('Number of receiver not ready sent.') ux25_stat_rcvr_rdy_rcvd = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 11, 1, 12), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ux25StatRcvrRdyRcvd.setStatus('mandatory') if mibBuilder.loadTexts: ux25StatRcvrRdyRcvd.setDescription('Number of receiver ready received.') ux25_stat_rcvr_rdy_sent = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 11, 1, 13), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ux25StatRcvrRdySent.setStatus('mandatory') if mibBuilder.loadTexts: ux25StatRcvrRdySent.setDescription('Number of receiver ready sent.') ux25_stat_resets_rcvd = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 11, 1, 14), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ux25StatResetsRcvd.setStatus('mandatory') if mibBuilder.loadTexts: ux25StatResetsRcvd.setDescription('Number of resets received.') ux25_stat_resets_sent = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 11, 1, 15), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ux25StatResetsSent.setStatus('mandatory') if mibBuilder.loadTexts: ux25StatResetsSent.setDescription('Number of resets sent.') ux25_stat_diag_pkts_rcvd = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 11, 1, 16), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ux25StatDiagPktsRcvd.setStatus('mandatory') if mibBuilder.loadTexts: ux25StatDiagPktsRcvd.setDescription('Number of diagnostic packets received.') ux25_stat_diag_pkts_sent = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 11, 1, 17), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ux25StatDiagPktsSent.setStatus('mandatory') if mibBuilder.loadTexts: ux25StatDiagPktsSent.setDescription('Number of diagnostic packets sent.') ux25_stat_intrpt_pkts_rcvd = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 11, 1, 18), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ux25StatIntrptPktsRcvd.setStatus('mandatory') if mibBuilder.loadTexts: ux25StatIntrptPktsRcvd.setDescription('Number of interrupt packets received.') ux25_stat_intrpt_pkts_sent = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 11, 1, 19), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ux25StatIntrptPktsSent.setStatus('mandatory') if mibBuilder.loadTexts: ux25StatIntrptPktsSent.setDescription('Number of interrupt packets sent.') ux25_stat_pv_cs_in_dat_trnsfr_state = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 11, 1, 20), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ux25StatPVCsInDatTrnsfrState.setStatus('mandatory') if mibBuilder.loadTexts: ux25StatPVCsInDatTrnsfrState.setDescription('Number of PVCs in Data Transfer State.') ux25_stat_sv_cs_in_dat_trnsfr_state = mib_table_column((1, 3, 6, 1, 4, 1, 429, 1, 10, 11, 1, 21), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ux25StatSVCsInDatTrnsfrState.setStatus('mandatory') if mibBuilder.loadTexts: ux25StatSVCsInDatTrnsfrState.setDescription('Number of SVCs in Data Transfer State.') mibBuilder.exportSymbols('UX25-MIB', ux25AdmnClassTable=ux25AdmnClassTable, ux25AdmnPacketTable=ux25AdmnPacketTable, ux25AdmnPacketEntry=ux25AdmnPacketEntry, ux25AdmnChanneIndex=ux25AdmnChanneIndex, ux25OperPacketEntry=ux25OperPacketEntry, ux25AdmnBarInCall=ux25AdmnBarInCall, ux25AdmnSubExtended=ux25AdmnSubExtended, ux25OperPacketIndex=ux25OperPacketIndex, ux25OperBarToaNpiFormat=ux25OperBarToaNpiFormat, ux25StatEntry=ux25StatEntry, ux25AdmnHighestPVCVal=ux25AdmnHighestPVCVal, ux25OperSubCugia=ux25OperSubCugia, ux25AdmnSubNuiOverride=ux25AdmnSubNuiOverride, ux25AdmnLowestPVCVal=ux25AdmnLowestPVCVal, ux25OperChannelLIC=ux25OperChannelLIC, ux25AdmnAckDelay=ux25AdmnAckDelay, ux25OperThclassNegToDef=ux25OperThclassNegToDef, ux25OperBarOutCall=ux25OperBarOutCall, ux25AdmnChannelHIC=ux25AdmnChannelHIC, ux25StatResetsSent=ux25StatResetsSent, ux25AdmnUseDiagnosticPacket=ux25AdmnUseDiagnosticPacket, ux25OperRstrtCnt=ux25OperRstrtCnt, ux25StatCallsRcvdEstab=ux25StatCallsRcvdEstab, ux25OperSubscriberIndex=ux25OperSubscriberIndex, ux25AdmnLocalDelay=ux25AdmnLocalDelay, ux25OperCugFormat=ux25OperCugFormat, ux25OperLocDefPktSize=ux25OperLocDefPktSize, ux25AdmnPrtyEncodeCtrl=ux25AdmnPrtyEncodeCtrl, ux25OperDbitOutAccept=ux25OperDbitOutAccept, ux25OperNetMode=ux25OperNetMode, ux25OperClrTime=ux25OperClrTime, ux25AdmnChannelEntry=ux25AdmnChannelEntry, ux25OperTimerIndex=ux25OperTimerIndex, ux25AdmnRstTime=ux25AdmnRstTime, ux25AdmnIntlAddrRecognition=ux25AdmnIntlAddrRecognition, ux25AdmnBarNonPrivilegeListen=ux25AdmnBarNonPrivilegeListen, ux25OperLocMaxPktSize=ux25OperLocMaxPktSize, ux25StatPVCsInDatTrnsfrState=ux25StatPVCsInDatTrnsfrState, ux25AdmnItutClearLen=ux25AdmnItutClearLen, ux25OperChannelTable=ux25OperChannelTable, ux25AdmnSubLocChargePrevent=ux25AdmnSubLocChargePrevent, ux25OperLowestPVCVal=ux25OperLowestPVCVal, ux25StatTable=ux25StatTable, ux25OperRemMaxPktSize=ux25OperRemMaxPktSize, ux25OperSubNuiOverride=ux25OperSubNuiOverride, ux25AdmnLocMaxPktSize=ux25AdmnLocMaxPktSize, usr=usr, ux25AdmnRemMaxThruPutClass=ux25AdmnRemMaxThruPutClass, ux25OperChannelLTC=ux25OperChannelLTC, ux25AdmnBarInCug=ux25AdmnBarInCug, ux25OperClassIndex=ux25OperClassIndex, ux25OperAccNoDiagnostic=ux25OperAccNoDiagnostic, ux25AdmnWinRotTime=ux25AdmnWinRotTime, ux25OperItutClearLen=ux25OperItutClearLen, ux25OperLocMinThruPutClass=ux25OperLocMinThruPutClass, ux25OperDbitInData=ux25OperDbitInData, ux25AdmnTimerEntry=ux25AdmnTimerEntry, ux25AdmnDbitOutData=ux25AdmnDbitOutData, ux25StatSVCsInDatTrnsfrState=ux25StatSVCsInDatTrnsfrState, ux25OperIntlAddrRecognition=ux25OperIntlAddrRecognition, ux25AdmnDiscNzDiagnostic=ux25AdmnDiscNzDiagnostic, ux25OperLocalDelay=ux25OperLocalDelay, ux25OperPktSequencing=ux25OperPktSequencing, ux25OperRemDefPktSize=ux25OperRemDefPktSize, ux25OperRstrtTime=ux25OperRstrtTime, ux25StatRestartsRcvd=ux25StatRestartsRcvd, ux25AdmnAcceptHexAdd=ux25AdmnAcceptHexAdd, ux25StatDiagPktsSent=ux25StatDiagPktsSent, ux25AdmnChannelLTC=ux25AdmnChannelLTC, ux25OperPrtyPktForcedVal=ux25OperPrtyPktForcedVal, ux25OperThclassType=ux25OperThclassType, ux25OperRstCnt=ux25OperRstCnt, ux25AdmnSubCugIaoa=ux25AdmnSubCugIaoa, ux25AdmnChannelTable=ux25AdmnChannelTable, ux25AdmnRemMinThruPutClass=ux25AdmnRemMinThruPutClass, ux25AdmnChannelLOC=ux25AdmnChannelLOC, ux25AdmnBarDiagnosticPacket=ux25AdmnBarDiagnosticPacket, ux25OperIntrptTime=ux25OperIntrptTime, ux25AdmnSubCugPref=ux25AdmnSubCugPref, ux25OperDiscNzDiagnostic=ux25OperDiscNzDiagnostic, ux25AdmnConnectValue=ux25AdmnConnectValue, ux25OperChannelHOC=ux25OperChannelHOC, ux25AdmnSubscriberEntry=ux25AdmnSubscriberEntry, ux25OperLocDefWinSize=ux25OperLocDefWinSize, ux25AdmnRemDefWinSize=ux25AdmnRemDefWinSize, ux25OperThclassPackMap=ux25OperThclassPackMap, ux25OperSubCugIaoa=ux25OperSubCugIaoa, ux25OperSubLocChargePrevent=ux25OperSubLocChargePrevent, ux25OperRemDefThruPutClass=ux25OperRemDefThruPutClass, ux25AdmnProtocolVersion=ux25AdmnProtocolVersion, ux25OperRstTime=ux25OperRstTime, ux25AdmnNetMode=ux25AdmnNetMode, ux25AdmnClassIndex=ux25AdmnClassIndex, ux25OperSrcAddrCtrl=ux25OperSrcAddrCtrl, ux25AdmnIntlPrioritized=ux25AdmnIntlPrioritized, ux25OperBarInCug=ux25OperBarInCug, ux25AdmnRemMaxWinSize=ux25AdmnRemMaxWinSize, ux25StatRcvrNotRdySent=ux25StatRcvrNotRdySent, ux25AdmnDbitOutAccept=ux25AdmnDbitOutAccept, ux25OperAccessDelay=ux25OperAccessDelay, ux25AdmnRstrtCnt=ux25AdmnRstrtCnt, ux25StatIntrptPktsSent=ux25StatIntrptPktsSent, ux25StatDataPktsSent=ux25StatDataPktsSent, ux25AdmnTimerTable=ux25AdmnTimerTable, ux25OperTimerTable=ux25OperTimerTable, ux25AdmnThclassType=ux25AdmnThclassType, ux25AdmnMaxNSDULimit=ux25AdmnMaxNSDULimit, ux25OperMaxNSDULimit=ux25OperMaxNSDULimit, ux25OperBarDiagnosticPacket=ux25OperBarDiagnosticPacket, ux25OperWinStatTime=ux25OperWinStatTime, ux25AdmnChannelHOC=ux25AdmnChannelHOC, ux25StatResetsRcvd=ux25StatResetsRcvd, ux25StatRestartsSent=ux25StatRestartsSent, ux25StatCallsRcvd=ux25StatCallsRcvd, ux25OperBarExtended=ux25OperBarExtended, ux25AdmnLocDefWinSize=ux25AdmnLocDefWinSize, ux25OperAcceptHexAdd=ux25OperAcceptHexAdd, ux25OperSubToaNpiFormat=ux25OperSubToaNpiFormat, ux25OperDbitInAccept=ux25OperDbitInAccept, ux25OperSubCugPref=ux25OperSubCugPref, ux25AdmnDbitInAccept=ux25AdmnDbitInAccept, ux25OperConnectValue=ux25OperConnectValue, ux25StatDiagPktsRcvd=ux25StatDiagPktsRcvd, ux25OperIdleValue=ux25OperIdleValue, ux25OperSubscriberTable=ux25OperSubscriberTable, ux25StatRcvrRdyRcvd=ux25StatRcvrRdyRcvd, ux25OperClassTable=ux25OperClassTable, ux25OperThclassWinMap=ux25OperThclassWinMap, ux25OperDnic=ux25OperDnic, ux25AdmnSubscriberIndex=ux25AdmnSubscriberIndex, ux25AdmnIdleValue=ux25AdmnIdleValue, ux25AdmnClassEntry=ux25AdmnClassEntry, ux25OperWinRotTime=ux25OperWinRotTime, ux25AdmnTimerIndex=ux25AdmnTimerIndex, ux25AdmnClrCnt=ux25AdmnClrCnt, ux25AdmnLocMaxThruPutClass=ux25AdmnLocMaxThruPutClass, ux25StatIntrptPktsRcvd=ux25StatIntrptPktsRcvd, ux25AdmnRstrtTime=ux25AdmnRstrtTime, ux25AdmnSubToaNpiFormat=ux25AdmnSubToaNpiFormat, ux25OperChannelIndex=ux25OperChannelIndex, ux25AdmnSubFstSelNoRstrct=ux25AdmnSubFstSelNoRstrct, ux25OperSubCugoa=ux25OperSubCugoa, ux25OperAccptRvsChrgng=ux25OperAccptRvsChrgng, ux25StatRcvrRdySent=ux25StatRcvrRdySent, ux25OperHighestPVCVal=ux25OperHighestPVCVal, ux25AdmnAccNoDiagnostic=ux25AdmnAccNoDiagnostic, ux25OperPacketTable=ux25OperPacketTable, ux25AdmnInterfaceMode=ux25AdmnInterfaceMode, ux25OperUseDiagnosticPacket=ux25OperUseDiagnosticPacket, ux25AdmnWinStatTime=ux25AdmnWinStatTime, ux25StatDataPktsRcvd=ux25StatDataPktsRcvd, ux25OperChannelLOC=ux25OperChannelLOC, ux25AdmnDbitInData=ux25AdmnDbitInData, ux25StatCallsSent=ux25StatCallsSent, ux25AdmnLocMinThruPutClass=ux25AdmnLocMinThruPutClass, ux25AdmnPktSequencing=ux25AdmnPktSequencing, ux25OperBarNonPrivilegeListen=ux25OperBarNonPrivilegeListen, ux25OperInterfaceMode=ux25OperInterfaceMode, ux25AdmnIntrptTime=ux25AdmnIntrptTime, ux25AdmnBarOutCall=ux25AdmnBarOutCall, ux25OperProtocolVersion=ux25OperProtocolVersion, ux25OperBarInCall=ux25OperBarInCall, ux25AdmnBarExtended=ux25AdmnBarExtended, ux25OperIntlPrioritized=ux25OperIntlPrioritized, ux25AdmnPacketIndex=ux25AdmnPacketIndex, ux25OperDbitOutData=ux25OperDbitOutData, ux25AdmnRemDefPktSize=ux25AdmnRemDefPktSize, ux25OperSubscriberEntry=ux25OperSubscriberEntry, ux25OperClassEntry=ux25OperClassEntry, ux25OperPrtyEncodeCtrl=ux25OperPrtyEncodeCtrl, ux25OperRemMaxWinSize=ux25OperRemMaxWinSize, ux25AdmnCallTime=ux25AdmnCallTime, ux25AdmnPrtyPktForcedVal=ux25AdmnPrtyPktForcedVal, ux25AdmnAccptRvsChrgng=ux25AdmnAccptRvsChrgng, ux25OperRemMinThruPutClass=ux25OperRemMinThruPutClass, ux25OperClrCnt=ux25OperClrCnt, ux25AdmnSrcAddrCtrl=ux25AdmnSrcAddrCtrl, ux25StatRcvrNotRdyRcvd=ux25StatRcvrNotRdyRcvd, ux25OperSubExtended=ux25OperSubExtended, ux25OperSubFstSelNoRstrct=ux25OperSubFstSelNoRstrct, ux25OperSubFstSelWthRstrct=ux25OperSubFstSelWthRstrct, ux25OperChannelHTC=ux25OperChannelHTC, ux25OperCallTime=ux25OperCallTime, ux25AdmnBarToaNpiFormat=ux25AdmnBarToaNpiFormat, ux25AdmnLocMaxWinSize=ux25AdmnLocMaxWinSize, ux25AdmnLocDefThruPutClass=ux25AdmnLocDefThruPutClass, ux25OperLocMaxWinSize=ux25OperLocMaxWinSize, ux25OperRemDefWinSize=ux25OperRemDefWinSize, ux25AdmnChannelHTC=ux25AdmnChannelHTC, ux25AdmnRemMaxPktSize=ux25AdmnRemMaxPktSize, ux25AdmnSubFstSelWthRstrct=ux25AdmnSubFstSelWthRstrct, ux25AdmnClrTime=ux25AdmnClrTime, ux25OperLocDefThruPutClass=ux25OperLocDefThruPutClass, ux25OperChannelEntry=ux25OperChannelEntry, ux25=ux25, ux25OperChannelHIC=ux25OperChannelHIC, ux25OperRemMaxThruPutClass=ux25OperRemMaxThruPutClass, ux25AdmnRemDefThruPutClass=ux25AdmnRemDefThruPutClass, ux25AdmnThclassNegToDef=ux25AdmnThclassNegToDef, ux25AdmnThclassWinMap=ux25AdmnThclassWinMap, ux25AdmnSubCugoa=ux25AdmnSubCugoa, ux25AdmnDnic=ux25AdmnDnic, ux25AdmnSubCugia=ux25AdmnSubCugia, ux25AdmnCugFormat=ux25AdmnCugFormat, nas=nas, ux25AdmnChannelLIC=ux25AdmnChannelLIC, ux25AdmnLocDefPktSize=ux25AdmnLocDefPktSize, ux25AdmnAccessDelay=ux25AdmnAccessDelay, ux25OperAckDelay=ux25OperAckDelay, ux25StatCallsSentEstab=ux25StatCallsSentEstab, ux25AdmnSubscriberTable=ux25AdmnSubscriberTable, ux25AdmnRstCnt=ux25AdmnRstCnt, ux25AdmnThclassPackMap=ux25AdmnThclassPackMap, ux25OperLocMaxThruPutClass=ux25OperLocMaxThruPutClass, ux25StatIndex=ux25StatIndex, ux25OperTimerEntry=ux25OperTimerEntry)
""" Device Message Queue defined in Thorlabs Kinesis v1.14.10 The device message queue allows the internal events raised by the device to be monitored by the DLLs owner. The device raises many different events, usually associated with a change of state. These messages are temporarily stored in the DLL and can be accessed using the appropriate message functions. The message consists of 3 components, a messageType, a messageID and messageData:: WORD messageType WORD messageID WORD messageData """ #: MessageTypes MessageTypes = { 0: 'GenericDevice', 1: 'GenericPiezo', 2: 'GenericMotor', 3: 'GenericDCMotor', 4: 'GenericSimpleMotor', 5: 'RackDevice', 6: 'Laser', 7: 'TECCtlr', 8: 'Quad', 9: 'NanoTrak', 10: 'Specialized', 11: 'Solenoid', } #: GenericDevice GenericDevice = { 0: 'settingsInitialized', 1: 'settingsUpdated', 2: 'error', 3: 'close', } #: GenericMotor GenericMotor = { 0: 'Homed', 1: 'Moved', 2: 'Stopped', 3: 'LimitUpdated', } #: GenericDCMotor GenericDCMotor = { 0: 'error', 1: 'status', } #: GenericPiezo GenericPiezo = { 0: 'maxVoltageChanged', 1: 'controlModeChanged', 2: 'statusChanged', 3: 'maxTravelChanged', 4: 'TSG_Status', 5: 'TSG_DisplayModeChanged', } #: RackDevice RackDevice = { 0: 'RackCountEstablished', 1: 'RackBayState', } #: Quad Quad = { 0: 'statusChanged', } #: TECCtlr TECCtlr = { 0: 'statusChanged', 2: 'displaySettingsChanged', 3: 'feedbackParamsChanged', } #: Laser Laser = { 0: 'statusChanged', 1: 'controlSourceChanged', 2: 'displayModeChanged', } #: Solenoid Solenoid = { 0: 'statusChanged', } #: NanoTrak NanoTrak = { 0: 'statusChanged', } #: Specialized Specialized = {} #: GenericSimpleMotor GenericSimpleMotor = {} #: MessageID MessageID = { 'GenericDevice': GenericDevice, 'GenericPiezo': GenericPiezo, 'GenericMotor': GenericMotor, 'GenericDCMotor': GenericDCMotor, 'GenericSimpleMotor': GenericSimpleMotor, 'RackDevice': RackDevice, 'Laser': Laser, 'TECCtlr': TECCtlr, 'Quad': Quad, 'NanoTrak': NanoTrak, 'Specialized': Specialized, 'Solenoid': Solenoid, }
""" Device Message Queue defined in Thorlabs Kinesis v1.14.10 The device message queue allows the internal events raised by the device to be monitored by the DLLs owner. The device raises many different events, usually associated with a change of state. These messages are temporarily stored in the DLL and can be accessed using the appropriate message functions. The message consists of 3 components, a messageType, a messageID and messageData:: WORD messageType WORD messageID WORD messageData """ message_types = {0: 'GenericDevice', 1: 'GenericPiezo', 2: 'GenericMotor', 3: 'GenericDCMotor', 4: 'GenericSimpleMotor', 5: 'RackDevice', 6: 'Laser', 7: 'TECCtlr', 8: 'Quad', 9: 'NanoTrak', 10: 'Specialized', 11: 'Solenoid'} generic_device = {0: 'settingsInitialized', 1: 'settingsUpdated', 2: 'error', 3: 'close'} generic_motor = {0: 'Homed', 1: 'Moved', 2: 'Stopped', 3: 'LimitUpdated'} generic_dc_motor = {0: 'error', 1: 'status'} generic_piezo = {0: 'maxVoltageChanged', 1: 'controlModeChanged', 2: 'statusChanged', 3: 'maxTravelChanged', 4: 'TSG_Status', 5: 'TSG_DisplayModeChanged'} rack_device = {0: 'RackCountEstablished', 1: 'RackBayState'} quad = {0: 'statusChanged'} tec_ctlr = {0: 'statusChanged', 2: 'displaySettingsChanged', 3: 'feedbackParamsChanged'} laser = {0: 'statusChanged', 1: 'controlSourceChanged', 2: 'displayModeChanged'} solenoid = {0: 'statusChanged'} nano_trak = {0: 'statusChanged'} specialized = {} generic_simple_motor = {} message_id = {'GenericDevice': GenericDevice, 'GenericPiezo': GenericPiezo, 'GenericMotor': GenericMotor, 'GenericDCMotor': GenericDCMotor, 'GenericSimpleMotor': GenericSimpleMotor, 'RackDevice': RackDevice, 'Laser': Laser, 'TECCtlr': TECCtlr, 'Quad': Quad, 'NanoTrak': NanoTrak, 'Specialized': Specialized, 'Solenoid': Solenoid}