content
stringlengths
7
1.05M
fixed_cases
stringlengths
1
1.28M
_ = 1 < 3 _ = 1 <= 3 _ = 1 < input() and input() > 3 _ = 1 < input() and input() >= 3 _ = 1 < input() and 1 <= input() and input() >= 3
_ = 1 < 3 _ = 1 <= 3 _ = 1 < input() and input() > 3 _ = 1 < input() and input() >= 3 _ = 1 < input() and 1 <= input() and (input() >= 3)
def get_input(filename): data = [] with open(filename, 'r') as i: for x in i.readlines(): data.append(int(x)) return data def count_increases(measurements): previous = measurements[0] increases = 0 for measurement in measurements[1:]: if measurement > previous: increases += 1 previous = measurement return increases def sliding_window_increases(measurements, window_size): previous = sum(measurements[0:window_size]) increases = 0 for x in range(1, len(measurements)): current = sum(measurements[x:x+window_size]) if current > previous: increases += 1 previous = current return increases def main(): measurements = get_input("input") print("Part 1:") print(count_increases(measurements)) print() print("Part 2:") print(sliding_window_increases(measurements, 3)) if __name__ == "__main__": main()
def get_input(filename): data = [] with open(filename, 'r') as i: for x in i.readlines(): data.append(int(x)) return data def count_increases(measurements): previous = measurements[0] increases = 0 for measurement in measurements[1:]: if measurement > previous: increases += 1 previous = measurement return increases def sliding_window_increases(measurements, window_size): previous = sum(measurements[0:window_size]) increases = 0 for x in range(1, len(measurements)): current = sum(measurements[x:x + window_size]) if current > previous: increases += 1 previous = current return increases def main(): measurements = get_input('input') print('Part 1:') print(count_increases(measurements)) print() print('Part 2:') print(sliding_window_increases(measurements, 3)) if __name__ == '__main__': main()
def stockmax(p): ind_max = p.index(max(p)) #find the max price inv = sum(p[:ind_max]) #split the array before and after max price pf = len(p[:ind_max])*p[ind_max] - inv #buy all stocks before max price if len(p[ind_max+1:]) > 0: pf += stockmax(p[ind_max+1:]) #then sell them at max price return pf
def stockmax(p): ind_max = p.index(max(p)) inv = sum(p[:ind_max]) pf = len(p[:ind_max]) * p[ind_max] - inv if len(p[ind_max + 1:]) > 0: pf += stockmax(p[ind_max + 1:]) return pf
""" Move Zeroes Given an array nums, write a function to move all 0's to the end of it while maintaining the relative order of the non-zero elements. Example: Input: [0,1,0,3,12] Output: [1,3,12,0,0] Note: You must do this in-place without making a copy of the array. Minimize the total number of operations. """ class Solution(object): def moveZeroes(self, nums): """ :type nums: List[int] :rtype: void Do not return anything, modify nums in-place instead. """ i = 0 for j in range(len(nums)): if nums[j]!=0: nums[i],nums[j]=nums[j],nums[i] i+=1 def moveZeroes_0(self, nums): """ :type nums: List[int] :rtype: void Do not return anything, modify nums in-place instead. """ N = len(nums) if N<=1 or 0 not in nums: return None for i in range(N)[::-1]: if nums[i]!=0: continue j=i while j<N-1 and nums[j+1]!=0: temp=nums[j+1] nums[j+1]=nums[j] nums[j]=temp j+=1
""" Move Zeroes Given an array nums, write a function to move all 0's to the end of it while maintaining the relative order of the non-zero elements. Example: Input: [0,1,0,3,12] Output: [1,3,12,0,0] Note: You must do this in-place without making a copy of the array. Minimize the total number of operations. """ class Solution(object): def move_zeroes(self, nums): """ :type nums: List[int] :rtype: void Do not return anything, modify nums in-place instead. """ i = 0 for j in range(len(nums)): if nums[j] != 0: (nums[i], nums[j]) = (nums[j], nums[i]) i += 1 def move_zeroes_0(self, nums): """ :type nums: List[int] :rtype: void Do not return anything, modify nums in-place instead. """ n = len(nums) if N <= 1 or 0 not in nums: return None for i in range(N)[::-1]: if nums[i] != 0: continue j = i while j < N - 1 and nums[j + 1] != 0: temp = nums[j + 1] nums[j + 1] = nums[j] nums[j] = temp j += 1
def multiply(m, n): if n > m: m, n = n, m if n == 0: return 0 return m + multiply(m, n - 1) # print(multiply(3, 5)) def rec(x, y): # x ^ y if y > 0: return x * rec(x, y - 1) return 1 # print(rec(3, 5)) def hailstone(n): # n is even: n = n / 2 # n is odd: n = n * 3 + 1 # n == 1, stop if n == 1: return 1 if n % 2 == 0: return 1 + hailstone(n // 2) return 1 + hailstone(n * 3 + 1) # print(hailstone(10)) # hailstone(10): # hailstone(5): # hailstone(16): # hailstone(8): # hailstone(4): # hailstone(2): # hailstone(1): # hailstone(1) -> 1 # hailstone(2) -> 2 # hailstone(4) -> 3 # hailstone(8) -> 4 # hailstone(16) -> 5 # hailstone(5) -> 6 # hailstone(10) -> 7 # 7 def first_digit(n): return int(str(n)[:1]) def remaining_digit(n): if n < 10: return 0 return int(str(n)[1:]) def merge(n1, n2): if n1 == 0 and n2 == 0: return "" first_digit_n1 = first_digit(n1) first_digit_n2 = first_digit(n2) if first_digit_n1 > first_digit_n2: return int(str(first_digit_n1) + str(merge(remaining_digit(n1), n2))) else: return int(str(first_digit_n2) + str(merge(n1, remaining_digit(n2)))) # print(merge(31, 42)) # 4321 # print(merge(21, 0)) # 21 # print(merge(21, 31)) # 3211 # print(merge(310, 420)) # 4321 # print(merge(310000, 420)) # 4321 # print(merge(22, 22)) # 2222 def make_func_repeater(f, x): def repeat(times): if times <= 1: return f(x) return f(repeat(times - 1)) return repeat # incr_1 = make_func_repeater(lambda x: x + 1, 1) # print(incr_1(2)) # 3 # print(incr_1(5)) # 6 def is_prime(n): def prime_helper(cur): if n == 1: return False if cur == n: return True if n % cur == 0: return False return prime_helper(cur + 1) return prime_helper(2) print(is_prime(7)) # True print(is_prime(10)) # False print(is_prime(1)) # False
def multiply(m, n): if n > m: (m, n) = (n, m) if n == 0: return 0 return m + multiply(m, n - 1) def rec(x, y): if y > 0: return x * rec(x, y - 1) return 1 def hailstone(n): if n == 1: return 1 if n % 2 == 0: return 1 + hailstone(n // 2) return 1 + hailstone(n * 3 + 1) def first_digit(n): return int(str(n)[:1]) def remaining_digit(n): if n < 10: return 0 return int(str(n)[1:]) def merge(n1, n2): if n1 == 0 and n2 == 0: return '' first_digit_n1 = first_digit(n1) first_digit_n2 = first_digit(n2) if first_digit_n1 > first_digit_n2: return int(str(first_digit_n1) + str(merge(remaining_digit(n1), n2))) else: return int(str(first_digit_n2) + str(merge(n1, remaining_digit(n2)))) def make_func_repeater(f, x): def repeat(times): if times <= 1: return f(x) return f(repeat(times - 1)) return repeat def is_prime(n): def prime_helper(cur): if n == 1: return False if cur == n: return True if n % cur == 0: return False return prime_helper(cur + 1) return prime_helper(2) print(is_prime(7)) print(is_prime(10)) print(is_prime(1))
""" Reverse a singly linked list. Example: Input: 1->2->3->4->5->NULL Output: 5->4->3->2->1->NULL // 4 -> 5 -> 6 //prev cur nextTemp // 4 -> 5 -> 6 // prev cur nextTemp """ class Solution206: pass
""" Reverse a singly linked list. Example: Input: 1->2->3->4->5->NULL Output: 5->4->3->2->1->NULL // 4 -> 5 -> 6 //prev cur nextTemp // 4 -> 5 -> 6 // prev cur nextTemp """ class Solution206: pass
# Utility functions def mk_param_summary(hyperparams): return '__'.join([hpname + '_' + val for hpname, val in hyperparams.items()]) def insert_param_summary(filename, param_summary): basename, extn = filename.rsplit('.', 1) return basename + '__' + param_summary + '.' + extn def combinations(ll): # This got kind of difficult because skylark doesn't allow recursion, # but I think it's correct? last_pass = [] cur_pass = [[]] for l in ll: last_pass = cur_pass cur_pass = [] for elem in l: for prev_combination in last_pass: cur_pass.append(list(prev_combination) + [elem]) return cur_pass # Internal functions def _model_internal(data, model_output, hyperparams, ctx): hyperparams_struct = struct(**hyperparams) args = [ '--data', data.path, '--model-output-path', model_output.path, '--hyperparams', hyperparams_struct.to_json() ] ctx.actions.run( inputs = [data], outputs = [model_output], arguments = args, progress_message = "Running training script with args %s" % args, executable = ctx.executable.train_executable, ) def _eval_internal(data, model, output, ctx): args = [ '--data-path', data.path, '--model-path', model.path, '--output-file', output.path ] ctx.actions.run( inputs = [data, model], outputs = [output], arguments = args, progress_message = "Running evaluation script with args %s" % args, executable = ctx.executable.eval_executable, ) # Rule definitions def _model_impl(ctx): _model_internal( ctx.file.training_data, ctx.outputs.model, ctx.attr.hyperparams, ctx ) model = rule( implementation = _model_impl, attrs = { "deps": attr.label_list(), "training_data": attr.label( # TODO turn this into a keyed list or something allow_single_file = True, ), "train_executable": attr.label( cfg = "target", executable = True ), "model": attr.output(), "hyperparams": attr.string_dict() }, ) def _evaluate_impl(ctx): _eval_internal( ctx.file.test_data, ctx.file.model, ctx.outputs.outputs, ctx ) evaluate = rule( implementation = _evaluate_impl, attrs = { "deps": attr.label_list(), "test_data": attr.label(allow_single_file=True), "model": attr.label(allow_single_file=True), "outputs": attr.output_list(allow_empty=False), "eval_executable": attr.label( cfg = "target", executable = True ) } ) def _hyperparam_search_impl(ctx): # This impl is totally wrong but I'm going to just try to get a macro working files_to_build = [] hyperparam_names, hyperparam_valuess = zip(*ctx.attr.hyperparam_values.items()) hyperparam_combinations = combinations(hyperparam_valuess) for hyperparam_values in hyperparam_combinations: # Prep our new unique names for this run these_values = dict(zip(hyperparam_names, hyperparam_values)) param_summary = mk_param_summary(these_values) new_name = ctx.attr.name + "__" + param_summary new_model_name = insert_param_summary(ctx.attr.model_name, param_summary) # This is going to create the new model file, which we need to declare... new_model_file = ctx.actions.declare_file(new_model_name) # Create the model training instance for this run _model_internal( data = ctx.file.data, model_output = new_model_file, hyperparams = these_values, ctx = ctx ) # And then also create an eval instance new_eval_output = ctx.actions.declare_file( insert_param_summary(ctx.attr.eval_output, param_summary) ) _eval_internal( data = ctx.file.data, model = new_model_file, output = new_eval_output, ctx = ctx ) # Finally, add the files generated here to the list of default files for the rule files_to_build += [new_eval_output, new_model_file] return DefaultInfo(files=depset(files_to_build)) hyperparam_search = rule( implementation = _hyperparam_search_impl, attrs = { "deps": attr.label_list(), "data": attr.label(allow_single_file=True), "model_name": attr.string(mandatory=True), "eval_executable": attr.label( cfg = "target", executable = True ), "eval_output": attr.string(), "train_executable": attr.label( cfg = "target", executable = True ), "hyperparam_values": attr.string_list_dict(mandatory=True) } )
def mk_param_summary(hyperparams): return '__'.join([hpname + '_' + val for (hpname, val) in hyperparams.items()]) def insert_param_summary(filename, param_summary): (basename, extn) = filename.rsplit('.', 1) return basename + '__' + param_summary + '.' + extn def combinations(ll): last_pass = [] cur_pass = [[]] for l in ll: last_pass = cur_pass cur_pass = [] for elem in l: for prev_combination in last_pass: cur_pass.append(list(prev_combination) + [elem]) return cur_pass def _model_internal(data, model_output, hyperparams, ctx): hyperparams_struct = struct(**hyperparams) args = ['--data', data.path, '--model-output-path', model_output.path, '--hyperparams', hyperparams_struct.to_json()] ctx.actions.run(inputs=[data], outputs=[model_output], arguments=args, progress_message='Running training script with args %s' % args, executable=ctx.executable.train_executable) def _eval_internal(data, model, output, ctx): args = ['--data-path', data.path, '--model-path', model.path, '--output-file', output.path] ctx.actions.run(inputs=[data, model], outputs=[output], arguments=args, progress_message='Running evaluation script with args %s' % args, executable=ctx.executable.eval_executable) def _model_impl(ctx): _model_internal(ctx.file.training_data, ctx.outputs.model, ctx.attr.hyperparams, ctx) model = rule(implementation=_model_impl, attrs={'deps': attr.label_list(), 'training_data': attr.label(allow_single_file=True), 'train_executable': attr.label(cfg='target', executable=True), 'model': attr.output(), 'hyperparams': attr.string_dict()}) def _evaluate_impl(ctx): _eval_internal(ctx.file.test_data, ctx.file.model, ctx.outputs.outputs, ctx) evaluate = rule(implementation=_evaluate_impl, attrs={'deps': attr.label_list(), 'test_data': attr.label(allow_single_file=True), 'model': attr.label(allow_single_file=True), 'outputs': attr.output_list(allow_empty=False), 'eval_executable': attr.label(cfg='target', executable=True)}) def _hyperparam_search_impl(ctx): files_to_build = [] (hyperparam_names, hyperparam_valuess) = zip(*ctx.attr.hyperparam_values.items()) hyperparam_combinations = combinations(hyperparam_valuess) for hyperparam_values in hyperparam_combinations: these_values = dict(zip(hyperparam_names, hyperparam_values)) param_summary = mk_param_summary(these_values) new_name = ctx.attr.name + '__' + param_summary new_model_name = insert_param_summary(ctx.attr.model_name, param_summary) new_model_file = ctx.actions.declare_file(new_model_name) _model_internal(data=ctx.file.data, model_output=new_model_file, hyperparams=these_values, ctx=ctx) new_eval_output = ctx.actions.declare_file(insert_param_summary(ctx.attr.eval_output, param_summary)) _eval_internal(data=ctx.file.data, model=new_model_file, output=new_eval_output, ctx=ctx) files_to_build += [new_eval_output, new_model_file] return default_info(files=depset(files_to_build)) hyperparam_search = rule(implementation=_hyperparam_search_impl, attrs={'deps': attr.label_list(), 'data': attr.label(allow_single_file=True), 'model_name': attr.string(mandatory=True), 'eval_executable': attr.label(cfg='target', executable=True), 'eval_output': attr.string(), 'train_executable': attr.label(cfg='target', executable=True), 'hyperparam_values': attr.string_list_dict(mandatory=True)})
side = 1080 thickness = side*0.4 frames = 84 def skPts(): points = [] for i in range(360): x = cos(radians(i)) y = sin(radians(i)) points.append((x, y)) return points def shape(step, var): speed = var/step fill(1, 1, 1, 0.05) stroke(None) shape = BezierPath() shape.oval(0 - (thickness/2), 0 - (thickness/2), thickness, thickness) with savedState(): scale(0.8, 1, (side*0.5, side*0.5)) translate(side*0.2 + (thickness/4), side*0.2 + (thickness/4)) rotate(2 * pi + speed, center=(side*0.2, side*0.2)) drawPath(shape) points = skPts() print(points) for i in range(int(-frames/2), int(frames/2)): if i != 0: newPage(side, side) fill(0) rect(0, 0, side, side) for j in range(0, 360, 12): with savedState(): translate( points[j][0], points[j][1] ) if j != 0: shape(i, j) saveImage('~/Desktop/27_36_DAYS_OF_TYPE_2020.mp4')
side = 1080 thickness = side * 0.4 frames = 84 def sk_pts(): points = [] for i in range(360): x = cos(radians(i)) y = sin(radians(i)) points.append((x, y)) return points def shape(step, var): speed = var / step fill(1, 1, 1, 0.05) stroke(None) shape = bezier_path() shape.oval(0 - thickness / 2, 0 - thickness / 2, thickness, thickness) with saved_state(): scale(0.8, 1, (side * 0.5, side * 0.5)) translate(side * 0.2 + thickness / 4, side * 0.2 + thickness / 4) rotate(2 * pi + speed, center=(side * 0.2, side * 0.2)) draw_path(shape) points = sk_pts() print(points) for i in range(int(-frames / 2), int(frames / 2)): if i != 0: new_page(side, side) fill(0) rect(0, 0, side, side) for j in range(0, 360, 12): with saved_state(): translate(points[j][0], points[j][1]) if j != 0: shape(i, j) save_image('~/Desktop/27_36_DAYS_OF_TYPE_2020.mp4')
#EJERCICIO PRACTICO NUMERO 5 print("===========================") print("EJERCICIO PRACTICO NUMERO 5") print("===========================\n") print("=====================") print("SUCESION DE FIBONACC1") print("=====================\n") x, y= 0, 1 while y <= 1597: print(x, y, end = " ") x = x + y y = x + y print("\nFin.")
print('===========================') print('EJERCICIO PRACTICO NUMERO 5') print('===========================\n') print('=====================') print('SUCESION DE FIBONACC1') print('=====================\n') (x, y) = (0, 1) while y <= 1597: print(x, y, end=' ') x = x + y y = x + y print('\nFin.')
"""Helps manage notes stored as plain files in the filesystem. If you installed via ``pip``, run ``notesdir -h` to get help. Or, run ``python3 -m notesdir -h``. To use the Python API, look at :class:`notesdir.api.Notesdir` """
"""Helps manage notes stored as plain files in the filesystem. If you installed via ``pip``, run ``notesdir -h` to get help. Or, run ``python3 -m notesdir -h``. To use the Python API, look at :class:`notesdir.api.Notesdir` """
class MaxBoxGen(): def findMaxRect(data): """http://stackoverflow.com/a/30418912/5008845""" nrows, ncols = data.shape w = np.zeros(dtype=int, shape=data.shape) h = np.zeros(dtype=int, shape=data.shape) skip = 1 area_max = (0, []) for r in range(nrows): for c in range(ncols): if data[r][c] == skip: continue if r == 0: h[r][c] = 1 else: h[r][c] = h[r - 1][c] + 1 if c == 0: w[r][c] = 1 else: w[r][c] = w[r][c - 1] + 1 minw = w[r][c] for dh in range(h[r][c]): minw = min(minw, w[r - dh][c]) area = (dh + 1) * minw if area > area_max[0]: area_max = (area, [(r - dh, c - minw + 1, r, c)]) return area_max ######################################################################## def residual(angle, data): nx, ny = data.shape M = cv2.getRotationMatrix2D(((nx - 1) / 2, (ny - 1) / 2), int(angle), 1) RotData = cv2.warpAffine( data, M, (nx, ny), flags=cv2.INTER_NEAREST, borderValue=1 ) rectangle = findMaxRect(RotData) return 1.0 / rectangle[0] ######################################################################## def residual_star(args): return residual(*args) ######################################################################## def get_rectangle_coord(angle, data, flag_out=None): nx, ny = data.shape M = cv2.getRotationMatrix2D(((nx - 1) / 2, (ny - 1) / 2), angle, 1) RotData = cv2.warpAffine( data, M, (nx, ny), flags=cv2.INTER_NEAREST, borderValue=1 ) rectangle = findMaxRect(RotData) if flag_out: return rectangle[1][0], M, RotData else: return rectangle[1][0], M ######################################################################## def findRotMaxRect( data_in, flag_opt=False, flag_parallel=False, nbre_angle=10, flag_out=None, flag_enlarge_img=False, limit_image_size=300, ): """ flag_opt : True only nbre_angle are tested between 90 and 180 and a opt descent algo is run on the best fit False 100 angle are tested from 90 to 180. flag_parallel: only valid when flag_opt=False. the 100 angle are run on multithreading flag_out : angle and rectangle of the rotated image are output together with the rectangle of the original image flag_enlarge_img : the image used in the function is double of the size of the original to ensure all feature stay in when rotated limit_image_size : control the size numbre of pixel of the image use in the function. this speeds up the code but can give approximated results if the shape is not simple """ # time_s = datetime.datetime.now() # make the image square # ---------------- nx_in, ny_in = data_in.shape if nx_in != ny_in: n = max([nx_in, ny_in]) data_square = np.ones([n, n]) xshift = int((n - nx_in) / 2) yshift = int((n - ny_in) / 2) if yshift == 0: data_square[xshift: (xshift + nx_in), :] = data_in[:, :] else: data_square[:, yshift: yshift + ny_in] = data_in[:, :] else: xshift = 0 yshift = 0 data_square = data_in # apply scale factor if image bigger than limit_image_size # ---------------- if data_square.shape[0] > limit_image_size: data_small = cv2.resize( data_square, (limit_image_size, limit_image_size), interpolation=0 ) scale_factor = 1.0 * data_square.shape[0] / data_small.shape[0] else: data_small = data_square scale_factor = 1 # set the input data with an odd number of point in each dimension to make rotation easier # ---------------- nx, ny = data_small.shape nx_extra = -nx ny_extra = -ny if nx % 2 == 0: nx += 1 nx_extra = 1 if ny % 2 == 0: ny += 1 ny_extra = 1 data_odd = np.ones( [ data_small.shape[0] + max([0, nx_extra]), data_small.shape[1] + max([0, ny_extra]), ] ) data_odd[:-nx_extra, :-ny_extra] = data_small nx, ny = data_odd.shape nx_odd, ny_odd = data_odd.shape if flag_enlarge_img: data = ( np.zeros([2 * data_odd.shape[0] + 1, 2 * data_odd.shape[1] + 1]) + 1 ) nx, ny = data.shape data[ nx / 2 - nx_odd / 2: nx / 2 + nx_odd / 2, ny / 2 - ny_odd / 2: ny / 2 + ny_odd / 2, ] = data_odd else: data = np.copy(data_odd) nx, ny = data.shape # print((datetime.datetime.now()-time_s).total_seconds() if flag_opt: myranges_brute = [ (90.0, 180.0), ] coeff0 = np.array( [ 0.0, ] ) coeff1 = optimize.brute( residual, myranges_brute, args=(data,), Ns=nbre_angle, finish=None ) popt = optimize.fmin( residual, coeff1, args=(data,), xtol=5, ftol=1.0e-5, disp=False ) angle_selected = popt[0] else: rotation_angle = np.linspace(90, 180, 100 + 1)[:-1] args_here = [] for angle in rotation_angle: args_here.append([angle, data]) if flag_parallel: # set up a pool to run the parallel processing cpus = multiprocessing.cpu_count() pool = multiprocessing.Pool(processes=cpus) # then the map method of pool actually does the parallelisation results = pool.map(residual_star, args_here) pool.close() pool.join() else: results = [] for arg in args_here: results.append(residual_star(arg)) argmin = np.array(results).argmin() angle_selected = args_here[argmin][0] rectangle, M_rect_max, RotData = get_rectangle_coord( angle_selected, data, flag_out=True ) M_invert = cv2.invertAffineTransform(M_rect_max) rect_coord = [ rectangle[:2], [rectangle[0], rectangle[3]], rectangle[2:], [rectangle[2], rectangle[1]], ] rect_coord_ori = [] for coord in rect_coord: rect_coord_ori.append( np.dot(M_invert, [coord[0], (ny - 1) - coord[1], 1]) ) # transform to numpy coord of input image coord_out = [] for coord in rect_coord_ori: coord_out.append( [ scale_factor * round(coord[0] - (nx / 2 - nx_odd / 2), 0) - xshift, scale_factor * round((ny - 1) - coord[1] - (ny / 2 - ny_odd / 2), 0) - yshift, ] ) coord_out_rot = [] coord_out_rot_h = [] for coord in rect_coord: coord_out_rot.append( [ scale_factor * round(coord[0] - (nx / 2 - nx_odd / 2), 0) - xshift, scale_factor * round(coord[1] - (ny / 2 - ny_odd / 2), 0) - yshift, ] ) coord_out_rot_h.append( [ scale_factor * round(coord[0] - (nx / 2 - nx_odd / 2), 0), scale_factor * round(coord[1] - (ny / 2 - ny_odd / 2), 0), ] ) if flag_out is None: return coord_out elif flag_out == "rotation": return coord_out, angle_selected, coord_out_rot else: print("bad def in findRotMaxRect input. stop") pdb.set_trace() ###################################################### def factors(n): return set( reduce( list.__add__, ([i, n // i] for i in range(1, int(n ** 0.5) + 1) if n % i == 0), ) ) # test scale poly def scale_polygon(path, offset): center = centroid_of_polygon(path) path_temp = path for i in path_temp: if i[0] > center[0]: i[0] += offset else: i[0] -= offset if i[1] > center[1]: i[1] += offset else: i[1] -= offset return path_temp def area_of_polygon(x, y): """Calculates the signed area of an arbitrary polygon given its verticies http://stackoverflow.com/a/4682656/190597 (Joe Kington) http://softsurfer.com/Archive/algorithm_0101/algorithm_0101.htm#2D%20Polygons """ area = 0.0 for i in range(-1, len(x) - 1): area += x[i] * (y[i + 1] - y[i - 1]) return area / 2.0 def centroid_of_polygon(points): """ http://stackoverflow.com/a/14115494/190597 (mgamba) """ area = area_of_polygon(*zip(*points)) result_x = 0 result_y = 0 N = len(points) points = IT.cycle(points) x1, y1 = next(points) for i in range(N): x0, y0 = x1, y1 x1, y1 = next(points) cross = (x0 * y1) - (x1 * y0) result_x += (x0 + x1) * cross result_y += (y0 + y1) * cross result_x /= (area * 6.0) result_y /= (area * 6.0) return (result_x, result_y) def perimiter(points): """ returns the length of the perimiter of some shape defined by a list of points """ distances = get_distances(points) width=min(distances) length = 0 for distance in distances: length = length + distance return length, width def get_distances(points): """ convert a list of points into a list of distances """ i = 0 distances = [] for i in range(len(points)): point = points[i] if i + 1 < len(points): next_point = points[i + 1] else: next_point = points[0] x0 = point[0] y0 = point[1] x1 = next_point[0] y1 = next_point[1] point_distance = get_distance(x0, y0, x1, y1) distances.append(point_distance) return distances def get_distance(x0, y0, x1, y1): """ use pythagorean theorm to find distance between 2 points """ a = x1 - x0 b = y1 - y0 c_2 = a * a + b * b return c_2 ** (.5) def random_coord(origin_coord, threshold): new_coord = origin_coord points = [] for row in origin_coord: x = row[0] y = row[1] points.append((float(x), float(y))) peri, width = perimiter(points) threshold *= peri if threshold >= width/2: threshold = math.floor(width/2) print(peri, width, threshold) #x1y1-top left new_coord[0][0]=random.uniform(origin_coord[0][0], origin_coord[0][0]+threshold) new_coord[0][1]=random.uniform(origin_coord[0][1]-threshold, origin_coord[0][1]) # x2y2-top right new_coord[1][0] = random.uniform(origin_coord[1][0] - threshold, origin_coord[1][0]) new_coord[1][1] = random.uniform(origin_coord[1][1] - threshold, origin_coord[1][1]) # x3y3-bottom right new_coord[2][0] = random.uniform(origin_coord[2][0] - threshold, origin_coord[2][0]) new_coord[2][1] = random.uniform(origin_coord[2][1], origin_coord[2][1] + threshold) # x4y4-bottom left new_coord[3][0] = random.uniform(origin_coord[3][0], origin_coord[3][0] + threshold) new_coord[3][1] = random.uniform(origin_coord[3][1], origin_coord[3][1] + threshold) return new_coord def draw_rect_size(image, resize_amount, random_threshold): a = cv2.cvtColor(image, cv2.COLOR_BGR2GRAY)[::-1].T idx_in = np.where(a == 255) idx_out = np.where(a == 0) aa = np.ones_like(a) aa[idx_in] = 0 # get coordinate of biggest rectangle # ---------------- time_start = datetime.datetime.now() rect_coord_ori, angle, coord_out_rot = findRotMaxRect( aa, flag_opt=True, nbre_angle=4, flag_parallel=False, flag_out="rotation", flag_enlarge_img=False, limit_image_size=100, ) print( "time elapsed =", (datetime.datetime.now() - time_start).total_seconds(), ) print("angle =", angle) rect_coord_for_scale = rect_coord_ori #change size with amount as wish new_coord_1 = scale_polygon(rect_coord_for_scale, resize_amount) #deflect by random new coord with threshold*perimeter random_poly_cord = random_coord(new_coord_1, random_threshold) return random_poly_cord
class Maxboxgen: def find_max_rect(data): """http://stackoverflow.com/a/30418912/5008845""" (nrows, ncols) = data.shape w = np.zeros(dtype=int, shape=data.shape) h = np.zeros(dtype=int, shape=data.shape) skip = 1 area_max = (0, []) for r in range(nrows): for c in range(ncols): if data[r][c] == skip: continue if r == 0: h[r][c] = 1 else: h[r][c] = h[r - 1][c] + 1 if c == 0: w[r][c] = 1 else: w[r][c] = w[r][c - 1] + 1 minw = w[r][c] for dh in range(h[r][c]): minw = min(minw, w[r - dh][c]) area = (dh + 1) * minw if area > area_max[0]: area_max = (area, [(r - dh, c - minw + 1, r, c)]) return area_max def residual(angle, data): (nx, ny) = data.shape m = cv2.getRotationMatrix2D(((nx - 1) / 2, (ny - 1) / 2), int(angle), 1) rot_data = cv2.warpAffine(data, M, (nx, ny), flags=cv2.INTER_NEAREST, borderValue=1) rectangle = find_max_rect(RotData) return 1.0 / rectangle[0] def residual_star(args): return residual(*args) def get_rectangle_coord(angle, data, flag_out=None): (nx, ny) = data.shape m = cv2.getRotationMatrix2D(((nx - 1) / 2, (ny - 1) / 2), angle, 1) rot_data = cv2.warpAffine(data, M, (nx, ny), flags=cv2.INTER_NEAREST, borderValue=1) rectangle = find_max_rect(RotData) if flag_out: return (rectangle[1][0], M, RotData) else: return (rectangle[1][0], M) def find_rot_max_rect(data_in, flag_opt=False, flag_parallel=False, nbre_angle=10, flag_out=None, flag_enlarge_img=False, limit_image_size=300): """ flag_opt : True only nbre_angle are tested between 90 and 180 and a opt descent algo is run on the best fit False 100 angle are tested from 90 to 180. flag_parallel: only valid when flag_opt=False. the 100 angle are run on multithreading flag_out : angle and rectangle of the rotated image are output together with the rectangle of the original image flag_enlarge_img : the image used in the function is double of the size of the original to ensure all feature stay in when rotated limit_image_size : control the size numbre of pixel of the image use in the function. this speeds up the code but can give approximated results if the shape is not simple """ (nx_in, ny_in) = data_in.shape if nx_in != ny_in: n = max([nx_in, ny_in]) data_square = np.ones([n, n]) xshift = int((n - nx_in) / 2) yshift = int((n - ny_in) / 2) if yshift == 0: data_square[xshift:xshift + nx_in, :] = data_in[:, :] else: data_square[:, yshift:yshift + ny_in] = data_in[:, :] else: xshift = 0 yshift = 0 data_square = data_in if data_square.shape[0] > limit_image_size: data_small = cv2.resize(data_square, (limit_image_size, limit_image_size), interpolation=0) scale_factor = 1.0 * data_square.shape[0] / data_small.shape[0] else: data_small = data_square scale_factor = 1 (nx, ny) = data_small.shape nx_extra = -nx ny_extra = -ny if nx % 2 == 0: nx += 1 nx_extra = 1 if ny % 2 == 0: ny += 1 ny_extra = 1 data_odd = np.ones([data_small.shape[0] + max([0, nx_extra]), data_small.shape[1] + max([0, ny_extra])]) data_odd[:-nx_extra, :-ny_extra] = data_small (nx, ny) = data_odd.shape (nx_odd, ny_odd) = data_odd.shape if flag_enlarge_img: data = np.zeros([2 * data_odd.shape[0] + 1, 2 * data_odd.shape[1] + 1]) + 1 (nx, ny) = data.shape data[nx / 2 - nx_odd / 2:nx / 2 + nx_odd / 2, ny / 2 - ny_odd / 2:ny / 2 + ny_odd / 2] = data_odd else: data = np.copy(data_odd) (nx, ny) = data.shape if flag_opt: myranges_brute = [(90.0, 180.0)] coeff0 = np.array([0.0]) coeff1 = optimize.brute(residual, myranges_brute, args=(data,), Ns=nbre_angle, finish=None) popt = optimize.fmin(residual, coeff1, args=(data,), xtol=5, ftol=1e-05, disp=False) angle_selected = popt[0] else: rotation_angle = np.linspace(90, 180, 100 + 1)[:-1] args_here = [] for angle in rotation_angle: args_here.append([angle, data]) if flag_parallel: cpus = multiprocessing.cpu_count() pool = multiprocessing.Pool(processes=cpus) results = pool.map(residual_star, args_here) pool.close() pool.join() else: results = [] for arg in args_here: results.append(residual_star(arg)) argmin = np.array(results).argmin() angle_selected = args_here[argmin][0] (rectangle, m_rect_max, rot_data) = get_rectangle_coord(angle_selected, data, flag_out=True) m_invert = cv2.invertAffineTransform(M_rect_max) rect_coord = [rectangle[:2], [rectangle[0], rectangle[3]], rectangle[2:], [rectangle[2], rectangle[1]]] rect_coord_ori = [] for coord in rect_coord: rect_coord_ori.append(np.dot(M_invert, [coord[0], ny - 1 - coord[1], 1])) coord_out = [] for coord in rect_coord_ori: coord_out.append([scale_factor * round(coord[0] - (nx / 2 - nx_odd / 2), 0) - xshift, scale_factor * round(ny - 1 - coord[1] - (ny / 2 - ny_odd / 2), 0) - yshift]) coord_out_rot = [] coord_out_rot_h = [] for coord in rect_coord: coord_out_rot.append([scale_factor * round(coord[0] - (nx / 2 - nx_odd / 2), 0) - xshift, scale_factor * round(coord[1] - (ny / 2 - ny_odd / 2), 0) - yshift]) coord_out_rot_h.append([scale_factor * round(coord[0] - (nx / 2 - nx_odd / 2), 0), scale_factor * round(coord[1] - (ny / 2 - ny_odd / 2), 0)]) if flag_out is None: return coord_out elif flag_out == 'rotation': return (coord_out, angle_selected, coord_out_rot) else: print('bad def in findRotMaxRect input. stop') pdb.set_trace() def factors(n): return set(reduce(list.__add__, ([i, n // i] for i in range(1, int(n ** 0.5) + 1) if n % i == 0))) def scale_polygon(path, offset): center = centroid_of_polygon(path) path_temp = path for i in path_temp: if i[0] > center[0]: i[0] += offset else: i[0] -= offset if i[1] > center[1]: i[1] += offset else: i[1] -= offset return path_temp def area_of_polygon(x, y): """Calculates the signed area of an arbitrary polygon given its verticies http://stackoverflow.com/a/4682656/190597 (Joe Kington) http://softsurfer.com/Archive/algorithm_0101/algorithm_0101.htm#2D%20Polygons """ area = 0.0 for i in range(-1, len(x) - 1): area += x[i] * (y[i + 1] - y[i - 1]) return area / 2.0 def centroid_of_polygon(points): """ http://stackoverflow.com/a/14115494/190597 (mgamba) """ area = area_of_polygon(*zip(*points)) result_x = 0 result_y = 0 n = len(points) points = IT.cycle(points) (x1, y1) = next(points) for i in range(N): (x0, y0) = (x1, y1) (x1, y1) = next(points) cross = x0 * y1 - x1 * y0 result_x += (x0 + x1) * cross result_y += (y0 + y1) * cross result_x /= area * 6.0 result_y /= area * 6.0 return (result_x, result_y) def perimiter(points): """ returns the length of the perimiter of some shape defined by a list of points """ distances = get_distances(points) width = min(distances) length = 0 for distance in distances: length = length + distance return (length, width) def get_distances(points): """ convert a list of points into a list of distances """ i = 0 distances = [] for i in range(len(points)): point = points[i] if i + 1 < len(points): next_point = points[i + 1] else: next_point = points[0] x0 = point[0] y0 = point[1] x1 = next_point[0] y1 = next_point[1] point_distance = get_distance(x0, y0, x1, y1) distances.append(point_distance) return distances def get_distance(x0, y0, x1, y1): """ use pythagorean theorm to find distance between 2 points """ a = x1 - x0 b = y1 - y0 c_2 = a * a + b * b return c_2 ** 0.5 def random_coord(origin_coord, threshold): new_coord = origin_coord points = [] for row in origin_coord: x = row[0] y = row[1] points.append((float(x), float(y))) (peri, width) = perimiter(points) threshold *= peri if threshold >= width / 2: threshold = math.floor(width / 2) print(peri, width, threshold) new_coord[0][0] = random.uniform(origin_coord[0][0], origin_coord[0][0] + threshold) new_coord[0][1] = random.uniform(origin_coord[0][1] - threshold, origin_coord[0][1]) new_coord[1][0] = random.uniform(origin_coord[1][0] - threshold, origin_coord[1][0]) new_coord[1][1] = random.uniform(origin_coord[1][1] - threshold, origin_coord[1][1]) new_coord[2][0] = random.uniform(origin_coord[2][0] - threshold, origin_coord[2][0]) new_coord[2][1] = random.uniform(origin_coord[2][1], origin_coord[2][1] + threshold) new_coord[3][0] = random.uniform(origin_coord[3][0], origin_coord[3][0] + threshold) new_coord[3][1] = random.uniform(origin_coord[3][1], origin_coord[3][1] + threshold) return new_coord def draw_rect_size(image, resize_amount, random_threshold): a = cv2.cvtColor(image, cv2.COLOR_BGR2GRAY)[::-1].T idx_in = np.where(a == 255) idx_out = np.where(a == 0) aa = np.ones_like(a) aa[idx_in] = 0 time_start = datetime.datetime.now() (rect_coord_ori, angle, coord_out_rot) = find_rot_max_rect(aa, flag_opt=True, nbre_angle=4, flag_parallel=False, flag_out='rotation', flag_enlarge_img=False, limit_image_size=100) print('time elapsed =', (datetime.datetime.now() - time_start).total_seconds()) print('angle =', angle) rect_coord_for_scale = rect_coord_ori new_coord_1 = scale_polygon(rect_coord_for_scale, resize_amount) random_poly_cord = random_coord(new_coord_1, random_threshold) return random_poly_cord
''' need to be very calm to solve this kind of problem should never confuse yourself, keep clear mind there is only 2 cases: 1. there is idle: using Counter to solve this case 2. there is no idle: len(tasks) ''' class Solution: def leastInterval(self, tasks: List[str], n: int) -> int: if not tasks or len(tasks)==0: return 0 dic = collections.Counter(tasks) maxd = max(dic.values()) num_of_maxd = 0 for num in dic.values(): if num==maxd: num_of_maxd += 1 return max( len(tasks), # lower bound (maxd-1)*(n+1) + num_of_maxd # n is greater )
""" need to be very calm to solve this kind of problem should never confuse yourself, keep clear mind there is only 2 cases: 1. there is idle: using Counter to solve this case 2. there is no idle: len(tasks) """ class Solution: def least_interval(self, tasks: List[str], n: int) -> int: if not tasks or len(tasks) == 0: return 0 dic = collections.Counter(tasks) maxd = max(dic.values()) num_of_maxd = 0 for num in dic.values(): if num == maxd: num_of_maxd += 1 return max(len(tasks), (maxd - 1) * (n + 1) + num_of_maxd)
print ("Hello \ world") # Backslash(\) is a special character that creates whitespace
print('Hello world')
"""Test the TcEx Utils Module.""" # pylint: disable=no-self-use class TestBool: """Test the TcEx Utils Module.""" def test_utils_encrypt(self, tcex): """Test writing a temp file to disk. Args: tcex (TcEx, fixture): An instantiated instance of TcEx object. """ key = 'ajfmuyodhscwegea' plaintext = 'blah' encrypted_data = tcex.utils.encrypt_aes_cbc(key, plaintext) assert encrypted_data == b'0\x8e`\x8d%\x9f\x8c\xdf\x004\xc1\x1a\x82\xbd\x89\n' def test_utils_encrypt_iv_string(self, tcex): """Test writing a temp file to disk. Args: tcex (TcEx, fixture): An instantiated instance of TcEx object. """ key = 'ajfmuyodhscwegea' plaintext = 'blah' encrypted_data = tcex.utils.encrypt_aes_cbc(key, plaintext, iv='\0' * 16) assert encrypted_data == b'0\x8e`\x8d%\x9f\x8c\xdf\x004\xc1\x1a\x82\xbd\x89\n' def test_utils_decrypt(self, tcex): """Test writing a temp file to disk. Args: tcex (TcEx, fixture): An instantiated instance of TcEx object. """ key = 'ajfmuyodhscwegea' ciphertext = b'0\x8e`\x8d%\x9f\x8c\xdf\x004\xc1\x1a\x82\xbd\x89\n' decrypted_data = tcex.utils.decrypt_aes_cbc(key, ciphertext) assert decrypted_data.decode() == 'blah' def test_utils_decrypt_iv_string(self, tcex): """Test writing a temp file to disk. Args: tcex (TcEx, fixture): An instantiated instance of TcEx object. """ key = 'ajfmuyodhscwegea' ciphertext = b'0\x8e`\x8d%\x9f\x8c\xdf\x004\xc1\x1a\x82\xbd\x89\n' decrypted_data = tcex.utils.decrypt_aes_cbc(key, ciphertext, iv='\0' * 16) assert decrypted_data.decode() == 'blah'
"""Test the TcEx Utils Module.""" class Testbool: """Test the TcEx Utils Module.""" def test_utils_encrypt(self, tcex): """Test writing a temp file to disk. Args: tcex (TcEx, fixture): An instantiated instance of TcEx object. """ key = 'ajfmuyodhscwegea' plaintext = 'blah' encrypted_data = tcex.utils.encrypt_aes_cbc(key, plaintext) assert encrypted_data == b'0\x8e`\x8d%\x9f\x8c\xdf\x004\xc1\x1a\x82\xbd\x89\n' def test_utils_encrypt_iv_string(self, tcex): """Test writing a temp file to disk. Args: tcex (TcEx, fixture): An instantiated instance of TcEx object. """ key = 'ajfmuyodhscwegea' plaintext = 'blah' encrypted_data = tcex.utils.encrypt_aes_cbc(key, plaintext, iv='\x00' * 16) assert encrypted_data == b'0\x8e`\x8d%\x9f\x8c\xdf\x004\xc1\x1a\x82\xbd\x89\n' def test_utils_decrypt(self, tcex): """Test writing a temp file to disk. Args: tcex (TcEx, fixture): An instantiated instance of TcEx object. """ key = 'ajfmuyodhscwegea' ciphertext = b'0\x8e`\x8d%\x9f\x8c\xdf\x004\xc1\x1a\x82\xbd\x89\n' decrypted_data = tcex.utils.decrypt_aes_cbc(key, ciphertext) assert decrypted_data.decode() == 'blah' def test_utils_decrypt_iv_string(self, tcex): """Test writing a temp file to disk. Args: tcex (TcEx, fixture): An instantiated instance of TcEx object. """ key = 'ajfmuyodhscwegea' ciphertext = b'0\x8e`\x8d%\x9f\x8c\xdf\x004\xc1\x1a\x82\xbd\x89\n' decrypted_data = tcex.utils.decrypt_aes_cbc(key, ciphertext, iv='\x00' * 16) assert decrypted_data.decode() == 'blah'
s = 'nothyp_onan@' l = [1,2,3,4,5,6,7,8,9] print(s[::-1]) print(l[::-1]) print(reversed(l)) l1 = l.reverse print(l1)
s = 'nothyp_onan@' l = [1, 2, 3, 4, 5, 6, 7, 8, 9] print(s[::-1]) print(l[::-1]) print(reversed(l)) l1 = l.reverse print(l1)
class BaseContest(object): '''BaseContest is an abstract class for contest-specific modifications to Marathoner. ''' def __init__(self, project): self.project = project self.maximize = project.maximize def extract_score(self, visualizer_stdout, solution_stderr): '''Extract raw score and return it. @param visualizer_stdout: output received from visualizer's stdout @type visualizer_stdout: list of lines @param solution_stderr: output received from solution's stderr @type solution_stderr: list of lines ''' raise NotImplementedError() # single-test callbacks def single_test_starting(self, seed): '''Called before running the single test.''' raise NotImplementedError() def single_test_ending(self, seed, visualizer_stdout, solution_stderr, best_score, current_score): '''Called after the single test *successfully* finished. @param best_score: best score for the current test. Updated with the `current_score` already. @type best_score: Score @param current_score: score for the current test @type current_score: Score ''' raise NotImplementedError() # multi-test callbacks def multiple_tests_starting(self, num_tests): '''Called before running the batch of tests. @param num_tests: number of tests to be run. ''' raise NotImplementedError() def one_test_starting(self, seed): '''Called before running the test from the batch.''' raise NotImplementedError() def one_test_ending(self, seed, visualizer_stdout, solution_stderr, best_score, current_score): '''Called after the test from the batch *successfully* finished.''' raise NotImplementedError() def multiple_tests_ending(self, num_tests): '''Called after running the batch of tests. @param num_tests: number of tests that actually ran. Can be lower than number of tests sent to `multiple_tests_starting()`, if user kills execution. Basically it is number of times `one_test_ending()` was called. ''' raise NotImplementedError()
class Basecontest(object): """BaseContest is an abstract class for contest-specific modifications to Marathoner. """ def __init__(self, project): self.project = project self.maximize = project.maximize def extract_score(self, visualizer_stdout, solution_stderr): """Extract raw score and return it. @param visualizer_stdout: output received from visualizer's stdout @type visualizer_stdout: list of lines @param solution_stderr: output received from solution's stderr @type solution_stderr: list of lines """ raise not_implemented_error() def single_test_starting(self, seed): """Called before running the single test.""" raise not_implemented_error() def single_test_ending(self, seed, visualizer_stdout, solution_stderr, best_score, current_score): """Called after the single test *successfully* finished. @param best_score: best score for the current test. Updated with the `current_score` already. @type best_score: Score @param current_score: score for the current test @type current_score: Score """ raise not_implemented_error() def multiple_tests_starting(self, num_tests): """Called before running the batch of tests. @param num_tests: number of tests to be run. """ raise not_implemented_error() def one_test_starting(self, seed): """Called before running the test from the batch.""" raise not_implemented_error() def one_test_ending(self, seed, visualizer_stdout, solution_stderr, best_score, current_score): """Called after the test from the batch *successfully* finished.""" raise not_implemented_error() def multiple_tests_ending(self, num_tests): """Called after running the batch of tests. @param num_tests: number of tests that actually ran. Can be lower than number of tests sent to `multiple_tests_starting()`, if user kills execution. Basically it is number of times `one_test_ending()` was called. """ raise not_implemented_error()
def slices(series: str, length: int) -> list[str]: size = len(series) if length > size or length < 1: raise ValueError("Invalid Input") return [series[i:i + length] for i in range(size - length + 1)]
def slices(series: str, length: int) -> list[str]: size = len(series) if length > size or length < 1: raise value_error('Invalid Input') return [series[i:i + length] for i in range(size - length + 1)]
#!/usr/bin/env python3 input = '5255443714755555317777152441826784321918285999594221531636242944998363716119294845838579943562543247239969555791772392681567883449837982119239536325341263524415397123824358467891963762948723327774545715851542429832119179139914471523515332247317441719184556891362179267368325486642376685657759623876854958721636574219871249645773738597751429959437466876166273755524873351452951411628479352522367714269718514838933283861425982562854845471512652555633922878128558926123935941858532446378815929573452775348599693982834699757734714187831337546474515678577158721751921562145591166634279699299418269158557557996583881642468274618196335267342897498486869925262896125146867124596587989531495891646681528259624674792728146526849711139146268799436334618974547539561587581268886449291817335232859391493839167111246376493191985145848531829344198536568987996894226585837348372958959535969651573516542581144462536574953764413723147957237298324458181291167587791714172674717898567269547766636143732438694473231473258452166457194797819423528139157452148236943283374193561963393846385622218535952591588353565319432285579711881559343544515461962846879685879431767963975654347569385354482226341261768547328749947163864645168428953445396361398873536434931823635522467754782422557998262858297563862492652464526366171218276176258582444923497181776129436396397333976215976731542182878979389362297155819461685361676414725597335759976285597713332688275241271664658286868697167515329811831234324698345159949135474463624749624626518247831448143876183133814263977611564339865466321244399177464822649611969896344874381978986453566979762911155931362394192663943526834148596342268321563885255765614418141828934971927998994739769141789185165461976425151855846739959338649499379657223196885539386154935586794548365861759354865453211721551776997576289811595654171672259129335243531518228282393326395241242185795828261319215164262237957743232558971289145639852148197184265766291885259847236646615935963759631145338159257538114359781854685695429348428884248972177278361353814766653996675994784195827214295462389532422825696456457332417366426619555' # Make the list circular (for our purposes) input += input[0] prev = input[0] captcha_sum = 0 for i in range(1, len(input)): curr = input[i] if prev == curr: captcha_sum += int(prev) prev = curr print(captcha_sum)
input = '5255443714755555317777152441826784321918285999594221531636242944998363716119294845838579943562543247239969555791772392681567883449837982119239536325341263524415397123824358467891963762948723327774545715851542429832119179139914471523515332247317441719184556891362179267368325486642376685657759623876854958721636574219871249645773738597751429959437466876166273755524873351452951411628479352522367714269718514838933283861425982562854845471512652555633922878128558926123935941858532446378815929573452775348599693982834699757734714187831337546474515678577158721751921562145591166634279699299418269158557557996583881642468274618196335267342897498486869925262896125146867124596587989531495891646681528259624674792728146526849711139146268799436334618974547539561587581268886449291817335232859391493839167111246376493191985145848531829344198536568987996894226585837348372958959535969651573516542581144462536574953764413723147957237298324458181291167587791714172674717898567269547766636143732438694473231473258452166457194797819423528139157452148236943283374193561963393846385622218535952591588353565319432285579711881559343544515461962846879685879431767963975654347569385354482226341261768547328749947163864645168428953445396361398873536434931823635522467754782422557998262858297563862492652464526366171218276176258582444923497181776129436396397333976215976731542182878979389362297155819461685361676414725597335759976285597713332688275241271664658286868697167515329811831234324698345159949135474463624749624626518247831448143876183133814263977611564339865466321244399177464822649611969896344874381978986453566979762911155931362394192663943526834148596342268321563885255765614418141828934971927998994739769141789185165461976425151855846739959338649499379657223196885539386154935586794548365861759354865453211721551776997576289811595654171672259129335243531518228282393326395241242185795828261319215164262237957743232558971289145639852148197184265766291885259847236646615935963759631145338159257538114359781854685695429348428884248972177278361353814766653996675994784195827214295462389532422825696456457332417366426619555' input += input[0] prev = input[0] captcha_sum = 0 for i in range(1, len(input)): curr = input[i] if prev == curr: captcha_sum += int(prev) prev = curr print(captcha_sum)
#Time Complexity: O(n) #Space Complexity: O(1) #Speed: 84.65% #Memory: 84.34% class Solution: def evalRPN(self, tokens: List[str]) -> int: stack = [] for token in tokens: if token.isdigit() or token[1:].isdigit(): stack.append(int(token)) else: y = stack.pop() x = stack.pop() if token == '+': stack.append(x + y) if token == '-': stack.append(x - y) if token == '*': stack.append(x * y) if token == '/': stack.append(int(x / y)) return stack[0]
class Solution: def eval_rpn(self, tokens: List[str]) -> int: stack = [] for token in tokens: if token.isdigit() or token[1:].isdigit(): stack.append(int(token)) else: y = stack.pop() x = stack.pop() if token == '+': stack.append(x + y) if token == '-': stack.append(x - y) if token == '*': stack.append(x * y) if token == '/': stack.append(int(x / y)) return stack[0]
# # PySNMP MIB module SNA-SDLC-MIB (http://snmplabs.com/pysmi) # ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/SNA-SDLC-MIB # Produced by pysmi-0.3.4 at Mon Apr 29 16:52:15 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") ConstraintsIntersection, ValueRangeConstraint, ConstraintsUnion, ValueSizeConstraint, SingleValueConstraint = mibBuilder.importSymbols("ASN1-REFINEMENT", "ConstraintsIntersection", "ValueRangeConstraint", "ConstraintsUnion", "ValueSizeConstraint", "SingleValueConstraint") ifOperStatus, ifAdminStatus, ifIndex = mibBuilder.importSymbols("IF-MIB", "ifOperStatus", "ifAdminStatus", "ifIndex") ModuleCompliance, ObjectGroup, NotificationGroup = mibBuilder.importSymbols("SNMPv2-CONF", "ModuleCompliance", "ObjectGroup", "NotificationGroup") TimeTicks, IpAddress, NotificationType, MibIdentifier, Counter32, ModuleIdentity, ObjectIdentity, mib_2, Integer32, Bits, MibScalar, MibTable, MibTableRow, MibTableColumn, Counter64, iso, Gauge32, Unsigned32 = mibBuilder.importSymbols("SNMPv2-SMI", "TimeTicks", "IpAddress", "NotificationType", "MibIdentifier", "Counter32", "ModuleIdentity", "ObjectIdentity", "mib-2", "Integer32", "Bits", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "Counter64", "iso", "Gauge32", "Unsigned32") RowStatus, DisplayString, TimeInterval, TextualConvention = mibBuilder.importSymbols("SNMPv2-TC", "RowStatus", "DisplayString", "TimeInterval", "TextualConvention") snaDLC = ModuleIdentity((1, 3, 6, 1, 2, 1, 41)) if mibBuilder.loadTexts: snaDLC.setLastUpdated('9411150000Z') if mibBuilder.loadTexts: snaDLC.setOrganization('IETF SNA DLC MIB Working Group') sdlc = MibIdentifier((1, 3, 6, 1, 2, 1, 41, 1)) sdlcPortGroup = MibIdentifier((1, 3, 6, 1, 2, 1, 41, 1, 1)) sdlcLSGroup = MibIdentifier((1, 3, 6, 1, 2, 1, 41, 1, 2)) sdlcPortAdminTable = MibTable((1, 3, 6, 1, 2, 1, 41, 1, 1, 1), ) if mibBuilder.loadTexts: sdlcPortAdminTable.setStatus('current') sdlcPortAdminEntry = MibTableRow((1, 3, 6, 1, 2, 1, 41, 1, 1, 1, 1), ).setIndexNames((0, "IF-MIB", "ifIndex")) if mibBuilder.loadTexts: sdlcPortAdminEntry.setStatus('current') sdlcPortAdminName = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 1, 1, 1, 1), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 10))).setMaxAccess("readwrite") if mibBuilder.loadTexts: sdlcPortAdminName.setStatus('current') sdlcPortAdminRole = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 1, 1, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("primary", 1), ("secondary", 2), ("negotiable", 3)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: sdlcPortAdminRole.setStatus('current') sdlcPortAdminType = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 1, 1, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("leased", 1), ("switched", 2))).clone('leased')).setMaxAccess("readwrite") if mibBuilder.loadTexts: sdlcPortAdminType.setStatus('current') sdlcPortAdminTopology = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 1, 1, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("pointToPoint", 1), ("multipoint", 2))).clone('pointToPoint')).setMaxAccess("readwrite") if mibBuilder.loadTexts: sdlcPortAdminTopology.setStatus('current') sdlcPortAdminISTATUS = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 1, 1, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("inactive", 1), ("active", 2))).clone('active')).setMaxAccess("readwrite") if mibBuilder.loadTexts: sdlcPortAdminISTATUS.setStatus('current') sdlcPortAdminACTIVTO = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 1, 1, 1, 6), TimeInterval()).setMaxAccess("readwrite") if mibBuilder.loadTexts: sdlcPortAdminACTIVTO.setStatus('current') sdlcPortAdminPAUSE = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 1, 1, 1, 7), TimeInterval().clone(200)).setMaxAccess("readwrite") if mibBuilder.loadTexts: sdlcPortAdminPAUSE.setStatus('current') sdlcPortAdminSERVLIM = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 1, 1, 1, 8), Integer32().clone(20)).setMaxAccess("readwrite") if mibBuilder.loadTexts: sdlcPortAdminSERVLIM.setStatus('current') sdlcPortAdminSlowPollTimer = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 1, 1, 1, 9), TimeInterval().clone(2000)).setMaxAccess("readwrite") if mibBuilder.loadTexts: sdlcPortAdminSlowPollTimer.setStatus('current') sdlcPortOperTable = MibTable((1, 3, 6, 1, 2, 1, 41, 1, 1, 2), ) if mibBuilder.loadTexts: sdlcPortOperTable.setStatus('current') sdlcPortOperEntry = MibTableRow((1, 3, 6, 1, 2, 1, 41, 1, 1, 2, 1), ).setIndexNames((0, "IF-MIB", "ifIndex")) if mibBuilder.loadTexts: sdlcPortOperEntry.setStatus('current') sdlcPortOperName = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 1, 2, 1, 1), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 8))).setMaxAccess("readonly") if mibBuilder.loadTexts: sdlcPortOperName.setStatus('current') sdlcPortOperRole = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 1, 2, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("primary", 1), ("secondary", 2), ("undefined", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: sdlcPortOperRole.setStatus('current') sdlcPortOperType = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 1, 2, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("leased", 1), ("switched", 2)))).setMaxAccess("readonly") if mibBuilder.loadTexts: sdlcPortOperType.setStatus('current') sdlcPortOperTopology = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 1, 2, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("pointToPoint", 1), ("multipoint", 2)))).setMaxAccess("readonly") if mibBuilder.loadTexts: sdlcPortOperTopology.setStatus('current') sdlcPortOperISTATUS = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 1, 2, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("inactive", 1), ("active", 2)))).setMaxAccess("readonly") if mibBuilder.loadTexts: sdlcPortOperISTATUS.setStatus('current') sdlcPortOperACTIVTO = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 1, 2, 1, 6), TimeInterval()).setMaxAccess("readonly") if mibBuilder.loadTexts: sdlcPortOperACTIVTO.setStatus('current') sdlcPortOperPAUSE = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 1, 2, 1, 7), TimeInterval()).setMaxAccess("readonly") if mibBuilder.loadTexts: sdlcPortOperPAUSE.setStatus('current') sdlcPortOperSlowPollMethod = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 1, 2, 1, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("servlim", 1), ("pollpause", 2), ("other", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: sdlcPortOperSlowPollMethod.setStatus('current') sdlcPortOperSERVLIM = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 1, 2, 1, 9), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: sdlcPortOperSERVLIM.setStatus('current') sdlcPortOperSlowPollTimer = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 1, 2, 1, 10), TimeInterval()).setMaxAccess("readonly") if mibBuilder.loadTexts: sdlcPortOperSlowPollTimer.setStatus('current') sdlcPortOperLastModifyTime = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 1, 2, 1, 11), TimeTicks()).setMaxAccess("readonly") if mibBuilder.loadTexts: sdlcPortOperLastModifyTime.setStatus('current') sdlcPortOperLastFailTime = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 1, 2, 1, 12), TimeTicks()).setMaxAccess("readonly") if mibBuilder.loadTexts: sdlcPortOperLastFailTime.setStatus('current') sdlcPortOperLastFailCause = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 1, 2, 1, 13), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("undefined", 1), ("physical", 2))).clone('undefined')).setMaxAccess("readonly") if mibBuilder.loadTexts: sdlcPortOperLastFailCause.setStatus('current') sdlcPortStatsTable = MibTable((1, 3, 6, 1, 2, 1, 41, 1, 1, 3), ) if mibBuilder.loadTexts: sdlcPortStatsTable.setStatus('current') sdlcPortStatsEntry = MibTableRow((1, 3, 6, 1, 2, 1, 41, 1, 1, 3, 1), ).setIndexNames((0, "IF-MIB", "ifIndex")) if mibBuilder.loadTexts: sdlcPortStatsEntry.setStatus('current') sdlcPortStatsPhysicalFailures = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 1, 3, 1, 1), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: sdlcPortStatsPhysicalFailures.setStatus('current') sdlcPortStatsInvalidAddresses = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 1, 3, 1, 2), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: sdlcPortStatsInvalidAddresses.setStatus('current') sdlcPortStatsDwarfFrames = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 1, 3, 1, 3), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: sdlcPortStatsDwarfFrames.setStatus('current') sdlcPortStatsPollsIn = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 1, 3, 1, 4), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: sdlcPortStatsPollsIn.setStatus('current') sdlcPortStatsPollsOut = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 1, 3, 1, 5), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: sdlcPortStatsPollsOut.setStatus('current') sdlcPortStatsPollRspsIn = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 1, 3, 1, 6), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: sdlcPortStatsPollRspsIn.setStatus('current') sdlcPortStatsPollRspsOut = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 1, 3, 1, 7), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: sdlcPortStatsPollRspsOut.setStatus('current') sdlcPortStatsLocalBusies = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 1, 3, 1, 8), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: sdlcPortStatsLocalBusies.setStatus('current') sdlcPortStatsRemoteBusies = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 1, 3, 1, 9), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: sdlcPortStatsRemoteBusies.setStatus('current') sdlcPortStatsIFramesIn = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 1, 3, 1, 10), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: sdlcPortStatsIFramesIn.setStatus('current') sdlcPortStatsIFramesOut = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 1, 3, 1, 11), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: sdlcPortStatsIFramesOut.setStatus('current') sdlcPortStatsOctetsIn = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 1, 3, 1, 12), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: sdlcPortStatsOctetsIn.setStatus('current') sdlcPortStatsOctetsOut = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 1, 3, 1, 13), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: sdlcPortStatsOctetsOut.setStatus('current') sdlcPortStatsProtocolErrs = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 1, 3, 1, 14), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: sdlcPortStatsProtocolErrs.setStatus('current') sdlcPortStatsActivityTOs = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 1, 3, 1, 15), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: sdlcPortStatsActivityTOs.setStatus('current') sdlcPortStatsRNRLIMITs = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 1, 3, 1, 16), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: sdlcPortStatsRNRLIMITs.setStatus('current') sdlcPortStatsRetriesExps = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 1, 3, 1, 17), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: sdlcPortStatsRetriesExps.setStatus('current') sdlcPortStatsRetransmitsIn = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 1, 3, 1, 18), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: sdlcPortStatsRetransmitsIn.setStatus('current') sdlcPortStatsRetransmitsOut = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 1, 3, 1, 19), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: sdlcPortStatsRetransmitsOut.setStatus('current') sdlcLSAdminTable = MibTable((1, 3, 6, 1, 2, 1, 41, 1, 2, 1), ) if mibBuilder.loadTexts: sdlcLSAdminTable.setStatus('current') sdlcLSAdminEntry = MibTableRow((1, 3, 6, 1, 2, 1, 41, 1, 2, 1, 1), ).setIndexNames((0, "IF-MIB", "ifIndex"), (0, "SNA-SDLC-MIB", "sdlcLSAddress")) if mibBuilder.loadTexts: sdlcLSAdminEntry.setStatus('current') sdlcLSAddress = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 2, 1, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 255))).setMaxAccess("readcreate") if mibBuilder.loadTexts: sdlcLSAddress.setStatus('current') sdlcLSAdminName = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 2, 1, 1, 2), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 10))).setMaxAccess("readcreate") if mibBuilder.loadTexts: sdlcLSAdminName.setStatus('current') sdlcLSAdminState = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 2, 1, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("inactive", 1), ("active", 2))).clone('active')).setMaxAccess("readcreate") if mibBuilder.loadTexts: sdlcLSAdminState.setStatus('current') sdlcLSAdminISTATUS = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 2, 1, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("inactive", 1), ("active", 2))).clone('active')).setMaxAccess("readcreate") if mibBuilder.loadTexts: sdlcLSAdminISTATUS.setStatus('current') sdlcLSAdminMAXDATASend = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 2, 1, 1, 5), Integer32()).setMaxAccess("readcreate") if mibBuilder.loadTexts: sdlcLSAdminMAXDATASend.setStatus('current') sdlcLSAdminMAXDATARcv = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 2, 1, 1, 6), Integer32()).setMaxAccess("readcreate") if mibBuilder.loadTexts: sdlcLSAdminMAXDATARcv.setStatus('current') sdlcLSAdminREPLYTO = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 2, 1, 1, 7), TimeInterval().clone(100)).setMaxAccess("readcreate") if mibBuilder.loadTexts: sdlcLSAdminREPLYTO.setStatus('current') sdlcLSAdminMAXIN = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 2, 1, 1, 8), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 127)).clone(7)).setMaxAccess("readcreate") if mibBuilder.loadTexts: sdlcLSAdminMAXIN.setStatus('current') sdlcLSAdminMAXOUT = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 2, 1, 1, 9), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 127)).clone(1)).setMaxAccess("readcreate") if mibBuilder.loadTexts: sdlcLSAdminMAXOUT.setStatus('current') sdlcLSAdminMODULO = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 2, 1, 1, 10), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(8, 128))).clone(namedValues=NamedValues(("eight", 8), ("onetwentyeight", 128))).clone('eight')).setMaxAccess("readcreate") if mibBuilder.loadTexts: sdlcLSAdminMODULO.setStatus('current') sdlcLSAdminRETRIESm = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 2, 1, 1, 11), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 128)).clone(15)).setMaxAccess("readcreate") if mibBuilder.loadTexts: sdlcLSAdminRETRIESm.setStatus('current') sdlcLSAdminRETRIESt = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 2, 1, 1, 12), TimeInterval()).setMaxAccess("readcreate") if mibBuilder.loadTexts: sdlcLSAdminRETRIESt.setStatus('current') sdlcLSAdminRETRIESn = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 2, 1, 1, 13), Integer32()).setMaxAccess("readcreate") if mibBuilder.loadTexts: sdlcLSAdminRETRIESn.setStatus('current') sdlcLSAdminRNRLIMIT = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 2, 1, 1, 14), TimeInterval().clone(18000)).setMaxAccess("readcreate") if mibBuilder.loadTexts: sdlcLSAdminRNRLIMIT.setStatus('current') sdlcLSAdminDATMODE = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 2, 1, 1, 15), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("half", 1), ("full", 2))).clone('half')).setMaxAccess("readcreate") if mibBuilder.loadTexts: sdlcLSAdminDATMODE.setStatus('current') sdlcLSAdminGPoll = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 2, 1, 1, 16), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 254))).setMaxAccess("readcreate") if mibBuilder.loadTexts: sdlcLSAdminGPoll.setStatus('current') sdlcLSAdminSimRim = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 2, 1, 1, 17), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("no", 1), ("yes", 2))).clone('no')).setMaxAccess("readcreate") if mibBuilder.loadTexts: sdlcLSAdminSimRim.setStatus('current') sdlcLSAdminXmitRcvCap = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 2, 1, 1, 18), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("twa", 1), ("tws", 2))).clone('twa')).setMaxAccess("readcreate") if mibBuilder.loadTexts: sdlcLSAdminXmitRcvCap.setStatus('current') sdlcLSAdminRowStatus = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 2, 1, 1, 19), RowStatus()).setMaxAccess("readcreate") if mibBuilder.loadTexts: sdlcLSAdminRowStatus.setStatus('current') sdlcLSOperTable = MibTable((1, 3, 6, 1, 2, 1, 41, 1, 2, 2), ) if mibBuilder.loadTexts: sdlcLSOperTable.setStatus('current') sdlcLSOperEntry = MibTableRow((1, 3, 6, 1, 2, 1, 41, 1, 2, 2, 1), ).setIndexNames((0, "IF-MIB", "ifIndex"), (0, "SNA-SDLC-MIB", "sdlcLSAddress")) if mibBuilder.loadTexts: sdlcLSOperEntry.setStatus('current') sdlcLSOperName = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 2, 2, 1, 1), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 10))).setMaxAccess("readonly") if mibBuilder.loadTexts: sdlcLSOperName.setStatus('current') sdlcLSOperRole = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 2, 2, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("primary", 1), ("secondary", 2), ("undefined", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: sdlcLSOperRole.setStatus('current') sdlcLSOperState = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 2, 2, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("discontacted", 1), ("contactPending", 2), ("contacted", 3), ("discontactPending", 4)))).setMaxAccess("readonly") if mibBuilder.loadTexts: sdlcLSOperState.setStatus('current') sdlcLSOperMAXDATASend = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 2, 2, 1, 4), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: sdlcLSOperMAXDATASend.setStatus('current') sdlcLSOperREPLYTO = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 2, 2, 1, 5), TimeInterval()).setMaxAccess("readonly") if mibBuilder.loadTexts: sdlcLSOperREPLYTO.setStatus('current') sdlcLSOperMAXIN = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 2, 2, 1, 6), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 127))).setMaxAccess("readonly") if mibBuilder.loadTexts: sdlcLSOperMAXIN.setStatus('current') sdlcLSOperMAXOUT = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 2, 2, 1, 7), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 127))).setMaxAccess("readonly") if mibBuilder.loadTexts: sdlcLSOperMAXOUT.setStatus('current') sdlcLSOperMODULO = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 2, 2, 1, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(8, 128))).clone(namedValues=NamedValues(("eight", 8), ("onetwentyeight", 128))).clone('eight')).setMaxAccess("readonly") if mibBuilder.loadTexts: sdlcLSOperMODULO.setStatus('current') sdlcLSOperRETRIESm = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 2, 2, 1, 9), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 128))).setMaxAccess("readonly") if mibBuilder.loadTexts: sdlcLSOperRETRIESm.setStatus('current') sdlcLSOperRETRIESt = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 2, 2, 1, 10), TimeInterval()).setMaxAccess("readonly") if mibBuilder.loadTexts: sdlcLSOperRETRIESt.setStatus('current') sdlcLSOperRETRIESn = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 2, 2, 1, 11), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 127))).setMaxAccess("readonly") if mibBuilder.loadTexts: sdlcLSOperRETRIESn.setStatus('current') sdlcLSOperRNRLIMIT = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 2, 2, 1, 12), TimeInterval()).setMaxAccess("readonly") if mibBuilder.loadTexts: sdlcLSOperRNRLIMIT.setStatus('current') sdlcLSOperDATMODE = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 2, 2, 1, 13), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("half", 1), ("full", 2)))).setMaxAccess("readonly") if mibBuilder.loadTexts: sdlcLSOperDATMODE.setStatus('current') sdlcLSOperLastModifyTime = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 2, 2, 1, 14), TimeTicks()).setMaxAccess("readonly") if mibBuilder.loadTexts: sdlcLSOperLastModifyTime.setStatus('current') sdlcLSOperLastFailTime = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 2, 2, 1, 15), TimeTicks()).setMaxAccess("readonly") if mibBuilder.loadTexts: sdlcLSOperLastFailTime.setStatus('current') sdlcLSOperLastFailCause = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 2, 2, 1, 16), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=NamedValues(("undefined", 1), ("rxFRMR", 2), ("txFRMR", 3), ("noResponse", 4), ("protocolErr", 5), ("noActivity", 6), ("rnrLimit", 7), ("retriesExpired", 8))).clone('undefined')).setMaxAccess("readonly") if mibBuilder.loadTexts: sdlcLSOperLastFailCause.setStatus('current') sdlcLSOperLastFailCtrlIn = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 2, 2, 1, 17), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 2))).setMaxAccess("readonly") if mibBuilder.loadTexts: sdlcLSOperLastFailCtrlIn.setStatus('current') sdlcLSOperLastFailCtrlOut = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 2, 2, 1, 18), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 2))).setMaxAccess("readonly") if mibBuilder.loadTexts: sdlcLSOperLastFailCtrlOut.setStatus('current') sdlcLSOperLastFailFRMRInfo = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 2, 2, 1, 19), OctetString().subtype(subtypeSpec=ValueSizeConstraint(3, 3)).setFixedLength(3)).setMaxAccess("readonly") if mibBuilder.loadTexts: sdlcLSOperLastFailFRMRInfo.setStatus('current') sdlcLSOperLastFailREPLYTOs = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 2, 2, 1, 20), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: sdlcLSOperLastFailREPLYTOs.setStatus('current') sdlcLSOperEcho = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 2, 2, 1, 21), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("no", 1), ("yes", 2))).clone('no')).setMaxAccess("readonly") if mibBuilder.loadTexts: sdlcLSOperEcho.setStatus('current') sdlcLSOperGPoll = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 2, 2, 1, 22), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 254))).setMaxAccess("readonly") if mibBuilder.loadTexts: sdlcLSOperGPoll.setStatus('current') sdlcLSOperSimRim = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 2, 2, 1, 23), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("no", 1), ("yes", 2))).clone('no')).setMaxAccess("readonly") if mibBuilder.loadTexts: sdlcLSOperSimRim.setStatus('current') sdlcLSOperXmitRcvCap = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 2, 2, 1, 24), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("twa", 1), ("tws", 2))).clone('twa')).setMaxAccess("readonly") if mibBuilder.loadTexts: sdlcLSOperXmitRcvCap.setStatus('current') sdlcLSStatsTable = MibTable((1, 3, 6, 1, 2, 1, 41, 1, 2, 3), ) if mibBuilder.loadTexts: sdlcLSStatsTable.setStatus('current') sdlcLSStatsEntry = MibTableRow((1, 3, 6, 1, 2, 1, 41, 1, 2, 3, 1), ).setIndexNames((0, "IF-MIB", "ifIndex"), (0, "SNA-SDLC-MIB", "sdlcLSAddress")) if mibBuilder.loadTexts: sdlcLSStatsEntry.setStatus('current') sdlcLSStatsBLUsIn = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 2, 3, 1, 1), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: sdlcLSStatsBLUsIn.setStatus('current') sdlcLSStatsBLUsOut = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 2, 3, 1, 2), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: sdlcLSStatsBLUsOut.setStatus('current') sdlcLSStatsOctetsIn = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 2, 3, 1, 3), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: sdlcLSStatsOctetsIn.setStatus('current') sdlcLSStatsOctetsOut = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 2, 3, 1, 4), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: sdlcLSStatsOctetsOut.setStatus('current') sdlcLSStatsPollsIn = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 2, 3, 1, 5), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: sdlcLSStatsPollsIn.setStatus('current') sdlcLSStatsPollsOut = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 2, 3, 1, 6), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: sdlcLSStatsPollsOut.setStatus('current') sdlcLSStatsPollRspsOut = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 2, 3, 1, 7), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: sdlcLSStatsPollRspsOut.setStatus('current') sdlcLSStatsPollRspsIn = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 2, 3, 1, 8), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: sdlcLSStatsPollRspsIn.setStatus('current') sdlcLSStatsLocalBusies = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 2, 3, 1, 9), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: sdlcLSStatsLocalBusies.setStatus('current') sdlcLSStatsRemoteBusies = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 2, 3, 1, 10), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: sdlcLSStatsRemoteBusies.setStatus('current') sdlcLSStatsIFramesIn = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 2, 3, 1, 11), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: sdlcLSStatsIFramesIn.setStatus('current') sdlcLSStatsIFramesOut = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 2, 3, 1, 12), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: sdlcLSStatsIFramesOut.setStatus('current') sdlcLSStatsUIFramesIn = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 2, 3, 1, 13), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: sdlcLSStatsUIFramesIn.setStatus('current') sdlcLSStatsUIFramesOut = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 2, 3, 1, 14), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: sdlcLSStatsUIFramesOut.setStatus('current') sdlcLSStatsXIDsIn = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 2, 3, 1, 15), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: sdlcLSStatsXIDsIn.setStatus('current') sdlcLSStatsXIDsOut = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 2, 3, 1, 16), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: sdlcLSStatsXIDsOut.setStatus('current') sdlcLSStatsTESTsIn = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 2, 3, 1, 17), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: sdlcLSStatsTESTsIn.setStatus('current') sdlcLSStatsTESTsOut = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 2, 3, 1, 18), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: sdlcLSStatsTESTsOut.setStatus('current') sdlcLSStatsREJsIn = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 2, 3, 1, 19), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: sdlcLSStatsREJsIn.setStatus('current') sdlcLSStatsREJsOut = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 2, 3, 1, 20), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: sdlcLSStatsREJsOut.setStatus('current') sdlcLSStatsFRMRsIn = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 2, 3, 1, 21), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: sdlcLSStatsFRMRsIn.setStatus('current') sdlcLSStatsFRMRsOut = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 2, 3, 1, 22), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: sdlcLSStatsFRMRsOut.setStatus('current') sdlcLSStatsSIMsIn = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 2, 3, 1, 23), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: sdlcLSStatsSIMsIn.setStatus('current') sdlcLSStatsSIMsOut = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 2, 3, 1, 24), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: sdlcLSStatsSIMsOut.setStatus('current') sdlcLSStatsRIMsIn = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 2, 3, 1, 25), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: sdlcLSStatsRIMsIn.setStatus('current') sdlcLSStatsRIMsOut = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 2, 3, 1, 26), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: sdlcLSStatsRIMsOut.setStatus('current') sdlcLSStatsDISCIn = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 2, 3, 1, 27), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: sdlcLSStatsDISCIn.setStatus('current') sdlcLSStatsDISCOut = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 2, 3, 1, 28), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: sdlcLSStatsDISCOut.setStatus('current') sdlcLSStatsUAIn = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 2, 3, 1, 29), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: sdlcLSStatsUAIn.setStatus('current') sdlcLSStatsUAOut = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 2, 3, 1, 30), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: sdlcLSStatsUAOut.setStatus('current') sdlcLSStatsDMIn = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 2, 3, 1, 31), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: sdlcLSStatsDMIn.setStatus('current') sdlcLSStatsDMOut = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 2, 3, 1, 32), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: sdlcLSStatsDMOut.setStatus('current') sdlcLSStatsSNRMIn = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 2, 3, 1, 33), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: sdlcLSStatsSNRMIn.setStatus('current') sdlcLSStatsSNRMOut = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 2, 3, 1, 34), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: sdlcLSStatsSNRMOut.setStatus('current') sdlcLSStatsProtocolErrs = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 2, 3, 1, 35), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: sdlcLSStatsProtocolErrs.setStatus('current') sdlcLSStatsActivityTOs = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 2, 3, 1, 36), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: sdlcLSStatsActivityTOs.setStatus('current') sdlcLSStatsRNRLIMITs = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 2, 3, 1, 37), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: sdlcLSStatsRNRLIMITs.setStatus('current') sdlcLSStatsRetriesExps = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 2, 3, 1, 38), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: sdlcLSStatsRetriesExps.setStatus('current') sdlcLSStatsRetransmitsIn = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 2, 3, 1, 39), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: sdlcLSStatsRetransmitsIn.setStatus('current') sdlcLSStatsRetransmitsOut = MibTableColumn((1, 3, 6, 1, 2, 1, 41, 1, 2, 3, 1, 40), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: sdlcLSStatsRetransmitsOut.setStatus('current') sdlcTraps = MibIdentifier((1, 3, 6, 1, 2, 1, 41, 1, 3)) sdlcPortStatusChange = NotificationType((1, 3, 6, 1, 2, 1, 41, 1, 3, 1)).setObjects(("IF-MIB", "ifIndex"), ("IF-MIB", "ifAdminStatus"), ("IF-MIB", "ifOperStatus"), ("SNA-SDLC-MIB", "sdlcPortOperLastFailTime"), ("SNA-SDLC-MIB", "sdlcPortOperLastFailCause")) if mibBuilder.loadTexts: sdlcPortStatusChange.setStatus('current') sdlcLSStatusChange = NotificationType((1, 3, 6, 1, 2, 1, 41, 1, 3, 2)).setObjects(("IF-MIB", "ifIndex"), ("SNA-SDLC-MIB", "sdlcLSAddress"), ("SNA-SDLC-MIB", "sdlcLSOperState"), ("SNA-SDLC-MIB", "sdlcLSAdminState"), ("SNA-SDLC-MIB", "sdlcLSOperLastFailTime"), ("SNA-SDLC-MIB", "sdlcLSOperLastFailCause"), ("SNA-SDLC-MIB", "sdlcLSOperLastFailFRMRInfo"), ("SNA-SDLC-MIB", "sdlcLSOperLastFailCtrlIn"), ("SNA-SDLC-MIB", "sdlcLSOperLastFailCtrlOut"), ("SNA-SDLC-MIB", "sdlcLSOperLastFailREPLYTOs")) if mibBuilder.loadTexts: sdlcLSStatusChange.setStatus('current') sdlcConformance = MibIdentifier((1, 3, 6, 1, 2, 1, 41, 1, 4)) sdlcCompliances = MibIdentifier((1, 3, 6, 1, 2, 1, 41, 1, 4, 1)) sdlcGroups = MibIdentifier((1, 3, 6, 1, 2, 1, 41, 1, 4, 2)) sdlcCoreCompliance = ModuleCompliance((1, 3, 6, 1, 2, 1, 41, 1, 4, 1, 1)).setObjects(("SNA-SDLC-MIB", "sdlcCorePortAdminGroup"), ("SNA-SDLC-MIB", "sdlcCorePortOperGroup"), ("SNA-SDLC-MIB", "sdlcCorePortStatsGroup"), ("SNA-SDLC-MIB", "sdlcCoreLSAdminGroup"), ("SNA-SDLC-MIB", "sdlcCoreLSOperGroup"), ("SNA-SDLC-MIB", "sdlcCoreLSStatsGroup")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): sdlcCoreCompliance = sdlcCoreCompliance.setStatus('current') sdlcPrimaryCompliance = ModuleCompliance((1, 3, 6, 1, 2, 1, 41, 1, 4, 1, 2)).setObjects(("SNA-SDLC-MIB", "sdlcPrimaryGroup")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): sdlcPrimaryCompliance = sdlcPrimaryCompliance.setStatus('current') sdlcPrimaryMultipointCompliance = ModuleCompliance((1, 3, 6, 1, 2, 1, 41, 1, 4, 1, 3)).setObjects(("SNA-SDLC-MIB", "sdlcPrimaryMultipointGroup")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): sdlcPrimaryMultipointCompliance = sdlcPrimaryMultipointCompliance.setStatus('current') sdlcCoreGroups = MibIdentifier((1, 3, 6, 1, 2, 1, 41, 1, 4, 2, 1)) sdlcCorePortAdminGroup = ObjectGroup((1, 3, 6, 1, 2, 1, 41, 1, 4, 2, 1, 1)).setObjects(("SNA-SDLC-MIB", "sdlcPortAdminName"), ("SNA-SDLC-MIB", "sdlcPortAdminRole"), ("SNA-SDLC-MIB", "sdlcPortAdminType"), ("SNA-SDLC-MIB", "sdlcPortAdminTopology"), ("SNA-SDLC-MIB", "sdlcPortAdminISTATUS")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): sdlcCorePortAdminGroup = sdlcCorePortAdminGroup.setStatus('current') sdlcCorePortOperGroup = ObjectGroup((1, 3, 6, 1, 2, 1, 41, 1, 4, 2, 1, 2)).setObjects(("SNA-SDLC-MIB", "sdlcPortOperName"), ("SNA-SDLC-MIB", "sdlcPortOperRole"), ("SNA-SDLC-MIB", "sdlcPortOperType"), ("SNA-SDLC-MIB", "sdlcPortOperTopology"), ("SNA-SDLC-MIB", "sdlcPortOperISTATUS"), ("SNA-SDLC-MIB", "sdlcPortOperACTIVTO"), ("SNA-SDLC-MIB", "sdlcPortOperLastFailTime"), ("SNA-SDLC-MIB", "sdlcPortOperLastFailCause")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): sdlcCorePortOperGroup = sdlcCorePortOperGroup.setStatus('current') sdlcCorePortStatsGroup = ObjectGroup((1, 3, 6, 1, 2, 1, 41, 1, 4, 2, 1, 3)).setObjects(("SNA-SDLC-MIB", "sdlcPortStatsPhysicalFailures"), ("SNA-SDLC-MIB", "sdlcPortStatsInvalidAddresses"), ("SNA-SDLC-MIB", "sdlcPortStatsDwarfFrames")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): sdlcCorePortStatsGroup = sdlcCorePortStatsGroup.setStatus('current') sdlcCoreLSAdminGroup = ObjectGroup((1, 3, 6, 1, 2, 1, 41, 1, 4, 2, 1, 4)).setObjects(("SNA-SDLC-MIB", "sdlcLSAddress"), ("SNA-SDLC-MIB", "sdlcLSAdminName"), ("SNA-SDLC-MIB", "sdlcLSAdminState"), ("SNA-SDLC-MIB", "sdlcLSAdminISTATUS"), ("SNA-SDLC-MIB", "sdlcLSAdminMAXDATASend"), ("SNA-SDLC-MIB", "sdlcLSAdminMAXDATARcv"), ("SNA-SDLC-MIB", "sdlcLSAdminMAXIN"), ("SNA-SDLC-MIB", "sdlcLSAdminMAXOUT"), ("SNA-SDLC-MIB", "sdlcLSAdminMODULO"), ("SNA-SDLC-MIB", "sdlcLSAdminRETRIESm"), ("SNA-SDLC-MIB", "sdlcLSAdminRETRIESt"), ("SNA-SDLC-MIB", "sdlcLSAdminRETRIESn"), ("SNA-SDLC-MIB", "sdlcLSAdminRNRLIMIT"), ("SNA-SDLC-MIB", "sdlcLSAdminDATMODE"), ("SNA-SDLC-MIB", "sdlcLSAdminGPoll"), ("SNA-SDLC-MIB", "sdlcLSAdminSimRim"), ("SNA-SDLC-MIB", "sdlcLSAdminRowStatus")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): sdlcCoreLSAdminGroup = sdlcCoreLSAdminGroup.setStatus('current') sdlcCoreLSOperGroup = ObjectGroup((1, 3, 6, 1, 2, 1, 41, 1, 4, 2, 1, 5)).setObjects(("SNA-SDLC-MIB", "sdlcLSOperRole"), ("SNA-SDLC-MIB", "sdlcLSOperState"), ("SNA-SDLC-MIB", "sdlcLSOperMAXDATASend"), ("SNA-SDLC-MIB", "sdlcLSOperMAXIN"), ("SNA-SDLC-MIB", "sdlcLSOperMAXOUT"), ("SNA-SDLC-MIB", "sdlcLSOperMODULO"), ("SNA-SDLC-MIB", "sdlcLSOperRETRIESm"), ("SNA-SDLC-MIB", "sdlcLSOperRETRIESt"), ("SNA-SDLC-MIB", "sdlcLSOperRETRIESn"), ("SNA-SDLC-MIB", "sdlcLSOperRNRLIMIT"), ("SNA-SDLC-MIB", "sdlcLSOperDATMODE"), ("SNA-SDLC-MIB", "sdlcLSOperLastFailTime"), ("SNA-SDLC-MIB", "sdlcLSOperLastFailCause"), ("SNA-SDLC-MIB", "sdlcLSOperLastFailCtrlIn"), ("SNA-SDLC-MIB", "sdlcLSOperLastFailCtrlOut"), ("SNA-SDLC-MIB", "sdlcLSOperLastFailFRMRInfo"), ("SNA-SDLC-MIB", "sdlcLSOperLastFailREPLYTOs"), ("SNA-SDLC-MIB", "sdlcLSOperEcho"), ("SNA-SDLC-MIB", "sdlcLSOperGPoll")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): sdlcCoreLSOperGroup = sdlcCoreLSOperGroup.setStatus('current') sdlcCoreLSStatsGroup = ObjectGroup((1, 3, 6, 1, 2, 1, 41, 1, 4, 2, 1, 6)).setObjects(("SNA-SDLC-MIB", "sdlcLSStatsBLUsIn"), ("SNA-SDLC-MIB", "sdlcLSStatsBLUsOut"), ("SNA-SDLC-MIB", "sdlcLSStatsOctetsIn"), ("SNA-SDLC-MIB", "sdlcLSStatsOctetsOut"), ("SNA-SDLC-MIB", "sdlcLSStatsPollsIn"), ("SNA-SDLC-MIB", "sdlcLSStatsPollsOut"), ("SNA-SDLC-MIB", "sdlcLSStatsPollRspsIn"), ("SNA-SDLC-MIB", "sdlcLSStatsPollRspsOut"), ("SNA-SDLC-MIB", "sdlcLSStatsLocalBusies"), ("SNA-SDLC-MIB", "sdlcLSStatsRemoteBusies"), ("SNA-SDLC-MIB", "sdlcLSStatsIFramesIn"), ("SNA-SDLC-MIB", "sdlcLSStatsIFramesOut"), ("SNA-SDLC-MIB", "sdlcLSStatsRetransmitsIn"), ("SNA-SDLC-MIB", "sdlcLSStatsRetransmitsOut"), ("SNA-SDLC-MIB", "sdlcLSStatsUIFramesIn"), ("SNA-SDLC-MIB", "sdlcLSStatsUIFramesOut"), ("SNA-SDLC-MIB", "sdlcLSStatsXIDsIn"), ("SNA-SDLC-MIB", "sdlcLSStatsXIDsOut"), ("SNA-SDLC-MIB", "sdlcLSStatsTESTsIn"), ("SNA-SDLC-MIB", "sdlcLSStatsTESTsOut"), ("SNA-SDLC-MIB", "sdlcLSStatsREJsIn"), ("SNA-SDLC-MIB", "sdlcLSStatsREJsOut"), ("SNA-SDLC-MIB", "sdlcLSStatsFRMRsIn"), ("SNA-SDLC-MIB", "sdlcLSStatsFRMRsOut"), ("SNA-SDLC-MIB", "sdlcLSStatsSIMsIn"), ("SNA-SDLC-MIB", "sdlcLSStatsSIMsOut"), ("SNA-SDLC-MIB", "sdlcLSStatsRIMsIn"), ("SNA-SDLC-MIB", "sdlcLSStatsRIMsOut"), ("SNA-SDLC-MIB", "sdlcLSStatsProtocolErrs"), ("SNA-SDLC-MIB", "sdlcLSStatsRNRLIMITs"), ("SNA-SDLC-MIB", "sdlcLSStatsRetriesExps")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): sdlcCoreLSStatsGroup = sdlcCoreLSStatsGroup.setStatus('current') sdlcPrimaryGroups = MibIdentifier((1, 3, 6, 1, 2, 1, 41, 1, 4, 2, 2)) sdlcPrimaryGroup = ObjectGroup((1, 3, 6, 1, 2, 1, 41, 1, 4, 2, 2, 1)).setObjects(("SNA-SDLC-MIB", "sdlcPortAdminPAUSE"), ("SNA-SDLC-MIB", "sdlcPortOperPAUSE"), ("SNA-SDLC-MIB", "sdlcLSAdminREPLYTO"), ("SNA-SDLC-MIB", "sdlcLSOperREPLYTO")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): sdlcPrimaryGroup = sdlcPrimaryGroup.setStatus('current') sdlcPrimaryMultipointGroup = ObjectGroup((1, 3, 6, 1, 2, 1, 41, 1, 4, 2, 2, 2)).setObjects(("SNA-SDLC-MIB", "sdlcPortAdminSERVLIM"), ("SNA-SDLC-MIB", "sdlcPortAdminSlowPollTimer"), ("SNA-SDLC-MIB", "sdlcPortOperSlowPollMethod"), ("SNA-SDLC-MIB", "sdlcPortOperSERVLIM"), ("SNA-SDLC-MIB", "sdlcPortOperSlowPollTimer")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): sdlcPrimaryMultipointGroup = sdlcPrimaryMultipointGroup.setStatus('current') mibBuilder.exportSymbols("SNA-SDLC-MIB", sdlcPortStatsRetriesExps=sdlcPortStatsRetriesExps, sdlcLSAdminTable=sdlcLSAdminTable, sdlcLSStatsXIDsOut=sdlcLSStatsXIDsOut, sdlcLSOperLastFailFRMRInfo=sdlcLSOperLastFailFRMRInfo, sdlcPortOperSlowPollMethod=sdlcPortOperSlowPollMethod, sdlcLSOperEcho=sdlcLSOperEcho, sdlcPortStatsRetransmitsIn=sdlcPortStatsRetransmitsIn, sdlcPortOperLastModifyTime=sdlcPortOperLastModifyTime, sdlcLSAdminState=sdlcLSAdminState, sdlcLSOperREPLYTO=sdlcLSOperREPLYTO, sdlcCoreLSAdminGroup=sdlcCoreLSAdminGroup, sdlcLSOperMAXIN=sdlcLSOperMAXIN, sdlcLSStatsRIMsIn=sdlcLSStatsRIMsIn, sdlcPortStatsOctetsIn=sdlcPortStatsOctetsIn, sdlcPortOperTopology=sdlcPortOperTopology, sdlcPortStatsInvalidAddresses=sdlcPortStatsInvalidAddresses, sdlcLSStatsDISCIn=sdlcLSStatsDISCIn, sdlcLSStatsRetransmitsIn=sdlcLSStatsRetransmitsIn, sdlcLSStatsDISCOut=sdlcLSStatsDISCOut, sdlcLSStatusChange=sdlcLSStatusChange, sdlcLSAdminREPLYTO=sdlcLSAdminREPLYTO, sdlcPortStatsRetransmitsOut=sdlcPortStatsRetransmitsOut, sdlcLSAdminRETRIESm=sdlcLSAdminRETRIESm, sdlcLSOperRETRIESt=sdlcLSOperRETRIESt, sdlcLSOperGPoll=sdlcLSOperGPoll, sdlcLSStatsTESTsOut=sdlcLSStatsTESTsOut, sdlcLSStatsFRMRsOut=sdlcLSStatsFRMRsOut, sdlcLSStatsUIFramesIn=sdlcLSStatsUIFramesIn, sdlcLSAdminEntry=sdlcLSAdminEntry, sdlcPortStatsIFramesIn=sdlcPortStatsIFramesIn, sdlcPortAdminType=sdlcPortAdminType, sdlcLSStatsXIDsIn=sdlcLSStatsXIDsIn, sdlcLSStatsPollsOut=sdlcLSStatsPollsOut, sdlcPortAdminACTIVTO=sdlcPortAdminACTIVTO, sdlcLSOperLastModifyTime=sdlcLSOperLastModifyTime, sdlcLSStatsREJsIn=sdlcLSStatsREJsIn, sdlcLSOperState=sdlcLSOperState, sdlcLSStatsOctetsOut=sdlcLSStatsOctetsOut, sdlcLSOperDATMODE=sdlcLSOperDATMODE, sdlcLSStatsRetransmitsOut=sdlcLSStatsRetransmitsOut, sdlcPrimaryMultipointGroup=sdlcPrimaryMultipointGroup, sdlcLSAddress=sdlcLSAddress, sdlcPrimaryCompliance=sdlcPrimaryCompliance, sdlcPortStatsEntry=sdlcPortStatsEntry, sdlcLSOperMAXDATASend=sdlcLSOperMAXDATASend, sdlcCoreLSStatsGroup=sdlcCoreLSStatsGroup, sdlcPortOperACTIVTO=sdlcPortOperACTIVTO, sdlcLSOperMODULO=sdlcLSOperMODULO, sdlcLSStatsUAIn=sdlcLSStatsUAIn, sdlcPortAdminSlowPollTimer=sdlcPortAdminSlowPollTimer, sdlcPrimaryMultipointCompliance=sdlcPrimaryMultipointCompliance, sdlcConformance=sdlcConformance, sdlcLSOperXmitRcvCap=sdlcLSOperXmitRcvCap, sdlcCoreGroups=sdlcCoreGroups, sdlcLSStatsUIFramesOut=sdlcLSStatsUIFramesOut, sdlcPortOperLastFailCause=sdlcPortOperLastFailCause, sdlcLSStatsOctetsIn=sdlcLSStatsOctetsIn, sdlcLSOperLastFailCtrlIn=sdlcLSOperLastFailCtrlIn, sdlcLSStatsBLUsOut=sdlcLSStatsBLUsOut, sdlcPortOperTable=sdlcPortOperTable, sdlcLSOperSimRim=sdlcLSOperSimRim, sdlcLSStatsEntry=sdlcLSStatsEntry, sdlcPortAdminSERVLIM=sdlcPortAdminSERVLIM, sdlcLSStatsRNRLIMITs=sdlcLSStatsRNRLIMITs, sdlcLSStatsTESTsIn=sdlcLSStatsTESTsIn, sdlcGroups=sdlcGroups, sdlcPortOperRole=sdlcPortOperRole, sdlcLSStatsTable=sdlcLSStatsTable, sdlcLSStatsFRMRsIn=sdlcLSStatsFRMRsIn, sdlcCoreLSOperGroup=sdlcCoreLSOperGroup, sdlcPortStatsPollsOut=sdlcPortStatsPollsOut, sdlcLSOperRole=sdlcLSOperRole, sdlcLSStatsRIMsOut=sdlcLSStatsRIMsOut, sdlcPortOperLastFailTime=sdlcPortOperLastFailTime, sdlcLSOperLastFailTime=sdlcLSOperLastFailTime, sdlcPortStatsProtocolErrs=sdlcPortStatsProtocolErrs, sdlcLSAdminMAXDATASend=sdlcLSAdminMAXDATASend, sdlcLSStatsProtocolErrs=sdlcLSStatsProtocolErrs, sdlcTraps=sdlcTraps, sdlcLSOperEntry=sdlcLSOperEntry, sdlcLSOperRETRIESm=sdlcLSOperRETRIESm, sdlcPrimaryGroups=sdlcPrimaryGroups, sdlcLSAdminISTATUS=sdlcLSAdminISTATUS, sdlcLSAdminSimRim=sdlcLSAdminSimRim, sdlcLSStatsSNRMIn=sdlcLSStatsSNRMIn, sdlcPortAdminTable=sdlcPortAdminTable, snaDLC=snaDLC, sdlcPortStatsPhysicalFailures=sdlcPortStatsPhysicalFailures, sdlcLSOperTable=sdlcLSOperTable, sdlcPortGroup=sdlcPortGroup, sdlcPortOperSlowPollTimer=sdlcPortOperSlowPollTimer, sdlcLSStatsPollsIn=sdlcLSStatsPollsIn, sdlcPortStatsLocalBusies=sdlcPortStatsLocalBusies, sdlcPortStatsRemoteBusies=sdlcPortStatsRemoteBusies, sdlcPortAdminName=sdlcPortAdminName, sdlcPortAdminTopology=sdlcPortAdminTopology, sdlcLSStatsIFramesOut=sdlcLSStatsIFramesOut, sdlcLSStatsUAOut=sdlcLSStatsUAOut, sdlcLSStatsRetriesExps=sdlcLSStatsRetriesExps, sdlcPortOperType=sdlcPortOperType, sdlcLSStatsREJsOut=sdlcLSStatsREJsOut, sdlcPortAdminEntry=sdlcPortAdminEntry, sdlcPortStatsOctetsOut=sdlcPortStatsOctetsOut, sdlcPortAdminRole=sdlcPortAdminRole, sdlcCoreCompliance=sdlcCoreCompliance, sdlcPortAdminISTATUS=sdlcPortAdminISTATUS, sdlcPrimaryGroup=sdlcPrimaryGroup, sdlcPortOperEntry=sdlcPortOperEntry, sdlcLSStatsRemoteBusies=sdlcLSStatsRemoteBusies, sdlcLSAdminMODULO=sdlcLSAdminMODULO, sdlcCorePortOperGroup=sdlcCorePortOperGroup, sdlcLSStatsDMIn=sdlcLSStatsDMIn, sdlcLSAdminXmitRcvCap=sdlcLSAdminXmitRcvCap, sdlcLSAdminRETRIESn=sdlcLSAdminRETRIESn, sdlcLSAdminRNRLIMIT=sdlcLSAdminRNRLIMIT, sdlcLSStatsDMOut=sdlcLSStatsDMOut, PYSNMP_MODULE_ID=snaDLC, sdlcLSAdminName=sdlcLSAdminName, sdlcCompliances=sdlcCompliances, sdlcLSOperLastFailCtrlOut=sdlcLSOperLastFailCtrlOut, sdlcLSStatsSIMsIn=sdlcLSStatsSIMsIn, sdlcPortOperISTATUS=sdlcPortOperISTATUS, sdlcLSAdminRETRIESt=sdlcLSAdminRETRIESt, sdlcLSAdminMAXOUT=sdlcLSAdminMAXOUT, sdlcLSOperName=sdlcLSOperName, sdlcLSOperMAXOUT=sdlcLSOperMAXOUT, sdlcLSStatsLocalBusies=sdlcLSStatsLocalBusies, sdlcLSAdminDATMODE=sdlcLSAdminDATMODE, sdlcLSAdminMAXIN=sdlcLSAdminMAXIN, sdlcPortOperName=sdlcPortOperName, sdlcLSGroup=sdlcLSGroup, sdlcLSAdminGPoll=sdlcLSAdminGPoll, sdlcPortStatsPollRspsOut=sdlcPortStatsPollRspsOut, sdlcLSStatsPollRspsIn=sdlcLSStatsPollRspsIn, sdlcLSAdminMAXDATARcv=sdlcLSAdminMAXDATARcv, sdlcPortStatsTable=sdlcPortStatsTable, sdlcLSOperLastFailCause=sdlcLSOperLastFailCause, sdlcPortStatsActivityTOs=sdlcPortStatsActivityTOs, sdlcLSOperRETRIESn=sdlcLSOperRETRIESn, sdlcPortAdminPAUSE=sdlcPortAdminPAUSE, sdlcLSAdminRowStatus=sdlcLSAdminRowStatus, sdlcPortOperPAUSE=sdlcPortOperPAUSE, sdlcPortStatsPollRspsIn=sdlcPortStatsPollRspsIn, sdlcLSStatsBLUsIn=sdlcLSStatsBLUsIn, sdlcPortOperSERVLIM=sdlcPortOperSERVLIM, sdlcLSStatsIFramesIn=sdlcLSStatsIFramesIn, sdlcPortStatsIFramesOut=sdlcPortStatsIFramesOut, sdlcCorePortAdminGroup=sdlcCorePortAdminGroup, sdlcLSOperRNRLIMIT=sdlcLSOperRNRLIMIT, sdlcLSStatsSNRMOut=sdlcLSStatsSNRMOut, sdlc=sdlc, sdlcPortStatsPollsIn=sdlcPortStatsPollsIn, sdlcPortStatusChange=sdlcPortStatusChange, sdlcPortStatsDwarfFrames=sdlcPortStatsDwarfFrames, sdlcLSStatsActivityTOs=sdlcLSStatsActivityTOs, sdlcLSOperLastFailREPLYTOs=sdlcLSOperLastFailREPLYTOs, sdlcCorePortStatsGroup=sdlcCorePortStatsGroup, sdlcLSStatsPollRspsOut=sdlcLSStatsPollRspsOut, sdlcLSStatsSIMsOut=sdlcLSStatsSIMsOut, sdlcPortStatsRNRLIMITs=sdlcPortStatsRNRLIMITs)
(octet_string, integer, object_identifier) = mibBuilder.importSymbols('ASN1', 'OctetString', 'Integer', 'ObjectIdentifier') (named_values,) = mibBuilder.importSymbols('ASN1-ENUMERATION', 'NamedValues') (constraints_intersection, value_range_constraint, constraints_union, value_size_constraint, single_value_constraint) = mibBuilder.importSymbols('ASN1-REFINEMENT', 'ConstraintsIntersection', 'ValueRangeConstraint', 'ConstraintsUnion', 'ValueSizeConstraint', 'SingleValueConstraint') (if_oper_status, if_admin_status, if_index) = mibBuilder.importSymbols('IF-MIB', 'ifOperStatus', 'ifAdminStatus', 'ifIndex') (module_compliance, object_group, notification_group) = mibBuilder.importSymbols('SNMPv2-CONF', 'ModuleCompliance', 'ObjectGroup', 'NotificationGroup') (time_ticks, ip_address, notification_type, mib_identifier, counter32, module_identity, object_identity, mib_2, integer32, bits, mib_scalar, mib_table, mib_table_row, mib_table_column, counter64, iso, gauge32, unsigned32) = mibBuilder.importSymbols('SNMPv2-SMI', 'TimeTicks', 'IpAddress', 'NotificationType', 'MibIdentifier', 'Counter32', 'ModuleIdentity', 'ObjectIdentity', 'mib-2', 'Integer32', 'Bits', 'MibScalar', 'MibTable', 'MibTableRow', 'MibTableColumn', 'Counter64', 'iso', 'Gauge32', 'Unsigned32') (row_status, display_string, time_interval, textual_convention) = mibBuilder.importSymbols('SNMPv2-TC', 'RowStatus', 'DisplayString', 'TimeInterval', 'TextualConvention') sna_dlc = module_identity((1, 3, 6, 1, 2, 1, 41)) if mibBuilder.loadTexts: snaDLC.setLastUpdated('9411150000Z') if mibBuilder.loadTexts: snaDLC.setOrganization('IETF SNA DLC MIB Working Group') sdlc = mib_identifier((1, 3, 6, 1, 2, 1, 41, 1)) sdlc_port_group = mib_identifier((1, 3, 6, 1, 2, 1, 41, 1, 1)) sdlc_ls_group = mib_identifier((1, 3, 6, 1, 2, 1, 41, 1, 2)) sdlc_port_admin_table = mib_table((1, 3, 6, 1, 2, 1, 41, 1, 1, 1)) if mibBuilder.loadTexts: sdlcPortAdminTable.setStatus('current') sdlc_port_admin_entry = mib_table_row((1, 3, 6, 1, 2, 1, 41, 1, 1, 1, 1)).setIndexNames((0, 'IF-MIB', 'ifIndex')) if mibBuilder.loadTexts: sdlcPortAdminEntry.setStatus('current') sdlc_port_admin_name = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 1, 1, 1, 1), display_string().subtype(subtypeSpec=value_size_constraint(1, 10))).setMaxAccess('readwrite') if mibBuilder.loadTexts: sdlcPortAdminName.setStatus('current') sdlc_port_admin_role = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 1, 1, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('primary', 1), ('secondary', 2), ('negotiable', 3)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: sdlcPortAdminRole.setStatus('current') sdlc_port_admin_type = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 1, 1, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('leased', 1), ('switched', 2))).clone('leased')).setMaxAccess('readwrite') if mibBuilder.loadTexts: sdlcPortAdminType.setStatus('current') sdlc_port_admin_topology = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 1, 1, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('pointToPoint', 1), ('multipoint', 2))).clone('pointToPoint')).setMaxAccess('readwrite') if mibBuilder.loadTexts: sdlcPortAdminTopology.setStatus('current') sdlc_port_admin_istatus = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 1, 1, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('inactive', 1), ('active', 2))).clone('active')).setMaxAccess('readwrite') if mibBuilder.loadTexts: sdlcPortAdminISTATUS.setStatus('current') sdlc_port_admin_activto = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 1, 1, 1, 6), time_interval()).setMaxAccess('readwrite') if mibBuilder.loadTexts: sdlcPortAdminACTIVTO.setStatus('current') sdlc_port_admin_pause = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 1, 1, 1, 7), time_interval().clone(200)).setMaxAccess('readwrite') if mibBuilder.loadTexts: sdlcPortAdminPAUSE.setStatus('current') sdlc_port_admin_servlim = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 1, 1, 1, 8), integer32().clone(20)).setMaxAccess('readwrite') if mibBuilder.loadTexts: sdlcPortAdminSERVLIM.setStatus('current') sdlc_port_admin_slow_poll_timer = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 1, 1, 1, 9), time_interval().clone(2000)).setMaxAccess('readwrite') if mibBuilder.loadTexts: sdlcPortAdminSlowPollTimer.setStatus('current') sdlc_port_oper_table = mib_table((1, 3, 6, 1, 2, 1, 41, 1, 1, 2)) if mibBuilder.loadTexts: sdlcPortOperTable.setStatus('current') sdlc_port_oper_entry = mib_table_row((1, 3, 6, 1, 2, 1, 41, 1, 1, 2, 1)).setIndexNames((0, 'IF-MIB', 'ifIndex')) if mibBuilder.loadTexts: sdlcPortOperEntry.setStatus('current') sdlc_port_oper_name = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 1, 2, 1, 1), display_string().subtype(subtypeSpec=value_size_constraint(1, 8))).setMaxAccess('readonly') if mibBuilder.loadTexts: sdlcPortOperName.setStatus('current') sdlc_port_oper_role = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 1, 2, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('primary', 1), ('secondary', 2), ('undefined', 3)))).setMaxAccess('readonly') if mibBuilder.loadTexts: sdlcPortOperRole.setStatus('current') sdlc_port_oper_type = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 1, 2, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('leased', 1), ('switched', 2)))).setMaxAccess('readonly') if mibBuilder.loadTexts: sdlcPortOperType.setStatus('current') sdlc_port_oper_topology = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 1, 2, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('pointToPoint', 1), ('multipoint', 2)))).setMaxAccess('readonly') if mibBuilder.loadTexts: sdlcPortOperTopology.setStatus('current') sdlc_port_oper_istatus = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 1, 2, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('inactive', 1), ('active', 2)))).setMaxAccess('readonly') if mibBuilder.loadTexts: sdlcPortOperISTATUS.setStatus('current') sdlc_port_oper_activto = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 1, 2, 1, 6), time_interval()).setMaxAccess('readonly') if mibBuilder.loadTexts: sdlcPortOperACTIVTO.setStatus('current') sdlc_port_oper_pause = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 1, 2, 1, 7), time_interval()).setMaxAccess('readonly') if mibBuilder.loadTexts: sdlcPortOperPAUSE.setStatus('current') sdlc_port_oper_slow_poll_method = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 1, 2, 1, 8), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('servlim', 1), ('pollpause', 2), ('other', 3)))).setMaxAccess('readonly') if mibBuilder.loadTexts: sdlcPortOperSlowPollMethod.setStatus('current') sdlc_port_oper_servlim = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 1, 2, 1, 9), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sdlcPortOperSERVLIM.setStatus('current') sdlc_port_oper_slow_poll_timer = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 1, 2, 1, 10), time_interval()).setMaxAccess('readonly') if mibBuilder.loadTexts: sdlcPortOperSlowPollTimer.setStatus('current') sdlc_port_oper_last_modify_time = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 1, 2, 1, 11), time_ticks()).setMaxAccess('readonly') if mibBuilder.loadTexts: sdlcPortOperLastModifyTime.setStatus('current') sdlc_port_oper_last_fail_time = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 1, 2, 1, 12), time_ticks()).setMaxAccess('readonly') if mibBuilder.loadTexts: sdlcPortOperLastFailTime.setStatus('current') sdlc_port_oper_last_fail_cause = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 1, 2, 1, 13), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('undefined', 1), ('physical', 2))).clone('undefined')).setMaxAccess('readonly') if mibBuilder.loadTexts: sdlcPortOperLastFailCause.setStatus('current') sdlc_port_stats_table = mib_table((1, 3, 6, 1, 2, 1, 41, 1, 1, 3)) if mibBuilder.loadTexts: sdlcPortStatsTable.setStatus('current') sdlc_port_stats_entry = mib_table_row((1, 3, 6, 1, 2, 1, 41, 1, 1, 3, 1)).setIndexNames((0, 'IF-MIB', 'ifIndex')) if mibBuilder.loadTexts: sdlcPortStatsEntry.setStatus('current') sdlc_port_stats_physical_failures = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 1, 3, 1, 1), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sdlcPortStatsPhysicalFailures.setStatus('current') sdlc_port_stats_invalid_addresses = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 1, 3, 1, 2), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sdlcPortStatsInvalidAddresses.setStatus('current') sdlc_port_stats_dwarf_frames = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 1, 3, 1, 3), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sdlcPortStatsDwarfFrames.setStatus('current') sdlc_port_stats_polls_in = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 1, 3, 1, 4), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sdlcPortStatsPollsIn.setStatus('current') sdlc_port_stats_polls_out = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 1, 3, 1, 5), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sdlcPortStatsPollsOut.setStatus('current') sdlc_port_stats_poll_rsps_in = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 1, 3, 1, 6), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sdlcPortStatsPollRspsIn.setStatus('current') sdlc_port_stats_poll_rsps_out = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 1, 3, 1, 7), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sdlcPortStatsPollRspsOut.setStatus('current') sdlc_port_stats_local_busies = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 1, 3, 1, 8), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sdlcPortStatsLocalBusies.setStatus('current') sdlc_port_stats_remote_busies = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 1, 3, 1, 9), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sdlcPortStatsRemoteBusies.setStatus('current') sdlc_port_stats_i_frames_in = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 1, 3, 1, 10), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sdlcPortStatsIFramesIn.setStatus('current') sdlc_port_stats_i_frames_out = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 1, 3, 1, 11), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sdlcPortStatsIFramesOut.setStatus('current') sdlc_port_stats_octets_in = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 1, 3, 1, 12), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sdlcPortStatsOctetsIn.setStatus('current') sdlc_port_stats_octets_out = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 1, 3, 1, 13), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sdlcPortStatsOctetsOut.setStatus('current') sdlc_port_stats_protocol_errs = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 1, 3, 1, 14), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sdlcPortStatsProtocolErrs.setStatus('current') sdlc_port_stats_activity_t_os = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 1, 3, 1, 15), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sdlcPortStatsActivityTOs.setStatus('current') sdlc_port_stats_rnrlimi_ts = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 1, 3, 1, 16), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sdlcPortStatsRNRLIMITs.setStatus('current') sdlc_port_stats_retries_exps = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 1, 3, 1, 17), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sdlcPortStatsRetriesExps.setStatus('current') sdlc_port_stats_retransmits_in = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 1, 3, 1, 18), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sdlcPortStatsRetransmitsIn.setStatus('current') sdlc_port_stats_retransmits_out = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 1, 3, 1, 19), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sdlcPortStatsRetransmitsOut.setStatus('current') sdlc_ls_admin_table = mib_table((1, 3, 6, 1, 2, 1, 41, 1, 2, 1)) if mibBuilder.loadTexts: sdlcLSAdminTable.setStatus('current') sdlc_ls_admin_entry = mib_table_row((1, 3, 6, 1, 2, 1, 41, 1, 2, 1, 1)).setIndexNames((0, 'IF-MIB', 'ifIndex'), (0, 'SNA-SDLC-MIB', 'sdlcLSAddress')) if mibBuilder.loadTexts: sdlcLSAdminEntry.setStatus('current') sdlc_ls_address = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 2, 1, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 255))).setMaxAccess('readcreate') if mibBuilder.loadTexts: sdlcLSAddress.setStatus('current') sdlc_ls_admin_name = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 2, 1, 1, 2), display_string().subtype(subtypeSpec=value_size_constraint(1, 10))).setMaxAccess('readcreate') if mibBuilder.loadTexts: sdlcLSAdminName.setStatus('current') sdlc_ls_admin_state = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 2, 1, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('inactive', 1), ('active', 2))).clone('active')).setMaxAccess('readcreate') if mibBuilder.loadTexts: sdlcLSAdminState.setStatus('current') sdlc_ls_admin_istatus = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 2, 1, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('inactive', 1), ('active', 2))).clone('active')).setMaxAccess('readcreate') if mibBuilder.loadTexts: sdlcLSAdminISTATUS.setStatus('current') sdlc_ls_admin_maxdata_send = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 2, 1, 1, 5), integer32()).setMaxAccess('readcreate') if mibBuilder.loadTexts: sdlcLSAdminMAXDATASend.setStatus('current') sdlc_ls_admin_maxdata_rcv = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 2, 1, 1, 6), integer32()).setMaxAccess('readcreate') if mibBuilder.loadTexts: sdlcLSAdminMAXDATARcv.setStatus('current') sdlc_ls_admin_replyto = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 2, 1, 1, 7), time_interval().clone(100)).setMaxAccess('readcreate') if mibBuilder.loadTexts: sdlcLSAdminREPLYTO.setStatus('current') sdlc_ls_admin_maxin = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 2, 1, 1, 8), integer32().subtype(subtypeSpec=value_range_constraint(1, 127)).clone(7)).setMaxAccess('readcreate') if mibBuilder.loadTexts: sdlcLSAdminMAXIN.setStatus('current') sdlc_ls_admin_maxout = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 2, 1, 1, 9), integer32().subtype(subtypeSpec=value_range_constraint(1, 127)).clone(1)).setMaxAccess('readcreate') if mibBuilder.loadTexts: sdlcLSAdminMAXOUT.setStatus('current') sdlc_ls_admin_modulo = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 2, 1, 1, 10), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(8, 128))).clone(namedValues=named_values(('eight', 8), ('onetwentyeight', 128))).clone('eight')).setMaxAccess('readcreate') if mibBuilder.loadTexts: sdlcLSAdminMODULO.setStatus('current') sdlc_ls_admin_retrie_sm = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 2, 1, 1, 11), integer32().subtype(subtypeSpec=value_range_constraint(0, 128)).clone(15)).setMaxAccess('readcreate') if mibBuilder.loadTexts: sdlcLSAdminRETRIESm.setStatus('current') sdlc_ls_admin_retrie_st = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 2, 1, 1, 12), time_interval()).setMaxAccess('readcreate') if mibBuilder.loadTexts: sdlcLSAdminRETRIESt.setStatus('current') sdlc_ls_admin_retrie_sn = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 2, 1, 1, 13), integer32()).setMaxAccess('readcreate') if mibBuilder.loadTexts: sdlcLSAdminRETRIESn.setStatus('current') sdlc_ls_admin_rnrlimit = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 2, 1, 1, 14), time_interval().clone(18000)).setMaxAccess('readcreate') if mibBuilder.loadTexts: sdlcLSAdminRNRLIMIT.setStatus('current') sdlc_ls_admin_datmode = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 2, 1, 1, 15), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('half', 1), ('full', 2))).clone('half')).setMaxAccess('readcreate') if mibBuilder.loadTexts: sdlcLSAdminDATMODE.setStatus('current') sdlc_ls_admin_g_poll = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 2, 1, 1, 16), integer32().subtype(subtypeSpec=value_range_constraint(0, 254))).setMaxAccess('readcreate') if mibBuilder.loadTexts: sdlcLSAdminGPoll.setStatus('current') sdlc_ls_admin_sim_rim = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 2, 1, 1, 17), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('no', 1), ('yes', 2))).clone('no')).setMaxAccess('readcreate') if mibBuilder.loadTexts: sdlcLSAdminSimRim.setStatus('current') sdlc_ls_admin_xmit_rcv_cap = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 2, 1, 1, 18), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('twa', 1), ('tws', 2))).clone('twa')).setMaxAccess('readcreate') if mibBuilder.loadTexts: sdlcLSAdminXmitRcvCap.setStatus('current') sdlc_ls_admin_row_status = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 2, 1, 1, 19), row_status()).setMaxAccess('readcreate') if mibBuilder.loadTexts: sdlcLSAdminRowStatus.setStatus('current') sdlc_ls_oper_table = mib_table((1, 3, 6, 1, 2, 1, 41, 1, 2, 2)) if mibBuilder.loadTexts: sdlcLSOperTable.setStatus('current') sdlc_ls_oper_entry = mib_table_row((1, 3, 6, 1, 2, 1, 41, 1, 2, 2, 1)).setIndexNames((0, 'IF-MIB', 'ifIndex'), (0, 'SNA-SDLC-MIB', 'sdlcLSAddress')) if mibBuilder.loadTexts: sdlcLSOperEntry.setStatus('current') sdlc_ls_oper_name = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 2, 2, 1, 1), display_string().subtype(subtypeSpec=value_size_constraint(1, 10))).setMaxAccess('readonly') if mibBuilder.loadTexts: sdlcLSOperName.setStatus('current') sdlc_ls_oper_role = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 2, 2, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('primary', 1), ('secondary', 2), ('undefined', 3)))).setMaxAccess('readonly') if mibBuilder.loadTexts: sdlcLSOperRole.setStatus('current') sdlc_ls_oper_state = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 2, 2, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('discontacted', 1), ('contactPending', 2), ('contacted', 3), ('discontactPending', 4)))).setMaxAccess('readonly') if mibBuilder.loadTexts: sdlcLSOperState.setStatus('current') sdlc_ls_oper_maxdata_send = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 2, 2, 1, 4), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sdlcLSOperMAXDATASend.setStatus('current') sdlc_ls_oper_replyto = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 2, 2, 1, 5), time_interval()).setMaxAccess('readonly') if mibBuilder.loadTexts: sdlcLSOperREPLYTO.setStatus('current') sdlc_ls_oper_maxin = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 2, 2, 1, 6), integer32().subtype(subtypeSpec=value_range_constraint(1, 127))).setMaxAccess('readonly') if mibBuilder.loadTexts: sdlcLSOperMAXIN.setStatus('current') sdlc_ls_oper_maxout = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 2, 2, 1, 7), integer32().subtype(subtypeSpec=value_range_constraint(1, 127))).setMaxAccess('readonly') if mibBuilder.loadTexts: sdlcLSOperMAXOUT.setStatus('current') sdlc_ls_oper_modulo = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 2, 2, 1, 8), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(8, 128))).clone(namedValues=named_values(('eight', 8), ('onetwentyeight', 128))).clone('eight')).setMaxAccess('readonly') if mibBuilder.loadTexts: sdlcLSOperMODULO.setStatus('current') sdlc_ls_oper_retrie_sm = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 2, 2, 1, 9), integer32().subtype(subtypeSpec=value_range_constraint(0, 128))).setMaxAccess('readonly') if mibBuilder.loadTexts: sdlcLSOperRETRIESm.setStatus('current') sdlc_ls_oper_retrie_st = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 2, 2, 1, 10), time_interval()).setMaxAccess('readonly') if mibBuilder.loadTexts: sdlcLSOperRETRIESt.setStatus('current') sdlc_ls_oper_retrie_sn = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 2, 2, 1, 11), integer32().subtype(subtypeSpec=value_range_constraint(0, 127))).setMaxAccess('readonly') if mibBuilder.loadTexts: sdlcLSOperRETRIESn.setStatus('current') sdlc_ls_oper_rnrlimit = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 2, 2, 1, 12), time_interval()).setMaxAccess('readonly') if mibBuilder.loadTexts: sdlcLSOperRNRLIMIT.setStatus('current') sdlc_ls_oper_datmode = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 2, 2, 1, 13), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('half', 1), ('full', 2)))).setMaxAccess('readonly') if mibBuilder.loadTexts: sdlcLSOperDATMODE.setStatus('current') sdlc_ls_oper_last_modify_time = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 2, 2, 1, 14), time_ticks()).setMaxAccess('readonly') if mibBuilder.loadTexts: sdlcLSOperLastModifyTime.setStatus('current') sdlc_ls_oper_last_fail_time = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 2, 2, 1, 15), time_ticks()).setMaxAccess('readonly') if mibBuilder.loadTexts: sdlcLSOperLastFailTime.setStatus('current') sdlc_ls_oper_last_fail_cause = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 2, 2, 1, 16), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=named_values(('undefined', 1), ('rxFRMR', 2), ('txFRMR', 3), ('noResponse', 4), ('protocolErr', 5), ('noActivity', 6), ('rnrLimit', 7), ('retriesExpired', 8))).clone('undefined')).setMaxAccess('readonly') if mibBuilder.loadTexts: sdlcLSOperLastFailCause.setStatus('current') sdlc_ls_oper_last_fail_ctrl_in = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 2, 2, 1, 17), octet_string().subtype(subtypeSpec=value_size_constraint(1, 2))).setMaxAccess('readonly') if mibBuilder.loadTexts: sdlcLSOperLastFailCtrlIn.setStatus('current') sdlc_ls_oper_last_fail_ctrl_out = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 2, 2, 1, 18), octet_string().subtype(subtypeSpec=value_size_constraint(1, 2))).setMaxAccess('readonly') if mibBuilder.loadTexts: sdlcLSOperLastFailCtrlOut.setStatus('current') sdlc_ls_oper_last_fail_frmr_info = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 2, 2, 1, 19), octet_string().subtype(subtypeSpec=value_size_constraint(3, 3)).setFixedLength(3)).setMaxAccess('readonly') if mibBuilder.loadTexts: sdlcLSOperLastFailFRMRInfo.setStatus('current') sdlc_ls_oper_last_fail_replyt_os = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 2, 2, 1, 20), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sdlcLSOperLastFailREPLYTOs.setStatus('current') sdlc_ls_oper_echo = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 2, 2, 1, 21), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('no', 1), ('yes', 2))).clone('no')).setMaxAccess('readonly') if mibBuilder.loadTexts: sdlcLSOperEcho.setStatus('current') sdlc_ls_oper_g_poll = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 2, 2, 1, 22), integer32().subtype(subtypeSpec=value_range_constraint(0, 254))).setMaxAccess('readonly') if mibBuilder.loadTexts: sdlcLSOperGPoll.setStatus('current') sdlc_ls_oper_sim_rim = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 2, 2, 1, 23), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('no', 1), ('yes', 2))).clone('no')).setMaxAccess('readonly') if mibBuilder.loadTexts: sdlcLSOperSimRim.setStatus('current') sdlc_ls_oper_xmit_rcv_cap = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 2, 2, 1, 24), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('twa', 1), ('tws', 2))).clone('twa')).setMaxAccess('readonly') if mibBuilder.loadTexts: sdlcLSOperXmitRcvCap.setStatus('current') sdlc_ls_stats_table = mib_table((1, 3, 6, 1, 2, 1, 41, 1, 2, 3)) if mibBuilder.loadTexts: sdlcLSStatsTable.setStatus('current') sdlc_ls_stats_entry = mib_table_row((1, 3, 6, 1, 2, 1, 41, 1, 2, 3, 1)).setIndexNames((0, 'IF-MIB', 'ifIndex'), (0, 'SNA-SDLC-MIB', 'sdlcLSAddress')) if mibBuilder.loadTexts: sdlcLSStatsEntry.setStatus('current') sdlc_ls_stats_bl_us_in = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 2, 3, 1, 1), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sdlcLSStatsBLUsIn.setStatus('current') sdlc_ls_stats_bl_us_out = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 2, 3, 1, 2), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sdlcLSStatsBLUsOut.setStatus('current') sdlc_ls_stats_octets_in = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 2, 3, 1, 3), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sdlcLSStatsOctetsIn.setStatus('current') sdlc_ls_stats_octets_out = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 2, 3, 1, 4), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sdlcLSStatsOctetsOut.setStatus('current') sdlc_ls_stats_polls_in = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 2, 3, 1, 5), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sdlcLSStatsPollsIn.setStatus('current') sdlc_ls_stats_polls_out = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 2, 3, 1, 6), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sdlcLSStatsPollsOut.setStatus('current') sdlc_ls_stats_poll_rsps_out = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 2, 3, 1, 7), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sdlcLSStatsPollRspsOut.setStatus('current') sdlc_ls_stats_poll_rsps_in = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 2, 3, 1, 8), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sdlcLSStatsPollRspsIn.setStatus('current') sdlc_ls_stats_local_busies = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 2, 3, 1, 9), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sdlcLSStatsLocalBusies.setStatus('current') sdlc_ls_stats_remote_busies = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 2, 3, 1, 10), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sdlcLSStatsRemoteBusies.setStatus('current') sdlc_ls_stats_i_frames_in = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 2, 3, 1, 11), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sdlcLSStatsIFramesIn.setStatus('current') sdlc_ls_stats_i_frames_out = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 2, 3, 1, 12), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sdlcLSStatsIFramesOut.setStatus('current') sdlc_ls_stats_ui_frames_in = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 2, 3, 1, 13), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sdlcLSStatsUIFramesIn.setStatus('current') sdlc_ls_stats_ui_frames_out = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 2, 3, 1, 14), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sdlcLSStatsUIFramesOut.setStatus('current') sdlc_ls_stats_xi_ds_in = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 2, 3, 1, 15), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sdlcLSStatsXIDsIn.setStatus('current') sdlc_ls_stats_xi_ds_out = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 2, 3, 1, 16), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sdlcLSStatsXIDsOut.setStatus('current') sdlc_ls_stats_tes_ts_in = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 2, 3, 1, 17), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sdlcLSStatsTESTsIn.setStatus('current') sdlc_ls_stats_tes_ts_out = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 2, 3, 1, 18), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sdlcLSStatsTESTsOut.setStatus('current') sdlc_ls_stats_re_js_in = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 2, 3, 1, 19), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sdlcLSStatsREJsIn.setStatus('current') sdlc_ls_stats_re_js_out = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 2, 3, 1, 20), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sdlcLSStatsREJsOut.setStatus('current') sdlc_ls_stats_frm_rs_in = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 2, 3, 1, 21), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sdlcLSStatsFRMRsIn.setStatus('current') sdlc_ls_stats_frm_rs_out = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 2, 3, 1, 22), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sdlcLSStatsFRMRsOut.setStatus('current') sdlc_ls_stats_si_ms_in = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 2, 3, 1, 23), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sdlcLSStatsSIMsIn.setStatus('current') sdlc_ls_stats_si_ms_out = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 2, 3, 1, 24), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sdlcLSStatsSIMsOut.setStatus('current') sdlc_ls_stats_ri_ms_in = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 2, 3, 1, 25), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sdlcLSStatsRIMsIn.setStatus('current') sdlc_ls_stats_ri_ms_out = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 2, 3, 1, 26), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sdlcLSStatsRIMsOut.setStatus('current') sdlc_ls_stats_disc_in = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 2, 3, 1, 27), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sdlcLSStatsDISCIn.setStatus('current') sdlc_ls_stats_disc_out = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 2, 3, 1, 28), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sdlcLSStatsDISCOut.setStatus('current') sdlc_ls_stats_ua_in = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 2, 3, 1, 29), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sdlcLSStatsUAIn.setStatus('current') sdlc_ls_stats_ua_out = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 2, 3, 1, 30), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sdlcLSStatsUAOut.setStatus('current') sdlc_ls_stats_dm_in = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 2, 3, 1, 31), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sdlcLSStatsDMIn.setStatus('current') sdlc_ls_stats_dm_out = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 2, 3, 1, 32), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sdlcLSStatsDMOut.setStatus('current') sdlc_ls_stats_snrm_in = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 2, 3, 1, 33), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sdlcLSStatsSNRMIn.setStatus('current') sdlc_ls_stats_snrm_out = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 2, 3, 1, 34), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sdlcLSStatsSNRMOut.setStatus('current') sdlc_ls_stats_protocol_errs = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 2, 3, 1, 35), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sdlcLSStatsProtocolErrs.setStatus('current') sdlc_ls_stats_activity_t_os = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 2, 3, 1, 36), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sdlcLSStatsActivityTOs.setStatus('current') sdlc_ls_stats_rnrlimi_ts = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 2, 3, 1, 37), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sdlcLSStatsRNRLIMITs.setStatus('current') sdlc_ls_stats_retries_exps = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 2, 3, 1, 38), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sdlcLSStatsRetriesExps.setStatus('current') sdlc_ls_stats_retransmits_in = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 2, 3, 1, 39), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sdlcLSStatsRetransmitsIn.setStatus('current') sdlc_ls_stats_retransmits_out = mib_table_column((1, 3, 6, 1, 2, 1, 41, 1, 2, 3, 1, 40), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sdlcLSStatsRetransmitsOut.setStatus('current') sdlc_traps = mib_identifier((1, 3, 6, 1, 2, 1, 41, 1, 3)) sdlc_port_status_change = notification_type((1, 3, 6, 1, 2, 1, 41, 1, 3, 1)).setObjects(('IF-MIB', 'ifIndex'), ('IF-MIB', 'ifAdminStatus'), ('IF-MIB', 'ifOperStatus'), ('SNA-SDLC-MIB', 'sdlcPortOperLastFailTime'), ('SNA-SDLC-MIB', 'sdlcPortOperLastFailCause')) if mibBuilder.loadTexts: sdlcPortStatusChange.setStatus('current') sdlc_ls_status_change = notification_type((1, 3, 6, 1, 2, 1, 41, 1, 3, 2)).setObjects(('IF-MIB', 'ifIndex'), ('SNA-SDLC-MIB', 'sdlcLSAddress'), ('SNA-SDLC-MIB', 'sdlcLSOperState'), ('SNA-SDLC-MIB', 'sdlcLSAdminState'), ('SNA-SDLC-MIB', 'sdlcLSOperLastFailTime'), ('SNA-SDLC-MIB', 'sdlcLSOperLastFailCause'), ('SNA-SDLC-MIB', 'sdlcLSOperLastFailFRMRInfo'), ('SNA-SDLC-MIB', 'sdlcLSOperLastFailCtrlIn'), ('SNA-SDLC-MIB', 'sdlcLSOperLastFailCtrlOut'), ('SNA-SDLC-MIB', 'sdlcLSOperLastFailREPLYTOs')) if mibBuilder.loadTexts: sdlcLSStatusChange.setStatus('current') sdlc_conformance = mib_identifier((1, 3, 6, 1, 2, 1, 41, 1, 4)) sdlc_compliances = mib_identifier((1, 3, 6, 1, 2, 1, 41, 1, 4, 1)) sdlc_groups = mib_identifier((1, 3, 6, 1, 2, 1, 41, 1, 4, 2)) sdlc_core_compliance = module_compliance((1, 3, 6, 1, 2, 1, 41, 1, 4, 1, 1)).setObjects(('SNA-SDLC-MIB', 'sdlcCorePortAdminGroup'), ('SNA-SDLC-MIB', 'sdlcCorePortOperGroup'), ('SNA-SDLC-MIB', 'sdlcCorePortStatsGroup'), ('SNA-SDLC-MIB', 'sdlcCoreLSAdminGroup'), ('SNA-SDLC-MIB', 'sdlcCoreLSOperGroup'), ('SNA-SDLC-MIB', 'sdlcCoreLSStatsGroup')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): sdlc_core_compliance = sdlcCoreCompliance.setStatus('current') sdlc_primary_compliance = module_compliance((1, 3, 6, 1, 2, 1, 41, 1, 4, 1, 2)).setObjects(('SNA-SDLC-MIB', 'sdlcPrimaryGroup')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): sdlc_primary_compliance = sdlcPrimaryCompliance.setStatus('current') sdlc_primary_multipoint_compliance = module_compliance((1, 3, 6, 1, 2, 1, 41, 1, 4, 1, 3)).setObjects(('SNA-SDLC-MIB', 'sdlcPrimaryMultipointGroup')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): sdlc_primary_multipoint_compliance = sdlcPrimaryMultipointCompliance.setStatus('current') sdlc_core_groups = mib_identifier((1, 3, 6, 1, 2, 1, 41, 1, 4, 2, 1)) sdlc_core_port_admin_group = object_group((1, 3, 6, 1, 2, 1, 41, 1, 4, 2, 1, 1)).setObjects(('SNA-SDLC-MIB', 'sdlcPortAdminName'), ('SNA-SDLC-MIB', 'sdlcPortAdminRole'), ('SNA-SDLC-MIB', 'sdlcPortAdminType'), ('SNA-SDLC-MIB', 'sdlcPortAdminTopology'), ('SNA-SDLC-MIB', 'sdlcPortAdminISTATUS')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): sdlc_core_port_admin_group = sdlcCorePortAdminGroup.setStatus('current') sdlc_core_port_oper_group = object_group((1, 3, 6, 1, 2, 1, 41, 1, 4, 2, 1, 2)).setObjects(('SNA-SDLC-MIB', 'sdlcPortOperName'), ('SNA-SDLC-MIB', 'sdlcPortOperRole'), ('SNA-SDLC-MIB', 'sdlcPortOperType'), ('SNA-SDLC-MIB', 'sdlcPortOperTopology'), ('SNA-SDLC-MIB', 'sdlcPortOperISTATUS'), ('SNA-SDLC-MIB', 'sdlcPortOperACTIVTO'), ('SNA-SDLC-MIB', 'sdlcPortOperLastFailTime'), ('SNA-SDLC-MIB', 'sdlcPortOperLastFailCause')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): sdlc_core_port_oper_group = sdlcCorePortOperGroup.setStatus('current') sdlc_core_port_stats_group = object_group((1, 3, 6, 1, 2, 1, 41, 1, 4, 2, 1, 3)).setObjects(('SNA-SDLC-MIB', 'sdlcPortStatsPhysicalFailures'), ('SNA-SDLC-MIB', 'sdlcPortStatsInvalidAddresses'), ('SNA-SDLC-MIB', 'sdlcPortStatsDwarfFrames')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): sdlc_core_port_stats_group = sdlcCorePortStatsGroup.setStatus('current') sdlc_core_ls_admin_group = object_group((1, 3, 6, 1, 2, 1, 41, 1, 4, 2, 1, 4)).setObjects(('SNA-SDLC-MIB', 'sdlcLSAddress'), ('SNA-SDLC-MIB', 'sdlcLSAdminName'), ('SNA-SDLC-MIB', 'sdlcLSAdminState'), ('SNA-SDLC-MIB', 'sdlcLSAdminISTATUS'), ('SNA-SDLC-MIB', 'sdlcLSAdminMAXDATASend'), ('SNA-SDLC-MIB', 'sdlcLSAdminMAXDATARcv'), ('SNA-SDLC-MIB', 'sdlcLSAdminMAXIN'), ('SNA-SDLC-MIB', 'sdlcLSAdminMAXOUT'), ('SNA-SDLC-MIB', 'sdlcLSAdminMODULO'), ('SNA-SDLC-MIB', 'sdlcLSAdminRETRIESm'), ('SNA-SDLC-MIB', 'sdlcLSAdminRETRIESt'), ('SNA-SDLC-MIB', 'sdlcLSAdminRETRIESn'), ('SNA-SDLC-MIB', 'sdlcLSAdminRNRLIMIT'), ('SNA-SDLC-MIB', 'sdlcLSAdminDATMODE'), ('SNA-SDLC-MIB', 'sdlcLSAdminGPoll'), ('SNA-SDLC-MIB', 'sdlcLSAdminSimRim'), ('SNA-SDLC-MIB', 'sdlcLSAdminRowStatus')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): sdlc_core_ls_admin_group = sdlcCoreLSAdminGroup.setStatus('current') sdlc_core_ls_oper_group = object_group((1, 3, 6, 1, 2, 1, 41, 1, 4, 2, 1, 5)).setObjects(('SNA-SDLC-MIB', 'sdlcLSOperRole'), ('SNA-SDLC-MIB', 'sdlcLSOperState'), ('SNA-SDLC-MIB', 'sdlcLSOperMAXDATASend'), ('SNA-SDLC-MIB', 'sdlcLSOperMAXIN'), ('SNA-SDLC-MIB', 'sdlcLSOperMAXOUT'), ('SNA-SDLC-MIB', 'sdlcLSOperMODULO'), ('SNA-SDLC-MIB', 'sdlcLSOperRETRIESm'), ('SNA-SDLC-MIB', 'sdlcLSOperRETRIESt'), ('SNA-SDLC-MIB', 'sdlcLSOperRETRIESn'), ('SNA-SDLC-MIB', 'sdlcLSOperRNRLIMIT'), ('SNA-SDLC-MIB', 'sdlcLSOperDATMODE'), ('SNA-SDLC-MIB', 'sdlcLSOperLastFailTime'), ('SNA-SDLC-MIB', 'sdlcLSOperLastFailCause'), ('SNA-SDLC-MIB', 'sdlcLSOperLastFailCtrlIn'), ('SNA-SDLC-MIB', 'sdlcLSOperLastFailCtrlOut'), ('SNA-SDLC-MIB', 'sdlcLSOperLastFailFRMRInfo'), ('SNA-SDLC-MIB', 'sdlcLSOperLastFailREPLYTOs'), ('SNA-SDLC-MIB', 'sdlcLSOperEcho'), ('SNA-SDLC-MIB', 'sdlcLSOperGPoll')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): sdlc_core_ls_oper_group = sdlcCoreLSOperGroup.setStatus('current') sdlc_core_ls_stats_group = object_group((1, 3, 6, 1, 2, 1, 41, 1, 4, 2, 1, 6)).setObjects(('SNA-SDLC-MIB', 'sdlcLSStatsBLUsIn'), ('SNA-SDLC-MIB', 'sdlcLSStatsBLUsOut'), ('SNA-SDLC-MIB', 'sdlcLSStatsOctetsIn'), ('SNA-SDLC-MIB', 'sdlcLSStatsOctetsOut'), ('SNA-SDLC-MIB', 'sdlcLSStatsPollsIn'), ('SNA-SDLC-MIB', 'sdlcLSStatsPollsOut'), ('SNA-SDLC-MIB', 'sdlcLSStatsPollRspsIn'), ('SNA-SDLC-MIB', 'sdlcLSStatsPollRspsOut'), ('SNA-SDLC-MIB', 'sdlcLSStatsLocalBusies'), ('SNA-SDLC-MIB', 'sdlcLSStatsRemoteBusies'), ('SNA-SDLC-MIB', 'sdlcLSStatsIFramesIn'), ('SNA-SDLC-MIB', 'sdlcLSStatsIFramesOut'), ('SNA-SDLC-MIB', 'sdlcLSStatsRetransmitsIn'), ('SNA-SDLC-MIB', 'sdlcLSStatsRetransmitsOut'), ('SNA-SDLC-MIB', 'sdlcLSStatsUIFramesIn'), ('SNA-SDLC-MIB', 'sdlcLSStatsUIFramesOut'), ('SNA-SDLC-MIB', 'sdlcLSStatsXIDsIn'), ('SNA-SDLC-MIB', 'sdlcLSStatsXIDsOut'), ('SNA-SDLC-MIB', 'sdlcLSStatsTESTsIn'), ('SNA-SDLC-MIB', 'sdlcLSStatsTESTsOut'), ('SNA-SDLC-MIB', 'sdlcLSStatsREJsIn'), ('SNA-SDLC-MIB', 'sdlcLSStatsREJsOut'), ('SNA-SDLC-MIB', 'sdlcLSStatsFRMRsIn'), ('SNA-SDLC-MIB', 'sdlcLSStatsFRMRsOut'), ('SNA-SDLC-MIB', 'sdlcLSStatsSIMsIn'), ('SNA-SDLC-MIB', 'sdlcLSStatsSIMsOut'), ('SNA-SDLC-MIB', 'sdlcLSStatsRIMsIn'), ('SNA-SDLC-MIB', 'sdlcLSStatsRIMsOut'), ('SNA-SDLC-MIB', 'sdlcLSStatsProtocolErrs'), ('SNA-SDLC-MIB', 'sdlcLSStatsRNRLIMITs'), ('SNA-SDLC-MIB', 'sdlcLSStatsRetriesExps')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): sdlc_core_ls_stats_group = sdlcCoreLSStatsGroup.setStatus('current') sdlc_primary_groups = mib_identifier((1, 3, 6, 1, 2, 1, 41, 1, 4, 2, 2)) sdlc_primary_group = object_group((1, 3, 6, 1, 2, 1, 41, 1, 4, 2, 2, 1)).setObjects(('SNA-SDLC-MIB', 'sdlcPortAdminPAUSE'), ('SNA-SDLC-MIB', 'sdlcPortOperPAUSE'), ('SNA-SDLC-MIB', 'sdlcLSAdminREPLYTO'), ('SNA-SDLC-MIB', 'sdlcLSOperREPLYTO')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): sdlc_primary_group = sdlcPrimaryGroup.setStatus('current') sdlc_primary_multipoint_group = object_group((1, 3, 6, 1, 2, 1, 41, 1, 4, 2, 2, 2)).setObjects(('SNA-SDLC-MIB', 'sdlcPortAdminSERVLIM'), ('SNA-SDLC-MIB', 'sdlcPortAdminSlowPollTimer'), ('SNA-SDLC-MIB', 'sdlcPortOperSlowPollMethod'), ('SNA-SDLC-MIB', 'sdlcPortOperSERVLIM'), ('SNA-SDLC-MIB', 'sdlcPortOperSlowPollTimer')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): sdlc_primary_multipoint_group = sdlcPrimaryMultipointGroup.setStatus('current') mibBuilder.exportSymbols('SNA-SDLC-MIB', sdlcPortStatsRetriesExps=sdlcPortStatsRetriesExps, sdlcLSAdminTable=sdlcLSAdminTable, sdlcLSStatsXIDsOut=sdlcLSStatsXIDsOut, sdlcLSOperLastFailFRMRInfo=sdlcLSOperLastFailFRMRInfo, sdlcPortOperSlowPollMethod=sdlcPortOperSlowPollMethod, sdlcLSOperEcho=sdlcLSOperEcho, sdlcPortStatsRetransmitsIn=sdlcPortStatsRetransmitsIn, sdlcPortOperLastModifyTime=sdlcPortOperLastModifyTime, sdlcLSAdminState=sdlcLSAdminState, sdlcLSOperREPLYTO=sdlcLSOperREPLYTO, sdlcCoreLSAdminGroup=sdlcCoreLSAdminGroup, sdlcLSOperMAXIN=sdlcLSOperMAXIN, sdlcLSStatsRIMsIn=sdlcLSStatsRIMsIn, sdlcPortStatsOctetsIn=sdlcPortStatsOctetsIn, sdlcPortOperTopology=sdlcPortOperTopology, sdlcPortStatsInvalidAddresses=sdlcPortStatsInvalidAddresses, sdlcLSStatsDISCIn=sdlcLSStatsDISCIn, sdlcLSStatsRetransmitsIn=sdlcLSStatsRetransmitsIn, sdlcLSStatsDISCOut=sdlcLSStatsDISCOut, sdlcLSStatusChange=sdlcLSStatusChange, sdlcLSAdminREPLYTO=sdlcLSAdminREPLYTO, sdlcPortStatsRetransmitsOut=sdlcPortStatsRetransmitsOut, sdlcLSAdminRETRIESm=sdlcLSAdminRETRIESm, sdlcLSOperRETRIESt=sdlcLSOperRETRIESt, sdlcLSOperGPoll=sdlcLSOperGPoll, sdlcLSStatsTESTsOut=sdlcLSStatsTESTsOut, sdlcLSStatsFRMRsOut=sdlcLSStatsFRMRsOut, sdlcLSStatsUIFramesIn=sdlcLSStatsUIFramesIn, sdlcLSAdminEntry=sdlcLSAdminEntry, sdlcPortStatsIFramesIn=sdlcPortStatsIFramesIn, sdlcPortAdminType=sdlcPortAdminType, sdlcLSStatsXIDsIn=sdlcLSStatsXIDsIn, sdlcLSStatsPollsOut=sdlcLSStatsPollsOut, sdlcPortAdminACTIVTO=sdlcPortAdminACTIVTO, sdlcLSOperLastModifyTime=sdlcLSOperLastModifyTime, sdlcLSStatsREJsIn=sdlcLSStatsREJsIn, sdlcLSOperState=sdlcLSOperState, sdlcLSStatsOctetsOut=sdlcLSStatsOctetsOut, sdlcLSOperDATMODE=sdlcLSOperDATMODE, sdlcLSStatsRetransmitsOut=sdlcLSStatsRetransmitsOut, sdlcPrimaryMultipointGroup=sdlcPrimaryMultipointGroup, sdlcLSAddress=sdlcLSAddress, sdlcPrimaryCompliance=sdlcPrimaryCompliance, sdlcPortStatsEntry=sdlcPortStatsEntry, sdlcLSOperMAXDATASend=sdlcLSOperMAXDATASend, sdlcCoreLSStatsGroup=sdlcCoreLSStatsGroup, sdlcPortOperACTIVTO=sdlcPortOperACTIVTO, sdlcLSOperMODULO=sdlcLSOperMODULO, sdlcLSStatsUAIn=sdlcLSStatsUAIn, sdlcPortAdminSlowPollTimer=sdlcPortAdminSlowPollTimer, sdlcPrimaryMultipointCompliance=sdlcPrimaryMultipointCompliance, sdlcConformance=sdlcConformance, sdlcLSOperXmitRcvCap=sdlcLSOperXmitRcvCap, sdlcCoreGroups=sdlcCoreGroups, sdlcLSStatsUIFramesOut=sdlcLSStatsUIFramesOut, sdlcPortOperLastFailCause=sdlcPortOperLastFailCause, sdlcLSStatsOctetsIn=sdlcLSStatsOctetsIn, sdlcLSOperLastFailCtrlIn=sdlcLSOperLastFailCtrlIn, sdlcLSStatsBLUsOut=sdlcLSStatsBLUsOut, sdlcPortOperTable=sdlcPortOperTable, sdlcLSOperSimRim=sdlcLSOperSimRim, sdlcLSStatsEntry=sdlcLSStatsEntry, sdlcPortAdminSERVLIM=sdlcPortAdminSERVLIM, sdlcLSStatsRNRLIMITs=sdlcLSStatsRNRLIMITs, sdlcLSStatsTESTsIn=sdlcLSStatsTESTsIn, sdlcGroups=sdlcGroups, sdlcPortOperRole=sdlcPortOperRole, sdlcLSStatsTable=sdlcLSStatsTable, sdlcLSStatsFRMRsIn=sdlcLSStatsFRMRsIn, sdlcCoreLSOperGroup=sdlcCoreLSOperGroup, sdlcPortStatsPollsOut=sdlcPortStatsPollsOut, sdlcLSOperRole=sdlcLSOperRole, sdlcLSStatsRIMsOut=sdlcLSStatsRIMsOut, sdlcPortOperLastFailTime=sdlcPortOperLastFailTime, sdlcLSOperLastFailTime=sdlcLSOperLastFailTime, sdlcPortStatsProtocolErrs=sdlcPortStatsProtocolErrs, sdlcLSAdminMAXDATASend=sdlcLSAdminMAXDATASend, sdlcLSStatsProtocolErrs=sdlcLSStatsProtocolErrs, sdlcTraps=sdlcTraps, sdlcLSOperEntry=sdlcLSOperEntry, sdlcLSOperRETRIESm=sdlcLSOperRETRIESm, sdlcPrimaryGroups=sdlcPrimaryGroups, sdlcLSAdminISTATUS=sdlcLSAdminISTATUS, sdlcLSAdminSimRim=sdlcLSAdminSimRim, sdlcLSStatsSNRMIn=sdlcLSStatsSNRMIn, sdlcPortAdminTable=sdlcPortAdminTable, snaDLC=snaDLC, sdlcPortStatsPhysicalFailures=sdlcPortStatsPhysicalFailures, sdlcLSOperTable=sdlcLSOperTable, sdlcPortGroup=sdlcPortGroup, sdlcPortOperSlowPollTimer=sdlcPortOperSlowPollTimer, sdlcLSStatsPollsIn=sdlcLSStatsPollsIn, sdlcPortStatsLocalBusies=sdlcPortStatsLocalBusies, sdlcPortStatsRemoteBusies=sdlcPortStatsRemoteBusies, sdlcPortAdminName=sdlcPortAdminName, sdlcPortAdminTopology=sdlcPortAdminTopology, sdlcLSStatsIFramesOut=sdlcLSStatsIFramesOut, sdlcLSStatsUAOut=sdlcLSStatsUAOut, sdlcLSStatsRetriesExps=sdlcLSStatsRetriesExps, sdlcPortOperType=sdlcPortOperType, sdlcLSStatsREJsOut=sdlcLSStatsREJsOut, sdlcPortAdminEntry=sdlcPortAdminEntry, sdlcPortStatsOctetsOut=sdlcPortStatsOctetsOut, sdlcPortAdminRole=sdlcPortAdminRole, sdlcCoreCompliance=sdlcCoreCompliance, sdlcPortAdminISTATUS=sdlcPortAdminISTATUS, sdlcPrimaryGroup=sdlcPrimaryGroup, sdlcPortOperEntry=sdlcPortOperEntry, sdlcLSStatsRemoteBusies=sdlcLSStatsRemoteBusies, sdlcLSAdminMODULO=sdlcLSAdminMODULO, sdlcCorePortOperGroup=sdlcCorePortOperGroup, sdlcLSStatsDMIn=sdlcLSStatsDMIn, sdlcLSAdminXmitRcvCap=sdlcLSAdminXmitRcvCap, sdlcLSAdminRETRIESn=sdlcLSAdminRETRIESn, sdlcLSAdminRNRLIMIT=sdlcLSAdminRNRLIMIT, sdlcLSStatsDMOut=sdlcLSStatsDMOut, PYSNMP_MODULE_ID=snaDLC, sdlcLSAdminName=sdlcLSAdminName, sdlcCompliances=sdlcCompliances, sdlcLSOperLastFailCtrlOut=sdlcLSOperLastFailCtrlOut, sdlcLSStatsSIMsIn=sdlcLSStatsSIMsIn, sdlcPortOperISTATUS=sdlcPortOperISTATUS, sdlcLSAdminRETRIESt=sdlcLSAdminRETRIESt, sdlcLSAdminMAXOUT=sdlcLSAdminMAXOUT, sdlcLSOperName=sdlcLSOperName, sdlcLSOperMAXOUT=sdlcLSOperMAXOUT, sdlcLSStatsLocalBusies=sdlcLSStatsLocalBusies, sdlcLSAdminDATMODE=sdlcLSAdminDATMODE, sdlcLSAdminMAXIN=sdlcLSAdminMAXIN, sdlcPortOperName=sdlcPortOperName, sdlcLSGroup=sdlcLSGroup, sdlcLSAdminGPoll=sdlcLSAdminGPoll, sdlcPortStatsPollRspsOut=sdlcPortStatsPollRspsOut, sdlcLSStatsPollRspsIn=sdlcLSStatsPollRspsIn, sdlcLSAdminMAXDATARcv=sdlcLSAdminMAXDATARcv, sdlcPortStatsTable=sdlcPortStatsTable, sdlcLSOperLastFailCause=sdlcLSOperLastFailCause, sdlcPortStatsActivityTOs=sdlcPortStatsActivityTOs, sdlcLSOperRETRIESn=sdlcLSOperRETRIESn, sdlcPortAdminPAUSE=sdlcPortAdminPAUSE, sdlcLSAdminRowStatus=sdlcLSAdminRowStatus, sdlcPortOperPAUSE=sdlcPortOperPAUSE, sdlcPortStatsPollRspsIn=sdlcPortStatsPollRspsIn, sdlcLSStatsBLUsIn=sdlcLSStatsBLUsIn, sdlcPortOperSERVLIM=sdlcPortOperSERVLIM, sdlcLSStatsIFramesIn=sdlcLSStatsIFramesIn, sdlcPortStatsIFramesOut=sdlcPortStatsIFramesOut, sdlcCorePortAdminGroup=sdlcCorePortAdminGroup, sdlcLSOperRNRLIMIT=sdlcLSOperRNRLIMIT, sdlcLSStatsSNRMOut=sdlcLSStatsSNRMOut, sdlc=sdlc, sdlcPortStatsPollsIn=sdlcPortStatsPollsIn, sdlcPortStatusChange=sdlcPortStatusChange, sdlcPortStatsDwarfFrames=sdlcPortStatsDwarfFrames, sdlcLSStatsActivityTOs=sdlcLSStatsActivityTOs, sdlcLSOperLastFailREPLYTOs=sdlcLSOperLastFailREPLYTOs, sdlcCorePortStatsGroup=sdlcCorePortStatsGroup, sdlcLSStatsPollRspsOut=sdlcLSStatsPollRspsOut, sdlcLSStatsSIMsOut=sdlcLSStatsSIMsOut, sdlcPortStatsRNRLIMITs=sdlcPortStatsRNRLIMITs)
""" ## Questions: MEDIUM ### 1845. [Seat Reservation Manager](https://leetcode.com/problems/seat-reservation-manager/) Design a system that manages the reservation state of n seats that are numbered from 1 to n. Implement the SeatManager class: SeatManager(int n) Initializes a SeatManager object that will manage n seats numbered from 1 to n. All seats are initially available. int reserve() Fetches the smallest-numbered unreserved seat, reserves it, and returns its number. void unreserve(int seatNumber) Unreserves the seat with the given seatNumber. Example 1: Input ["SeatManager", "reserve", "reserve", "unreserve", "reserve", "reserve", "reserve", "reserve", "unreserve"] [[5], [], [], [2], [], [], [], [], [5]] Output [null, 1, 2, null, 2, 3, 4, 5, null] Explanation SeatManager seatManager = new SeatManager(5); // Initializes a SeatManager with 5 seats. seatManager.reserve(); // All seats are available, so return the lowest numbered seat, which is 1. seatManager.reserve(); // The available seats are [2,3,4,5], so return the lowest of them, which is 2. seatManager.unreserve(2); // Unreserve seat 2, so now the available seats are [2,3,4,5]. seatManager.reserve(); // The available seats are [2,3,4,5], so return the lowest of them, which is 2. seatManager.reserve(); // The available seats are [3,4,5], so return the lowest of them, which is 3. seatManager.reserve(); // The available seats are [4,5], so return the lowest of them, which is 4. seatManager.reserve(); // The only available seat is seat 5, so return 5. seatManager.unreserve(5); // Unreserve seat 5, so now the available seats are [5]. Constraints: 1 <= n <= 105 1 <= seatNumber <= n For each call to reserve, it is guaranteed that there will be at least one unreserved seat. For each call to unreserve, it is guaranteed that seatNumber will be reserved. At most 105 calls in total will be made to reserve and unreserve. """ # Solutions class SeatManager: def __init__(self, n: int): self.n = n self.top = 0 self.unreserved_seats = [] def reserve(self) -> int: if self.top > self.n: return -1 if self.unreserved_seats: self.unreserved_seats.sort(reverse=True) return self.unreserved_seats.pop() self.top += 1 return self.top def unreserve(self, seatNumber: int) -> None: self.unreserved_seats.append(seatNumber) # Your SeatManager object will be instantiated and called as such: # obj = SeatManager(n) # param_1 = obj.reserve() # obj.unreserve(seatNumber) # Runtime : 544 ms, faster than 90.92% of Python3 online submissions # Memory Usage : 40.7 MB, less than 93.45% of Python3 online submissions
""" ## Questions: MEDIUM ### 1845. [Seat Reservation Manager](https://leetcode.com/problems/seat-reservation-manager/) Design a system that manages the reservation state of n seats that are numbered from 1 to n. Implement the SeatManager class: SeatManager(int n) Initializes a SeatManager object that will manage n seats numbered from 1 to n. All seats are initially available. int reserve() Fetches the smallest-numbered unreserved seat, reserves it, and returns its number. void unreserve(int seatNumber) Unreserves the seat with the given seatNumber. Example 1: Input ["SeatManager", "reserve", "reserve", "unreserve", "reserve", "reserve", "reserve", "reserve", "unreserve"] [[5], [], [], [2], [], [], [], [], [5]] Output [null, 1, 2, null, 2, 3, 4, 5, null] Explanation SeatManager seatManager = new SeatManager(5); // Initializes a SeatManager with 5 seats. seatManager.reserve(); // All seats are available, so return the lowest numbered seat, which is 1. seatManager.reserve(); // The available seats are [2,3,4,5], so return the lowest of them, which is 2. seatManager.unreserve(2); // Unreserve seat 2, so now the available seats are [2,3,4,5]. seatManager.reserve(); // The available seats are [2,3,4,5], so return the lowest of them, which is 2. seatManager.reserve(); // The available seats are [3,4,5], so return the lowest of them, which is 3. seatManager.reserve(); // The available seats are [4,5], so return the lowest of them, which is 4. seatManager.reserve(); // The only available seat is seat 5, so return 5. seatManager.unreserve(5); // Unreserve seat 5, so now the available seats are [5]. Constraints: 1 <= n <= 105 1 <= seatNumber <= n For each call to reserve, it is guaranteed that there will be at least one unreserved seat. For each call to unreserve, it is guaranteed that seatNumber will be reserved. At most 105 calls in total will be made to reserve and unreserve. """ class Seatmanager: def __init__(self, n: int): self.n = n self.top = 0 self.unreserved_seats = [] def reserve(self) -> int: if self.top > self.n: return -1 if self.unreserved_seats: self.unreserved_seats.sort(reverse=True) return self.unreserved_seats.pop() self.top += 1 return self.top def unreserve(self, seatNumber: int) -> None: self.unreserved_seats.append(seatNumber)
class MyWorkflow(object): def __init__(self): pass def step3(self, session_time = None): print("Step3 of session {0}".format(session_time))
class Myworkflow(object): def __init__(self): pass def step3(self, session_time=None): print('Step3 of session {0}'.format(session_time))
#Criando o teste de convergencia 2 (Criterio de Sessenfeld): def convergencia_2(matriz, num): print('\n\nCriterio de Sessenfeld:') beta = list() for i in range(0, num): beta.append(1) for l in range(0, num): soma = 0; for c in range(0, dimensao): if c != l: soma = soma + (math.fabs(matriz[l][c]) * beta[c]) beta[l] = (soma / math.fabs(matriz[l][l])) print(f'\nBeta = {beta}') print(f'O maior valor em Beta eh: {max(beta)}') return(max(beta))
def convergencia_2(matriz, num): print('\n\nCriterio de Sessenfeld:') beta = list() for i in range(0, num): beta.append(1) for l in range(0, num): soma = 0 for c in range(0, dimensao): if c != l: soma = soma + math.fabs(matriz[l][c]) * beta[c] beta[l] = soma / math.fabs(matriz[l][l]) print(f'\nBeta = {beta}') print(f'O maior valor em Beta eh: {max(beta)}') return max(beta)
def flatten(myList): newList = [] for item in myList: if type(item) == list: newList.extend(flatten(item)) else: newList.append(item) return newList def main(): myList1 = [1,2,3,[1,2],5,[3,4,5,6,7]] print(flatten(myList1)) myList2 = [1,[2,[3,[4,[5,[6,[7,[8,[9]]]]]]]]] print(flatten(myList2)) if __name__ == '__main__': main()
def flatten(myList): new_list = [] for item in myList: if type(item) == list: newList.extend(flatten(item)) else: newList.append(item) return newList def main(): my_list1 = [1, 2, 3, [1, 2], 5, [3, 4, 5, 6, 7]] print(flatten(myList1)) my_list2 = [1, [2, [3, [4, [5, [6, [7, [8, [9]]]]]]]]] print(flatten(myList2)) if __name__ == '__main__': main()
# # This file is part of the profilerTools suite (see # https://github.com/mssm-labmmol/profiler). # # Copyright (c) 2020 mssm-labmmol # # Permission is hereby granted, free of charge, to any person obtaining a copy # of this software and associated documentation files (the "Software"), to deal # in the Software without restriction, including without limitation the rights # to use, copy, modify, merge, publish, distribute, sublicense, and/or sell # copies of the Software, and to permit persons to whom the Software is # furnished to do so, subject to the following conditions: # # The above copyright notice and this permission notice shall be included in all # copies or substantial portions of the Software. # # THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR # IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, # FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE # AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER # LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, # OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE # SOFTWARE. class cmdlineOpts(object): nProcs = 1 # Number of processors. trajFiles = [] # Trajectory (or single-configuration) files. stpFiles = [] # Special topology files. weiFiles = [] # Weight files. refFiles = [] # Reference-data files. inputFile = "" # Input parameters. outPrefix = "profopt" # Prefix for output files. dihspecFiles = None debugEmm = False class optOpts(object): nTors = 1 # Controls optimization of dihedrals ; >0 is the number # of torsional types. bOptPhase = False # Controls optimization of phases when dihType # == 'standard' optTors = [1, 2, 3, 4, 5, 6] # List of terms to be optimized LJMask = [] # Mask of LJ terms to be optimized. kMask = [] # Mask of force constants to be optimized. phiMask = [] # Mask of phases to be optimized. dihType = 'standard' # Dihedral type ('standard' or 'ryckaert') isFourier = False # Flag to indicate optimization of Fourier (this sets phis and k's appropriately) wTemp = 0.0 # Temperature for Boltzmann weight calculation. 0 = infinity. nLJ = 1 # Controls optimization of Lennard-Jones parameters; >0 # is the number of LJ types. nSystems = 1 # Number of systems. weiData = [] # Weight data. refData = [] # Reference data. stpData = [] # Stp data. emmData = None indexList = [] # class randOpts(object): seed = -1 # Seed jumpahead_n = 0 # Global jumpahead value. jumpahead_skip = 317 # Global jumpahead skip. torsDist = 2 # Distribution for randomization of dihedral force constants. torsMin = 0 # Minimum value for dihedral force constants. torsMax = 15 # Maximum value for dihedral force constants. torsMean = 5.0 # Mean of distribution of dihedral force constant. torsStddev = 15.0 # Standard deviation of distribution of # dihedral force constant. torsPinv = 50 # Probability of sign inversion of dihedral force constant. cs6Dist = 2 # Distribution for randomization of CS6. cs6Min = 0 # Minimimum value for CS6. cs6Max = 1.0 # Maximimum value for CS6. cs6Mean = 5.0 # Mean of distribution of CS6. cs6Stddev = 15.0 # Standard deviation of distribution of CS6. cs12Dist = 2 # Distribution for randomization of CS12. cs12Min = 0 # Minimum value for CS12. cs12Max = 1.0 # Maximum value for CS12. cs12Mean = 5.0 # Mean of distribution of CS12. cs12Stddev = 15.0 # Standard deviation of distribution of CS12. mslots = True # Control of individual type. mslots_phi = 0.00 # Base phi value when mslots is used. class vbgaOpts(object): strategy = None # Method popSize = -1 # Population size. nGens = 50 # Number of generations. class llsOpts(object): max_cycles = 100 # Maximum number of self-consistent cycles. max_dpar = 1.0e-03 # Tolerance on relative change of parameter # values. reg_switch = 0 # Controls the use of regularization: 0, don't use # regularization; 1, use of regularization. reg_center = None # Reference parameter values for # regularization. `None` means no # regularization. Otherwise it is a `np.ndarray` # of shape (N,), where N is the number of # optimized parameters. lamb = None # Lambda in regularization. class writetrajOpts(object): nste = 5 # Freq to write profiles. nstp = 5 # Freq to write parameters. class minimOpts(object): minimType = 1 # Minimization algorithm dx0 = 0.01 # DX0 value. dxm = 0.10 # Max DX. maxSteps = 100 # Maximum number of iterations. dele = 1.0e-09 # Energy threshold for convergence. class lastMinimOpts(object): minimType = 1 # Minimization algorithm dx0 = 0.01 # DX0 value. dxm = 0.10 # Max DX. maxSteps = 5000 # Maximum number of iterations. dele = 1.0e-06 # Energy threshold for convergence. class dihrestrOpts(object): origin = 1 # Origin of reference dihedral-angle values: # 1: Systematic # 2: From values in trajectory # 3: From values specified in external files ntypes = 0 # Number of dihedral-restraint types. start = [] # Starting angles. step = [] # Step angles. last = [] # Last angles. nPoints = [] # How many points in each grid. #width = 0 # Width of the flat part of the potential. k = [] # Force constants class geomcheckOpts(object): lvlBond = 1 # Check bonds level. tolBond = 0.1 # Bond tolerance. lvlAng = 1 # Check angles level. tolAng = 0.5 # Angle tolerance. lvlRestr = 2 # Check restraints level. tolRestr = 0.1 # Restraints tolerance. lvlImpr = 1 # Check improper level. tolImpr = 0.2 # Improper tolerance.
class Cmdlineopts(object): n_procs = 1 traj_files = [] stp_files = [] wei_files = [] ref_files = [] input_file = '' out_prefix = 'profopt' dihspec_files = None debug_emm = False class Optopts(object): n_tors = 1 b_opt_phase = False opt_tors = [1, 2, 3, 4, 5, 6] lj_mask = [] k_mask = [] phi_mask = [] dih_type = 'standard' is_fourier = False w_temp = 0.0 n_lj = 1 n_systems = 1 wei_data = [] ref_data = [] stp_data = [] emm_data = None index_list = [] class Randopts(object): seed = -1 jumpahead_n = 0 jumpahead_skip = 317 tors_dist = 2 tors_min = 0 tors_max = 15 tors_mean = 5.0 tors_stddev = 15.0 tors_pinv = 50 cs6_dist = 2 cs6_min = 0 cs6_max = 1.0 cs6_mean = 5.0 cs6_stddev = 15.0 cs12_dist = 2 cs12_min = 0 cs12_max = 1.0 cs12_mean = 5.0 cs12_stddev = 15.0 mslots = True mslots_phi = 0.0 class Vbgaopts(object): strategy = None pop_size = -1 n_gens = 50 class Llsopts(object): max_cycles = 100 max_dpar = 0.001 reg_switch = 0 reg_center = None lamb = None class Writetrajopts(object): nste = 5 nstp = 5 class Minimopts(object): minim_type = 1 dx0 = 0.01 dxm = 0.1 max_steps = 100 dele = 1e-09 class Lastminimopts(object): minim_type = 1 dx0 = 0.01 dxm = 0.1 max_steps = 5000 dele = 1e-06 class Dihrestropts(object): origin = 1 ntypes = 0 start = [] step = [] last = [] n_points = [] k = [] class Geomcheckopts(object): lvl_bond = 1 tol_bond = 0.1 lvl_ang = 1 tol_ang = 0.5 lvl_restr = 2 tol_restr = 0.1 lvl_impr = 1 tol_impr = 0.2
class Solution: def diagonalSum(self, mat: List[List[int]]) -> int: x=[] for i,j in enumerate(mat): x.append(j[i]) x.append(j[len(mat)-(i+1)]) if len(mat)%2==0: return sum(x) else: y=mat[len(mat)//2] z=y[len(mat)//2] return sum(x)-z
class Solution: def diagonal_sum(self, mat: List[List[int]]) -> int: x = [] for (i, j) in enumerate(mat): x.append(j[i]) x.append(j[len(mat) - (i + 1)]) if len(mat) % 2 == 0: return sum(x) else: y = mat[len(mat) // 2] z = y[len(mat) // 2] return sum(x) - z
# The MIT License (MIT) # # Copyright (c) 2018 Niklas Rosenstein # # Permission is hereby granted, free of charge, to any person obtaining a copy # of this software and associated documentation files (the "Software"), to deal # in the Software without restriction, including without limitation the rights # to use, copy, modify, merge, publish, distribute, sublicense, and/or sell # copies of the Software, and to permit persons to whom the Software is # furnished to do so, subject to the following conditions: # # The above copyright notice and this permission notice shall be included in all # copies or substantial portions of the Software. # # THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR # IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, # FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE # AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER # LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, # OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE # SOFTWARE. class OrderedDict(object): """ This class implements a dictionary that can treat non-hashable datatypes as keys. It is implemented as a list of key/value pairs, thus it is very slow compared to a traditional hash-based dictionary. Access times are: ==== ======= ===== Best Average Worst ==== ======= ===== O(1) O(n) O(n) ==== ======= ===== """ def __init__(self, iterable=None): super(OrderedDict, self).__init__() if isinstance(iterable, OrderedDict): self.__items = iterable.__items[:] elif iterable is not None: iterable = dict(iterable) self.__items = iterable.items() else: self.__items = [] __hash__ = None def __contains__(self, key): for item in self.__items: if item[0] == key: return True return False def __eq__(self, other): if other is self: return True return other == self.asdict() def __ne__(self, other): return not self == other def __len__(self): return len(self.__items) def __str__(self): items = ('{0!r}: {1!r}'.format(k, v) for k, v in self.__items) return '{' + ', '.join(items) + '}' __repr__ = __str__ def __iter__(self): for item in self.__items: yield item[0] def __getitem__(self, key): for item in self.__items: if item[0] == key: return item[1] raise KeyError(key) def __setitem__(self, key, value): for item in self.__items: if item[0] == key: item[1] = value return self.__items.append([key, value]) def __delitem__(self, key): for index, item in enumerate(self.__items): if item[0] == key: break else: raise KeyError(key) del self.__items[index] def iterkeys(self): for item in self.__items: yield item[0] def itervalues(self): for item in self.__items: yield item[1] def iteritems(self): for item in self.__items: yield (item[0], item[1]) def keys(self): return list(self.iterkeys()) def values(self): return list(self.itervalues()) def items(self): return list(self.iteritems()) def get(self, key, default=None): try: return self[key] except KeyError: return default def pop(self, key, default=NotImplementedError): for item in self.__items: if item[0] == key: break else: if default is NotImplementedError: raise KeyError(key) return default return key[1] def popitem(self, last=True): if last: return tuple(self.__items.pop()) else: return tuple(self.__items.pop(0)) def setdefault(self, key, value=None): for item in self.__items: if item[0] == key: return item[1] self.__items.append([key, value]) return value def update(self, __data__=None, **kwargs): if __data__ is not None: data = dict(data) for key, value in data.iteritems(): self[key] = value for key, value in kwargs.iteritems(): self[key] = value def clear(self): self.__items[:] = [] def copy(self): return OrderedDict(self) has_key = __contains__ def update(self, mapping): for key, value in mapping.iteritems(): self[key] = value def sort(self, cmp=None, key=None, reverse=False): if key is None: key = lambda x: x[0] self.__items.sort(key=key)
class Ordereddict(object): """ This class implements a dictionary that can treat non-hashable datatypes as keys. It is implemented as a list of key/value pairs, thus it is very slow compared to a traditional hash-based dictionary. Access times are: ==== ======= ===== Best Average Worst ==== ======= ===== O(1) O(n) O(n) ==== ======= ===== """ def __init__(self, iterable=None): super(OrderedDict, self).__init__() if isinstance(iterable, OrderedDict): self.__items = iterable.__items[:] elif iterable is not None: iterable = dict(iterable) self.__items = iterable.items() else: self.__items = [] __hash__ = None def __contains__(self, key): for item in self.__items: if item[0] == key: return True return False def __eq__(self, other): if other is self: return True return other == self.asdict() def __ne__(self, other): return not self == other def __len__(self): return len(self.__items) def __str__(self): items = ('{0!r}: {1!r}'.format(k, v) for (k, v) in self.__items) return '{' + ', '.join(items) + '}' __repr__ = __str__ def __iter__(self): for item in self.__items: yield item[0] def __getitem__(self, key): for item in self.__items: if item[0] == key: return item[1] raise key_error(key) def __setitem__(self, key, value): for item in self.__items: if item[0] == key: item[1] = value return self.__items.append([key, value]) def __delitem__(self, key): for (index, item) in enumerate(self.__items): if item[0] == key: break else: raise key_error(key) del self.__items[index] def iterkeys(self): for item in self.__items: yield item[0] def itervalues(self): for item in self.__items: yield item[1] def iteritems(self): for item in self.__items: yield (item[0], item[1]) def keys(self): return list(self.iterkeys()) def values(self): return list(self.itervalues()) def items(self): return list(self.iteritems()) def get(self, key, default=None): try: return self[key] except KeyError: return default def pop(self, key, default=NotImplementedError): for item in self.__items: if item[0] == key: break else: if default is NotImplementedError: raise key_error(key) return default return key[1] def popitem(self, last=True): if last: return tuple(self.__items.pop()) else: return tuple(self.__items.pop(0)) def setdefault(self, key, value=None): for item in self.__items: if item[0] == key: return item[1] self.__items.append([key, value]) return value def update(self, __data__=None, **kwargs): if __data__ is not None: data = dict(data) for (key, value) in data.iteritems(): self[key] = value for (key, value) in kwargs.iteritems(): self[key] = value def clear(self): self.__items[:] = [] def copy(self): return ordered_dict(self) has_key = __contains__ def update(self, mapping): for (key, value) in mapping.iteritems(): self[key] = value def sort(self, cmp=None, key=None, reverse=False): if key is None: key = lambda x: x[0] self.__items.sort(key=key)
class Node: def __init__(self, data) -> None: self.data = data self.right = self.down = None class LinkedList: def __init__(self) -> None: self.head = self.rear = None def insert(self, item, location): temp = Node(item) if self.rear == None: self.head = self.rear = temp return if 'right' in location.lower(): self.rear.right = temp self.rear = temp return if 'down' in location.lower(): temp.down = self.rear.down self.rear.down = temp return def sortedMerge(a, b): result = None if a == None: return b if b == None: return a if a.data <= b.data: result = a result.down = sortedMerge(a.down, b) else: result = b result.down = sortedMerge(a, b.down) result.right = None return result def flatter(node): if node == None or node.right == None: return node return sortedMerge(node, flatter(node.right)) def display(Node): temp = Node.head while temp: print(temp.data, end=' ==> ') temp_down = temp.down while temp_down: print(temp_down.data, end=' ---> ') temp_down = temp_down.down temp = temp.right linked_list = LinkedList() linked_list.insert(5, 'right') linked_list.insert(30, 'down') linked_list.insert(8, 'down') linked_list.insert(7, 'down') linked_list.insert(10, 'right') linked_list.insert(20, 'down') linked_list.insert(19, 'right') linked_list.insert(50, 'down') linked_list.insert(22, 'down') linked_list.insert(28, 'right') linked_list.insert(45, 'down') linked_list.insert(40, 'down') linked_list.insert(35, 'down') display(linked_list) print() flatter(linked_list.head) display(linked_list) print()
class Node: def __init__(self, data) -> None: self.data = data self.right = self.down = None class Linkedlist: def __init__(self) -> None: self.head = self.rear = None def insert(self, item, location): temp = node(item) if self.rear == None: self.head = self.rear = temp return if 'right' in location.lower(): self.rear.right = temp self.rear = temp return if 'down' in location.lower(): temp.down = self.rear.down self.rear.down = temp return def sorted_merge(a, b): result = None if a == None: return b if b == None: return a if a.data <= b.data: result = a result.down = sorted_merge(a.down, b) else: result = b result.down = sorted_merge(a, b.down) result.right = None return result def flatter(node): if node == None or node.right == None: return node return sorted_merge(node, flatter(node.right)) def display(Node): temp = Node.head while temp: print(temp.data, end=' ==> ') temp_down = temp.down while temp_down: print(temp_down.data, end=' ---> ') temp_down = temp_down.down temp = temp.right linked_list = linked_list() linked_list.insert(5, 'right') linked_list.insert(30, 'down') linked_list.insert(8, 'down') linked_list.insert(7, 'down') linked_list.insert(10, 'right') linked_list.insert(20, 'down') linked_list.insert(19, 'right') linked_list.insert(50, 'down') linked_list.insert(22, 'down') linked_list.insert(28, 'right') linked_list.insert(45, 'down') linked_list.insert(40, 'down') linked_list.insert(35, 'down') display(linked_list) print() flatter(linked_list.head) display(linked_list) print()
#continue dan break bisa digunakan di For-Loop dan While-Loop #Belajar Continue --> Men-skip proses looping sehingga melanjutkan looping selanjutnya #definisi menurut aris --> digunakan utk menolak data range for i in range(1,10): if (i) % 2 == 1: #artinya ganjil continue #statment TRUE di atas akan dipentalkan dan tidak melanjutkan eksekusi print(i) #dan jika false, maka akan melewati continue dan singgah disini #MAKA HASILNYA AKAN BIL. GENAP for io in range(1,10): if (io) % 2 == 0: #artinya genap continue #statment TRUE di atas akan dipentalkan dan tidak melanjutkan eksekusi print(io) #dan jika false, maka akan melewati continue dan singgah disini #MAKA HASILNYA AKAN BIL. GANJIL print("====BREAK====") #Belajar Break --> menstop looping nya sehingga tidak dilanjutkan lagi for io in range(1, 100): #meski sampe 1000 jika sudah sampe batas break maka akan di stop if io % 45 == 0: break print(io) #Penerapan pada while loop while True: data = input("Masukkan pengulangan :") if data == "x" : #data akan looping terus hingga data yg diinput bernilai x break #while loop menjadi lebih simple, tidak perlu menambah variabel di awal, cuma bikin Statement True setelah "while" print(data)
for i in range(1, 10): if i % 2 == 1: continue print(i) for io in range(1, 10): if io % 2 == 0: continue print(io) print('====BREAK====') for io in range(1, 100): if io % 45 == 0: break print(io) while True: data = input('Masukkan pengulangan :') if data == 'x': break print(data)
# define a function that finds the truth by shifting the letter by the specified amount def lassoLetter( letter, shiftAmount ): # invoke the ord function to translate the letter to its ASCII code # and save it to the variable called letterCode letterCode = ord(letter.lower()) # the ASCII number representation of lowercase a aAscii = ord('a') # the number of letters in the alphabet alphabetSize = 26 # the formula to calculate the ASCII number for the decoded letter # taking into account looping around the alphabet trueLetterCode = aAscii + (((letterCode - aAscii) + shiftAmount) % alphabetSize) # converting the ASCII number to the character/letter decodedLetter = chr(trueLetterCode) # sending the decoded letter back return decodedLetter # define a function that finds the truth by shifting the letters in an entire word by # the specified amount to discover the new word def lassoWord( word, shiftAmount ): # this variable will be updated each time another letter is decoded decodedWord = "" # this for loop iterates through each letter in the word parameter for letter in word: # the lassoLetter() function is invoked with each letter and the shit amount # the result (decoded letter) is stored in a variable called decodedLetter decodedLetter = lassoLetter(letter, shiftAmount) # the decodedLetter is added to the end of the decodedWord decodedWord = decodedWord + decodedLetter # The decodedWord is sent back to the line of code that invoked this function return decodedWord print( "Shifting WHY by 13 gives: \n" + lassoWord( "WHY", 13 ) ) print( "Shifting oskza by 13 gives: \n" + lassoWord( "oskza", -18 ) ) print( "Shifting ohupo by 13 gives: \n" + lassoWord( "ohupo", -1 ) ) print( "Shifting ED by 13 gives: \n" + lassoWord( "ED", 25 ) )
def lasso_letter(letter, shiftAmount): letter_code = ord(letter.lower()) a_ascii = ord('a') alphabet_size = 26 true_letter_code = aAscii + (letterCode - aAscii + shiftAmount) % alphabetSize decoded_letter = chr(trueLetterCode) return decodedLetter def lasso_word(word, shiftAmount): decoded_word = '' for letter in word: decoded_letter = lasso_letter(letter, shiftAmount) decoded_word = decodedWord + decodedLetter return decodedWord print('Shifting WHY by 13 gives: \n' + lasso_word('WHY', 13)) print('Shifting oskza by 13 gives: \n' + lasso_word('oskza', -18)) print('Shifting ohupo by 13 gives: \n' + lasso_word('ohupo', -1)) print('Shifting ED by 13 gives: \n' + lasso_word('ED', 25))
t=int(input()) if t>=1: print("bigger than 1") else: print("smaller than 1")
t = int(input()) if t >= 1: print('bigger than 1') else: print('smaller than 1')
# Copyright 2015 Jason T Clark # # 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. ## Lambda ## They are a shorthand to create anonymous functions; ## the expression lambda arguments: expression yields a function object. ## The unnamed object behaves like a function object. ## SEND + MORE == MONEY ## Normal Function (Statement) def pre_compile(S,E,N,D,M,O,R,Y): return (D+10*N+100*E+1000*S)+(E+10*R+100*O+1000*M) \ ==(Y+10*E+100*N+1000*O+10000*M) ## Eval does take a statement, it takes an expression. ## In comes Lambda --> (Greek) Branch of Mathematics defining Function lambda S,E,N,D,M,O,R,Y:(D+10*N+100*E+1000*S)+(E+10*R+100*O+1000*M) \ ==(Y+10*E+100*N+1000*O+10000*M)
def pre_compile(S, E, N, D, M, O, R, Y): return D + 10 * N + 100 * E + 1000 * S + (E + 10 * R + 100 * O + 1000 * M) == Y + 10 * E + 100 * N + 1000 * O + 10000 * M lambda S, E, N, D, M, O, R, Y: D + 10 * N + 100 * E + 1000 * S + (E + 10 * R + 100 * O + 1000 * M) == Y + 10 * E + 100 * N + 1000 * O + 10000 * M
for i in range(1,101): if(i%3==0 and i%5==0): print("FizzBuzz") if(i%3==0): print("Fizz") if(i%5==0): print("Buzz") else: print(i)
for i in range(1, 101): if i % 3 == 0 and i % 5 == 0: print('FizzBuzz') if i % 3 == 0: print('Fizz') if i % 5 == 0: print('Buzz') else: print(i)
if __name__ == '__main__': x = int(input()) y = int(input()) z = int(input()) n = int(input()) l = [] for i in range(x+1): for j in range(y+1): for k in range(z+1): elem = [] elem.append(i) elem.append(j) elem.append(k) if sum(elem) != n: l.append(elem) print(l)
if __name__ == '__main__': x = int(input()) y = int(input()) z = int(input()) n = int(input()) l = [] for i in range(x + 1): for j in range(y + 1): for k in range(z + 1): elem = [] elem.append(i) elem.append(j) elem.append(k) if sum(elem) != n: l.append(elem) print(l)
# Created by MechAviv # Kinesis Introduction # Map ID :: 101020400 # East Forest :: Magician Association KINESIS = 1531000 NERO = 1531003 THREE_MOON = 1531004 sm.setNpcOverrideBoxChat(NERO) sm.sendNext("#face1#Good job! See, you're getting faster every time.") sm.completeQuest(parentID) sm.giveExp(11500)
kinesis = 1531000 nero = 1531003 three_moon = 1531004 sm.setNpcOverrideBoxChat(NERO) sm.sendNext("#face1#Good job! See, you're getting faster every time.") sm.completeQuest(parentID) sm.giveExp(11500)
kwargs = {"a": 1, "b": 2, "c": 3} print(kwargs.pop("d"))
kwargs = {'a': 1, 'b': 2, 'c': 3} print(kwargs.pop('d'))
#!/usr/bin/env python3 class Interface: """ Defines the interface of the padding oracle. """ def oracle(self, ciphertext): """ This function expects a ciphertext and returns true if there is no padding error and false otherwise. Args: ciphertext (bytes): the ciphertext that should be checked """ raise NotImplementedError def intercept(self): """ This function should serve a ciphertext by returning it as bytes-object. If you know the initialization vector you should use it as prefix of the returned ciphertext in order to decrypt the whole message (of course except the IV). """ raise NotImplementedError
class Interface: """ Defines the interface of the padding oracle. """ def oracle(self, ciphertext): """ This function expects a ciphertext and returns true if there is no padding error and false otherwise. Args: ciphertext (bytes): the ciphertext that should be checked """ raise NotImplementedError def intercept(self): """ This function should serve a ciphertext by returning it as bytes-object. If you know the initialization vector you should use it as prefix of the returned ciphertext in order to decrypt the whole message (of course except the IV). """ raise NotImplementedError
#!/usr/bin/env python3 def reverse_str(name: str) -> str: """ Reverses a string """ name_lst = list(name) name_lst.reverse() ret = '' for i in range(len(name_lst)): ret += name_lst[i] return ret
def reverse_str(name: str) -> str: """ Reverses a string """ name_lst = list(name) name_lst.reverse() ret = '' for i in range(len(name_lst)): ret += name_lst[i] return ret
print("Printing n fibonacci numbers") i=1 x=0 y=1 p=int(input("How many numbers would you like to have displayed: ")) while(i<=p): print(x,end=' ') s=x+y x=y y=s i=i+1 print("\n\nEnd of Program\n") print("Press \"Enter key\" to exit") u=input()
print('Printing n fibonacci numbers') i = 1 x = 0 y = 1 p = int(input('How many numbers would you like to have displayed: ')) while i <= p: print(x, end=' ') s = x + y x = y y = s i = i + 1 print('\n\nEnd of Program\n') print('Press "Enter key" to exit') u = input()
# Write your solutions for 1.5 here! class Superheros: def __init__(self, name,superpower, strengh): self.name = name self.superpower = superpower self.strengh = strengh def name_strengh(self): print("the name of the superhero is: " + self.name +",his strengh level is: "+str(self.strengh)) def save_civilian(self, work): if work > self.strengh: print("not enough power :(") else: self.strengh -= work print("the amount of strengh left in your hero is "+str(self.strengh)) hero = Superheros("noam", "flying", 11) hero.name_strengh() hero.save_civilian(2)
class Superheros: def __init__(self, name, superpower, strengh): self.name = name self.superpower = superpower self.strengh = strengh def name_strengh(self): print('the name of the superhero is: ' + self.name + ',his strengh level is: ' + str(self.strengh)) def save_civilian(self, work): if work > self.strengh: print('not enough power :(') else: self.strengh -= work print('the amount of strengh left in your hero is ' + str(self.strengh)) hero = superheros('noam', 'flying', 11) hero.name_strengh() hero.save_civilian(2)
A=[[1,2, 8], [3, 7,4]] B=[[5,6, 9], [7,6 ,0]] c=[] for i in range(len(A)): #range of len gives me indecesc. c.append([]) for j in range(len(A[i])): sum = A[i][j]+B[i][j] c[i].append(sum) print(c) # for i in range(len(A)): #range of len gives me indeces # for j in range(len(A[i])): #again indeces # sum = A[i][j]+B[i][j] # rowlist.append(sum) # print(rowlist) # rowlist =[]
a = [[1, 2, 8], [3, 7, 4]] b = [[5, 6, 9], [7, 6, 0]] c = [] for i in range(len(A)): c.append([]) for j in range(len(A[i])): sum = A[i][j] + B[i][j] c[i].append(sum) print(c)
# output shape openpose keypoints for body, hands, and face body_keypoints_num = 25 left_hand_keyp_num = 21 right_hand_keyp_num = 21 face_keyp_num = 51 face_contour_keyp_num = 17
body_keypoints_num = 25 left_hand_keyp_num = 21 right_hand_keyp_num = 21 face_keyp_num = 51 face_contour_keyp_num = 17
class Hello: def __init__(self, name): self.name = name def say(self): print('Hello!,', self.name)
class Hello: def __init__(self, name): self.name = name def say(self): print('Hello!,', self.name)
class A: def __init__(self): super().__init__() print("A") class B(A): def __init__(self): super().__init__() print("B") class C: def __init__(self): super().__init__() print("C") class D(B, C): def __init__(self): super().__init__() print("D") if "main" in __name__: D()
class A: def __init__(self): super().__init__() print('A') class B(A): def __init__(self): super().__init__() print('B') class C: def __init__(self): super().__init__() print('C') class D(B, C): def __init__(self): super().__init__() print('D') if 'main' in __name__: d()
class ServiceError(Exception): pass class LicenceError(Exception): pass class AccountError(Exception): pass class RateLimited(Exception): pass codeToError = { 0: "There was an error contacting the ProfanityBlocker service. Please try again later.", 104: "There was an error with your licence for ProfanityBlocker. Please check your licence is valid and active and try again.", 102: "There was an error with your account. Please try again later.", 999: "You have sent too many requests than you have paid for in your package, you can either upgrade your package or wait." } CodeToException = { 0: ServiceError, 102: AccountError, 104: LicenceError, 999: RateLimited, 103: ServiceError, 101: ServiceError } def RaiseError(Code): raise CodeToException[Code](codeToError[Code])
class Serviceerror(Exception): pass class Licenceerror(Exception): pass class Accounterror(Exception): pass class Ratelimited(Exception): pass code_to_error = {0: 'There was an error contacting the ProfanityBlocker service. Please try again later.', 104: 'There was an error with your licence for ProfanityBlocker. Please check your licence is valid and active and try again.', 102: 'There was an error with your account. Please try again later.', 999: 'You have sent too many requests than you have paid for in your package, you can either upgrade your package or wait.'} code_to_exception = {0: ServiceError, 102: AccountError, 104: LicenceError, 999: RateLimited, 103: ServiceError, 101: ServiceError} def raise_error(Code): raise CodeToException[Code](codeToError[Code])
with open("../pokemon_type_relations.csv", "r") as reader: header = reader.readline().split(",") # Read header while True: line = reader.readline() if not line: break line = line.split(",") attacker = line[0] weak = [] strong = [] immune = [] for i in range(0, len(line)): if line[i] == "0": immune.append(header[i]) if line[i] == "2": strong.append(header[i]) if line[i] == "0.5": weak.append(header[i]) with open("../pokemon_type_strength.csv", "a") as appender: for strong_against in strong: appender.write(attacker + "," + strong_against+"\n") with open("../pokemon_type_weakness.csv", "a") as appender: for weak_against in weak: appender.write(attacker + "," + weak_against+"\n") with open("../pokemon_type_immune.csv", "a") as appender: for immune_against in immune: appender.write(immune_against + "," + attacker+"\n")
with open('../pokemon_type_relations.csv', 'r') as reader: header = reader.readline().split(',') while True: line = reader.readline() if not line: break line = line.split(',') attacker = line[0] weak = [] strong = [] immune = [] for i in range(0, len(line)): if line[i] == '0': immune.append(header[i]) if line[i] == '2': strong.append(header[i]) if line[i] == '0.5': weak.append(header[i]) with open('../pokemon_type_strength.csv', 'a') as appender: for strong_against in strong: appender.write(attacker + ',' + strong_against + '\n') with open('../pokemon_type_weakness.csv', 'a') as appender: for weak_against in weak: appender.write(attacker + ',' + weak_against + '\n') with open('../pokemon_type_immune.csv', 'a') as appender: for immune_against in immune: appender.write(immune_against + ',' + attacker + '\n')
N = int(input()) vals1 = [int(a) for a in input().split()] vals2 = [int(a) for a in input().split()] total = 0 for i in range(N): h1, h2 = vals1[i], vals1[i + 1] width = vals2[i] h_dif = abs(h1 - h2) min_h = min(h1, h2) total += min_h * width total += (h_dif * width) / 2 print(total)
n = int(input()) vals1 = [int(a) for a in input().split()] vals2 = [int(a) for a in input().split()] total = 0 for i in range(N): (h1, h2) = (vals1[i], vals1[i + 1]) width = vals2[i] h_dif = abs(h1 - h2) min_h = min(h1, h2) total += min_h * width total += h_dif * width / 2 print(total)
WIDTH = 16 HEIGHT = 32 FIRST = 0 LAST = 255 _FONT = \ b'\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x3f\xfc\x3f\xfc\x60\x06\x60\x06\xc0\x03\xc0\x03\xcc\x33\xcc\x33\xc0\x03\xc0\x03\xc0\x03\xc0\x03\xcf\xf3\xcf\xf3\xc3\xc3\xc3\xc3\xc0\x03\xc0\x03\x60\x06\x60\x06\x3f\xfc\x3f\xfc\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x3f\xfc\x3f\xfc\x7f\xfe\x7f\xfe\xff\xff\xff\xff\xf3\xcf\xf3\xcf\xff\xff\xff\xff\xff\xff\xff\xff\xf0\x0f\xf0\x0f\xfc\x3f\xfc\x3f\xff\xff\xff\xff\x7f\xfe\x7f\xfe\x3f\xfc\x3f\xfc\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x1e\x78\x1e\x78\x3f\xfc\x3f\xfc\x7f\xfe\x7f\xfe\x7f\xfe\x7f\xfe\x7f\xfe\x7f\xfe\x3f\xfc\x3f\xfc\x1f\xf8\x1f\xf8\x07\xe0\x07\xe0\x01\x80\x01\x80\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x01\x80\x01\x80\x03\xc0\x03\xc0\x07\xe0\x07\xe0\x0f\xf0\x0f\xf0\x1f\xf8\x1f\xf8\x0f\xf0\x0f\xf0\x07\xe0\x07\xe0\x03\xc0\x03\xc0\x01\x80\x01\x80\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x01\xc0\x01\xc0\x03\xe0\x03\xe0\x03\xe0\x03\xe0\x1d\xdc\x1d\xdc\x3f\xfe\x3f\xfe\x3f\xfe\x3f\xfe\x1d\xdc\x1d\xdc\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x07\xf0\x07\xf0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x01\xc0\x01\xc0\x07\xf0\x07\xf0\x1f\xfc\x1f\xfc\x7f\xff\x7f\xff\x7f\xff\x7f\xff\x7f\xff\x7f\xff\x1d\xdc\x1d\xdc\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x07\xf0\x07\xf0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x03\xc0\x03\xc0\x0f\xf0\x0f\xf0\x0f\xf0\x0f\xf0\x03\xc0\x03\xc0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xfc\x3f\xfc\x3f\xf0\x0f\xf0\x0f\xf0\x0f\xf0\x0f\xfc\x3f\xfc\x3f\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x0f\xf0\x0f\xf0\x3c\x3c\x3c\x3c\x30\x0c\x30\x0c\x30\x0c\x30\x0c\x3c\x3c\x3c\x3c\x0f\xf0\x0f\xf0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xf0\x0f\xf0\x0f\xc3\xc3\xc3\xc3\xcf\xf3\xcf\xf3\xcf\xf3\xcf\xf3\xc3\xc3\xc3\xc3\xf0\x0f\xf0\x0f\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x7f\x00\x7f\x00\x1f\x00\x1f\x00\x3b\x00\x3b\x00\x70\x00\x70\x07\xe0\x07\xe0\x1c\x38\x1c\x38\x38\x1c\x38\x1c\x38\x1c\x38\x1c\x1c\x38\x1c\x38\x07\xe0\x07\xe0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x03\xe0\x03\xe0\x0e\x38\x0e\x38\x1c\x1c\x1c\x1c\x1c\x1c\x1c\x1c\x0e\x38\x0e\x38\x03\xe0\x03\xe0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x1f\xfc\x1f\xfc\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x0f\xff\x0f\xff\x0e\x07\x0e\x07\x0f\xff\x0f\xff\x0e\x00\x0e\x00\x0e\x00\x0e\x00\x0e\x00\x0e\x00\x0e\x00\x0e\x00\x0e\x00\x0e\x00\x3e\x00\x3e\x00\x7e\x00\x7e\x00\x3c\x00\x3c\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x1f\xfe\x1f\xfe\x1c\x0e\x1c\x0e\x1f\xfe\x1f\xfe\x1c\x0e\x1c\x0e\x1c\x0e\x1c\x0e\x1c\x0e\x1c\x0e\x1c\x0e\x1c\x0e\x1c\x0e\x1c\x0e\x1c\x1e\x1c\x1e\x3c\x3e\x3c\x3e\x7c\x1c\x7c\x1c\x38\x00\x38\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x01\xc0\x01\xc0\x39\xce\x39\xce\x1d\xdc\x1d\xdc\x0f\xf8\x0f\xf8\x7e\x3f\x7e\x3f\x0f\xf8\x0f\xf8\x1d\xdc\x1d\xdc\x39\xce\x39\xce\x01\xc0\x01\xc0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x30\x00\x30\x00\x3c\x00\x3c\x00\x3f\x00\x3f\x00\x3f\xc0\x3f\xc0\x3f\xf0\x3f\xf0\x3f\xfc\x3f\xfc\x3f\xf0\x3f\xf0\x3f\xc0\x3f\xc0\x3f\x00\x3f\x00\x3c\x00\x3c\x00\x30\x00\x30\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x00\x0c\x00\x0c\x00\x3c\x00\x3c\x00\xfc\x00\xfc\x03\xfc\x03\xfc\x0f\xfc\x0f\xfc\x3f\xfc\x3f\xfc\x0f\xfc\x0f\xfc\x03\xfc\x03\xfc\x00\xfc\x00\xfc\x00\x3c\x00\x3c\x00\x0c\x00\x0c\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x01\xc0\x01\xc0\x07\xf0\x07\xf0\x1d\xdc\x1d\xdc\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x1d\xdc\x1d\xdc\x07\xf0\x07\xf0\x01\xc0\x01\xc0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x00\x00\x00\x00\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x1f\xff\x1f\xff\x71\xce\x71\xce\x71\xce\x71\xce\x71\xce\x71\xce\x71\xce\x71\xce\x1f\xce\x1f\xce\x01\xce\x01\xce\x01\xce\x01\xce\x01\xce\x01\xce\x01\xce\x01\xce\x01\xce\x01\xce\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x0f\xf8\x0f\xf8\x38\x0e\x38\x0e\x0e\x00\x0e\x00\x03\xe0\x03\xe0\x0e\x38\x0e\x38\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x0e\x38\x0e\x38\x03\xe0\x03\xe0\x00\x38\x00\x38\x38\x0e\x38\x0e\x0f\xf8\x0f\xf8\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x3f\xff\x3f\xff\x3f\xff\x3f\xff\x3f\xff\x3f\xff\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x01\xc0\x01\xc0\x07\xf0\x07\xf0\x1d\xdc\x1d\xdc\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x1d\xdc\x1d\xdc\x07\xf0\x07\xf0\x01\xc0\x01\xc0\x3f\xfe\x3f\xfe\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x01\xc0\x01\xc0\x07\xf0\x07\xf0\x1d\xdc\x1d\xdc\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x1d\xdc\x1d\xdc\x07\xf0\x07\xf0\x01\xc0\x01\xc0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x70\x00\x70\x00\x1c\x00\x1c\x3f\xff\x3f\xff\x00\x1c\x00\x1c\x00\x70\x00\x70\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x03\x80\x03\x80\x0e\x00\x0e\x00\x3f\xff\x3f\xff\x0e\x00\x0e\x00\x03\x80\x03\x80\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x38\x00\x38\x00\x38\x00\x38\x00\x38\x00\x38\x00\x3f\xff\x3f\xff\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x1c\x38\x1c\x38\x38\x1c\x38\x1c\x7f\xfe\x7f\xfe\x38\x1c\x38\x1c\x1c\x38\x1c\x38\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x01\x80\x01\x80\x03\xc0\x03\xc0\x07\xe0\x07\xe0\x0f\xf0\x0f\xf0\x1f\xf8\x1f\xf8\x3f\xfc\x3f\xfc\x7f\xfe\x7f\xfe\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x7f\xfe\x7f\xfe\x3f\xfc\x3f\xfc\x1f\xf8\x1f\xf8\x0f\xf0\x0f\xf0\x07\xe0\x07\xe0\x03\xc0\x03\xc0\x01\x80\x01\x80\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x00\x00\x00\x00\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x1c\x38\x1c\x38\x1c\x38\x1c\x38\x1c\x38\x1c\x38\x1c\x38\x1c\x38\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x1c\x38\x1c\x38\x1c\x38\x1c\x38\x7f\xfe\x7f\xfe\x1c\x38\x1c\x38\x1c\x38\x1c\x38\x1c\x38\x1c\x38\x1c\x38\x1c\x38\x7f\xfe\x7f\xfe\x1c\x38\x1c\x38\x1c\x38\x1c\x38\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x01\x80\x01\x80\x0f\xf0\x0f\xf0\x39\x9c\x39\x9c\x71\x8e\x71\x8e\x71\x80\x71\x80\x39\x80\x39\x80\x0f\xf0\x0f\xf0\x01\x9c\x01\x9c\x01\x8e\x01\x8e\x71\x8e\x71\x8e\x39\x9c\x39\x9c\x0f\xf0\x0f\xf0\x01\x80\x01\x80\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x1e\x1c\x1e\x1c\x1e\x38\x1e\x38\x00\x70\x00\x70\x00\xe0\x00\xe0\x01\xc0\x01\xc0\x03\x80\x03\x80\x07\x00\x07\x00\x0e\x3c\x0e\x3c\x1c\x3c\x1c\x3c\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x07\xc0\x07\xc0\x1c\x70\x1c\x70\x38\x38\x38\x38\x1c\x70\x1c\x70\x07\xc0\x07\xc0\x0f\xce\x0f\xce\x38\xfc\x38\xfc\x70\x78\x70\x78\x70\x78\x70\x78\x38\xfc\x38\xfc\x0f\xce\x0f\xce\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\xe0\x00\xe0\x01\xc0\x01\xc0\x03\x80\x03\x80\x07\x00\x07\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x00\xe0\x00\xe0\x01\xc0\x01\xc0\x03\x80\x03\x80\x07\x00\x07\x00\x07\x00\x07\x00\x07\x00\x07\x00\x07\x00\x07\x00\x07\x00\x07\x00\x03\x80\x03\x80\x01\xc0\x01\xc0\x00\xe0\x00\xe0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x07\x00\x07\x00\x03\x80\x03\x80\x01\xc0\x01\xc0\x00\xe0\x00\xe0\x00\xe0\x00\xe0\x00\xe0\x00\xe0\x00\xe0\x00\xe0\x00\xe0\x00\xe0\x01\xc0\x01\xc0\x03\x80\x03\x80\x07\x00\x07\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x0e\x38\x0e\x38\x03\xe0\x03\xe0\x3f\xfe\x3f\xfe\x03\xe0\x03\xe0\x0e\x38\x0e\x38\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x3f\xfe\x3f\xfe\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x03\xc0\x03\xc0\x03\xc0\x03\xc0\x03\x80\x03\x80\x07\x00\x07\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x3f\xfe\x3f\xfe\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x03\xc0\x03\xc0\x03\xc0\x03\xc0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x1c\x00\x1c\x00\x38\x00\x38\x00\x70\x00\x70\x00\xe0\x00\xe0\x01\xc0\x01\xc0\x03\x80\x03\x80\x07\x00\x07\x00\x0e\x00\x0e\x00\x1c\x00\x1c\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x07\xe0\x07\xe0\x1c\x38\x1c\x38\x38\x3c\x38\x3c\x38\x7c\x38\x7c\x38\xdc\x38\xdc\x39\x9c\x39\x9c\x3b\x1c\x3b\x1c\x3e\x1c\x3e\x1c\x3c\x1c\x3c\x1c\x1c\x38\x1c\x38\x07\xe0\x07\xe0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x01\xc0\x01\xc0\x03\xc0\x03\xc0\x0f\xc0\x0f\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x0f\xf0\x0f\xf0\x38\x1c\x38\x1c\x00\x0e\x00\x0e\x00\x0e\x00\x0e\x00\x1c\x00\x1c\x00\x70\x00\x70\x01\xc0\x01\xc0\x07\x00\x07\x00\x1c\x00\x1c\x00\x38\x00\x38\x00\x3f\xfe\x3f\xfe\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x0f\xf0\x0f\xf0\x38\x1c\x38\x1c\x00\x0e\x00\x0e\x00\x0e\x00\x0e\x00\x1c\x00\x1c\x01\xf0\x01\xf0\x00\x1c\x00\x1c\x00\x0e\x00\x0e\x00\x0e\x00\x0e\x38\x1c\x38\x1c\x0f\xf0\x0f\xf0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x01\xf0\x01\xf0\x03\xf0\x03\xf0\x07\x70\x07\x70\x0e\x70\x0e\x70\x1c\x70\x1c\x70\x38\x70\x38\x70\x3f\xfc\x3f\xfc\x00\x70\x00\x70\x00\x70\x00\x70\x00\x70\x00\x70\x00\x70\x00\x70\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x3f\xfe\x3f\xfe\x38\x00\x38\x00\x38\x00\x38\x00\x38\x00\x38\x00\x3f\xf0\x3f\xf0\x00\x1c\x00\x1c\x00\x0e\x00\x0e\x00\x0e\x00\x0e\x00\x0e\x00\x0e\x38\x1c\x38\x1c\x0f\xf0\x0f\xf0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x07\xf0\x07\xf0\x1c\x00\x1c\x00\x38\x00\x38\x00\x38\x00\x38\x00\x38\x00\x38\x00\x3f\xf0\x3f\xf0\x38\x1c\x38\x1c\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x1c\x1c\x1c\x1c\x07\xf0\x07\xf0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x3f\xf8\x3f\xf8\x00\x38\x00\x38\x00\x38\x00\x38\x00\x70\x00\x70\x00\xe0\x00\xe0\x01\xc0\x01\xc0\x03\x80\x03\x80\x03\x80\x03\x80\x03\x80\x03\x80\x03\x80\x03\x80\x03\x80\x03\x80\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x07\xf0\x07\xf0\x1c\x1c\x1c\x1c\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x1c\x1c\x1c\x1c\x07\xf0\x07\xf0\x1c\x1c\x1c\x1c\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x1c\x1c\x1c\x1c\x07\xf0\x07\xf0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x07\xf0\x07\xf0\x1c\x1c\x1c\x1c\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x1c\x0e\x1c\x0e\x07\xfe\x07\xfe\x00\x0e\x00\x0e\x00\x0e\x00\x0e\x00\x0e\x00\x0e\x00\x1c\x00\x1c\x0f\xf0\x0f\xf0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x03\x80\x03\x80\x03\x80\x03\x80\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x03\x80\x03\x80\x03\x80\x03\x80\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x03\x80\x03\x80\x03\x80\x03\x80\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x03\x80\x03\x80\x03\x80\x03\x80\x07\x00\x07\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x00\xe0\x00\xe0\x01\xc0\x01\xc0\x03\x80\x03\x80\x07\x00\x07\x00\x0e\x00\x0e\x00\x1c\x00\x1c\x00\x0e\x00\x0e\x00\x07\x00\x07\x00\x03\x80\x03\x80\x01\xc0\x01\xc0\x00\xe0\x00\xe0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x3f\xfc\x3f\xfc\x00\x00\x00\x00\x00\x00\x00\x00\x3f\xfc\x3f\xfc\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x07\x00\x07\x00\x03\x80\x03\x80\x01\xc0\x01\xc0\x00\xe0\x00\xe0\x00\x70\x00\x70\x00\x38\x00\x38\x00\x70\x00\x70\x00\xe0\x00\xe0\x01\xc0\x01\xc0\x03\x80\x03\x80\x07\x00\x07\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x07\xe0\x07\xe0\x1c\x38\x1c\x38\x38\x1c\x38\x1c\x00\x38\x00\x38\x00\x70\x00\x70\x00\xe0\x00\xe0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x00\x00\x00\x00\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x0f\xf0\x0f\xf0\x38\x1c\x38\x1c\x70\x0e\x70\x0e\x71\xfe\x71\xfe\x73\x8e\x73\x8e\x73\x8e\x73\x8e\x73\x8e\x73\x8e\x71\xfc\x71\xfc\x70\x00\x70\x00\x38\x00\x38\x00\x0f\xfc\x0f\xfc\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x03\xc0\x03\xc0\x07\xe0\x07\xe0\x0e\x70\x0e\x70\x1c\x38\x1c\x38\x38\x1c\x38\x1c\x38\x1c\x38\x1c\x3f\xfc\x3f\xfc\x38\x1c\x38\x1c\x38\x1c\x38\x1c\x38\x1c\x38\x1c\x38\x1c\x38\x1c\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x3f\xf0\x3f\xf0\x38\x1c\x38\x1c\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x1c\x38\x1c\x3f\xf0\x3f\xf0\x38\x1c\x38\x1c\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x1c\x38\x1c\x3f\xf0\x3f\xf0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x07\xf0\x07\xf0\x1c\x1c\x1c\x1c\x38\x0e\x38\x0e\x38\x00\x38\x00\x38\x00\x38\x00\x38\x00\x38\x00\x38\x00\x38\x00\x38\x00\x38\x00\x38\x0e\x38\x0e\x1c\x1c\x1c\x1c\x07\xf0\x07\xf0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x3f\xf0\x3f\xf0\x38\x1c\x38\x1c\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x1c\x38\x1c\x3f\xf0\x3f\xf0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x3f\xfc\x3f\xfc\x38\x00\x38\x00\x38\x00\x38\x00\x38\x00\x38\x00\x38\x00\x38\x00\x3f\xe0\x3f\xe0\x38\x00\x38\x00\x38\x00\x38\x00\x38\x00\x38\x00\x38\x00\x38\x00\x3f\xfc\x3f\xfc\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x3f\xfc\x3f\xfc\x38\x00\x38\x00\x38\x00\x38\x00\x38\x00\x38\x00\x38\x00\x38\x00\x3f\xe0\x3f\xe0\x38\x00\x38\x00\x38\x00\x38\x00\x38\x00\x38\x00\x38\x00\x38\x00\x38\x00\x38\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x07\xf0\x07\xf0\x1c\x1c\x1c\x1c\x38\x0e\x38\x0e\x38\x00\x38\x00\x38\x00\x38\x00\x38\x00\x38\x00\x38\x3e\x38\x3e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x1c\x1c\x1c\x1c\x07\xf0\x07\xf0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x3f\xfe\x3f\xfe\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x00\x1c\x00\x1c\x00\x1c\x00\x1c\x00\x1c\x00\x1c\x00\x1c\x00\x1c\x00\x1c\x00\x1c\x00\x1c\x00\x1c\x00\x1c\x00\x1c\x00\x1c\x00\x1c\x1c\x1c\x1c\x1c\x0e\x38\x0e\x38\x03\xe0\x03\xe0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x1c\x38\x1c\x38\x1c\x70\x1c\x70\x1c\xe0\x1c\xe0\x1d\xc0\x1d\xc0\x1f\x80\x1f\x80\x1f\x80\x1f\x80\x1d\xc0\x1d\xc0\x1c\xe0\x1c\xe0\x1c\x70\x1c\x70\x1c\x38\x1c\x38\x1c\x1c\x1c\x1c\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x38\x00\x38\x00\x38\x00\x38\x00\x38\x00\x38\x00\x38\x00\x38\x00\x38\x00\x38\x00\x38\x00\x38\x00\x38\x00\x38\x00\x38\x00\x38\x00\x38\x00\x38\x00\x38\x00\x38\x00\x3f\xfc\x3f\xfc\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x78\x1e\x78\x1e\x7c\x3e\x7c\x3e\x7e\x7e\x7e\x7e\x77\xee\x77\xee\x73\xce\x73\xce\x71\x8e\x71\x8e\x70\x0e\x70\x0e\x70\x0e\x70\x0e\x70\x0e\x70\x0e\x70\x0e\x70\x0e\x70\x0e\x70\x0e\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x38\x0e\x38\x0e\x3c\x0e\x3c\x0e\x3e\x0e\x3e\x0e\x3f\x0e\x3f\x0e\x3b\x8e\x3b\x8e\x39\xce\x39\xce\x38\xee\x38\xee\x38\x7e\x38\x7e\x38\x3e\x38\x3e\x38\x1e\x38\x1e\x38\x0e\x38\x0e\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x07\xf0\x07\xf0\x1c\x1c\x1c\x1c\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x1c\x1c\x1c\x1c\x07\xf0\x07\xf0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x3f\xf0\x3f\xf0\x38\x1c\x38\x1c\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x1c\x38\x1c\x3f\xf0\x3f\xf0\x38\x00\x38\x00\x38\x00\x38\x00\x38\x00\x38\x00\x38\x00\x38\x00\x38\x00\x38\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x07\xf0\x07\xf0\x1c\x1c\x1c\x1c\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\xee\x38\xee\x1c\x7c\x1c\x7c\x07\xf8\x07\xf8\x00\x1c\x00\x1c\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x3f\xf0\x3f\xf0\x38\x1c\x38\x1c\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x1c\x38\x1c\x3f\xf0\x3f\xf0\x38\xe0\x38\xe0\x38\x70\x38\x70\x38\x38\x38\x38\x38\x1c\x38\x1c\x38\x0e\x38\x0e\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x0f\xf0\x0f\xf0\x38\x1c\x38\x1c\x70\x0e\x70\x0e\x70\x00\x70\x00\x38\x00\x38\x00\x0f\xf0\x0f\xf0\x00\x1c\x00\x1c\x00\x0e\x00\x0e\x70\x0e\x70\x0e\x38\x1c\x38\x1c\x0f\xf0\x0f\xf0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x3f\xfe\x3f\xfe\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x1c\x1c\x1c\x1c\x07\xf0\x07\xf0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x38\x1c\x38\x1c\x38\x1c\x38\x1c\x38\x1c\x38\x1c\x38\x1c\x38\x1c\x38\x1c\x38\x1c\x38\x1c\x38\x1c\x38\x1c\x38\x1c\x1c\x38\x1c\x38\x0e\x70\x0e\x70\x07\xe0\x07\xe0\x03\xc0\x03\xc0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x70\x0e\x70\x0e\x70\x0e\x70\x0e\x70\x0e\x70\x0e\x70\x0e\x70\x0e\x70\x0e\x70\x0e\x70\x0e\x70\x0e\x71\x8e\x71\x8e\x73\xce\x73\xce\x77\xee\x77\xee\x3e\x7c\x3e\x7c\x1c\x38\x1c\x38\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x38\x1c\x38\x1c\x38\x1c\x38\x1c\x1c\x38\x1c\x38\x0e\x70\x0e\x70\x07\xe0\x07\xe0\x03\xc0\x03\xc0\x07\xe0\x07\xe0\x0e\x70\x0e\x70\x1c\x38\x1c\x38\x38\x1c\x38\x1c\x38\x1c\x38\x1c\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x38\x0e\x38\x0e\x1c\x1c\x1c\x1c\x0e\x38\x0e\x38\x07\x70\x07\x70\x03\xe0\x03\xe0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x3f\xfe\x3f\xfe\x00\x1c\x00\x1c\x00\x38\x00\x38\x00\x70\x00\x70\x00\xe0\x00\xe0\x01\xc0\x01\xc0\x03\x80\x03\x80\x07\x00\x07\x00\x0e\x00\x0e\x00\x1c\x00\x1c\x00\x3f\xfe\x3f\xfe\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x07\xf0\x07\xf0\x07\x00\x07\x00\x07\x00\x07\x00\x07\x00\x07\x00\x07\x00\x07\x00\x07\x00\x07\x00\x07\x00\x07\x00\x07\x00\x07\x00\x07\x00\x07\x00\x07\x00\x07\x00\x07\xf0\x07\xf0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x1c\x00\x1c\x00\x0e\x00\x0e\x00\x07\x00\x07\x00\x03\x80\x03\x80\x01\xc0\x01\xc0\x00\xe0\x00\xe0\x00\x70\x00\x70\x00\x38\x00\x38\x00\x1c\x00\x1c\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x07\xf0\x07\xf0\x00\x70\x00\x70\x00\x70\x00\x70\x00\x70\x00\x70\x00\x70\x00\x70\x00\x70\x00\x70\x00\x70\x00\x70\x00\x70\x00\x70\x00\x70\x00\x70\x00\x70\x00\x70\x07\xf0\x07\xf0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x03\xc0\x03\xc0\x07\xe0\x07\xe0\x0e\x70\x0e\x70\x1c\x38\x1c\x38\x38\x1c\x38\x1c\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\xff\xff\xff\xff\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x07\x00\x07\x00\x03\x80\x03\x80\x01\xc0\x01\xc0\x00\xe0\x00\xe0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x0f\xf8\x0f\xf8\x00\x0e\x00\x0e\x0f\xfe\x0f\xfe\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x0f\xfe\x0f\xfe\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x38\x00\x38\x00\x38\x00\x38\x00\x38\x00\x38\x00\x38\x00\x38\x00\x3f\xf0\x3f\xf0\x38\x1c\x38\x1c\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x3f\xf8\x3f\xf8\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x0f\xf8\x0f\xf8\x38\x0e\x38\x0e\x38\x00\x38\x00\x38\x00\x38\x00\x38\x00\x38\x00\x38\x0e\x38\x0e\x0f\xf8\x0f\xf8\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x00\x0e\x00\x0e\x00\x0e\x00\x0e\x00\x0e\x00\x0e\x00\x0e\x00\x0e\x07\xfe\x07\xfe\x1c\x0e\x1c\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x0f\xfe\x0f\xfe\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x0f\xf8\x0f\xf8\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x3f\xfe\x3f\xfe\x38\x00\x38\x00\x38\x00\x38\x00\x0f\xfc\x0f\xfc\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x00\xf8\x00\xf8\x03\x80\x03\x80\x03\x80\x03\x80\x03\x80\x03\x80\x03\x80\x03\x80\x0f\xf0\x0f\xf0\x03\x80\x03\x80\x03\x80\x03\x80\x03\x80\x03\x80\x03\x80\x03\x80\x03\x80\x03\x80\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x0f\xf8\x0f\xf8\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x0f\xfe\x0f\xfe\x00\x0e\x00\x0e\x00\x0e\x00\x0e\x1f\xf8\x1f\xf8\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x38\x00\x38\x00\x38\x00\x38\x00\x38\x00\x38\x00\x38\x00\x38\x00\x3b\xf8\x3b\xf8\x3c\x0e\x3c\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x00\x00\x00\x00\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x70\x00\x70\x00\x70\x00\x70\x00\x00\x00\x00\x00\x70\x00\x70\x00\x70\x00\x70\x00\x70\x00\x70\x00\x70\x00\x70\x00\x70\x00\x70\x00\x70\x00\x70\x00\x70\x00\x70\x00\xe0\x00\xe0\x0f\x80\x0f\x80\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x0e\x00\x0e\x00\x0e\x00\x0e\x00\x0e\x00\x0e\x00\x0e\x00\x0e\x00\x0e\x38\x0e\x38\x0e\x70\x0e\x70\x0e\xe0\x0e\xe0\x0f\xc0\x0f\xc0\x0e\xe0\x0e\xe0\x0e\x70\x0e\x70\x0e\x38\x0e\x38\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x3e\x78\x3e\x78\x39\xce\x39\xce\x39\xce\x39\xce\x39\xce\x39\xce\x39\xce\x39\xce\x39\xce\x39\xce\x39\xce\x39\xce\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x3f\xe0\x3f\xe0\x38\x38\x38\x38\x38\x1c\x38\x1c\x38\x1c\x38\x1c\x38\x1c\x38\x1c\x38\x1c\x38\x1c\x38\x1c\x38\x1c\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x07\xf0\x07\xf0\x1c\x1c\x1c\x1c\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x1c\x1c\x1c\x1c\x07\xf0\x07\xf0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x3f\xf0\x3f\xf0\x38\x1c\x38\x1c\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x1c\x38\x1c\x3f\xf0\x3f\xf0\x38\x00\x38\x00\x38\x00\x38\x00\x38\x00\x38\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x07\xfe\x07\xfe\x1c\x0e\x1c\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x1c\x0e\x1c\x0e\x07\xfe\x07\xfe\x00\x0e\x00\x0e\x00\x0e\x00\x0e\x00\x0e\x00\x0e\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x3f\xf0\x3f\xf0\x38\x1c\x38\x1c\x38\x00\x38\x00\x38\x00\x38\x00\x38\x00\x38\x00\x38\x00\x38\x00\x38\x00\x38\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x0f\xfc\x0f\xfc\x38\x00\x38\x00\x38\x00\x38\x00\x0f\xf8\x0f\xf8\x00\x0e\x00\x0e\x00\x0e\x00\x0e\x1f\xf8\x1f\xf8\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x1f\xfc\x1f\xfc\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x38\x1c\x38\x1c\x38\x1c\x38\x1c\x38\x1c\x38\x1c\x38\x1c\x38\x1c\x38\x1c\x38\x1c\x38\x1c\x38\x1c\x0f\xfc\x0f\xfc\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x70\x0e\x70\x0e\x38\x1c\x38\x1c\x1c\x38\x1c\x38\x0e\x70\x0e\x70\x07\xe0\x07\xe0\x03\xc0\x03\xc0\x01\x80\x01\x80\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x39\xce\x39\xce\x3b\xee\x3b\xee\x1f\x7c\x1f\x7c\x0e\x38\x0e\x38\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x1c\x38\x1c\x38\x0e\x70\x0e\x70\x07\xe0\x07\xe0\x03\xc0\x03\xc0\x07\xe0\x07\xe0\x0e\x70\x0e\x70\x1c\x38\x1c\x38\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x38\x0e\x38\x0e\x1c\x1c\x1c\x1c\x0e\x38\x0e\x38\x07\x70\x07\x70\x03\xe0\x03\xe0\x01\xc0\x01\xc0\x03\x80\x03\x80\x07\x00\x07\x00\x0e\x00\x0e\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x3f\xfe\x3f\xfe\x00\x1c\x00\x1c\x00\x70\x00\x70\x01\xc0\x01\xc0\x07\x00\x07\x00\x1c\x00\x1c\x00\x3f\xfe\x3f\xfe\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x00\xf8\x00\xf8\x01\xc0\x01\xc0\x03\x80\x03\x80\x03\x80\x03\x80\x03\x80\x03\x80\x1e\x00\x1e\x00\x03\x80\x03\x80\x03\x80\x03\x80\x03\x80\x03\x80\x01\xc0\x01\xc0\x00\xf8\x00\xf8\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x00\x00\x00\x00\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x1f\x00\x1f\x00\x03\x80\x03\x80\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x00\x78\x00\x78\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x03\x80\x03\x80\x1f\x00\x1f\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x07\x9e\x07\x9e\x3c\xf0\x3c\xf0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x01\xc0\x01\xc0\x07\x70\x07\x70\x1c\x1c\x1c\x1c\x70\x07\x70\x07\x70\x07\x70\x07\x7f\xff\x7f\xff\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x07\xf8\x07\xf8\x1c\x0e\x1c\x0e\x38\x06\x38\x06\x38\x00\x38\x00\x38\x00\x38\x00\x38\x00\x38\x00\x38\x00\x38\x00\x38\x06\x38\x06\x1c\x0e\x1c\x0e\x07\xf8\x07\xf8\x00\x38\x00\x38\x00\x1c\x00\x1c\x0f\xf8\x0f\xf8\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x1c\x38\x1c\x38\x1c\x38\x1c\x38\x00\x00\x00\x00\x38\x1c\x38\x1c\x38\x1c\x38\x1c\x38\x1c\x38\x1c\x38\x1c\x38\x1c\x38\x1c\x38\x1c\x38\x1c\x38\x1c\x0f\xfc\x0f\xfc\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x00\x38\x00\x38\x00\xe0\x00\xe0\x03\x80\x03\x80\x00\x00\x00\x00\x0f\xf8\x0f\xf8\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x3f\xfe\x3f\xfe\x38\x00\x38\x00\x38\x00\x38\x00\x0f\xfc\x0f\xfc\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x01\xc0\x01\xc0\x07\x70\x07\x70\x1c\x1c\x1c\x1c\x00\x00\x00\x00\x0f\xf8\x0f\xf8\x00\x0e\x00\x0e\x0f\xfe\x0f\xfe\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x0f\xfe\x0f\xfe\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x1c\x1c\x1c\x1c\x1c\x1c\x1c\x1c\x00\x00\x00\x00\x0f\xf8\x0f\xf8\x00\x0e\x00\x0e\x0f\xfe\x0f\xfe\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x0f\xfe\x0f\xfe\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x07\x00\x07\x00\x01\xc0\x01\xc0\x00\x70\x00\x70\x00\x00\x00\x00\x0f\xf8\x0f\xf8\x00\x0e\x00\x0e\x0f\xfe\x0f\xfe\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x0f\xfe\x0f\xfe\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x03\xe0\x03\xe0\x0e\x38\x0e\x38\x03\xe0\x03\xe0\x00\x00\x00\x00\x0f\xf8\x0f\xf8\x00\x0e\x00\x0e\x0f\xfe\x0f\xfe\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x0f\xfe\x0f\xfe\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x0f\xf0\x0f\xf0\x38\x1c\x38\x1c\x38\x00\x38\x00\x38\x00\x38\x00\x38\x1c\x38\x1c\x0f\xf0\x0f\xf0\x00\x70\x00\x70\x00\x38\x00\x38\x0f\xf0\x0f\xf0\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x01\xc0\x01\xc0\x07\x70\x07\x70\x1c\x1c\x1c\x1c\x00\x00\x00\x00\x0f\xf8\x0f\xf8\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x3f\xfe\x3f\xfe\x38\x00\x38\x00\x38\x00\x38\x00\x0f\xfc\x0f\xfc\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x1c\x1c\x1c\x1c\x1c\x1c\x1c\x1c\x00\x00\x00\x00\x0f\xf8\x0f\xf8\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x3f\xfe\x3f\xfe\x38\x00\x38\x00\x38\x00\x38\x00\x0f\xfc\x0f\xfc\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x07\x00\x07\x00\x01\xc0\x01\xc0\x00\x70\x00\x70\x00\x00\x00\x00\x0f\xf8\x0f\xf8\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x3f\xfe\x3f\xfe\x38\x00\x38\x00\x38\x00\x38\x00\x0f\xfc\x0f\xfc\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x1c\x1c\x1c\x1c\x1c\x1c\x1c\x1c\x00\x00\x00\x00\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x01\xc0\x01\xc0\x07\x70\x07\x70\x1c\x1c\x1c\x1c\x00\x00\x00\x00\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x0e\x00\x0e\x00\x03\x80\x03\x80\x00\xe0\x00\xe0\x00\x00\x00\x00\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x1c\x38\x1c\x38\x1c\x38\x1c\x38\x00\x00\x00\x00\x03\xc0\x03\xc0\x07\xe0\x07\xe0\x0e\x70\x0e\x70\x1c\x38\x1c\x38\x38\x1c\x38\x1c\x3f\xfc\x3f\xfc\x38\x1c\x38\x1c\x38\x1c\x38\x1c\x38\x1c\x38\x1c\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x03\xc0\x03\xc0\x0e\x70\x0e\x70\x03\xc0\x03\xc0\x00\x00\x00\x00\x03\xc0\x03\xc0\x07\xe0\x07\xe0\x0e\x70\x0e\x70\x1c\x38\x1c\x38\x38\x1c\x38\x1c\x3f\xfc\x3f\xfc\x38\x1c\x38\x1c\x38\x1c\x38\x1c\x38\x1c\x38\x1c\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x70\x00\x70\x01\xc0\x01\xc0\x07\x00\x07\x00\x00\x00\x00\x00\x3f\xfc\x3f\xfc\x38\x00\x38\x00\x38\x00\x38\x00\x38\x00\x38\x00\x3f\xe0\x3f\xe0\x38\x00\x38\x00\x38\x00\x38\x00\x38\x00\x38\x00\x3f\xfc\x3f\xfc\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x3e\x7e\x3e\x7e\x03\xc7\x03\xc7\x03\xc7\x03\xc7\x7f\xfe\x7f\xfe\xe3\xc0\xe3\xc0\xe3\xc0\xe3\xc0\x7f\xff\x7f\xff\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x07\xff\x07\xff\x0e\xe0\x0e\xe0\x1c\xe0\x1c\xe0\x38\xe0\x38\xe0\x70\xe0\x70\xe0\x7f\xfe\x7f\xfe\x70\xe0\x70\xe0\x70\xe0\x70\xe0\x70\xe0\x70\xe0\x70\xe0\x70\xe0\x70\xff\x70\xff\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x01\xc0\x01\xc0\x07\x70\x07\x70\x1c\x1c\x1c\x1c\x00\x00\x00\x00\x07\xf0\x07\xf0\x1c\x1c\x1c\x1c\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x1c\x1c\x1c\x1c\x07\xf0\x07\xf0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x1c\x1c\x1c\x1c\x1c\x1c\x1c\x1c\x00\x00\x00\x00\x07\xf0\x07\xf0\x1c\x1c\x1c\x1c\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x1c\x1c\x1c\x1c\x07\xf0\x07\xf0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x07\x00\x07\x00\x01\xc0\x01\xc0\x00\x70\x00\x70\x00\x00\x00\x00\x07\xf0\x07\xf0\x1c\x1c\x1c\x1c\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x1c\x1c\x1c\x1c\x07\xf0\x07\xf0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x03\xc0\x03\xc0\x0e\x70\x0e\x70\x38\x1c\x38\x1c\x00\x00\x00\x00\x38\x1c\x38\x1c\x38\x1c\x38\x1c\x38\x1c\x38\x1c\x38\x1c\x38\x1c\x38\x1c\x38\x1c\x38\x1c\x38\x1c\x0f\xfc\x0f\xfc\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x0e\x00\x0e\x00\x03\x80\x03\x80\x00\xe0\x00\xe0\x00\x00\x00\x00\x38\x1c\x38\x1c\x38\x1c\x38\x1c\x38\x1c\x38\x1c\x38\x1c\x38\x1c\x38\x1c\x38\x1c\x38\x1c\x38\x1c\x0f\xfc\x0f\xfc\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x1c\x1c\x1c\x1c\x1c\x1c\x1c\x1c\x00\x00\x00\x00\x38\x0e\x38\x0e\x1c\x1c\x1c\x1c\x0e\x38\x0e\x38\x07\x70\x07\x70\x03\xe0\x03\xe0\x01\xc0\x01\xc0\x03\x80\x03\x80\x07\x00\x07\x00\x0e\x00\x0e\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x1c\x1c\x1c\x1c\x1c\x1c\x1c\x1c\x00\x00\x00\x00\x07\xf0\x07\xf0\x1c\x1c\x1c\x1c\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x1c\x1c\x1c\x1c\x07\xf0\x07\xf0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x1c\x1c\x1c\x1c\x1c\x1c\x1c\x1c\x00\x00\x00\x00\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x1c\x1c\x1c\x1c\x07\xf0\x07\xf0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x0f\xf8\x0f\xf8\x38\x0e\x38\x0e\x38\x00\x38\x00\x38\x00\x38\x00\x38\x00\x38\x00\x38\x1e\x38\x1e\x0f\xf8\x0f\xf8\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x01\xf0\x01\xf0\x07\x1c\x07\x1c\x07\x00\x07\x00\x07\x00\x07\x00\x1f\xc0\x1f\xc0\x07\x00\x07\x00\x07\x00\x07\x00\x07\x00\x07\x00\x07\x00\x07\x00\x3f\x0e\x3f\x0e\x3f\xf8\x3f\xf8\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x38\x0e\x38\x0e\x1c\x1c\x1c\x1c\x0e\x38\x0e\x38\x07\x70\x07\x70\x03\xe0\x03\xe0\x3f\xfe\x3f\xfe\x01\xc0\x01\xc0\x3f\xfe\x3f\xfe\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x7f\x80\x7f\x80\x70\xe0\x70\xe0\x70\x70\x70\x70\x70\xe0\x70\xe0\x7f\x9c\x7f\x9c\x70\x1c\x70\x1c\x70\x7f\x70\x7f\x70\x1c\x70\x1c\x70\x1c\x70\x1c\x70\x1c\x70\x1c\x70\x1c\x70\x1c\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x00\x78\x00\x78\x01\xce\x01\xce\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x1f\xfc\x1f\xfc\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x39\xc0\x39\xc0\x0f\x00\x0f\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x00\x70\x00\x70\x01\xc0\x01\xc0\x07\x00\x07\x00\x00\x00\x00\x00\x0f\xf8\x0f\xf8\x00\x0e\x00\x0e\x0f\xfe\x0f\xfe\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x0f\xfe\x0f\xfe\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x00\x70\x00\x70\x01\xc0\x01\xc0\x07\x00\x07\x00\x00\x00\x00\x00\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x00\x70\x00\x70\x01\xc0\x01\xc0\x07\x00\x07\x00\x00\x00\x00\x00\x07\xf0\x07\xf0\x1c\x1c\x1c\x1c\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x1c\x1c\x1c\x1c\x07\xf0\x07\xf0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x00\x70\x00\x70\x01\xc0\x01\xc0\x07\x00\x07\x00\x00\x00\x00\x00\x38\x1c\x38\x1c\x38\x1c\x38\x1c\x38\x1c\x38\x1c\x38\x1c\x38\x1c\x38\x1c\x38\x1c\x38\x1c\x38\x1c\x0f\xfc\x0f\xfc\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x07\x9c\x07\x9c\x3c\xf0\x3c\xf0\x00\x00\x00\x00\x3f\xe0\x3f\xe0\x38\x38\x38\x38\x38\x1c\x38\x1c\x38\x1c\x38\x1c\x38\x1c\x38\x1c\x38\x1c\x38\x1c\x38\x1c\x38\x1c\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x07\x9e\x07\x9e\x3c\xf0\x3c\xf0\x00\x00\x00\x00\x3c\x0e\x3c\x0e\x3e\x0e\x3e\x0e\x3f\x0e\x3f\x0e\x3b\x8e\x3b\x8e\x39\xce\x39\xce\x38\xee\x38\xee\x38\x7e\x38\x7e\x38\x3e\x38\x3e\x38\x1e\x38\x1e\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x0f\xf0\x0f\xf0\x38\x70\x38\x70\x38\x70\x38\x70\x0f\xfc\x0f\xfc\x00\x00\x00\x00\x3f\xfc\x3f\xfc\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x0f\xc0\x0f\xc0\x38\x70\x38\x70\x38\x70\x38\x70\x0f\xc0\x0f\xc0\x00\x00\x00\x00\x3f\xf0\x3f\xf0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x03\x80\x03\x80\x03\x80\x03\x80\x00\x00\x00\x00\x03\x80\x03\x80\x03\x80\x03\x80\x03\x80\x03\x80\x07\x00\x07\x00\x1c\x00\x1c\x00\x38\x1c\x38\x1c\x1c\x38\x1c\x38\x07\xe0\x07\xe0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x3f\xff\x3f\xff\x38\x00\x38\x00\x38\x00\x38\x00\x38\x00\x38\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x3f\xff\x3f\xff\x00\x07\x00\x07\x00\x07\x00\x07\x00\x07\x00\x07\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x38\x00\x38\x00\x78\x00\x78\x00\x38\x00\x38\x00\x38\x1c\x38\x1c\x38\x70\x38\x70\x01\xc0\x01\xc0\x07\x00\x07\x00\x1c\x7c\x1c\x7c\x70\x0e\x70\x0e\x00\x1c\x00\x1c\x00\x70\x00\x70\x00\xfe\x00\xfe\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x38\x00\x38\x00\x78\x00\x78\x00\x38\x00\x38\x00\x38\x1c\x38\x1c\x38\x70\x38\x70\x01\xc0\x01\xc0\x07\x00\x07\x00\x1c\x1c\x1c\x1c\x70\x7c\x70\x7c\x01\xdc\x01\xdc\x01\xfe\x01\xfe\x00\x1c\x00\x1c\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x00\x00\x00\x00\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x03\x8e\x03\x8e\x0e\x38\x0e\x38\x38\xe0\x38\xe0\x0e\x38\x0e\x38\x03\x8e\x03\x8e\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x38\xe0\x38\xe0\x0e\x38\x0e\x38\x03\x8e\x03\x8e\x0e\x38\x0e\x38\x38\xe0\x38\xe0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x03\x03\x03\x03\x30\x30\x30\x30\x03\x03\x03\x03\x30\x30\x30\x30\x03\x03\x03\x03\x30\x30\x30\x30\x03\x03\x03\x03\x30\x30\x30\x30\x03\x03\x03\x03\x30\x30\x30\x30\x03\x03\x03\x03\x30\x30\x30\x30\x03\x03\x03\x03\x30\x30\x30\x30\x03\x03\x03\x03\x30\x30\x30\x30'\ b'\x33\x33\x33\x33\xcc\xcc\xcc\xcc\x33\x33\x33\x33\xcc\xcc\xcc\xcc\x33\x33\x33\x33\xcc\xcc\xcc\xcc\x33\x33\x33\x33\xcc\xcc\xcc\xcc\x33\x33\x33\x33\xcc\xcc\xcc\xcc\x33\x33\x33\x33\xcc\xcc\xcc\xcc\x33\x33\x33\x33\xcc\xcc\xcc\xcc\x33\x33\x33\x33\xcc\xcc\xcc\xcc'\ b'\xf3\xf3\xf3\xf3\x3f\x3f\x3f\x3f\xf3\xf3\xf3\xf3\x3f\x3f\x3f\x3f\xf3\xf3\xf3\xf3\x3f\x3f\x3f\x3f\xf3\xf3\xf3\xf3\x3f\x3f\x3f\x3f\xf3\xf3\xf3\xf3\x3f\x3f\x3f\x3f\xf3\xf3\xf3\xf3\x3f\x3f\x3f\x3f\xf3\xf3\xf3\xf3\x3f\x3f\x3f\x3f\xf3\xf3\xf3\xf3\x3f\x3f\x3f\x3f'\ b'\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0'\ b'\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\xff\xc0\xff\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0'\ b'\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\xff\xc0\xff\xc0\x01\xc0\x01\xc0\xff\xc0\xff\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0'\ b'\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\xff\x38\xff\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\xff\xf8\xff\xf8\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\xff\xc0\xff\xc0\x01\xc0\x01\xc0\xff\xc0\xff\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0'\ b'\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\xff\x38\xff\x38\x00\x38\x00\x38\xff\x38\xff\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38'\ b'\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\xff\xf8\xff\xf8\x00\x38\x00\x38\xff\x38\xff\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38'\ b'\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\xff\x38\xff\x38\x00\x38\x00\x38\xff\xf8\xff\xf8\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\xff\xf8\xff\xf8\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\xff\xc0\xff\xc0\x01\xc0\x01\xc0\xff\xc0\xff\xc0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\xff\xc0\xff\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0'\ b'\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xff\x01\xff\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\xff\xff\xff\xff\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\xff\xff\xff\xff\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0'\ b'\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xff\x01\xff\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\xff\xff\xff\xff\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\xff\xff\xff\xff\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0'\ b'\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xff\x01\xff\x01\xc0\x01\xc0\x01\xff\x01\xff\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0'\ b'\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x3f\x07\x3f\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38'\ b'\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x3f\x07\x3f\x07\x00\x07\x00\x07\xff\x07\xff\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x07\xff\x07\xff\x07\x00\x07\x00\x07\x3f\x07\x3f\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38'\ b'\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\xff\x3f\xff\x3f\x00\x00\x00\x00\xff\xff\xff\xff\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\xff\xff\xff\xff\x00\x00\x00\x00\xff\x3f\xff\x3f\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38'\ b'\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x3f\x07\x3f\x07\x00\x07\x00\x07\x3f\x07\x3f\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\xff\xff\xff\xff\x00\x00\x00\x00\xff\xff\xff\xff\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\xff\x3f\xff\x3f\x00\x00\x00\x00\xff\x3f\xff\x3f\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38'\ b'\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\xff\xff\xff\xff\x00\x00\x00\x00\xff\xff\xff\xff\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\xff\xff\xff\xff\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\xff\xff\xff\xff\x00\x00\x00\x00\xff\xff\xff\xff\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\xff\xff\xff\xff\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38'\ b'\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\xff\x07\xff\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xff\x01\xff\x01\xc0\x01\xc0\x01\xff\x01\xff\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x01\xff\x01\xff\x01\xc0\x01\xc0\x01\xff\x01\xff\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x07\xff\x07\xff\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38'\ b'\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\xff\xff\xff\xff\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38\x07\x38'\ b'\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\xff\xff\xff\xff\x01\xc0\x01\xc0\xff\xff\xff\xff\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0'\ b'\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\xff\xc0\xff\xc0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x01\xff\x01\xff\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0'\ b'\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff'\ b'\xff\x00\xff\x00\xff\x00\xff\x00\xff\x00\xff\x00\xff\x00\xff\x00\xff\x00\xff\x00\xff\x00\xff\x00\xff\x00\xff\x00\xff\x00\xff\x00\xff\x00\xff\x00\xff\x00\xff\x00\xff\x00\xff\x00\xff\x00\xff\x00\xff\x00\xff\x00\xff\x00\xff\x00\xff\x00\xff\x00\xff\x00\xff\x00'\ b'\x00\xff\x00\xff\x00\xff\x00\xff\x00\xff\x00\xff\x00\xff\x00\xff\x00\xff\x00\xff\x00\xff\x00\xff\x00\xff\x00\xff\x00\xff\x00\xff\x00\xff\x00\xff\x00\xff\x00\xff\x00\xff\x00\xff\x00\xff\x00\xff\x00\xff\x00\xff\x00\xff\x00\xff\x00\xff\x00\xff\x00\xff\x00\xff'\ b'\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x0f\x0e\x0f\x0e\x39\xdc\x39\xdc\x70\xf8\x70\xf8\x70\xf0\x70\xf0\x70\xf8\x70\xf8\x39\xdc\x39\xdc\x0f\x0e\x0f\x0e\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x0f\xf8\x0f\xf8\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x3f\xf8\x3f\xf8\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x3f\xf8\x3f\xf8\x38\x00\x38\x00\x38\x00\x38\x00\x18\x00\x18\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x3f\xfe\x3f\xfe\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x00\x38\x00\x38\x00\x38\x00\x38\x00\x38\x00\x38\x00\x38\x00\x38\x00\x38\x00\x38\x00\x38\x00\x38\x00\x38\x00\x38\x00\x38\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x3f\xfe\x3f\xfe\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x3f\xfe\x3f\xfe\x38\x0e\x38\x0e\x38\x00\x38\x00\x0e\x00\x0e\x00\x03\x80\x03\x80\x00\xe0\x00\xe0\x03\x80\x03\x80\x0e\x00\x0e\x00\x38\x00\x38\x00\x38\x0e\x38\x0e\x3f\xfe\x3f\xfe\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x07\xff\x07\xff\x1c\x38\x1c\x38\x38\x38\x38\x38\x38\x38\x38\x38\x38\x38\x38\x38\x1c\x70\x1c\x70\x07\xc0\x07\xc0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x0e\x0e\x0e\x0e\x0e\x0e\x0e\x0e\x0e\x0e\x0e\x0e\x0e\x0e\x0e\x0e\x0e\x1c\x0e\x1c\x0f\xf0\x0f\xf0\x0e\x00\x0e\x00\x0e\x00\x0e\x00\x38\x00\x38\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x0f\x9e\x0f\x9e\x3c\xf8\x3c\xf8\x00\xe0\x00\xe0\x00\xe0\x00\xe0\x00\xe0\x00\xe0\x00\xe0\x00\xe0\x00\xe0\x00\xe0\x00\xe0\x00\xe0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x1f\xfc\x1f\xfc\x01\xc0\x01\xc0\x07\xf0\x07\xf0\x0e\x38\x0e\x38\x1c\x1c\x1c\x1c\x1c\x1c\x1c\x1c\x1c\x1c\x1c\x1c\x0e\x38\x0e\x38\x07\xf0\x07\xf0\x01\xc0\x01\xc0\x1f\xfc\x1f\xfc\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x07\xf0\x07\xf0\x1c\x1c\x1c\x1c\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x3f\xfe\x3f\xfe\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x1c\x1c\x1c\x1c\x07\xf0\x07\xf0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x07\xf0\x07\xf0\x1c\x1c\x1c\x1c\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x1c\x1c\x1c\x1c\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x3e\x3e\x3e\x3e\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x03\xf0\x03\xf0\x0e\x38\x0e\x38\x0e\x00\x0e\x00\x03\x80\x03\x80\x00\xe0\x00\xe0\x07\xf8\x07\xf8\x1c\x1c\x1c\x1c\x38\x1c\x38\x1c\x38\x1c\x38\x1c\x1c\x38\x1c\x38\x07\xe0\x07\xe0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x3e\x7c\x3e\x7c\x73\xce\x73\xce\x73\xce\x73\xce\x73\xce\x73\xce\x3e\x7c\x3e\x7c\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x1c\x00\x1c\x00\x38\x00\x38\x0f\xf0\x0f\xf0\x38\xfc\x38\xfc\x71\xce\x71\xce\x73\x8e\x73\x8e\x3f\x1c\x3f\x1c\x0f\xf0\x0f\xf0\x1c\x00\x1c\x00\x38\x00\x38\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x03\xf0\x03\xf0\x0e\x00\x0e\x00\x38\x00\x38\x00\x38\x00\x38\x00\x38\x00\x38\x00\x3f\xf0\x3f\xf0\x38\x00\x38\x00\x38\x00\x38\x00\x38\x00\x38\x00\x0e\x00\x0e\x00\x03\xf0\x03\xf0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x07\xf0\x07\xf0\x1c\x1c\x1c\x1c\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x38\x0e\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x3f\xfe\x3f\xfe\x00\x00\x00\x00\x00\x00\x00\x00\x3f\xfe\x3f\xfe\x00\x00\x00\x00\x00\x00\x00\x00\x3f\xfe\x3f\xfe\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x3f\xfe\x3f\xfe\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x00\x00\x00\x00\x3f\xfe\x3f\xfe\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x0e\x00\x0e\x00\x03\x80\x03\x80\x00\xe0\x00\xe0\x00\x38\x00\x38\x00\xe0\x00\xe0\x03\x80\x03\x80\x0e\x00\x0e\x00\x00\x00\x00\x00\x3f\xfc\x3f\xfc\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x70\x00\x70\x01\xc0\x01\xc0\x07\x00\x07\x00\x1c\x00\x1c\x00\x07\x00\x07\x00\x01\xc0\x01\xc0\x00\x70\x00\x70\x00\x00\x00\x00\x3f\xfc\x3f\xfc\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x00\x7c\x00\x7c\x01\xc7\x01\xc7\x01\xc7\x01\xc7\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0'\ b'\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x71\xc0\x71\xc0\x71\xc0\x71\xc0\x1f\x00\x1f\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x00\x00\x00\x00\x00\x00\x00\x00\x3f\xfe\x3f\xfe\x00\x00\x00\x00\x00\x00\x00\x00\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x07\x9e\x07\x9e\x3c\xf0\x3c\xf0\x00\x00\x00\x00\x07\x9e\x07\x9e\x3c\xf0\x3c\xf0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x0f\xc0\x0f\xc0\x38\x70\x38\x70\x38\x70\x38\x70\x0f\xc0\x0f\xc0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x03\xc0\x03\xc0\x03\xc0\x03\xc0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x01\xc0\x01\xc0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x7f\x00\x7f\x00\x70\x00\x70\x00\x70\x00\x70\x00\x70\x00\x70\x00\x70\x00\x70\x00\x70\x00\x70\x00\x70\x00\x70\xf8\x70\xf8\x70\x1c\x70\x1c\x70\x07\x70\x07\x70\x01\xf0\x01\xf0\x00\x70\x00\x70\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x7f\x80\x7f\x80\x70\xe0\x70\xe0\x70\xe0\x70\xe0\x70\xe0\x70\xe0\x70\xe0\x70\xe0\x70\xe0\x70\xe0\x70\xe0\x70\xe0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x3f\x00\x3f\x00\xe1\xc0\xe1\xc0\x01\xc0\x01\xc0\x07\x00\x07\x00\x1c\x00\x1c\x00\x70\x00\x70\x00\xff\xc0\xff\xc0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x1f\xf8\x1f\xf8\x1f\xf8\x1f\xf8\x1f\xf8\x1f\xf8\x1f\xf8\x1f\xf8\x1f\xf8\x1f\xf8\x1f\xf8\x1f\xf8\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00'\ b'\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00' FONT = memoryview(_FONT)
width = 16 height = 32 first = 0 last = 255 _font = b'\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00?\xfc?\xfc`\x06`\x06\xc0\x03\xc0\x03\xcc3\xcc3\xc0\x03\xc0\x03\xc0\x03\xc0\x03\xcf\xf3\xcf\xf3\xc3\xc3\xc3\xc3\xc0\x03\xc0\x03`\x06`\x06?\xfc?\xfc\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00?\xfc?\xfc\x7f\xfe\x7f\xfe\xff\xff\xff\xff\xf3\xcf\xf3\xcf\xff\xff\xff\xff\xff\xff\xff\xff\xf0\x0f\xf0\x0f\xfc?\xfc?\xff\xff\xff\xff\x7f\xfe\x7f\xfe?\xfc?\xfc\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x1ex\x1ex?\xfc?\xfc\x7f\xfe\x7f\xfe\x7f\xfe\x7f\xfe\x7f\xfe\x7f\xfe?\xfc?\xfc\x1f\xf8\x1f\xf8\x07\xe0\x07\xe0\x01\x80\x01\x80\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x01\x80\x01\x80\x03\xc0\x03\xc0\x07\xe0\x07\xe0\x0f\xf0\x0f\xf0\x1f\xf8\x1f\xf8\x0f\xf0\x0f\xf0\x07\xe0\x07\xe0\x03\xc0\x03\xc0\x01\x80\x01\x80\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x01\xc0\x01\xc0\x03\xe0\x03\xe0\x03\xe0\x03\xe0\x1d\xdc\x1d\xdc?\xfe?\xfe?\xfe?\xfe\x1d\xdc\x1d\xdc\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x07\xf0\x07\xf0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x01\xc0\x01\xc0\x07\xf0\x07\xf0\x1f\xfc\x1f\xfc\x7f\xff\x7f\xff\x7f\xff\x7f\xff\x7f\xff\x7f\xff\x1d\xdc\x1d\xdc\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x07\xf0\x07\xf0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x03\xc0\x03\xc0\x0f\xf0\x0f\xf0\x0f\xf0\x0f\xf0\x03\xc0\x03\xc0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xfc?\xfc?\xf0\x0f\xf0\x0f\xf0\x0f\xf0\x0f\xfc?\xfc?\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x0f\xf0\x0f\xf0<<<<0\x0c0\x0c0\x0c0\x0c<<<<\x0f\xf0\x0f\xf0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xf0\x0f\xf0\x0f\xc3\xc3\xc3\xc3\xcf\xf3\xcf\xf3\xcf\xf3\xcf\xf3\xc3\xc3\xc3\xc3\xf0\x0f\xf0\x0f\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x7f\x00\x7f\x00\x1f\x00\x1f\x00;\x00;\x00p\x00p\x07\xe0\x07\xe0\x1c8\x1c88\x1c8\x1c8\x1c8\x1c\x1c8\x1c8\x07\xe0\x07\xe0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x03\xe0\x03\xe0\x0e8\x0e8\x1c\x1c\x1c\x1c\x1c\x1c\x1c\x1c\x0e8\x0e8\x03\xe0\x03\xe0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x1f\xfc\x1f\xfc\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x0f\xff\x0f\xff\x0e\x07\x0e\x07\x0f\xff\x0f\xff\x0e\x00\x0e\x00\x0e\x00\x0e\x00\x0e\x00\x0e\x00\x0e\x00\x0e\x00\x0e\x00\x0e\x00>\x00>\x00~\x00~\x00<\x00<\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x1f\xfe\x1f\xfe\x1c\x0e\x1c\x0e\x1f\xfe\x1f\xfe\x1c\x0e\x1c\x0e\x1c\x0e\x1c\x0e\x1c\x0e\x1c\x0e\x1c\x0e\x1c\x0e\x1c\x0e\x1c\x0e\x1c\x1e\x1c\x1e<><>|\x1c|\x1c8\x008\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x01\xc0\x01\xc09\xce9\xce\x1d\xdc\x1d\xdc\x0f\xf8\x0f\xf8~?~?\x0f\xf8\x0f\xf8\x1d\xdc\x1d\xdc9\xce9\xce\x01\xc0\x01\xc0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x000\x000\x00<\x00<\x00?\x00?\x00?\xc0?\xc0?\xf0?\xf0?\xfc?\xfc?\xf0?\xf0?\xc0?\xc0?\x00?\x00<\x00<\x000\x000\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x0c\x00\x0c\x00<\x00<\x00\xfc\x00\xfc\x03\xfc\x03\xfc\x0f\xfc\x0f\xfc?\xfc?\xfc\x0f\xfc\x0f\xfc\x03\xfc\x03\xfc\x00\xfc\x00\xfc\x00<\x00<\x00\x0c\x00\x0c\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x01\xc0\x01\xc0\x07\xf0\x07\xf0\x1d\xdc\x1d\xdc\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x1d\xdc\x1d\xdc\x07\xf0\x07\xf0\x01\xc0\x01\xc0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x0e8\x0e8\x0e8\x0e8\x0e8\x0e8\x0e8\x0e8\x0e8\x0e8\x0e8\x0e8\x0e8\x0e8\x0e8\x0e8\x00\x00\x00\x00\x0e8\x0e8\x0e8\x0e8\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x1f\xff\x1f\xffq\xceq\xceq\xceq\xceq\xceq\xceq\xceq\xce\x1f\xce\x1f\xce\x01\xce\x01\xce\x01\xce\x01\xce\x01\xce\x01\xce\x01\xce\x01\xce\x01\xce\x01\xce\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x0f\xf8\x0f\xf88\x0e8\x0e\x0e\x00\x0e\x00\x03\xe0\x03\xe0\x0e8\x0e88\x0e8\x0e8\x0e8\x0e\x0e8\x0e8\x03\xe0\x03\xe0\x008\x0088\x0e8\x0e\x0f\xf8\x0f\xf8\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00?\xff?\xff?\xff?\xff?\xff?\xff\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x01\xc0\x01\xc0\x07\xf0\x07\xf0\x1d\xdc\x1d\xdc\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x1d\xdc\x1d\xdc\x07\xf0\x07\xf0\x01\xc0\x01\xc0?\xfe?\xfe\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x01\xc0\x01\xc0\x07\xf0\x07\xf0\x1d\xdc\x1d\xdc\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x1d\xdc\x1d\xdc\x07\xf0\x07\xf0\x01\xc0\x01\xc0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00p\x00p\x00\x1c\x00\x1c?\xff?\xff\x00\x1c\x00\x1c\x00p\x00p\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x03\x80\x03\x80\x0e\x00\x0e\x00?\xff?\xff\x0e\x00\x0e\x00\x03\x80\x03\x80\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x008\x008\x008\x008\x008\x008\x00?\xff?\xff\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x1c8\x1c88\x1c8\x1c\x7f\xfe\x7f\xfe8\x1c8\x1c\x1c8\x1c8\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x01\x80\x01\x80\x03\xc0\x03\xc0\x07\xe0\x07\xe0\x0f\xf0\x0f\xf0\x1f\xf8\x1f\xf8?\xfc?\xfc\x7f\xfe\x7f\xfe\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x7f\xfe\x7f\xfe?\xfc?\xfc\x1f\xf8\x1f\xf8\x0f\xf0\x0f\xf0\x07\xe0\x07\xe0\x03\xc0\x03\xc0\x01\x80\x01\x80\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x00\x00\x00\x00\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x1c8\x1c8\x1c8\x1c8\x1c8\x1c8\x1c8\x1c8\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x1c8\x1c8\x1c8\x1c8\x7f\xfe\x7f\xfe\x1c8\x1c8\x1c8\x1c8\x1c8\x1c8\x1c8\x1c8\x7f\xfe\x7f\xfe\x1c8\x1c8\x1c8\x1c8\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x01\x80\x01\x80\x0f\xf0\x0f\xf09\x9c9\x9cq\x8eq\x8eq\x80q\x809\x809\x80\x0f\xf0\x0f\xf0\x01\x9c\x01\x9c\x01\x8e\x01\x8eq\x8eq\x8e9\x9c9\x9c\x0f\xf0\x0f\xf0\x01\x80\x01\x80\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x1e\x1c\x1e\x1c\x1e8\x1e8\x00p\x00p\x00\xe0\x00\xe0\x01\xc0\x01\xc0\x03\x80\x03\x80\x07\x00\x07\x00\x0e<\x0e<\x1c<\x1c<\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x07\xc0\x07\xc0\x1cp\x1cp8888\x1cp\x1cp\x07\xc0\x07\xc0\x0f\xce\x0f\xce8\xfc8\xfcpxpxpxpx8\xfc8\xfc\x0f\xce\x0f\xce\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\xe0\x00\xe0\x01\xc0\x01\xc0\x03\x80\x03\x80\x07\x00\x07\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\xe0\x00\xe0\x01\xc0\x01\xc0\x03\x80\x03\x80\x07\x00\x07\x00\x07\x00\x07\x00\x07\x00\x07\x00\x07\x00\x07\x00\x07\x00\x07\x00\x03\x80\x03\x80\x01\xc0\x01\xc0\x00\xe0\x00\xe0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x07\x00\x07\x00\x03\x80\x03\x80\x01\xc0\x01\xc0\x00\xe0\x00\xe0\x00\xe0\x00\xe0\x00\xe0\x00\xe0\x00\xe0\x00\xe0\x00\xe0\x00\xe0\x01\xc0\x01\xc0\x03\x80\x03\x80\x07\x00\x07\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x0e8\x0e8\x03\xe0\x03\xe0?\xfe?\xfe\x03\xe0\x03\xe0\x0e8\x0e8\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0?\xfe?\xfe\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x03\xc0\x03\xc0\x03\xc0\x03\xc0\x03\x80\x03\x80\x07\x00\x07\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00?\xfe?\xfe\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x03\xc0\x03\xc0\x03\xc0\x03\xc0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x1c\x00\x1c\x008\x008\x00p\x00p\x00\xe0\x00\xe0\x01\xc0\x01\xc0\x03\x80\x03\x80\x07\x00\x07\x00\x0e\x00\x0e\x00\x1c\x00\x1c\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x07\xe0\x07\xe0\x1c8\x1c88<8<8|8|8\xdc8\xdc9\x9c9\x9c;\x1c;\x1c>\x1c>\x1c<\x1c<\x1c\x1c8\x1c8\x07\xe0\x07\xe0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x01\xc0\x01\xc0\x03\xc0\x03\xc0\x0f\xc0\x0f\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x0f\xf0\x0f\xf08\x1c8\x1c\x00\x0e\x00\x0e\x00\x0e\x00\x0e\x00\x1c\x00\x1c\x00p\x00p\x01\xc0\x01\xc0\x07\x00\x07\x00\x1c\x00\x1c\x008\x008\x00?\xfe?\xfe\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x0f\xf0\x0f\xf08\x1c8\x1c\x00\x0e\x00\x0e\x00\x0e\x00\x0e\x00\x1c\x00\x1c\x01\xf0\x01\xf0\x00\x1c\x00\x1c\x00\x0e\x00\x0e\x00\x0e\x00\x0e8\x1c8\x1c\x0f\xf0\x0f\xf0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x01\xf0\x01\xf0\x03\xf0\x03\xf0\x07p\x07p\x0ep\x0ep\x1cp\x1cp8p8p?\xfc?\xfc\x00p\x00p\x00p\x00p\x00p\x00p\x00p\x00p\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00?\xfe?\xfe8\x008\x008\x008\x008\x008\x00?\xf0?\xf0\x00\x1c\x00\x1c\x00\x0e\x00\x0e\x00\x0e\x00\x0e\x00\x0e\x00\x0e8\x1c8\x1c\x0f\xf0\x0f\xf0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x07\xf0\x07\xf0\x1c\x00\x1c\x008\x008\x008\x008\x008\x008\x00?\xf0?\xf08\x1c8\x1c8\x0e8\x0e8\x0e8\x0e\x1c\x1c\x1c\x1c\x07\xf0\x07\xf0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00?\xf8?\xf8\x008\x008\x008\x008\x00p\x00p\x00\xe0\x00\xe0\x01\xc0\x01\xc0\x03\x80\x03\x80\x03\x80\x03\x80\x03\x80\x03\x80\x03\x80\x03\x80\x03\x80\x03\x80\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x07\xf0\x07\xf0\x1c\x1c\x1c\x1c8\x0e8\x0e8\x0e8\x0e\x1c\x1c\x1c\x1c\x07\xf0\x07\xf0\x1c\x1c\x1c\x1c8\x0e8\x0e8\x0e8\x0e\x1c\x1c\x1c\x1c\x07\xf0\x07\xf0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x07\xf0\x07\xf0\x1c\x1c\x1c\x1c8\x0e8\x0e8\x0e8\x0e\x1c\x0e\x1c\x0e\x07\xfe\x07\xfe\x00\x0e\x00\x0e\x00\x0e\x00\x0e\x00\x0e\x00\x0e\x00\x1c\x00\x1c\x0f\xf0\x0f\xf0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x03\x80\x03\x80\x03\x80\x03\x80\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x03\x80\x03\x80\x03\x80\x03\x80\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x03\x80\x03\x80\x03\x80\x03\x80\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x03\x80\x03\x80\x03\x80\x03\x80\x07\x00\x07\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\xe0\x00\xe0\x01\xc0\x01\xc0\x03\x80\x03\x80\x07\x00\x07\x00\x0e\x00\x0e\x00\x1c\x00\x1c\x00\x0e\x00\x0e\x00\x07\x00\x07\x00\x03\x80\x03\x80\x01\xc0\x01\xc0\x00\xe0\x00\xe0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00?\xfc?\xfc\x00\x00\x00\x00\x00\x00\x00\x00?\xfc?\xfc\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x07\x00\x07\x00\x03\x80\x03\x80\x01\xc0\x01\xc0\x00\xe0\x00\xe0\x00p\x00p\x008\x008\x00p\x00p\x00\xe0\x00\xe0\x01\xc0\x01\xc0\x03\x80\x03\x80\x07\x00\x07\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x07\xe0\x07\xe0\x1c8\x1c88\x1c8\x1c\x008\x008\x00p\x00p\x00\xe0\x00\xe0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x00\x00\x00\x00\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x0f\xf0\x0f\xf08\x1c8\x1cp\x0ep\x0eq\xfeq\xfes\x8es\x8es\x8es\x8es\x8es\x8eq\xfcq\xfcp\x00p\x008\x008\x00\x0f\xfc\x0f\xfc\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x03\xc0\x03\xc0\x07\xe0\x07\xe0\x0ep\x0ep\x1c8\x1c88\x1c8\x1c8\x1c8\x1c?\xfc?\xfc8\x1c8\x1c8\x1c8\x1c8\x1c8\x1c8\x1c8\x1c\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00?\xf0?\xf08\x1c8\x1c8\x0e8\x0e8\x0e8\x0e8\x1c8\x1c?\xf0?\xf08\x1c8\x1c8\x0e8\x0e8\x0e8\x0e8\x1c8\x1c?\xf0?\xf0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x07\xf0\x07\xf0\x1c\x1c\x1c\x1c8\x0e8\x0e8\x008\x008\x008\x008\x008\x008\x008\x008\x008\x008\x0e8\x0e\x1c\x1c\x1c\x1c\x07\xf0\x07\xf0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00?\xf0?\xf08\x1c8\x1c8\x0e8\x0e8\x0e8\x0e8\x0e8\x0e8\x0e8\x0e8\x0e8\x0e8\x0e8\x0e8\x0e8\x0e8\x1c8\x1c?\xf0?\xf0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00?\xfc?\xfc8\x008\x008\x008\x008\x008\x008\x008\x00?\xe0?\xe08\x008\x008\x008\x008\x008\x008\x008\x00?\xfc?\xfc\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00?\xfc?\xfc8\x008\x008\x008\x008\x008\x008\x008\x00?\xe0?\xe08\x008\x008\x008\x008\x008\x008\x008\x008\x008\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x07\xf0\x07\xf0\x1c\x1c\x1c\x1c8\x0e8\x0e8\x008\x008\x008\x008\x008\x008>8>8\x0e8\x0e8\x0e8\x0e\x1c\x1c\x1c\x1c\x07\xf0\x07\xf0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x008\x0e8\x0e8\x0e8\x0e8\x0e8\x0e8\x0e8\x0e8\x0e8\x0e?\xfe?\xfe8\x0e8\x0e8\x0e8\x0e8\x0e8\x0e8\x0e8\x0e8\x0e8\x0e\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x1c\x00\x1c\x00\x1c\x00\x1c\x00\x1c\x00\x1c\x00\x1c\x00\x1c\x00\x1c\x00\x1c\x00\x1c\x00\x1c\x00\x1c\x00\x1c\x00\x1c\x00\x1c\x1c\x1c\x1c\x1c\x0e8\x0e8\x03\xe0\x03\xe0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x1c8\x1c8\x1cp\x1cp\x1c\xe0\x1c\xe0\x1d\xc0\x1d\xc0\x1f\x80\x1f\x80\x1f\x80\x1f\x80\x1d\xc0\x1d\xc0\x1c\xe0\x1c\xe0\x1cp\x1cp\x1c8\x1c8\x1c\x1c\x1c\x1c\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x008\x008\x008\x008\x008\x008\x008\x008\x008\x008\x008\x008\x008\x008\x008\x008\x008\x008\x008\x008\x00?\xfc?\xfc\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00x\x1ex\x1e|>|>~~~~w\xeew\xees\xces\xceq\x8eq\x8ep\x0ep\x0ep\x0ep\x0ep\x0ep\x0ep\x0ep\x0ep\x0ep\x0e\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x008\x0e8\x0e<\x0e<\x0e>\x0e>\x0e?\x0e?\x0e;\x8e;\x8e9\xce9\xce8\xee8\xee8~8~8>8>8\x1e8\x1e8\x0e8\x0e\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x07\xf0\x07\xf0\x1c\x1c\x1c\x1c8\x0e8\x0e8\x0e8\x0e8\x0e8\x0e8\x0e8\x0e8\x0e8\x0e8\x0e8\x0e8\x0e8\x0e\x1c\x1c\x1c\x1c\x07\xf0\x07\xf0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00?\xf0?\xf08\x1c8\x1c8\x0e8\x0e8\x0e8\x0e8\x1c8\x1c?\xf0?\xf08\x008\x008\x008\x008\x008\x008\x008\x008\x008\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x07\xf0\x07\xf0\x1c\x1c\x1c\x1c8\x0e8\x0e8\x0e8\x0e8\x0e8\x0e8\x0e8\x0e8\x0e8\x0e8\x0e8\x0e8\xee8\xee\x1c|\x1c|\x07\xf8\x07\xf8\x00\x1c\x00\x1c\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00?\xf0?\xf08\x1c8\x1c8\x0e8\x0e8\x0e8\x0e8\x1c8\x1c?\xf0?\xf08\xe08\xe08p8p88888\x1c8\x1c8\x0e8\x0e\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x0f\xf0\x0f\xf08\x1c8\x1cp\x0ep\x0ep\x00p\x008\x008\x00\x0f\xf0\x0f\xf0\x00\x1c\x00\x1c\x00\x0e\x00\x0ep\x0ep\x0e8\x1c8\x1c\x0f\xf0\x0f\xf0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00?\xfe?\xfe\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x008\x0e8\x0e8\x0e8\x0e8\x0e8\x0e8\x0e8\x0e8\x0e8\x0e8\x0e8\x0e8\x0e8\x0e8\x0e8\x0e8\x0e8\x0e\x1c\x1c\x1c\x1c\x07\xf0\x07\xf0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x008\x1c8\x1c8\x1c8\x1c8\x1c8\x1c8\x1c8\x1c8\x1c8\x1c8\x1c8\x1c8\x1c8\x1c\x1c8\x1c8\x0ep\x0ep\x07\xe0\x07\xe0\x03\xc0\x03\xc0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00p\x0ep\x0ep\x0ep\x0ep\x0ep\x0ep\x0ep\x0ep\x0ep\x0ep\x0ep\x0eq\x8eq\x8es\xces\xcew\xeew\xee>|>|\x1c8\x1c8\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x008\x1c8\x1c8\x1c8\x1c\x1c8\x1c8\x0ep\x0ep\x07\xe0\x07\xe0\x03\xc0\x03\xc0\x07\xe0\x07\xe0\x0ep\x0ep\x1c8\x1c88\x1c8\x1c8\x1c8\x1c\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x008\x0e8\x0e\x1c\x1c\x1c\x1c\x0e8\x0e8\x07p\x07p\x03\xe0\x03\xe0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00?\xfe?\xfe\x00\x1c\x00\x1c\x008\x008\x00p\x00p\x00\xe0\x00\xe0\x01\xc0\x01\xc0\x03\x80\x03\x80\x07\x00\x07\x00\x0e\x00\x0e\x00\x1c\x00\x1c\x00?\xfe?\xfe\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x07\xf0\x07\xf0\x07\x00\x07\x00\x07\x00\x07\x00\x07\x00\x07\x00\x07\x00\x07\x00\x07\x00\x07\x00\x07\x00\x07\x00\x07\x00\x07\x00\x07\x00\x07\x00\x07\x00\x07\x00\x07\xf0\x07\xf0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x1c\x00\x1c\x00\x0e\x00\x0e\x00\x07\x00\x07\x00\x03\x80\x03\x80\x01\xc0\x01\xc0\x00\xe0\x00\xe0\x00p\x00p\x008\x008\x00\x1c\x00\x1c\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x07\xf0\x07\xf0\x00p\x00p\x00p\x00p\x00p\x00p\x00p\x00p\x00p\x00p\x00p\x00p\x00p\x00p\x00p\x00p\x00p\x00p\x07\xf0\x07\xf0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x03\xc0\x03\xc0\x07\xe0\x07\xe0\x0ep\x0ep\x1c8\x1c88\x1c8\x1c\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\xff\xff\xff\xff\x00\x00\x00\x00\x00\x00\x00\x00\x07\x00\x07\x00\x03\x80\x03\x80\x01\xc0\x01\xc0\x00\xe0\x00\xe0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x0f\xf8\x0f\xf8\x00\x0e\x00\x0e\x0f\xfe\x0f\xfe8\x0e8\x0e8\x0e8\x0e8\x0e8\x0e\x0f\xfe\x0f\xfe\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x008\x008\x008\x008\x008\x008\x008\x008\x00?\xf0?\xf08\x1c8\x1c8\x0e8\x0e8\x0e8\x0e8\x0e8\x0e8\x0e8\x0e?\xf8?\xf8\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x0f\xf8\x0f\xf88\x0e8\x0e8\x008\x008\x008\x008\x008\x008\x0e8\x0e\x0f\xf8\x0f\xf8\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x0e\x00\x0e\x00\x0e\x00\x0e\x00\x0e\x00\x0e\x00\x0e\x00\x0e\x07\xfe\x07\xfe\x1c\x0e\x1c\x0e8\x0e8\x0e8\x0e8\x0e8\x0e8\x0e8\x0e8\x0e\x0f\xfe\x0f\xfe\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x0f\xf8\x0f\xf88\x0e8\x0e8\x0e8\x0e?\xfe?\xfe8\x008\x008\x008\x00\x0f\xfc\x0f\xfc\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\xf8\x00\xf8\x03\x80\x03\x80\x03\x80\x03\x80\x03\x80\x03\x80\x03\x80\x03\x80\x0f\xf0\x0f\xf0\x03\x80\x03\x80\x03\x80\x03\x80\x03\x80\x03\x80\x03\x80\x03\x80\x03\x80\x03\x80\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x0f\xf8\x0f\xf88\x0e8\x0e8\x0e8\x0e8\x0e8\x0e8\x0e8\x0e\x0f\xfe\x0f\xfe\x00\x0e\x00\x0e\x00\x0e\x00\x0e\x1f\xf8\x1f\xf8\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x008\x008\x008\x008\x008\x008\x008\x008\x00;\xf8;\xf8<\x0e<\x0e8\x0e8\x0e8\x0e8\x0e8\x0e8\x0e8\x0e8\x0e8\x0e8\x0e\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x00\x00\x00\x00\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00p\x00p\x00p\x00p\x00\x00\x00\x00\x00p\x00p\x00p\x00p\x00p\x00p\x00p\x00p\x00p\x00p\x00p\x00p\x00p\x00p\x00\xe0\x00\xe0\x0f\x80\x0f\x80\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x0e\x00\x0e\x00\x0e\x00\x0e\x00\x0e\x00\x0e\x00\x0e\x00\x0e\x00\x0e8\x0e8\x0ep\x0ep\x0e\xe0\x0e\xe0\x0f\xc0\x0f\xc0\x0e\xe0\x0e\xe0\x0ep\x0ep\x0e8\x0e8\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00>x>x9\xce9\xce9\xce9\xce9\xce9\xce9\xce9\xce9\xce9\xce9\xce9\xce\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00?\xe0?\xe088888\x1c8\x1c8\x1c8\x1c8\x1c8\x1c8\x1c8\x1c8\x1c8\x1c\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x07\xf0\x07\xf0\x1c\x1c\x1c\x1c8\x0e8\x0e8\x0e8\x0e8\x0e8\x0e\x1c\x1c\x1c\x1c\x07\xf0\x07\xf0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00?\xf0?\xf08\x1c8\x1c8\x0e8\x0e8\x0e8\x0e8\x1c8\x1c?\xf0?\xf08\x008\x008\x008\x008\x008\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x07\xfe\x07\xfe\x1c\x0e\x1c\x0e8\x0e8\x0e8\x0e8\x0e\x1c\x0e\x1c\x0e\x07\xfe\x07\xfe\x00\x0e\x00\x0e\x00\x0e\x00\x0e\x00\x0e\x00\x0e\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00?\xf0?\xf08\x1c8\x1c8\x008\x008\x008\x008\x008\x008\x008\x008\x008\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x0f\xfc\x0f\xfc8\x008\x008\x008\x00\x0f\xf8\x0f\xf8\x00\x0e\x00\x0e\x00\x0e\x00\x0e\x1f\xf8\x1f\xf8\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x1f\xfc\x1f\xfc\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x008\x1c8\x1c8\x1c8\x1c8\x1c8\x1c8\x1c8\x1c8\x1c8\x1c8\x1c8\x1c\x0f\xfc\x0f\xfc\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00p\x0ep\x0e8\x1c8\x1c\x1c8\x1c8\x0ep\x0ep\x07\xe0\x07\xe0\x03\xc0\x03\xc0\x01\x80\x01\x80\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x008\x0e8\x0e8\x0e8\x0e8\x0e8\x0e9\xce9\xce;\xee;\xee\x1f|\x1f|\x0e8\x0e8\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x1c8\x1c8\x0ep\x0ep\x07\xe0\x07\xe0\x03\xc0\x03\xc0\x07\xe0\x07\xe0\x0ep\x0ep\x1c8\x1c8\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x008\x0e8\x0e\x1c\x1c\x1c\x1c\x0e8\x0e8\x07p\x07p\x03\xe0\x03\xe0\x01\xc0\x01\xc0\x03\x80\x03\x80\x07\x00\x07\x00\x0e\x00\x0e\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00?\xfe?\xfe\x00\x1c\x00\x1c\x00p\x00p\x01\xc0\x01\xc0\x07\x00\x07\x00\x1c\x00\x1c\x00?\xfe?\xfe\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\xf8\x00\xf8\x01\xc0\x01\xc0\x03\x80\x03\x80\x03\x80\x03\x80\x03\x80\x03\x80\x1e\x00\x1e\x00\x03\x80\x03\x80\x03\x80\x03\x80\x03\x80\x03\x80\x01\xc0\x01\xc0\x00\xf8\x00\xf8\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x00\x00\x00\x00\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x1f\x00\x1f\x00\x03\x80\x03\x80\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x00x\x00x\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x03\x80\x03\x80\x1f\x00\x1f\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x07\x9e\x07\x9e<\xf0<\xf0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x01\xc0\x01\xc0\x07p\x07p\x1c\x1c\x1c\x1cp\x07p\x07p\x07p\x07\x7f\xff\x7f\xff\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x07\xf8\x07\xf8\x1c\x0e\x1c\x0e8\x068\x068\x008\x008\x008\x008\x008\x008\x008\x008\x068\x06\x1c\x0e\x1c\x0e\x07\xf8\x07\xf8\x008\x008\x00\x1c\x00\x1c\x0f\xf8\x0f\xf8\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x1c8\x1c8\x1c8\x1c8\x00\x00\x00\x008\x1c8\x1c8\x1c8\x1c8\x1c8\x1c8\x1c8\x1c8\x1c8\x1c8\x1c8\x1c\x0f\xfc\x0f\xfc\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x008\x008\x00\xe0\x00\xe0\x03\x80\x03\x80\x00\x00\x00\x00\x0f\xf8\x0f\xf88\x0e8\x0e8\x0e8\x0e?\xfe?\xfe8\x008\x008\x008\x00\x0f\xfc\x0f\xfc\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x01\xc0\x01\xc0\x07p\x07p\x1c\x1c\x1c\x1c\x00\x00\x00\x00\x0f\xf8\x0f\xf8\x00\x0e\x00\x0e\x0f\xfe\x0f\xfe8\x0e8\x0e8\x0e8\x0e8\x0e8\x0e\x0f\xfe\x0f\xfe\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x1c\x1c\x1c\x1c\x1c\x1c\x1c\x1c\x00\x00\x00\x00\x0f\xf8\x0f\xf8\x00\x0e\x00\x0e\x0f\xfe\x0f\xfe8\x0e8\x0e8\x0e8\x0e8\x0e8\x0e\x0f\xfe\x0f\xfe\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x07\x00\x07\x00\x01\xc0\x01\xc0\x00p\x00p\x00\x00\x00\x00\x0f\xf8\x0f\xf8\x00\x0e\x00\x0e\x0f\xfe\x0f\xfe8\x0e8\x0e8\x0e8\x0e8\x0e8\x0e\x0f\xfe\x0f\xfe\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x03\xe0\x03\xe0\x0e8\x0e8\x03\xe0\x03\xe0\x00\x00\x00\x00\x0f\xf8\x0f\xf8\x00\x0e\x00\x0e\x0f\xfe\x0f\xfe8\x0e8\x0e8\x0e8\x0e8\x0e8\x0e\x0f\xfe\x0f\xfe\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x0f\xf0\x0f\xf08\x1c8\x1c8\x008\x008\x008\x008\x1c8\x1c\x0f\xf0\x0f\xf0\x00p\x00p\x008\x008\x0f\xf0\x0f\xf0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x01\xc0\x01\xc0\x07p\x07p\x1c\x1c\x1c\x1c\x00\x00\x00\x00\x0f\xf8\x0f\xf88\x0e8\x0e8\x0e8\x0e?\xfe?\xfe8\x008\x008\x008\x00\x0f\xfc\x0f\xfc\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x1c\x1c\x1c\x1c\x1c\x1c\x1c\x1c\x00\x00\x00\x00\x0f\xf8\x0f\xf88\x0e8\x0e8\x0e8\x0e?\xfe?\xfe8\x008\x008\x008\x00\x0f\xfc\x0f\xfc\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x07\x00\x07\x00\x01\xc0\x01\xc0\x00p\x00p\x00\x00\x00\x00\x0f\xf8\x0f\xf88\x0e8\x0e8\x0e8\x0e?\xfe?\xfe8\x008\x008\x008\x00\x0f\xfc\x0f\xfc\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x1c\x1c\x1c\x1c\x1c\x1c\x1c\x1c\x00\x00\x00\x00\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x01\xc0\x01\xc0\x07p\x07p\x1c\x1c\x1c\x1c\x00\x00\x00\x00\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x0e\x00\x0e\x00\x03\x80\x03\x80\x00\xe0\x00\xe0\x00\x00\x00\x00\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x1c8\x1c8\x1c8\x1c8\x00\x00\x00\x00\x03\xc0\x03\xc0\x07\xe0\x07\xe0\x0ep\x0ep\x1c8\x1c88\x1c8\x1c?\xfc?\xfc8\x1c8\x1c8\x1c8\x1c8\x1c8\x1c\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x03\xc0\x03\xc0\x0ep\x0ep\x03\xc0\x03\xc0\x00\x00\x00\x00\x03\xc0\x03\xc0\x07\xe0\x07\xe0\x0ep\x0ep\x1c8\x1c88\x1c8\x1c?\xfc?\xfc8\x1c8\x1c8\x1c8\x1c8\x1c8\x1c\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00p\x00p\x01\xc0\x01\xc0\x07\x00\x07\x00\x00\x00\x00\x00?\xfc?\xfc8\x008\x008\x008\x008\x008\x00?\xe0?\xe08\x008\x008\x008\x008\x008\x00?\xfc?\xfc\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00>~>~\x03\xc7\x03\xc7\x03\xc7\x03\xc7\x7f\xfe\x7f\xfe\xe3\xc0\xe3\xc0\xe3\xc0\xe3\xc0\x7f\xff\x7f\xff\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x07\xff\x07\xff\x0e\xe0\x0e\xe0\x1c\xe0\x1c\xe08\xe08\xe0p\xe0p\xe0\x7f\xfe\x7f\xfep\xe0p\xe0p\xe0p\xe0p\xe0p\xe0p\xe0p\xe0p\xffp\xff\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x01\xc0\x01\xc0\x07p\x07p\x1c\x1c\x1c\x1c\x00\x00\x00\x00\x07\xf0\x07\xf0\x1c\x1c\x1c\x1c8\x0e8\x0e8\x0e8\x0e8\x0e8\x0e\x1c\x1c\x1c\x1c\x07\xf0\x07\xf0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x1c\x1c\x1c\x1c\x1c\x1c\x1c\x1c\x00\x00\x00\x00\x07\xf0\x07\xf0\x1c\x1c\x1c\x1c8\x0e8\x0e8\x0e8\x0e8\x0e8\x0e\x1c\x1c\x1c\x1c\x07\xf0\x07\xf0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x07\x00\x07\x00\x01\xc0\x01\xc0\x00p\x00p\x00\x00\x00\x00\x07\xf0\x07\xf0\x1c\x1c\x1c\x1c8\x0e8\x0e8\x0e8\x0e8\x0e8\x0e\x1c\x1c\x1c\x1c\x07\xf0\x07\xf0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x03\xc0\x03\xc0\x0ep\x0ep8\x1c8\x1c\x00\x00\x00\x008\x1c8\x1c8\x1c8\x1c8\x1c8\x1c8\x1c8\x1c8\x1c8\x1c8\x1c8\x1c\x0f\xfc\x0f\xfc\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x0e\x00\x0e\x00\x03\x80\x03\x80\x00\xe0\x00\xe0\x00\x00\x00\x008\x1c8\x1c8\x1c8\x1c8\x1c8\x1c8\x1c8\x1c8\x1c8\x1c8\x1c8\x1c\x0f\xfc\x0f\xfc\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x1c\x1c\x1c\x1c\x1c\x1c\x1c\x1c\x00\x00\x00\x008\x0e8\x0e\x1c\x1c\x1c\x1c\x0e8\x0e8\x07p\x07p\x03\xe0\x03\xe0\x01\xc0\x01\xc0\x03\x80\x03\x80\x07\x00\x07\x00\x0e\x00\x0e\x00\x00\x00\x00\x00\x00\x00\x00\x00\x1c\x1c\x1c\x1c\x1c\x1c\x1c\x1c\x00\x00\x00\x00\x07\xf0\x07\xf0\x1c\x1c\x1c\x1c8\x0e8\x0e8\x0e8\x0e8\x0e8\x0e8\x0e8\x0e8\x0e8\x0e\x1c\x1c\x1c\x1c\x07\xf0\x07\xf0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x1c\x1c\x1c\x1c\x1c\x1c\x1c\x1c\x00\x00\x00\x008\x0e8\x0e8\x0e8\x0e8\x0e8\x0e8\x0e8\x0e8\x0e8\x0e8\x0e8\x0e8\x0e8\x0e\x1c\x1c\x1c\x1c\x07\xf0\x07\xf0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x0f\xf8\x0f\xf88\x0e8\x0e8\x008\x008\x008\x008\x008\x008\x1e8\x1e\x0f\xf8\x0f\xf8\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x01\xf0\x01\xf0\x07\x1c\x07\x1c\x07\x00\x07\x00\x07\x00\x07\x00\x1f\xc0\x1f\xc0\x07\x00\x07\x00\x07\x00\x07\x00\x07\x00\x07\x00\x07\x00\x07\x00?\x0e?\x0e?\xf8?\xf8\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x008\x0e8\x0e\x1c\x1c\x1c\x1c\x0e8\x0e8\x07p\x07p\x03\xe0\x03\xe0?\xfe?\xfe\x01\xc0\x01\xc0?\xfe?\xfe\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x7f\x80\x7f\x80p\xe0p\xe0ppppp\xe0p\xe0\x7f\x9c\x7f\x9cp\x1cp\x1cp\x7fp\x7fp\x1cp\x1cp\x1cp\x1cp\x1cp\x1cp\x1cp\x1c\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00x\x00x\x01\xce\x01\xce\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x1f\xfc\x1f\xfc\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc09\xc09\xc0\x0f\x00\x0f\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00p\x00p\x01\xc0\x01\xc0\x07\x00\x07\x00\x00\x00\x00\x00\x0f\xf8\x0f\xf8\x00\x0e\x00\x0e\x0f\xfe\x0f\xfe8\x0e8\x0e8\x0e8\x0e8\x0e8\x0e\x0f\xfe\x0f\xfe\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00p\x00p\x01\xc0\x01\xc0\x07\x00\x07\x00\x00\x00\x00\x00\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00p\x00p\x01\xc0\x01\xc0\x07\x00\x07\x00\x00\x00\x00\x00\x07\xf0\x07\xf0\x1c\x1c\x1c\x1c8\x0e8\x0e8\x0e8\x0e8\x0e8\x0e\x1c\x1c\x1c\x1c\x07\xf0\x07\xf0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00p\x00p\x01\xc0\x01\xc0\x07\x00\x07\x00\x00\x00\x00\x008\x1c8\x1c8\x1c8\x1c8\x1c8\x1c8\x1c8\x1c8\x1c8\x1c8\x1c8\x1c\x0f\xfc\x0f\xfc\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x07\x9c\x07\x9c<\xf0<\xf0\x00\x00\x00\x00?\xe0?\xe088888\x1c8\x1c8\x1c8\x1c8\x1c8\x1c8\x1c8\x1c8\x1c8\x1c\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x07\x9e\x07\x9e<\xf0<\xf0\x00\x00\x00\x00<\x0e<\x0e>\x0e>\x0e?\x0e?\x0e;\x8e;\x8e9\xce9\xce8\xee8\xee8~8~8>8>8\x1e8\x1e\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x0f\xf0\x0f\xf08p8p8p8p\x0f\xfc\x0f\xfc\x00\x00\x00\x00?\xfc?\xfc\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x0f\xc0\x0f\xc08p8p8p8p\x0f\xc0\x0f\xc0\x00\x00\x00\x00?\xf0?\xf0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x03\x80\x03\x80\x03\x80\x03\x80\x00\x00\x00\x00\x03\x80\x03\x80\x03\x80\x03\x80\x03\x80\x03\x80\x07\x00\x07\x00\x1c\x00\x1c\x008\x1c8\x1c\x1c8\x1c8\x07\xe0\x07\xe0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00?\xff?\xff8\x008\x008\x008\x008\x008\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00?\xff?\xff\x00\x07\x00\x07\x00\x07\x00\x07\x00\x07\x00\x07\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x008\x008\x00x\x00x\x008\x008\x008\x1c8\x1c8p8p\x01\xc0\x01\xc0\x07\x00\x07\x00\x1c|\x1c|p\x0ep\x0e\x00\x1c\x00\x1c\x00p\x00p\x00\xfe\x00\xfe\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x008\x008\x00x\x00x\x008\x008\x008\x1c8\x1c8p8p\x01\xc0\x01\xc0\x07\x00\x07\x00\x1c\x1c\x1c\x1cp|p|\x01\xdc\x01\xdc\x01\xfe\x01\xfe\x00\x1c\x00\x1c\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x00\x00\x00\x00\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x03\x8e\x03\x8e\x0e8\x0e88\xe08\xe0\x0e8\x0e8\x03\x8e\x03\x8e\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x008\xe08\xe0\x0e8\x0e8\x03\x8e\x03\x8e\x0e8\x0e88\xe08\xe0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x03\x03\x03\x030000\x03\x03\x03\x030000\x03\x03\x03\x030000\x03\x03\x03\x030000\x03\x03\x03\x030000\x03\x03\x03\x030000\x03\x03\x03\x030000\x03\x03\x03\x0300003333\xcc\xcc\xcc\xcc3333\xcc\xcc\xcc\xcc3333\xcc\xcc\xcc\xcc3333\xcc\xcc\xcc\xcc3333\xcc\xcc\xcc\xcc3333\xcc\xcc\xcc\xcc3333\xcc\xcc\xcc\xcc3333\xcc\xcc\xcc\xcc\xf3\xf3\xf3\xf3????\xf3\xf3\xf3\xf3????\xf3\xf3\xf3\xf3????\xf3\xf3\xf3\xf3????\xf3\xf3\xf3\xf3????\xf3\xf3\xf3\xf3????\xf3\xf3\xf3\xf3????\xf3\xf3\xf3\xf3????\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\xff\xc0\xff\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\xff\xc0\xff\xc0\x01\xc0\x01\xc0\xff\xc0\xff\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\xff8\xff8\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\xff\xf8\xff\xf8\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\xff\xc0\xff\xc0\x01\xc0\x01\xc0\xff\xc0\xff\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\xff8\xff8\x008\x008\xff8\xff8\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\xff\xf8\xff\xf8\x008\x008\xff8\xff8\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\xff8\xff8\x008\x008\xff\xf8\xff\xf8\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\xff\xf8\xff\xf8\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\xff\xc0\xff\xc0\x01\xc0\x01\xc0\xff\xc0\xff\xc0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\xff\xc0\xff\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xff\x01\xff\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\xff\xff\xff\xff\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\xff\xff\xff\xff\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xff\x01\xff\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\xff\xff\xff\xff\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\xff\xff\xff\xff\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xff\x01\xff\x01\xc0\x01\xc0\x01\xff\x01\xff\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x07?\x07?\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x07?\x07?\x07\x00\x07\x00\x07\xff\x07\xff\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x07\xff\x07\xff\x07\x00\x07\x00\x07?\x07?\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\xff?\xff?\x00\x00\x00\x00\xff\xff\xff\xff\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\xff\xff\xff\xff\x00\x00\x00\x00\xff?\xff?\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x07?\x07?\x07\x00\x07\x00\x07?\x07?\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\xff\xff\xff\xff\x00\x00\x00\x00\xff\xff\xff\xff\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\xff?\xff?\x00\x00\x00\x00\xff?\xff?\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\xff\xff\xff\xff\x00\x00\x00\x00\xff\xff\xff\xff\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\xff\xff\xff\xff\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\xff\xff\xff\xff\x00\x00\x00\x00\xff\xff\xff\xff\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\xff\xff\xff\xff\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x07\xff\x07\xff\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xff\x01\xff\x01\xc0\x01\xc0\x01\xff\x01\xff\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x01\xff\x01\xff\x01\xc0\x01\xc0\x01\xff\x01\xff\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x07\xff\x07\xff\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\xff\xff\xff\xff\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x078\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\xff\xff\xff\xff\x01\xc0\x01\xc0\xff\xff\xff\xff\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\xff\xc0\xff\xc0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x01\xff\x01\xff\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\x00\xff\x00\xff\x00\xff\x00\xff\x00\xff\x00\xff\x00\xff\x00\xff\x00\xff\x00\xff\x00\xff\x00\xff\x00\xff\x00\xff\x00\xff\x00\xff\x00\xff\x00\xff\x00\xff\x00\xff\x00\xff\x00\xff\x00\xff\x00\xff\x00\xff\x00\xff\x00\xff\x00\xff\x00\xff\x00\xff\x00\xff\x00\x00\xff\x00\xff\x00\xff\x00\xff\x00\xff\x00\xff\x00\xff\x00\xff\x00\xff\x00\xff\x00\xff\x00\xff\x00\xff\x00\xff\x00\xff\x00\xff\x00\xff\x00\xff\x00\xff\x00\xff\x00\xff\x00\xff\x00\xff\x00\xff\x00\xff\x00\xff\x00\xff\x00\xff\x00\xff\x00\xff\x00\xff\x00\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x0f\x0e\x0f\x0e9\xdc9\xdcp\xf8p\xf8p\xf0p\xf0p\xf8p\xf89\xdc9\xdc\x0f\x0e\x0f\x0e\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x0f\xf8\x0f\xf88\x0e8\x0e8\x0e8\x0e?\xf8?\xf88\x0e8\x0e8\x0e8\x0e?\xf8?\xf88\x008\x008\x008\x00\x18\x00\x18\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00?\xfe?\xfe8\x0e8\x0e8\x0e8\x0e8\x008\x008\x008\x008\x008\x008\x008\x008\x008\x008\x008\x008\x008\x008\x008\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00?\xfe?\xfe\x0e8\x0e8\x0e8\x0e8\x0e8\x0e8\x0e8\x0e8\x0e8\x0e8\x0e8\x0e8\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00?\xfe?\xfe8\x0e8\x0e8\x008\x00\x0e\x00\x0e\x00\x03\x80\x03\x80\x00\xe0\x00\xe0\x03\x80\x03\x80\x0e\x00\x0e\x008\x008\x008\x0e8\x0e?\xfe?\xfe\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x07\xff\x07\xff\x1c8\x1c8888888888888\x1cp\x1cp\x07\xc0\x07\xc0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x0e\x0e\x0e\x0e\x0e\x0e\x0e\x0e\x0e\x0e\x0e\x0e\x0e\x0e\x0e\x0e\x0e\x1c\x0e\x1c\x0f\xf0\x0f\xf0\x0e\x00\x0e\x00\x0e\x00\x0e\x008\x008\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x0f\x9e\x0f\x9e<\xf8<\xf8\x00\xe0\x00\xe0\x00\xe0\x00\xe0\x00\xe0\x00\xe0\x00\xe0\x00\xe0\x00\xe0\x00\xe0\x00\xe0\x00\xe0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x1f\xfc\x1f\xfc\x01\xc0\x01\xc0\x07\xf0\x07\xf0\x0e8\x0e8\x1c\x1c\x1c\x1c\x1c\x1c\x1c\x1c\x1c\x1c\x1c\x1c\x0e8\x0e8\x07\xf0\x07\xf0\x01\xc0\x01\xc0\x1f\xfc\x1f\xfc\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x07\xf0\x07\xf0\x1c\x1c\x1c\x1c8\x0e8\x0e8\x0e8\x0e8\x0e8\x0e?\xfe?\xfe8\x0e8\x0e8\x0e8\x0e8\x0e8\x0e\x1c\x1c\x1c\x1c\x07\xf0\x07\xf0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x07\xf0\x07\xf0\x1c\x1c\x1c\x1c8\x0e8\x0e8\x0e8\x0e8\x0e8\x0e8\x0e8\x0e\x1c\x1c\x1c\x1c\x0e8\x0e8\x0e8\x0e8\x0e8\x0e8>>>>\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x03\xf0\x03\xf0\x0e8\x0e8\x0e\x00\x0e\x00\x03\x80\x03\x80\x00\xe0\x00\xe0\x07\xf8\x07\xf8\x1c\x1c\x1c\x1c8\x1c8\x1c8\x1c8\x1c\x1c8\x1c8\x07\xe0\x07\xe0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00>|>|s\xces\xces\xces\xces\xces\xce>|>|\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x1c\x00\x1c\x008\x008\x0f\xf0\x0f\xf08\xfc8\xfcq\xceq\xces\x8es\x8e?\x1c?\x1c\x0f\xf0\x0f\xf0\x1c\x00\x1c\x008\x008\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x03\xf0\x03\xf0\x0e\x00\x0e\x008\x008\x008\x008\x008\x008\x00?\xf0?\xf08\x008\x008\x008\x008\x008\x00\x0e\x00\x0e\x00\x03\xf0\x03\xf0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x07\xf0\x07\xf0\x1c\x1c\x1c\x1c8\x0e8\x0e8\x0e8\x0e8\x0e8\x0e8\x0e8\x0e8\x0e8\x0e8\x0e8\x0e8\x0e8\x0e8\x0e8\x0e\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00?\xfe?\xfe\x00\x00\x00\x00\x00\x00\x00\x00?\xfe?\xfe\x00\x00\x00\x00\x00\x00\x00\x00?\xfe?\xfe\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0?\xfe?\xfe\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x00\x00\x00\x00?\xfe?\xfe\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x0e\x00\x0e\x00\x03\x80\x03\x80\x00\xe0\x00\xe0\x008\x008\x00\xe0\x00\xe0\x03\x80\x03\x80\x0e\x00\x0e\x00\x00\x00\x00\x00?\xfc?\xfc\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00p\x00p\x01\xc0\x01\xc0\x07\x00\x07\x00\x1c\x00\x1c\x00\x07\x00\x07\x00\x01\xc0\x01\xc0\x00p\x00p\x00\x00\x00\x00?\xfc?\xfc\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00|\x00|\x01\xc7\x01\xc7\x01\xc7\x01\xc7\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x01\xc0q\xc0q\xc0q\xc0q\xc0\x1f\x00\x1f\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x00\x00\x00\x00\x00\x00\x00\x00?\xfe?\xfe\x00\x00\x00\x00\x00\x00\x00\x00\x01\xc0\x01\xc0\x01\xc0\x01\xc0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x07\x9e\x07\x9e<\xf0<\xf0\x00\x00\x00\x00\x07\x9e\x07\x9e<\xf0<\xf0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x0f\xc0\x0f\xc08p8p8p8p\x0f\xc0\x0f\xc0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x03\xc0\x03\xc0\x03\xc0\x03\xc0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x01\xc0\x01\xc0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x7f\x00\x7f\x00p\x00p\x00p\x00p\x00p\x00p\x00p\x00p\x00p\x00p\x00p\x00p\xf8p\xf8p\x1cp\x1cp\x07p\x07p\x01\xf0\x01\xf0\x00p\x00p\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x7f\x80\x7f\x80p\xe0p\xe0p\xe0p\xe0p\xe0p\xe0p\xe0p\xe0p\xe0p\xe0p\xe0p\xe0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00?\x00?\x00\xe1\xc0\xe1\xc0\x01\xc0\x01\xc0\x07\x00\x07\x00\x1c\x00\x1c\x00p\x00p\x00\xff\xc0\xff\xc0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x1f\xf8\x1f\xf8\x1f\xf8\x1f\xf8\x1f\xf8\x1f\xf8\x1f\xf8\x1f\xf8\x1f\xf8\x1f\xf8\x1f\xf8\x1f\xf8\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00' font = memoryview(_FONT)
record_list=[] y=int(input('Enter no.of records to be entered')) for x in range(1,y+1,1): name=input('Enter name: ') roll_num=int(input("Enter roll number: ")) sub=input("Enter subject: ") score=float(input("Enter score: ")) record_list.append([name,roll_num,sub,score]) print(record_list) q=1 for p in record_list: print('record',q) print(p) print('Name',p[0],sep='=') print('Roll number',p[1],sep='=') print('Subject',p[2],sep='=') print('Score',p[3],sep='=',end='\n\n\n') q=q+1
record_list = [] y = int(input('Enter no.of records to be entered')) for x in range(1, y + 1, 1): name = input('Enter name: ') roll_num = int(input('Enter roll number: ')) sub = input('Enter subject: ') score = float(input('Enter score: ')) record_list.append([name, roll_num, sub, score]) print(record_list) q = 1 for p in record_list: print('record', q) print(p) print('Name', p[0], sep='=') print('Roll number', p[1], sep='=') print('Subject', p[2], sep='=') print('Score', p[3], sep='=', end='\n\n\n') q = q + 1
# Copyright 2020 The Monogon Project Authors. # # SPDX-License-Identifier: Apache-2.0 # # 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. load("@bazel_gazelle//:deps.bzl", "go_repository") load( "@io_bazel_rules_go//go:def.bzl", "GoLibrary", "go_context", "go_library", ) def _bindata_impl(ctx): out = ctx.actions.declare_file("bindata.go") arguments = ctx.actions.args() arguments.add_all([ "-pkg", ctx.attr.package, "-prefix", ctx.label.workspace_root, "-o", out, ]) arguments.add_all(ctx.files.srcs) ctx.actions.run( inputs = ctx.files.srcs, outputs = [out], executable = ctx.file.bindata, arguments = [arguments], ) go = go_context(ctx) source_files = [out] library = go.new_library( go, srcs = source_files, ) source = go.library_to_source(go, None, library, False) providers = [library, source] output_groups = { "go_generated_srcs": source_files, } return providers + [OutputGroupInfo(**output_groups)] bindata = rule( implementation = _bindata_impl, attrs = { "srcs": attr.label_list( mandatory = True, allow_files = True, ), "package": attr.string( mandatory = True, ), "bindata": attr.label( allow_single_file = True, default = Label("@com_github_kevinburke_go_bindata//go-bindata"), ), "_go_context_data": attr.label( default = "@io_bazel_rules_go//:go_context_data", ), }, toolchains = ["@io_bazel_rules_go//go:toolchain"], )
load('@bazel_gazelle//:deps.bzl', 'go_repository') load('@io_bazel_rules_go//go:def.bzl', 'GoLibrary', 'go_context', 'go_library') def _bindata_impl(ctx): out = ctx.actions.declare_file('bindata.go') arguments = ctx.actions.args() arguments.add_all(['-pkg', ctx.attr.package, '-prefix', ctx.label.workspace_root, '-o', out]) arguments.add_all(ctx.files.srcs) ctx.actions.run(inputs=ctx.files.srcs, outputs=[out], executable=ctx.file.bindata, arguments=[arguments]) go = go_context(ctx) source_files = [out] library = go.new_library(go, srcs=source_files) source = go.library_to_source(go, None, library, False) providers = [library, source] output_groups = {'go_generated_srcs': source_files} return providers + [output_group_info(**output_groups)] bindata = rule(implementation=_bindata_impl, attrs={'srcs': attr.label_list(mandatory=True, allow_files=True), 'package': attr.string(mandatory=True), 'bindata': attr.label(allow_single_file=True, default=label('@com_github_kevinburke_go_bindata//go-bindata')), '_go_context_data': attr.label(default='@io_bazel_rules_go//:go_context_data')}, toolchains=['@io_bazel_rules_go//go:toolchain'])
names = [ 'John', 'Mary', 'Joe', 'Matt', 'David', 'Matt', 'John' ] results = [] for name in names: if name in results: continue results.append(name) print(results)
names = ['John', 'Mary', 'Joe', 'Matt', 'David', 'Matt', 'John'] results = [] for name in names: if name in results: continue results.append(name) print(results)
# Copyright 2017 The Chromium Authors. All rights reserved. # Use of this source code is governed by a BSD-style license that can be # found in the LICENSE file. DEPS = [ 'chromium', 'chromium_android', 'recipe_engine/path', ] def RunSteps(api): api.chromium.set_config('chromium') api.chromium_android.stackwalker( api.path['checkout'], [api.chromium.output_dir.join('lib.unstripped', 'libchrome.so')]) def GenTests(api): yield api.test('basic')
deps = ['chromium', 'chromium_android', 'recipe_engine/path'] def run_steps(api): api.chromium.set_config('chromium') api.chromium_android.stackwalker(api.path['checkout'], [api.chromium.output_dir.join('lib.unstripped', 'libchrome.so')]) def gen_tests(api): yield api.test('basic')
# For Keystone Engine. AUTO-GENERATED FILE, DO NOT EDIT [systemz_const.py] KS_ERR_ASM_SYSTEMZ_INVALIDOPERAND = 512 KS_ERR_ASM_SYSTEMZ_MISSINGFEATURE = 513 KS_ERR_ASM_SYSTEMZ_MNEMONICFAIL = 514
ks_err_asm_systemz_invalidoperand = 512 ks_err_asm_systemz_missingfeature = 513 ks_err_asm_systemz_mnemonicfail = 514
#!/usr/bin/env python NAME = 'Citrix NetScaler' def is_waf(self): """ First checks if a cookie associated with Netscaler is present, if not it will try to find if a "Cneonction" or "nnCoection" is returned for any of the attacks sent """ # NSC_ and citrix_ns_id come from David S. Langlands <dsl 'at' surfstar.com> if self.matchcookie('^(ns_af=|citrix_ns_id|NSC_)'): return True if self.matchheader(('Cneonction', 'close'), attack=True): return True if self.matchheader(('nnCoection', 'close'), attack=True): return True if self.matchheader(('Via', 'NS-CACHE'), attack=True): return True if self.matchheader(('x-client-ip', '.'), attack=True): return True if self.matchheader(('Location', '\/vpn\/index\.html')): return True if self.matchcookie('^pwcount'): return True return False
name = 'Citrix NetScaler' def is_waf(self): """ First checks if a cookie associated with Netscaler is present, if not it will try to find if a "Cneonction" or "nnCoection" is returned for any of the attacks sent """ if self.matchcookie('^(ns_af=|citrix_ns_id|NSC_)'): return True if self.matchheader(('Cneonction', 'close'), attack=True): return True if self.matchheader(('nnCoection', 'close'), attack=True): return True if self.matchheader(('Via', 'NS-CACHE'), attack=True): return True if self.matchheader(('x-client-ip', '.'), attack=True): return True if self.matchheader(('Location', '\\/vpn\\/index\\.html')): return True if self.matchcookie('^pwcount'): return True return False
# Copyright 2015 Google Inc. # # Use of this source code is governed by a BSD-style license that can be # found in the LICENSE file. # GYP file to build experimental directory. { 'targets': [ { 'target_name': 'experimental', 'type': 'static_library', 'include_dirs': [ '../include/config', '../include/core', ], 'sources': [ '../experimental/SkSetPoly3To3.cpp', '../experimental/SkSetPoly3To3_A.cpp', '../experimental/SkSetPoly3To3_D.cpp', ], 'direct_dependent_settings': { 'include_dirs': [ '../experimental', ], }, }, ], }
{'targets': [{'target_name': 'experimental', 'type': 'static_library', 'include_dirs': ['../include/config', '../include/core'], 'sources': ['../experimental/SkSetPoly3To3.cpp', '../experimental/SkSetPoly3To3_A.cpp', '../experimental/SkSetPoly3To3_D.cpp'], 'direct_dependent_settings': {'include_dirs': ['../experimental']}}]}
class NodeCapacity: def __init__(self, json): self.cpu = json['cpu'] self.memory = self.__convert_mem_str_to_int__(json['memory']) self.pods = json['pods'] def __convert_mem_str_to_int__(self, mem_str): ''' unit of retrurned value is Mi ''' value = float(mem_str[0:-2]) unit = mem_str[-2:] if unit == 'Gi': value = value * 1024. if unit == 'Ki': value = value / 1024.0 return value class NodeSpec: def __init__(self, json): self.unschedulable = False if 'unschedulable' in json: self.unschedulable = json['unschedulable'] class NodeInfo: def __init__(self, json): self.kernel_version = json['kernelVersion'] self.container_runtime_version = json['containerRuntimeVersion'] self.kubelet_version = json['kubeletVersion'] self.kube_proxy_version = json['kubeProxyVersion'] class Node(object): def __init__(self, json): self.labels = json['metadata']['labels'] self.name = json['metadata']['name'] self.capacity = NodeCapacity(json['status']['capacity']) self.node_info = NodeInfo(json['status']['nodeInfo']) self.spec = NodeSpec(json['spec']) self.conditions = json['status']['conditions'] self.pod_num = 0 self.mem_limit_used = 0.0 self.mem_request_used = 0.0 def is_ready(self): for condition in self.conditions: if condition['type'] == 'Ready' and condition['status'] == 'True': return True else: return False
class Nodecapacity: def __init__(self, json): self.cpu = json['cpu'] self.memory = self.__convert_mem_str_to_int__(json['memory']) self.pods = json['pods'] def __convert_mem_str_to_int__(self, mem_str): """ unit of retrurned value is Mi """ value = float(mem_str[0:-2]) unit = mem_str[-2:] if unit == 'Gi': value = value * 1024.0 if unit == 'Ki': value = value / 1024.0 return value class Nodespec: def __init__(self, json): self.unschedulable = False if 'unschedulable' in json: self.unschedulable = json['unschedulable'] class Nodeinfo: def __init__(self, json): self.kernel_version = json['kernelVersion'] self.container_runtime_version = json['containerRuntimeVersion'] self.kubelet_version = json['kubeletVersion'] self.kube_proxy_version = json['kubeProxyVersion'] class Node(object): def __init__(self, json): self.labels = json['metadata']['labels'] self.name = json['metadata']['name'] self.capacity = node_capacity(json['status']['capacity']) self.node_info = node_info(json['status']['nodeInfo']) self.spec = node_spec(json['spec']) self.conditions = json['status']['conditions'] self.pod_num = 0 self.mem_limit_used = 0.0 self.mem_request_used = 0.0 def is_ready(self): for condition in self.conditions: if condition['type'] == 'Ready' and condition['status'] == 'True': return True else: return False
class nloptSolver( optwSolver ): def solve( self ): algorithm = solver[6:] if( algorithm == "" or algorithm == "MMA" ): #this is the default opt = nlopt.opt( nlopt.LD_MMA, self.n ) elif( algorithm == "SLSQP" ): opt = nlopt.opt( nlopt.LD_SLSQP, self.n ) elif( algorithm == "AUGLAG" ): opt = nlopt.opt( nlopt.LD_AUGLAG, self.n ) else: ## other algorithms do not support vector constraints ## auglag does not support stopval raise ValueError( "invalid solver" ) def objfcallback( x, grad ): if( grad.size > 0 ): grad[:] = self.objgrad(x) return self.objf(x) if( self.jacobian_style == "sparse" ): def confcallback( res, x, grad ): if( grad.size > 0 ): conm = np.zeros( [ self.nconstraint, self.n ] ) A = self.congrad(x) for p in range( 0, len(self.iG) ): conm[ self.iG[p], self.jG[p] ] = A[p] conm = np.asarray(conm) grad[:] = np.append( -1*conm, conm, axis=0 ) conf = np.asarray( self.con(x) ) res[:] = np.append( self.Flow - conf, conf - self.Fupp ) else: def confcallback( res, x, grad ): if( grad.size > 0 ): conm = np.asarray( self.congrad(x) ) grad[:] = np.append( -1*conm, conm, axis=0 ) conf = np.asarray( self.con(x) ) res[:] = np.append( self.Flow - conf, conf - self.Fupp ) if( self.maximize ): opt.set_max_objective( objfcallback ) else: opt.set_min_objective( objfcallback ) opt.add_inequality_mconstraint( confcallback, np.ones( self.nconstraint*2 ) * self.solve_options["constraint_violation"] ) opt.set_lower_bounds( self.xlow ) opt.set_upper_bounds( self.xupp ) if( not self.stop_options["xtol"] == None ): opt.set_xtol_rel( self.stop_options["xtol"] ) if( not self.stop_options["ftol"] == None ): opt.set_ftol_rel( self.stop_options["ftol"] ) if( not self.stop_options["stopval"] == None ): opt.set_stopval( self.stop_options["stopval"] ) if( not self.stop_options["maxeval"] == None ): opt.set_maxeval( self.stop_options["maxeval"] ) if( not self.stop_options["maxtime"] == None ): opt.set_maxtime( self.stop_options["maxtime"] ) finalX = opt.optimize( self.x ) answer = opt.last_optimum_value() status = opt.last_optimize_result() if( status == 1 ): status = "generic success" elif( status == 2 ): status = "stopval reached" elif( status == 3 ): status = "ftol reached" elif( status == 4 ): status = "xtol reached" elif( status == 5 ): status = "maximum number of function evaluations exceeded" elif( status == 6 ): status = "timed out" else: #errors will be reported as thrown exceptions status = "invalid return code" return answer, finalX, status
class Nloptsolver(optwSolver): def solve(self): algorithm = solver[6:] if algorithm == '' or algorithm == 'MMA': opt = nlopt.opt(nlopt.LD_MMA, self.n) elif algorithm == 'SLSQP': opt = nlopt.opt(nlopt.LD_SLSQP, self.n) elif algorithm == 'AUGLAG': opt = nlopt.opt(nlopt.LD_AUGLAG, self.n) else: raise value_error('invalid solver') def objfcallback(x, grad): if grad.size > 0: grad[:] = self.objgrad(x) return self.objf(x) if self.jacobian_style == 'sparse': def confcallback(res, x, grad): if grad.size > 0: conm = np.zeros([self.nconstraint, self.n]) a = self.congrad(x) for p in range(0, len(self.iG)): conm[self.iG[p], self.jG[p]] = A[p] conm = np.asarray(conm) grad[:] = np.append(-1 * conm, conm, axis=0) conf = np.asarray(self.con(x)) res[:] = np.append(self.Flow - conf, conf - self.Fupp) else: def confcallback(res, x, grad): if grad.size > 0: conm = np.asarray(self.congrad(x)) grad[:] = np.append(-1 * conm, conm, axis=0) conf = np.asarray(self.con(x)) res[:] = np.append(self.Flow - conf, conf - self.Fupp) if self.maximize: opt.set_max_objective(objfcallback) else: opt.set_min_objective(objfcallback) opt.add_inequality_mconstraint(confcallback, np.ones(self.nconstraint * 2) * self.solve_options['constraint_violation']) opt.set_lower_bounds(self.xlow) opt.set_upper_bounds(self.xupp) if not self.stop_options['xtol'] == None: opt.set_xtol_rel(self.stop_options['xtol']) if not self.stop_options['ftol'] == None: opt.set_ftol_rel(self.stop_options['ftol']) if not self.stop_options['stopval'] == None: opt.set_stopval(self.stop_options['stopval']) if not self.stop_options['maxeval'] == None: opt.set_maxeval(self.stop_options['maxeval']) if not self.stop_options['maxtime'] == None: opt.set_maxtime(self.stop_options['maxtime']) final_x = opt.optimize(self.x) answer = opt.last_optimum_value() status = opt.last_optimize_result() if status == 1: status = 'generic success' elif status == 2: status = 'stopval reached' elif status == 3: status = 'ftol reached' elif status == 4: status = 'xtol reached' elif status == 5: status = 'maximum number of function evaluations exceeded' elif status == 6: status = 'timed out' else: status = 'invalid return code' return (answer, finalX, status)
class Solution: def trap(self, height: List[int]) -> int: res = 0 # build memos max_height_left = [0] * len(height) max_height_left[0] = height[0] for i in range(1, len(height)): max_height_left[i] = max(max_height_left[i-1], height[i]) max_height_right = [0] * len(height) max_height_right[0] = height[-1] for i in range(1, len(height)): max_height_right[i] = max(max_height_right[i-1], height[-i-1]) for i in range(1, len(height) - 1): l_max = max_height_left[i] r_max = max_height_right[len(height) - i - 1] res += min(l_max, r_max) - height[i] return res
class Solution: def trap(self, height: List[int]) -> int: res = 0 max_height_left = [0] * len(height) max_height_left[0] = height[0] for i in range(1, len(height)): max_height_left[i] = max(max_height_left[i - 1], height[i]) max_height_right = [0] * len(height) max_height_right[0] = height[-1] for i in range(1, len(height)): max_height_right[i] = max(max_height_right[i - 1], height[-i - 1]) for i in range(1, len(height) - 1): l_max = max_height_left[i] r_max = max_height_right[len(height) - i - 1] res += min(l_max, r_max) - height[i] return res
# Copyright esse.io 2016 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 Member(object): """Fabric Member object A member is an entity that transacts on a chain. Types of members include end users, peers, etc. """ def __init__(self, chain, **kwargs): """Constructor for a member. :param chain (Chain): the chain instance that the member belong to :param kwargs: includes name=,roles=,affiliation= ... """ self.name = '' self.roles = [] self.affiliation = '' if 'name' in kwargs: self.name = kwargs['name'] elif 'enrollmentID' in kwargs: self.name = kwargs['enrollmentID'] if 'roles' in kwargs: self.roles = kwargs['roles'] else: self.roles = ['fabric.user'] if 'affiliation' in kwargs: self.affiliation = kwargs['affiliation'] self.chain = chain self.keyValStore = chain.get_key_value_store() self.keyValStoreName = toKeyValueStoreName(self.name) self.tcertBatchSize = chain.get_tcert_batch_size() self.enrollmentSecret = '' self.enrollment = None self.certGetterMap = {} def get_name(self): """Get the member name :return: The member name """ return self.name def get_chain(self): """Get the chain. :return: :class:`Chain` The chain instance """ return self.chain def get_member_services(self): """Get the member services. :return: The member services """ pass def get_roles(self): """Get the roles. :return: The roles. """ return self.roles def set_roles(self, roles): """Set the roles. :param roles: The roles. """ self.roles = roles def get_affiliation(self): """Get the affiliation :return: The affiliation """ return self.affiliation def set_affiliation(self, affiliation): """Set the affiliation :param affiliation: The affiliation """ self.affiliation = affiliation def get_enrollment(self): """Get the enrollment info. :return: The enrollment info """ return self.enrollment def set_enrollment(self, enrollment): """Set the enrollment info. :param enrollment: the enrollment instance """ self.enrollment = enrollment def is_registered(self): """Determine if this member name has been registered. :return: True if registered; otherwise, false """ pass def is_enrolled(self): """Determine if this member has been enrolled. :return: True if enrolled; otherwise, false """ pass def register(self, reginfo): """Register the member. :param reginfo: register user request :return: the enrollment secrect """ pass def enroll(self, enrollment_secret): """Enroll the member and return the enrollment results. Exchange the enrollment secret (one-time password) for enrollment certificate (ECert) and save it in the secure key/value store. :param enrollment_secret: user password :return: enrollment ECert is included in the enrollment instance. """ pass def register_enroll(self, reginfo): """Register and enroll a user Perform both registration and enrollment. :param reginfo: user register request :return: enrollment and enrollment secret ECert is included in the enrollment instance. """ pass def deploy(self, deploy_request): """Issue a deploy request on behalf of this member. :param deploy_request: deploy request :return: TransactionContext Emits 'submitted', 'complete', and 'error' events. """ pass def send_transaction(self, trans_request): """Issue a transaction request on behalf of this member. :param trans_request: transaction request :return: TransactionContext Emits 'submitted', 'complete', and 'error' events. """ pass def query(self, query_request): """Issue a query request on behalf of this member. :param query_request: query request :return: TransactionContext Emits 'submitted', 'complete', and 'error' events. """ pass def to_json_string(self): """Save the current state of this member as a json string :return: The state of this member as a json string """ pass def from_json_string(self, json_str): """Get the current state of this member from a json string :param json_str: The state of this member as a json string """ pass def toKeyValueStoreName(name): return 'member.' + name
class Member(object): """Fabric Member object A member is an entity that transacts on a chain. Types of members include end users, peers, etc. """ def __init__(self, chain, **kwargs): """Constructor for a member. :param chain (Chain): the chain instance that the member belong to :param kwargs: includes name=,roles=,affiliation= ... """ self.name = '' self.roles = [] self.affiliation = '' if 'name' in kwargs: self.name = kwargs['name'] elif 'enrollmentID' in kwargs: self.name = kwargs['enrollmentID'] if 'roles' in kwargs: self.roles = kwargs['roles'] else: self.roles = ['fabric.user'] if 'affiliation' in kwargs: self.affiliation = kwargs['affiliation'] self.chain = chain self.keyValStore = chain.get_key_value_store() self.keyValStoreName = to_key_value_store_name(self.name) self.tcertBatchSize = chain.get_tcert_batch_size() self.enrollmentSecret = '' self.enrollment = None self.certGetterMap = {} def get_name(self): """Get the member name :return: The member name """ return self.name def get_chain(self): """Get the chain. :return: :class:`Chain` The chain instance """ return self.chain def get_member_services(self): """Get the member services. :return: The member services """ pass def get_roles(self): """Get the roles. :return: The roles. """ return self.roles def set_roles(self, roles): """Set the roles. :param roles: The roles. """ self.roles = roles def get_affiliation(self): """Get the affiliation :return: The affiliation """ return self.affiliation def set_affiliation(self, affiliation): """Set the affiliation :param affiliation: The affiliation """ self.affiliation = affiliation def get_enrollment(self): """Get the enrollment info. :return: The enrollment info """ return self.enrollment def set_enrollment(self, enrollment): """Set the enrollment info. :param enrollment: the enrollment instance """ self.enrollment = enrollment def is_registered(self): """Determine if this member name has been registered. :return: True if registered; otherwise, false """ pass def is_enrolled(self): """Determine if this member has been enrolled. :return: True if enrolled; otherwise, false """ pass def register(self, reginfo): """Register the member. :param reginfo: register user request :return: the enrollment secrect """ pass def enroll(self, enrollment_secret): """Enroll the member and return the enrollment results. Exchange the enrollment secret (one-time password) for enrollment certificate (ECert) and save it in the secure key/value store. :param enrollment_secret: user password :return: enrollment ECert is included in the enrollment instance. """ pass def register_enroll(self, reginfo): """Register and enroll a user Perform both registration and enrollment. :param reginfo: user register request :return: enrollment and enrollment secret ECert is included in the enrollment instance. """ pass def deploy(self, deploy_request): """Issue a deploy request on behalf of this member. :param deploy_request: deploy request :return: TransactionContext Emits 'submitted', 'complete', and 'error' events. """ pass def send_transaction(self, trans_request): """Issue a transaction request on behalf of this member. :param trans_request: transaction request :return: TransactionContext Emits 'submitted', 'complete', and 'error' events. """ pass def query(self, query_request): """Issue a query request on behalf of this member. :param query_request: query request :return: TransactionContext Emits 'submitted', 'complete', and 'error' events. """ pass def to_json_string(self): """Save the current state of this member as a json string :return: The state of this member as a json string """ pass def from_json_string(self, json_str): """Get the current state of this member from a json string :param json_str: The state of this member as a json string """ pass def to_key_value_store_name(name): return 'member.' + name
""" Fosdick SDK configuration """ # Used for puling information FOSDICK_API_USERNAME = '<YOUR_API_USERNAME>' FOSDICK_API_PASSWORD = '<YOUR_API_PASSWORD>' # Used for order posting. CLIENT_CODE = '<YOUR_CLIENT_CODE>' CLIENT_NAME = '<YOUR_CLIENT_NAME>' # To denote test order. TESTFLAG = 'y' # Url's used for pulling information and placing the order. URL = "https://www.customerstatus.com/fosdickapi/" PLACE_ORDER_URL = 'https://www.unitycart.com/iPost/' URL_MAP = \ { "shipments": "shipments.json", "inventory": "inventory.json", "returns": "returns.json", "shipmentdetail": "shipmentdetail.json", "receipts": "receipts.json" }
""" Fosdick SDK configuration """ fosdick_api_username = '<YOUR_API_USERNAME>' fosdick_api_password = '<YOUR_API_PASSWORD>' client_code = '<YOUR_CLIENT_CODE>' client_name = '<YOUR_CLIENT_NAME>' testflag = 'y' url = 'https://www.customerstatus.com/fosdickapi/' place_order_url = 'https://www.unitycart.com/iPost/' url_map = {'shipments': 'shipments.json', 'inventory': 'inventory.json', 'returns': 'returns.json', 'shipmentdetail': 'shipmentdetail.json', 'receipts': 'receipts.json'}
''' * *** ***** ******* ********* ******* ***** *** * ''' n = int(input()) i = 0 while i < (n//2) + 1: j = 1 while j <= (n//2) - i: print(' ', end='') j += 1 k = 0 while k <= i: print('*', end='') k += 1 l = i while l >= 1: print('*', end='') l -= 1 print() i += 1 i = 0 while i < (n//2): j = 0 while j <= i: print(' ', end='') j += 1 k = 1 while k <= (n//2) - i: print('*', end='') k += 1 l = 0 while l < (n//2) - i - 1: print('*', end='') l += 1 print() i += 1
""" * *** ***** ******* ********* ******* ***** *** * """ n = int(input()) i = 0 while i < n // 2 + 1: j = 1 while j <= n // 2 - i: print(' ', end='') j += 1 k = 0 while k <= i: print('*', end='') k += 1 l = i while l >= 1: print('*', end='') l -= 1 print() i += 1 i = 0 while i < n // 2: j = 0 while j <= i: print(' ', end='') j += 1 k = 1 while k <= n // 2 - i: print('*', end='') k += 1 l = 0 while l < n // 2 - i - 1: print('*', end='') l += 1 print() i += 1
# -*- coding: utf8 -*- """ Storage backend definition Author: Romary Dupuis <romary@me.com> Copyright (C) 2017 Romary Dupuis """ class Backend(object): """ Basic backend class """ def __init__(self, prefix, secondary_indexes): self._prefix = prefix self._secondary_indexes = secondary_indexes def prefixed(self, key): """ build a prefixed key """ return '{}:{}'.format(self._prefix, key) def get(self, key, sort_key): raise NotImplementedError def set(self, key, sort_key, value): raise NotImplementedError def delete(self, key, sort_key): raise NotImplementedError def history(self, key, _from='-', _to='+', _desc=True): raise NotImplementedError def find(self, index, value): raise NotImplementedError def latest(self, key): raise NotImplementedError
""" Storage backend definition Author: Romary Dupuis <romary@me.com> Copyright (C) 2017 Romary Dupuis """ class Backend(object): """ Basic backend class """ def __init__(self, prefix, secondary_indexes): self._prefix = prefix self._secondary_indexes = secondary_indexes def prefixed(self, key): """ build a prefixed key """ return '{}:{}'.format(self._prefix, key) def get(self, key, sort_key): raise NotImplementedError def set(self, key, sort_key, value): raise NotImplementedError def delete(self, key, sort_key): raise NotImplementedError def history(self, key, _from='-', _to='+', _desc=True): raise NotImplementedError def find(self, index, value): raise NotImplementedError def latest(self, key): raise NotImplementedError
def take_List(li,Qu_st): r=[] for i in range(len(li)): if(Qu_st in li[i] ): r.append(li[i]) print(r) li=['sser','ser','song'] q='ss' take_List(li,q)
def take__list(li, Qu_st): r = [] for i in range(len(li)): if Qu_st in li[i]: r.append(li[i]) print(r) li = ['sser', 'ser', 'song'] q = 'ss' take__list(li, q)
_base_ = "./ss_mlBCE_MaskFull_PredDouble_PBR05_woCenter_edgeLower_refinePM10_01_02MasterChefCan.py" OUTPUT_DIR = "output/self6dpp/ssYCBV/ss_mlBCE_MaskFull_PredDouble_PBR05_woCenter_edgeLower_refinePM10/13_24Bowl" DATASETS = dict( TRAIN=("ycbv_024_bowl_train_real_aligned_Kuw",), TRAIN2=("ycbv_024_bowl_train_pbr",), ) MODEL = dict( WEIGHTS="output/gdrn/ycbvPbrSO/resnest50d_AugCosyAAEGray_BG05_visib10_mlBCE_DoubleMask_ycbvPbr100e_SO/13_24Bowl/model_final_wo_optim-55b952fc.pth" )
_base_ = './ss_mlBCE_MaskFull_PredDouble_PBR05_woCenter_edgeLower_refinePM10_01_02MasterChefCan.py' output_dir = 'output/self6dpp/ssYCBV/ss_mlBCE_MaskFull_PredDouble_PBR05_woCenter_edgeLower_refinePM10/13_24Bowl' datasets = dict(TRAIN=('ycbv_024_bowl_train_real_aligned_Kuw',), TRAIN2=('ycbv_024_bowl_train_pbr',)) model = dict(WEIGHTS='output/gdrn/ycbvPbrSO/resnest50d_AugCosyAAEGray_BG05_visib10_mlBCE_DoubleMask_ycbvPbr100e_SO/13_24Bowl/model_final_wo_optim-55b952fc.pth')
class Solution: def isHappy(self, n: int) -> bool: l = set() while True: s = 0 while n > 0: s += (n % 10) ** 2 n = n // 10 if s == 1: return True if s in l: return False n = s l.add(n)
class Solution: def is_happy(self, n: int) -> bool: l = set() while True: s = 0 while n > 0: s += (n % 10) ** 2 n = n // 10 if s == 1: return True if s in l: return False n = s l.add(n)
#!/usr/bin/env python3 # -*- coding: utf-8 -*- """Problem 076 Integers Come In All Sizes Source : https://www.hackerrank.com/challenges/python-integers-come-in-all-sizes/problem """ a, b, c, d = (int(input()) for _ in range(4)) print(a**b + c**d)
"""Problem 076 Integers Come In All Sizes Source : https://www.hackerrank.com/challenges/python-integers-come-in-all-sizes/problem """ (a, b, c, d) = (int(input()) for _ in range(4)) print(a ** b + c ** d)
try: fd = file("/srv/www/htdocs/index.html") _head = "" buf = fd.readline() while buf: if buf.startswith("<!-- end header -->"): break _head += buf buf = fd.readline() except IOError: _head="""<!DOCTYPE html PUBLIC "-//W3C//DTD HTML 4.01 Transitional//EN"><html><head><title>webdc</title></head><body>""" query_head=_head query_chunk1="""<hr style="width: 100%; height: 2px;"> <br> <table style="width: 85%; text-align: left; margin-left: auto; margin-right: auto;"> <tbody> <tr> <td style="vertical-align: middle; text-align: left;"> <h3><font><font face="Arial, Helvetica, sans-serif">Get information about or waveform data from a selected "real" or a selfdefined "virtual" network...</font></font></h3> </td> </tr> </tbody> </table> <div style="margin-left: 80px;"> <h3><font face="Arial, Helvetica, sans-serif"><font face="Arial, Helvetica, sans-serif">Primary station selection:<br> </font></font></h3> </div> <table style="width: 85%; height: 60px; text-align: left; margin-left: auto; margin-right: auto;"> <tbody> <tr> <td style="text-align: center;"> <form name="typesel"><b><font face="Arial, Helvetica, sans-serif"><b>1. Select group of networks: <select onchange="location.href=this.form.typesel.options[selectedIndex].value;" name="typesel" size="1">""" query_chunk2="""</select> </b> </font></b><br> </form> </td> </tr> </tbody> </table> <br> <table style="width: 85%; height: 60px; text-align: left; margin-left: auto; margin-right: auto;"> <tbody> <tr> <td style="vertical-align: middle; width: 25%; text-align: center;"> <form name="netform"> <b><font face="Arial, Helvetica, sans-serif"><b>2. Select network code: <select onchange="location.href=this.form.netsel.options[selectedIndex].value;" name="netsel" size="1">""" query_chunk3="""</select><br></b></b> (* internal code for temporary networks) </font> </form> </td> <td style="vertical-align: middle; width: 25%; text-align: center;"> <form name="statform"> <b><font face="Arial, Helvetica, sans-serif"><b>3. Select station code: <select onchange="location.href=this.form.statsel.options[selectedIndex].value;" name="statsel" size="1">""" query_chunk4="""</select> </b> </font></b> </form> </td> </tr> </tbody> </table> <div style="margin-left: 80px;"> <font face="Arial, Helvetica, sans-serif"><h3> 4. Optional stations selections: </b> (strongly recommended for virtual networks)</h3></font></div> <form action="select" method="get"> <font face="Arial, Helvetica, sans-serif"> <font face="Arial, Helvetica, sans-serif">""" query_tail="""<table style="width: 85%; height: 60px; text-align: left; margin-left: auto; margin-right: auto;"> <tbody> <tr> <center><b>Sensor type: <select name="sensor" size="1"> <option value="all" selected>all</option><option value="VBB+BB" >VBB+BB</option><option value="VBB" >VBB</option><option value="BB" >BB</option><option value="SP" >SP</option><option value="SM" >SM</option><option value="OBS" >OBS</option> </select> Location code: <input type="text" name="loc_id" size="2" value="*"> Stream: <input type="text" name="stream" size="3" value="*"> </b></font></b><b><font face="Arial, Helvetica, sans-serif"><b><br> </b></font></b></center> </tr><tr> <td style="vertical-align: middle; width: 50%; text-align: center;"> <table style="width: 100%; text-align: left;"> <tbody> <tr> <td style="vertical-align: middle; text-align: center;"><font face="Arial, Helvetica, sans-serif"><b>Geographical region: <input type="text" name="latmin" value="-90" size="3"> &lt;= Lat. &lt;= <input type="text" name="latmax" value="90" size="3">&nbsp;| <input type="text" name="lonmin" value="-180" size="3"> &lt;= Lon. &lt;= <input type="text" name="lonmax" value="180" size="3"></b></font> </td> </tr> <tr> <td style="vertical-align: middle; text-align: center;"><font face="Arial, Helvetica, sans-serif"><b>Operation time period of interest: <input type="text" name="start_date" value="1990-01-01" size="10"> &lt;= Date &lt;= <input type="text" name="end_date" value="2030-12-31" size="10"></b></font> </td> </tr> </tbody> </table> </td> </tr> </tbody> </table> </font> </font> <br><center><font face="Arial, Helvetica, sans-serif"><b><input type="submit" src="request_files/request.html" value="Submit" name="submit"></b></font></b></font></center> </form> <hr style="width: 100%; height: 2px;"> </b><font><br><br></html>""" select_head=_head select_chunk1="""<hr style="width: 100%; height: 2px;"> <br> <table style="width: 85%; text-align: left; margin-left: auto; margin-right: auto;"> <tbody> <tr> <td style="vertical-align: middle; text-align: left;"> <h3><font><font face="Arial, Helvetica, sans-serif"> Select streams: </font></font></h3> </td> </tr> </tbody> </table> <form method="get" action="submit"> <center> <table> <tbody>""" select_chunk2="""</tbody> </table> </center>""" select_chunk3="""<br><HR WIDTH="100%"> <center>""" select_tail="""</center> <br><CENTER><FONT SIZE=+0>E-Mail (no dummy!)*: </FONT><INPUT type="text" value="" size=15 maxlength=60 min=6 name="user"></CENTER> <br><CENTER><FONT SIZE=+0>Full name (no dummy!)*: </FONT><INPUT type="text" value="" size=15 maxlength=60 min=6 name="name"></CENTER> <br><CENTER><FONT SIZE=+0>Name of institute*: </FONT><INPUT type="text" value="" size=20 maxlength=60 min=6 name="inst"></CENTER> <br><CENTER><FONT SIZE=+0>Snail mail address: </FONT><INPUT type="text" value="" size=31 maxlength=60 min=6 name="mail"></CENTER> <br><CENTER><FONT SIZE=+0>Primary ArcLink node: <select name="arclink" size="1"> <option value="localhost:18001">localhost</option> </select> <br><center>* Mandatory input.<br> <hr style="width: 100%; height: 2px;"> <h3><font><font face="Arial, Helvetica, sans-serif"> Select format: </font></font></h3> <center><font face="Arial, Helvetica, sans-serif"> <table style="text-align: left; width: 85%; height: 30px;"> <tbody> <tr> <td style="text-align: center; vertical-align: middle;"><b> Mini-SEED<input type="radio" name="format" value="MSEED" checked="checked">|&nbsp; Full SEED <input type="radio" name="format" value="FSEED">|&nbsp; Dataless SEED <input type="radio" name="format" value="DSEED">|&nbsp; Inventory (XML) <input type="radio" name="format" value="INV"> </b></font></b></td> </tr> <tr> <td style="text-align: center; vertical-align: middle;"><b> <input type="checkbox" name="resp_dict" value="true" checked="checked">Use response dictionary (SEED blockettes 4x) </b></font></b></td> </tr> </tbody> </table> <h3><font><font face="Arial, Helvetica, sans-serif"> Select compression: </font></font></h3> <center><font face="Arial, Helvetica, sans-serif"> <table style="text-align: left; width: 85%; height: 30px;"> <tbody> <tr> <td style="text-align: center; vertical-align: middle;"><b> bzip2<input type="radio" name="compression" value="bzip2" checked="checked">|&nbsp; none <input type="radio" name="compression" value="none"> </b></font></b></td> </tr> </tbody> </table> <br> <font face="Arial, Helvetica, sans-serif"><b><input type="submit" src="request_files/request.html" value="Submit" name="submit"></b></font></b></font></center> </form> <hr style="width: 100%; height: 2px;"> </html>""" submit_head=_head + """<hr style="width: 100%; height: 2px;"> <br> <table style="width: 85%; text-align: left; margin-left: auto; margin-right: auto;"> <tbody> </tbody> </table>""" submit_tail="""</html>""" status_head=_head+"""<hr style="width: 100%; height: 2px;"> <br> <table style="width: 85%; text-align: left; margin-left: auto; margin-right: auto;"> <tbody> </tbody> </table>""" status_tail="""</html>"""
try: fd = file('/srv/www/htdocs/index.html') _head = '' buf = fd.readline() while buf: if buf.startswith('<!-- end header -->'): break _head += buf buf = fd.readline() except IOError: _head = '<!DOCTYPE html PUBLIC "-//W3C//DTD HTML 4.01 Transitional//EN"><html><head><title>webdc</title></head><body>' query_head = _head query_chunk1 = '<hr style="width: 100%; height: 2px;">\n<br>\n<table\nstyle="width: 85%; text-align: left; margin-left: auto; margin-right: auto;">\n<tbody>\n<tr>\n<td style="vertical-align: middle; text-align: left;">\n<h3><font><font face="Arial, Helvetica, sans-serif">Get\ninformation about or waveform data from a selected "real" or a\nselfdefined "virtual" network...</font></font></h3>\n</td>\n</tr>\n</tbody>\n</table>\n<div style="margin-left: 80px;">\n\n<h3><font face="Arial, Helvetica, sans-serif"><font\nface="Arial, Helvetica, sans-serif">Primary station selection:<br>\n</font></font></h3>\n</div>\n<table\nstyle="width: 85%; height: 60px; text-align: left; margin-left: auto; margin-right: auto;">\n<tbody>\n<tr>\n<td style="text-align: center;">\n<form name="typesel"><b><font face="Arial, Helvetica, sans-serif"><b>1. Select group of networks:\n<select\nonchange="location.href=this.form.typesel.options[selectedIndex].value;"\nname="typesel" size="1">' query_chunk2 = '</select>\n</b> </font></b><br>\n</form>\n</td>\n</tr>\n</tbody>\n</table>\n<br>\n<table\nstyle="width: 85%; height: 60px; text-align: left; margin-left: auto; margin-right: auto;">\n<tbody>\n<tr>\n<td\nstyle="vertical-align: middle; width: 25%; text-align: center;">\n<form name="netform"> <b><font\nface="Arial, Helvetica, sans-serif"><b>2. Select network code:\n<select\nonchange="location.href=this.form.netsel.options[selectedIndex].value;"\nname="netsel" size="1">' query_chunk3 = '</select><br></b></b>\n(* internal code for temporary networks)\n</font> </form>\n\n</td>\n<td\nstyle="vertical-align: middle; width: 25%; text-align: center;">\n<form name="statform"> <b><font\nface="Arial, Helvetica, sans-serif"><b>3. Select station\ncode:\n<select\nonchange="location.href=this.form.statsel.options[selectedIndex].value;"\nname="statsel" size="1">' query_chunk4 = '</select>\n\n</b> </font></b> </form>\n</td>\n\n</tr>\n</tbody>\n</table>\n\n<div style="margin-left: 80px;">\n<font face="Arial, Helvetica, sans-serif"><h3>\n4. Optional stations selections:\n</b> (strongly recommended for virtual networks)</h3></font></div>\n<form action="select"\nmethod="get"> <font face="Arial, Helvetica, sans-serif"> <font\nface="Arial, Helvetica, sans-serif">' query_tail = '<table\nstyle="width: 85%; height: 60px; text-align: left; margin-left: auto; margin-right: auto;">\n<tbody>\n<tr>\n\n<center><b>Sensor type:\n<select name="sensor" size="1">\n<option value="all" selected>all</option><option value="VBB+BB" >VBB+BB</option><option value="VBB" >VBB</option><option value="BB" >BB</option><option value="SP" >SP</option><option value="SM" >SM</option><option value="OBS" >OBS</option>\n\n</select>\nLocation code: <input type="text" name="loc_id" size="2" value="*">\nStream: <input type="text" name="stream" size="3" value="*">\n\n</b></font></b><b><font face="Arial, Helvetica, sans-serif"><b><br>\n</b></font></b></center> </tr><tr>\n <td\n style="vertical-align: middle; width: 50%; text-align: center;">\n <table style="width: 100%; text-align: left;">\n <tbody>\n <tr>\n <td style="vertical-align: middle; text-align: center;"><font\n face="Arial, Helvetica, sans-serif"><b>Geographical region: <input type="text"\n name="latmin" value="-90" size="3"> &lt;= Lat.\n&lt;= <input type="text" name="latmax" value="90" size="3">&nbsp;| <input\n type="text" name="lonmin" value="-180" size="3"> &lt;= Lon.\n\n&lt;= <input type="text" name="lonmax" value="180" size="3"></b></font>\n </td>\n </tr>\n <tr>\n <td style="vertical-align: middle; text-align: center;"><font\n face="Arial, Helvetica, sans-serif"><b>Operation time period of interest: <input type="text"\n name="start_date" value="1990-01-01" size="10"> &lt;= Date\n&lt;= <input type="text" name="end_date" value="2030-12-31" size="10"></b></font>\n </td>\n </tr>\n\n </tbody>\n </table>\n </td>\n</tr>\n</tbody>\n</table>\n</font> </font>\n\n<br><center><font face="Arial, Helvetica, sans-serif"><b><input type="submit"\nsrc="request_files/request.html" value="Submit"\nname="submit"></b></font></b></font></center>\n</form>\n<hr style="width: 100%; height: 2px;">\n</b><font><br><br></html>' select_head = _head select_chunk1 = '<hr style="width: 100%; height: 2px;">\n<br>\n<table\nstyle="width: 85%; text-align: left; margin-left: auto; margin-right: auto;">\n<tbody>\n<tr>\n<td style="vertical-align: middle; text-align: left;">\n<h3><font><font face="Arial, Helvetica, sans-serif">\nSelect streams:\n</font></font></h3>\n</td>\n</tr>\n</tbody>\n</table>\n<form method="get" action="submit">\n<center>\n<table>\n<tbody>' select_chunk2 = '</tbody>\n</table>\n</center>' select_chunk3 = '<br><HR WIDTH="100%">\n<center>' select_tail = '</center>\n<br><CENTER><FONT SIZE=+0>E-Mail (no dummy!)*: </FONT><INPUT type="text" value="" size=15 maxlength=60 min=6 name="user"></CENTER>\n<br><CENTER><FONT SIZE=+0>Full name (no dummy!)*: </FONT><INPUT type="text" value="" size=15 maxlength=60 min=6 name="name"></CENTER>\n<br><CENTER><FONT SIZE=+0>Name of institute*: </FONT><INPUT type="text" value="" size=20 maxlength=60 min=6 name="inst"></CENTER>\n<br><CENTER><FONT SIZE=+0>Snail mail address: </FONT><INPUT type="text" value="" size=31 maxlength=60 min=6 name="mail"></CENTER>\n<br><CENTER><FONT SIZE=+0>Primary ArcLink node:\n<select name="arclink" size="1">\n<option value="localhost:18001">localhost</option>\n</select>\n<br><center>* Mandatory input.<br>\n\n<hr style="width: 100%; height: 2px;">\n\n<h3><font><font face="Arial, Helvetica, sans-serif">\nSelect format:\n</font></font></h3>\n\n<center><font face="Arial, Helvetica, sans-serif">\n<table style="text-align: left; width: 85%; height: 30px;">\n<tbody>\n<tr>\n<td style="text-align: center; vertical-align: middle;"><b>\nMini-SEED<input type="radio" name="format" value="MSEED" checked="checked">|&nbsp;\nFull SEED <input type="radio" name="format" value="FSEED">|&nbsp;\nDataless SEED <input type="radio" name="format" value="DSEED">|&nbsp;\nInventory (XML) <input type="radio" name="format" value="INV">\n</b></font></b></td>\n</tr>\n<tr>\n<td style="text-align: center; vertical-align: middle;"><b>\n<input type="checkbox" name="resp_dict" value="true" checked="checked">Use response dictionary (SEED blockettes 4x)\n</b></font></b></td>\n</tr>\n</tbody>\n</table>\n<h3><font><font face="Arial, Helvetica, sans-serif">\nSelect compression:\n</font></font></h3>\n\n<center><font face="Arial, Helvetica, sans-serif">\n<table style="text-align: left; width: 85%; height: 30px;">\n<tbody>\n<tr>\n<td style="text-align: center; vertical-align: middle;"><b>\nbzip2<input type="radio" name="compression" value="bzip2" checked="checked">|&nbsp;\nnone <input type="radio" name="compression" value="none">\n</b></font></b></td>\n</tr>\n</tbody>\n</table>\n<br>\n<font face="Arial, Helvetica, sans-serif"><b><input type="submit"\nsrc="request_files/request.html" value="Submit"\nname="submit"></b></font></b></font></center>\n</form>\n<hr style="width: 100%; height: 2px;">\n</html>' submit_head = _head + '<hr style="width: 100%; height: 2px;">\n<br>\n<table\nstyle="width: 85%; text-align: left; margin-left: auto; margin-right: auto;">\n<tbody>\n</tbody>\n</table>' submit_tail = '</html>' status_head = _head + '<hr style="width: 100%; height: 2px;">\n<br>\n<table\nstyle="width: 85%; text-align: left; margin-left: auto; margin-right: auto;">\n<tbody>\n</tbody>\n</table>' status_tail = '</html>'
DATABASE_ENGINE = 'sqlite3' SECRET_KEY = 'abcd123' DATABASES = { 'default': { 'ENGINE': 'django.db.backends.sqlite3', 'NAME': './example.db', } } INSTALLED_APPS = ( 'django_bouncy', ) BOUNCY_TOPIC_ARN = ['arn:aws:sns:us-east-1:250214102493:Demo_App_Unsubscribes'] TEST_RUNNER = 'django_nose.NoseTestSuiteRunner' NOSE_ARGS = [ '--with-xunit', '--nologcapture', '--cover-package=django_bouncy', ]
database_engine = 'sqlite3' secret_key = 'abcd123' databases = {'default': {'ENGINE': 'django.db.backends.sqlite3', 'NAME': './example.db'}} installed_apps = ('django_bouncy',) bouncy_topic_arn = ['arn:aws:sns:us-east-1:250214102493:Demo_App_Unsubscribes'] test_runner = 'django_nose.NoseTestSuiteRunner' nose_args = ['--with-xunit', '--nologcapture', '--cover-package=django_bouncy']
while 1: a = int(input("please input a: ")) b = int(input("please input b: ")) print(a+b)
while 1: a = int(input('please input a: ')) b = int(input('please input b: ')) print(a + b)
name = "pybah" version = "5" requires = ["python-2.5"]
name = 'pybah' version = '5' requires = ['python-2.5']
def test_user_can_register_and_then_login_then_logout(simpy_test_container, firefox_browser): # Edith has heard about a new app to help manage her invoices # She opens a browser and navigates to the registration page firefox_browser.get('http://127.0.0.1:5000/') # She notices that the name of the app is call SimpyInvoice assert 'SimpyInvoice' in firefox_browser.title # and that she has been redirected to the login page assert 'Login' in firefox_browser.title # Because she does not yet have an account, she clicks on the register link register_link = firefox_browser.find_element_by_id('register') register_link.click() assert 'Register' in firefox_browser.title # She enters in her details into the registration form first_name_input_elem = firefox_browser.find_element_by_id('first_name') first_name_input_elem.send_keys('Edith') last_name_input_elem = firefox_browser.find_element_by_id('last_name') last_name_input_elem.send_keys('Jones') username_input_elem = firefox_browser.find_element_by_id('username') username_input_elem.send_keys('edith_jones') email_input_elem = firefox_browser.find_element_by_id('email') email_input_elem.send_keys('edith@jones.com') password_input_elem = firefox_browser.find_element_by_id('password') password_input_elem.send_keys('123456789') confirm_password_input_elem = firefox_browser.find_element_by_id('password_2') confirm_password_input_elem.send_keys('123456789') # She hits the register button and is redirected to the login page register_elem = firefox_browser.find_element_by_id('submit') register_elem.click() assert 'Login' in firefox_browser.title # She logs into the website with her newly created account email_input_elem = firefox_browser.find_element_by_id('email') email_input_elem.send_keys('edith@jones.com') password_input_elem = firefox_browser.find_element_by_id('password') password_input_elem.send_keys('123456789') register_elem = firefox_browser.find_element_by_id('submit') register_elem.click() welcome_header_elem = firefox_browser.find_element_by_id('welcome') assert 'Welcome back Edith' in welcome_header_elem.text logout_link = firefox_browser.find_element_by_id('logout') logout_link.click() assert 'Login' in firefox_browser.title
def test_user_can_register_and_then_login_then_logout(simpy_test_container, firefox_browser): firefox_browser.get('http://127.0.0.1:5000/') assert 'SimpyInvoice' in firefox_browser.title assert 'Login' in firefox_browser.title register_link = firefox_browser.find_element_by_id('register') register_link.click() assert 'Register' in firefox_browser.title first_name_input_elem = firefox_browser.find_element_by_id('first_name') first_name_input_elem.send_keys('Edith') last_name_input_elem = firefox_browser.find_element_by_id('last_name') last_name_input_elem.send_keys('Jones') username_input_elem = firefox_browser.find_element_by_id('username') username_input_elem.send_keys('edith_jones') email_input_elem = firefox_browser.find_element_by_id('email') email_input_elem.send_keys('edith@jones.com') password_input_elem = firefox_browser.find_element_by_id('password') password_input_elem.send_keys('123456789') confirm_password_input_elem = firefox_browser.find_element_by_id('password_2') confirm_password_input_elem.send_keys('123456789') register_elem = firefox_browser.find_element_by_id('submit') register_elem.click() assert 'Login' in firefox_browser.title email_input_elem = firefox_browser.find_element_by_id('email') email_input_elem.send_keys('edith@jones.com') password_input_elem = firefox_browser.find_element_by_id('password') password_input_elem.send_keys('123456789') register_elem = firefox_browser.find_element_by_id('submit') register_elem.click() welcome_header_elem = firefox_browser.find_element_by_id('welcome') assert 'Welcome back Edith' in welcome_header_elem.text logout_link = firefox_browser.find_element_by_id('logout') logout_link.click() assert 'Login' in firefox_browser.title
# -*- coding: utf-8 -*- # Coded by Sungwook Kim # 2020-12-14 # IDE: Jupyter Notebook N = int(input()) def num(N): b = N while True: if b >= 10: b = b - 10 else: break return b k = -1 res = 0 trig = False while True: if trig == False: b = num(N) a = int((N -b) / 10) c = a + b d = num(c) k = b * 10 + d trig = True else: if N == k: break else: b = num(k) a = int((k - b) / 10) c = a + b d = num(c) k = b * 10 + d res += 1 print(res)
n = int(input()) def num(N): b = N while True: if b >= 10: b = b - 10 else: break return b k = -1 res = 0 trig = False while True: if trig == False: b = num(N) a = int((N - b) / 10) c = a + b d = num(c) k = b * 10 + d trig = True elif N == k: break else: b = num(k) a = int((k - b) / 10) c = a + b d = num(c) k = b * 10 + d res += 1 print(res)
d = { 0: ["a", "f", "g", "l", "q", "r", "w"], 2: ["b", "m", "x"], 6: ["h", "s"], 12: ["c", "n", "y"], 20: ["i", "t"], 30: ["d", "o", "z"], 42: ["j", "u"], 56: ["e", "p"], 72: ["k", "v"] } def dinf_cipher(inp): inp = inp.split(".") x = [] for i in inp: x.append(i) final = [] for i in x: t = (int(i) // 125571) final.append(t) result = [] for i in final: t = ''.join(d[i]) result.append(t) return result def einf_cipher(inp): inp = inp.split(".") inp = ''.join(inp) res = [] for i in inp: for j in d: if i in d[j]: res.append(j) return res
d = {0: ['a', 'f', 'g', 'l', 'q', 'r', 'w'], 2: ['b', 'm', 'x'], 6: ['h', 's'], 12: ['c', 'n', 'y'], 20: ['i', 't'], 30: ['d', 'o', 'z'], 42: ['j', 'u'], 56: ['e', 'p'], 72: ['k', 'v']} def dinf_cipher(inp): inp = inp.split('.') x = [] for i in inp: x.append(i) final = [] for i in x: t = int(i) // 125571 final.append(t) result = [] for i in final: t = ''.join(d[i]) result.append(t) return result def einf_cipher(inp): inp = inp.split('.') inp = ''.join(inp) res = [] for i in inp: for j in d: if i in d[j]: res.append(j) return res
[n, budget] = [int(x) for x in input().split()] pow2 = [ [ [int(x) for x in input().split() ] for _ in range(n) ] ] power = 0 while True: power += 1 pow2.append( [ [ min(budget+1, min(pow2[power-1][i][k] + pow2[power-1][k][j] for k in range(n))) for j in range(n)] for i in range(n)] ) if min(pow2[power][0]) > budget: break ans = [ [ budget+1 for x in range(n) ] for y in range(n) ] ans[0][0] = 0 the_answer = 0 for p in range(power, -1, -1): tmp = [ [ min(budget+1, min(ans[i][k] + pow2[p][k][j] for k in range(n))) for j in range(n)] for i in range(n)] if min(tmp[0]) <= budget: ans = tmp the_answer += pow(2, p) print(the_answer)
[n, budget] = [int(x) for x in input().split()] pow2 = [[[int(x) for x in input().split()] for _ in range(n)]] power = 0 while True: power += 1 pow2.append([[min(budget + 1, min((pow2[power - 1][i][k] + pow2[power - 1][k][j] for k in range(n)))) for j in range(n)] for i in range(n)]) if min(pow2[power][0]) > budget: break ans = [[budget + 1 for x in range(n)] for y in range(n)] ans[0][0] = 0 the_answer = 0 for p in range(power, -1, -1): tmp = [[min(budget + 1, min((ans[i][k] + pow2[p][k][j] for k in range(n)))) for j in range(n)] for i in range(n)] if min(tmp[0]) <= budget: ans = tmp the_answer += pow(2, p) print(the_answer)
def is_intersect(box1, box2): len_x = abs((box1[0] + box1[2]) / 2 - (box2[0] + box2[2]) / 2) len_y = abs((box1[1] + box1[3]) / 2 - (box2[1] + box2[3]) / 2) box1_x = abs(box1[0] - box1[2]) box2_x = abs(box2[0] - box2[2]) box1_y = abs(box1[1] - box1[3]) box2_y = abs(box2[1] - box2[3]) if len_x <= (box1_x + box2_x) / 2 and len_y <= (box1_y + box2_y) / 2: return True else: return False def compute_iou(box1, box2): if not is_intersect(box1, box2): return 0 col = min(box1[2], box2[2]) - max(box1[0], box2[0]) row = min(box1[3], box2[3]) - max(box1[1], box2[1]) intersection = col * row box1_area = (box1[2] - box1[0]) * (box1[3] - box1[1]) box2_area = (box2[2] - box2[0]) * (box2[3] - box2[1]) coincide = intersection / (box1_area + box2_area - intersection) return coincide
def is_intersect(box1, box2): len_x = abs((box1[0] + box1[2]) / 2 - (box2[0] + box2[2]) / 2) len_y = abs((box1[1] + box1[3]) / 2 - (box2[1] + box2[3]) / 2) box1_x = abs(box1[0] - box1[2]) box2_x = abs(box2[0] - box2[2]) box1_y = abs(box1[1] - box1[3]) box2_y = abs(box2[1] - box2[3]) if len_x <= (box1_x + box2_x) / 2 and len_y <= (box1_y + box2_y) / 2: return True else: return False def compute_iou(box1, box2): if not is_intersect(box1, box2): return 0 col = min(box1[2], box2[2]) - max(box1[0], box2[0]) row = min(box1[3], box2[3]) - max(box1[1], box2[1]) intersection = col * row box1_area = (box1[2] - box1[0]) * (box1[3] - box1[1]) box2_area = (box2[2] - box2[0]) * (box2[3] - box2[1]) coincide = intersection / (box1_area + box2_area - intersection) return coincide
# # PySNMP MIB module CISCO-MMAIL-DIAL-CONTROL-MIB (http://snmplabs.com/pysmi) # ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/CISCO-MMAIL-DIAL-CONTROL-MIB # Produced by pysmi-0.3.4 at Wed May 1 12:07:42 2019 # On host DAVWANG4-M-1475 platform Darwin version 18.5.0 by user davwang4 # Using Python version 3.7.3 (default, Mar 27 2019, 09:23:15) # ObjectIdentifier, Integer, OctetString = mibBuilder.importSymbols("ASN1", "ObjectIdentifier", "Integer", "OctetString") NamedValues, = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues") ConstraintsUnion, ValueRangeConstraint, ValueSizeConstraint, ConstraintsIntersection, SingleValueConstraint = mibBuilder.importSymbols("ASN1-REFINEMENT", "ConstraintsUnion", "ValueRangeConstraint", "ValueSizeConstraint", "ConstraintsIntersection", "SingleValueConstraint") cCallHistoryIndex, = mibBuilder.importSymbols("CISCO-DIAL-CONTROL-MIB", "cCallHistoryIndex") ciscoMgmt, = mibBuilder.importSymbols("CISCO-SMI", "ciscoMgmt") CvcGUid, = mibBuilder.importSymbols("CISCO-VOICE-COMMON-DIAL-CONTROL-MIB", "CvcGUid") callActiveIndex, AbsoluteCounter32, callActiveSetupTime = mibBuilder.importSymbols("DIAL-CONTROL-MIB", "callActiveIndex", "AbsoluteCounter32", "callActiveSetupTime") ifIndex, = mibBuilder.importSymbols("IF-MIB", "ifIndex") ObjectGroup, NotificationGroup, ModuleCompliance = mibBuilder.importSymbols("SNMPv2-CONF", "ObjectGroup", "NotificationGroup", "ModuleCompliance") IpAddress, Integer32, Counter32, Bits, MibIdentifier, MibScalar, MibTable, MibTableRow, MibTableColumn, NotificationType, Counter64, ModuleIdentity, ObjectIdentity, Gauge32, iso, Unsigned32, TimeTicks = mibBuilder.importSymbols("SNMPv2-SMI", "IpAddress", "Integer32", "Counter32", "Bits", "MibIdentifier", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "NotificationType", "Counter64", "ModuleIdentity", "ObjectIdentity", "Gauge32", "iso", "Unsigned32", "TimeTicks") TruthValue, TextualConvention, DisplayString = mibBuilder.importSymbols("SNMPv2-TC", "TruthValue", "TextualConvention", "DisplayString") ciscoMediaMailDialControlMIB = ModuleIdentity((1, 3, 6, 1, 4, 1, 9, 9, 102)) ciscoMediaMailDialControlMIB.setRevisions(('2002-02-25 00:00',)) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): if mibBuilder.loadTexts: ciscoMediaMailDialControlMIB.setRevisionsDescriptions(('Fix for CSCdu86743 and CSCdu86778. The change include: - DEFVAL for cmmIpPeerCfgDeliStatNotification - Add dsnMdn option for cmmIpCallActiveNotification and cmmIpCallHistoryNotification - Object descriptor name change due to length exceeding 32. These are : cmmIpPeerCfgDeliStatNotification cmmIpCallHistoryAcceptMimeTypes cmmIpCallHistoryDiscdMimeTypes - All the lines exceed length 72 are being rewitten ',)) if mibBuilder.loadTexts: ciscoMediaMailDialControlMIB.setLastUpdated('200202250000Z') if mibBuilder.loadTexts: ciscoMediaMailDialControlMIB.setOrganization('Cisco Systems, Inc.') if mibBuilder.loadTexts: ciscoMediaMailDialControlMIB.setContactInfo(' Cisco Systems Customer Service Postal: 170 W. Tasman Drive San Jose, CA 95134 USA Tel: +1 800 553-NETS E-mail: cs-voice@cisco.com') if mibBuilder.loadTexts: ciscoMediaMailDialControlMIB.setDescription('This MIB module enhances the IETF Dial Control MIB (RFC2128) for providing management of dial peers on both a circuit-switched telephony network, and a mail server on IP network. ') class CmmImgResolution(TextualConvention, Integer32): reference = 'RFC2301: Section 4.5.2 Encoding and Resolution.' description = 'Represents possible image resolution in Media Mail. standard - standard resolution. fine - fine resolution. superFine - super fine resolution. ' status = 'current' subtypeSpec = Integer32.subtypeSpec + ConstraintsUnion(SingleValueConstraint(2, 3, 4)) namedValues = NamedValues(("standard", 2), ("fine", 3), ("superFine", 4)) class CmmImgResolutionOrTransparent(TextualConvention, Integer32): reference = 'RFC2301: Section 4.5.2 Encoding and Resolution.' description = 'Represents possible image resolution and transparent mode. transparent - pass through mode. standard - standard resolution. fine - fine resolution. superFine - super fine resolution. ' status = 'current' subtypeSpec = Integer32.subtypeSpec + ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4)) namedValues = NamedValues(("transparent", 1), ("standard", 2), ("fine", 3), ("superFine", 4)) class CmmImgEncoding(TextualConvention, Integer32): reference = 'RFC2301: Section 1.3 Overview of this draft. ITU-T Rec. T.4 (MH - Modified Huffman). ITU-T Rec. T.4 (MR - Modified READ). ITU-T Rec. T.6 (MRR - Modified MR). ' description = 'Represents possible image encoding types in Media Mail. modifiedHuffman - Modified Huffman (MH). modifiedREAD - Modified READ (MR). modifiedMR - Modified Modified READ (MMR). ' status = 'current' subtypeSpec = Integer32.subtypeSpec + ConstraintsUnion(SingleValueConstraint(2, 3, 4)) namedValues = NamedValues(("modifiedHuffman", 2), ("modifiedREAD", 3), ("modifiedMR", 4)) class CmmImgEncodingOrTransparent(TextualConvention, Integer32): reference = 'RFC2301: Section 1.3 Overview of this draft. ITU-T Rec. T.4 (MH - Modified Huffman). ITU-T Rec. T.4 (MR - Modified READ). ITU-T Rec. T.6 (MRR - Modified MR). ' description = 'Represents possible image encoding types and transparent mode. transparent - pass through mode. modifiedHuffman - Modified Huffman (MH). modifiedREAD - Modified READ (MR). modifiedMR - Modified Modified READ (MMR). ' status = 'current' subtypeSpec = Integer32.subtypeSpec + ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4)) namedValues = NamedValues(("transparent", 1), ("modifiedHuffman", 2), ("modifiedREAD", 3), ("modifiedMR", 4)) class CmmFaxHeadingString(DisplayString): description = "The regular expression for the FAX heading at the top of cover page or text page. The regular expression syntax used in this object is the same as that used by the UNIX grep program. The embedded pattern substitutions are defined as follows: $p$ - translates to the page number as passed by FAX processing. $a$ - translates to human readable year-month-day that is defined in DateAndTime of SNMPv2-TC. $d$ - translates to the called party address. $s$ - translates to the calling party address. $t$ - translates to the time of transmission of the first FAX/image page. The human readable format is defined as year-month-day,hour:minutes:second in the DateAndTime of SNMPv2-TC. Example, 'Date:$a$' means replacing the heading of a FAX page with the the string and date substitution. 'From $s$ Broadcast Service' means replacing the heading of FAX page with the the string and calling party address substitution. 'Page:$p$' means replacing the heading of a FAX page with the string and page number substitution. " status = 'current' subtypeSpec = DisplayString.subtypeSpec + ValueSizeConstraint(0, 80) cmmdcMIBObjects = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 9, 102, 1)) cmmPeer = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 9, 102, 1, 1)) cmmCallActive = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 9, 102, 1, 2)) cmmCallHistory = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 9, 102, 1, 3)) cmmFaxGeneralCfg = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 9, 102, 1, 4)) cmmIpPeerCfgTable = MibTable((1, 3, 6, 1, 4, 1, 9, 9, 102, 1, 1, 1), ) if mibBuilder.loadTexts: cmmIpPeerCfgTable.setStatus('current') if mibBuilder.loadTexts: cmmIpPeerCfgTable.setDescription('The table contains the Media mail peer specific information that is required to accept mail connection or to which it will connect them via IP network with the specified session protocol in cmmIpPeerCfgSessionProtocol. ') cmmIpPeerCfgEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9, 9, 102, 1, 1, 1, 1), ).setIndexNames((0, "IF-MIB", "ifIndex")) if mibBuilder.loadTexts: cmmIpPeerCfgEntry.setStatus('current') if mibBuilder.loadTexts: cmmIpPeerCfgEntry.setDescription("A single Media Mail specific Peer. One entry per media mail encapsulation. The entry is created when its associated 'mediaMailOverIp(139)' encapsulation ifEntry is created. This entry is deleted when its associated ifEntry is deleted. ") cmmIpPeerCfgSessionProtocol = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 102, 1, 1, 1, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1))).clone(namedValues=NamedValues(("smtp", 1))).clone('smtp')).setMaxAccess("readwrite") if mibBuilder.loadTexts: cmmIpPeerCfgSessionProtocol.setStatus('current') if mibBuilder.loadTexts: cmmIpPeerCfgSessionProtocol.setDescription('The object specifies the session protocol to be used for sending/receiving media mail between local and remote mail sever via IP network. smtp - Simple Mail Transfer Protocol. ') cmmIpPeerCfgSessionTarget = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 102, 1, 1, 1, 1, 2), DisplayString()).setMaxAccess("readwrite") if mibBuilder.loadTexts: cmmIpPeerCfgSessionTarget.setStatus('current') if mibBuilder.loadTexts: cmmIpPeerCfgSessionTarget.setDescription('The object specifies the session target of the peer. Session Targets definitions: The session target has the syntax used by the IETF service location protocol. The syntax is as follows: mapping-type:type-specific-syntax The mapping-type specifies a scheme for mapping the matching dial string to a session target. The type-specific-syntax is exactly that, something that the particular mapping scheme can understand. For example, Session target mailto:+$d$@fax.cisco.com The valid Mapping type definitions for the peer are as follows: mailto - Syntax: mailto:w@x.y.z ') cmmIpPeerCfgImgEncodingType = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 102, 1, 1, 1, 1, 3), CmmImgEncodingOrTransparent().clone('transparent')).setMaxAccess("readwrite") if mibBuilder.loadTexts: cmmIpPeerCfgImgEncodingType.setStatus('current') if mibBuilder.loadTexts: cmmIpPeerCfgImgEncodingType.setDescription("This object specifies the image encoding conversion for outgoing mail connection to mail server. If the value of this object is transparent, it means 'pass through' without encoding conversion. ") cmmIpPeerCfgImgResolution = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 102, 1, 1, 1, 1, 4), CmmImgResolutionOrTransparent().clone('transparent')).setMaxAccess("readwrite") if mibBuilder.loadTexts: cmmIpPeerCfgImgResolution.setStatus('current') if mibBuilder.loadTexts: cmmIpPeerCfgImgResolution.setDescription("This object specifies the image resolution conversion for outgoing mail connection to mail server. If the value of this object is transparent, it means 'pass through' without resolution conversion. ") cmmIpPeerCfgMsgDispoNotification = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 102, 1, 1, 1, 1, 5), TruthValue().clone('false')).setMaxAccess("readwrite") if mibBuilder.loadTexts: cmmIpPeerCfgMsgDispoNotification.setStatus('current') if mibBuilder.loadTexts: cmmIpPeerCfgMsgDispoNotification.setDescription('This object specifies the Request of Message Disposition Notification. true - Request Message Disposition Notification. false - No Message Disposition Notification. ') cmmIpPeerCfgDeliStatNotification = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 102, 1, 1, 1, 1, 6), Bits().clone(namedValues=NamedValues(("success", 0), ("failure", 1), ("delayed", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: cmmIpPeerCfgDeliStatNotification.setStatus('current') if mibBuilder.loadTexts: cmmIpPeerCfgDeliStatNotification.setDescription('This object specifies the Request of Delivery Status Notification. success - Request Notification if the media mail is successfully delivered to the recipient. failure - Request Notification if the media mail is failed to deliver to the recipient. delayed - Request Notification if the media mail is delayed to deliver to the recipient. ') cmmIpCallActiveTable = MibTable((1, 3, 6, 1, 4, 1, 9, 9, 102, 1, 2, 1), ) if mibBuilder.loadTexts: cmmIpCallActiveTable.setStatus('current') if mibBuilder.loadTexts: cmmIpCallActiveTable.setDescription('This table is the Media Mail over IP extension to the call active table of IETF Dial Control MIB. It contains Media Mail over IP call leg information. ') cmmIpCallActiveEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9, 9, 102, 1, 2, 1, 1), ).setIndexNames((0, "DIAL-CONTROL-MIB", "callActiveSetupTime"), (0, "DIAL-CONTROL-MIB", "callActiveIndex")) if mibBuilder.loadTexts: cmmIpCallActiveEntry.setStatus('current') if mibBuilder.loadTexts: cmmIpCallActiveEntry.setDescription('The information regarding a single Media mail over IP call leg. The call leg entry is identified by using the same index objects that are used by Call Active table of IETF Dial Control MIB to identify the call. An entry of this table is created when its associated call active entry in the IETF Dial Control MIB is created and the call active entry contains information for the call establishment to the mail server peer on the IP network via a Media Mail over IP peer. The entry is deleted when its associated call active entry in the IETF Dial Control MIB is deleted. ') cmmIpCallActiveConnectionId = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 102, 1, 2, 1, 1, 1), CvcGUid()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmmIpCallActiveConnectionId.setStatus('current') if mibBuilder.loadTexts: cmmIpCallActiveConnectionId.setDescription('The global call identifier for the gateway call.') cmmIpCallActiveRemoteIPAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 102, 1, 2, 1, 1, 2), IpAddress()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmmIpCallActiveRemoteIPAddress.setStatus('current') if mibBuilder.loadTexts: cmmIpCallActiveRemoteIPAddress.setDescription('Remote mail server IP address for the Media mail call. ') cmmIpCallActiveSessionProtocol = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 102, 1, 2, 1, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1))).clone(namedValues=NamedValues(("smtp", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: cmmIpCallActiveSessionProtocol.setStatus('current') if mibBuilder.loadTexts: cmmIpCallActiveSessionProtocol.setDescription('The object specifies the session protocol to be used for the media mail call between local and remote mail server via IP network. ') cmmIpCallActiveSessionTarget = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 102, 1, 2, 1, 1, 4), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmmIpCallActiveSessionTarget.setStatus('current') if mibBuilder.loadTexts: cmmIpCallActiveSessionTarget.setDescription('The object specifies the session target of the peer that is used for the call. This object is set with the information in the call associated cmmIpPeerCfgSessionTarget object when the media mail call is connected. ') cmmIpCallActiveMessageId = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 102, 1, 2, 1, 1, 5), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmmIpCallActiveMessageId.setStatus('current') if mibBuilder.loadTexts: cmmIpCallActiveMessageId.setDescription('The global unique message identification of the Media mail. ') cmmIpCallActiveAccountId = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 102, 1, 2, 1, 1, 6), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmmIpCallActiveAccountId.setStatus('current') if mibBuilder.loadTexts: cmmIpCallActiveAccountId.setDescription('The Account ID of Media mail.') cmmIpCallActiveImgEncodingType = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 102, 1, 2, 1, 1, 7), CmmImgEncoding()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmmIpCallActiveImgEncodingType.setStatus('current') if mibBuilder.loadTexts: cmmIpCallActiveImgEncodingType.setDescription('The image encoding type of Media mail.') cmmIpCallActiveImgResolution = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 102, 1, 2, 1, 1, 8), CmmImgResolution()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmmIpCallActiveImgResolution.setStatus('current') if mibBuilder.loadTexts: cmmIpCallActiveImgResolution.setDescription('The image resolution of Media mail.') cmmIpCallActiveAcceptMimeTypes = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 102, 1, 2, 1, 1, 9), AbsoluteCounter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmmIpCallActiveAcceptMimeTypes.setStatus('current') if mibBuilder.loadTexts: cmmIpCallActiveAcceptMimeTypes.setDescription('The number of accepted MIME types for the Media mail call. ') cmmIpCallActiveDiscdMimeTypes = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 102, 1, 2, 1, 1, 10), AbsoluteCounter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmmIpCallActiveDiscdMimeTypes.setStatus('current') if mibBuilder.loadTexts: cmmIpCallActiveDiscdMimeTypes.setDescription('The number of discarded MIME types for the Media mail call. ') cmmIpCallActiveNotification = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 102, 1, 2, 1, 1, 11), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("none", 1), ("mdn", 2), ("dsn", 3), ("dsnMdn", 4)))).setMaxAccess("readonly") if mibBuilder.loadTexts: cmmIpCallActiveNotification.setStatus('current') if mibBuilder.loadTexts: cmmIpCallActiveNotification.setDescription('The notification type of the Media mail call. none - No notification. mdn - Message Disposition notification. dsn - Delivery Status notification. dsnMdn - Both Delivery Status and Message Disposition notification ') cmmIpCallHistoryTable = MibTable((1, 3, 6, 1, 4, 1, 9, 9, 102, 1, 3, 1), ) if mibBuilder.loadTexts: cmmIpCallHistoryTable.setStatus('current') if mibBuilder.loadTexts: cmmIpCallHistoryTable.setDescription('This table is the Media Mail extension to the call history table of IETF Dial Control MIB. It contains Media Mail call leg information about specific Media mail gateway call. ') cmmIpCallHistoryEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9, 9, 102, 1, 3, 1, 1), ).setIndexNames((0, "CISCO-DIAL-CONTROL-MIB", "cCallHistoryIndex")) if mibBuilder.loadTexts: cmmIpCallHistoryEntry.setStatus('current') if mibBuilder.loadTexts: cmmIpCallHistoryEntry.setDescription('The information regarding a single Media Mail call leg. The call leg entry is identified by using the same index objects that are used by Call Active table of IETF Dial Control MIB to identify the call. An entry of this table is created when its associated call history entry in the IETF Dial Control MIB is created and the call history entry contains information for the call establishment to the mail server on the IP network via a Media Mail over IP peer. The entry is deleted when its associated call history entry in the IETF Dial Control MIB is deleted. ') cmmIpCallHistoryConnectionId = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 102, 1, 3, 1, 1, 1), CvcGUid()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmmIpCallHistoryConnectionId.setStatus('current') if mibBuilder.loadTexts: cmmIpCallHistoryConnectionId.setDescription('The global call identifier for the gateway call.') cmmIpCallHistoryRemoteIPAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 102, 1, 3, 1, 1, 2), IpAddress()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmmIpCallHistoryRemoteIPAddress.setStatus('current') if mibBuilder.loadTexts: cmmIpCallHistoryRemoteIPAddress.setDescription('Remote mail server IP address for the media mail call. ') cmmIpCallHistorySessionProtocol = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 102, 1, 3, 1, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1))).clone(namedValues=NamedValues(("smtp", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: cmmIpCallHistorySessionProtocol.setStatus('current') if mibBuilder.loadTexts: cmmIpCallHistorySessionProtocol.setDescription('The object specifies the session protocol to be used for the media mail call between local and remote mail server via IP network. ') cmmIpCallHistorySessionTarget = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 102, 1, 3, 1, 1, 4), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmmIpCallHistorySessionTarget.setStatus('current') if mibBuilder.loadTexts: cmmIpCallHistorySessionTarget.setDescription('The object specifies the session target of the peer that is used for the call. This object is set with the information in the call associated cmmIpPeerCfgSessionTarget object when the media mail call is connected. ') cmmIpCallHistoryMessageId = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 102, 1, 3, 1, 1, 5), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmmIpCallHistoryMessageId.setStatus('current') if mibBuilder.loadTexts: cmmIpCallHistoryMessageId.setDescription('The global unique message identification of the Media mail. ') cmmIpCallHistoryAccountId = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 102, 1, 3, 1, 1, 6), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmmIpCallHistoryAccountId.setStatus('current') if mibBuilder.loadTexts: cmmIpCallHistoryAccountId.setDescription('The Account ID of Media mail.') cmmIpCallHistoryImgEncodingType = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 102, 1, 3, 1, 1, 7), CmmImgEncoding()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmmIpCallHistoryImgEncodingType.setStatus('current') if mibBuilder.loadTexts: cmmIpCallHistoryImgEncodingType.setDescription('The image encoding type of Media mail.') cmmIpCallHistoryImgResolution = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 102, 1, 3, 1, 1, 8), CmmImgResolution()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmmIpCallHistoryImgResolution.setStatus('current') if mibBuilder.loadTexts: cmmIpCallHistoryImgResolution.setDescription('The image resolution of Media mail.') cmmIpCallHistoryAcceptMimeTypes = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 102, 1, 3, 1, 1, 9), AbsoluteCounter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmmIpCallHistoryAcceptMimeTypes.setStatus('current') if mibBuilder.loadTexts: cmmIpCallHistoryAcceptMimeTypes.setDescription('The number of accepted MIME types for the Media mail call. ') cmmIpCallHistoryDiscdMimeTypes = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 102, 1, 3, 1, 1, 10), AbsoluteCounter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: cmmIpCallHistoryDiscdMimeTypes.setStatus('current') if mibBuilder.loadTexts: cmmIpCallHistoryDiscdMimeTypes.setDescription('The number of discarded MIME types for the Media mail call. ') cmmIpCallHistoryNotification = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 102, 1, 3, 1, 1, 11), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("none", 1), ("mdn", 2), ("dsn", 3), ("dsnMdn", 4)))).setMaxAccess("readonly") if mibBuilder.loadTexts: cmmIpCallHistoryNotification.setStatus('current') if mibBuilder.loadTexts: cmmIpCallHistoryNotification.setDescription('The notification type of the Media mail call. none - No notification. mdn - Message Disposition notification. dsn - Delivery Status notification. dsnMdn - Both Delivery Status and Message Disposition notification ') cmmFaxCfgCalledSubscriberId = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 102, 1, 4, 1), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 20))).setMaxAccess("readwrite") if mibBuilder.loadTexts: cmmFaxCfgCalledSubscriberId.setReference('ITU-T T30: Section 5.3.6.2.4 CSI coding format. ') if mibBuilder.loadTexts: cmmFaxCfgCalledSubscriberId.setStatus('current') if mibBuilder.loadTexts: cmmFaxCfgCalledSubscriberId.setDescription('The regular expression for the FAX called subscriber identification (CSI) coding format. $d$ in the regular expression substitute CSI with the destination number of the call. ') cmmFaxCfgXmitSubscriberId = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 102, 1, 4, 2), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 20))).setMaxAccess("readwrite") if mibBuilder.loadTexts: cmmFaxCfgXmitSubscriberId.setReference('ITU-T T30: Section 5.3.6.2.6 TSI coding format. ') if mibBuilder.loadTexts: cmmFaxCfgXmitSubscriberId.setStatus('current') if mibBuilder.loadTexts: cmmFaxCfgXmitSubscriberId.setDescription('The regular expression for the FAX Transmitting subscriber identification (TSI) coding format. $s$ in the regular expression substitute TSI with the caller ID of the call. ') cmmFaxCfgRightHeadingString = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 102, 1, 4, 3), CmmFaxHeadingString()).setMaxAccess("readwrite") if mibBuilder.loadTexts: cmmFaxCfgRightHeadingString.setStatus('current') if mibBuilder.loadTexts: cmmFaxCfgRightHeadingString.setDescription('The regular expression for the FAX right heading at the top of cover page or text page. The default value of this object is an empty string. ') cmmFaxCfgCenterHeadingString = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 102, 1, 4, 4), CmmFaxHeadingString()).setMaxAccess("readwrite") if mibBuilder.loadTexts: cmmFaxCfgCenterHeadingString.setStatus('current') if mibBuilder.loadTexts: cmmFaxCfgCenterHeadingString.setDescription('The regular expression for the FAX center heading at the top of cover page or text page. The default value of this object is an empty string. ') cmmFaxCfgLeftHeadingString = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 102, 1, 4, 5), CmmFaxHeadingString()).setMaxAccess("readwrite") if mibBuilder.loadTexts: cmmFaxCfgLeftHeadingString.setStatus('current') if mibBuilder.loadTexts: cmmFaxCfgLeftHeadingString.setDescription('The regular expression for the FAX left heading at the top of cover page or text page. The default value of this object is an empty string. ') cmmFaxCfgCovergPageControl = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 102, 1, 4, 6), Bits().clone(namedValues=NamedValues(("coverPageEnable", 0), ("coverPageCtlByEmail", 1), ("coverPageDetailEnable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: cmmFaxCfgCovergPageControl.setStatus('current') if mibBuilder.loadTexts: cmmFaxCfgCovergPageControl.setDescription('The object controls the generation of cover page of FAX. coverPageEnable - enable the managed system to generate the FAX cover page. coverPageCtlByEmail - allow email to control the FAX cover page generation. coverPageDetailEnable- enable the detailed mail header on the cover page. ') cmmFaxCfgCovergPageComment = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 102, 1, 4, 7), DisplayString()).setMaxAccess("readwrite") if mibBuilder.loadTexts: cmmFaxCfgCovergPageComment.setStatus('current') if mibBuilder.loadTexts: cmmFaxCfgCovergPageComment.setDescription('The object contains the comment on the FAX cover page. ') cmmFaxCfgFaxProfile = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 102, 1, 4, 8), Bits().clone(namedValues=NamedValues(("profileS", 0), ("profileF", 1), ("profileJ", 2), ("profileC", 3), ("profileL", 4), ("profileM", 5)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: cmmFaxCfgFaxProfile.setReference('RFC 2301: Section 2.2.4 New TIFF fields recommended for fax modes. ') if mibBuilder.loadTexts: cmmFaxCfgFaxProfile.setStatus('current') if mibBuilder.loadTexts: cmmFaxCfgFaxProfile.setDescription('The profile that applies to TIFF file for facsimile. The default value of this object is profileF. ') cmmdcMIBConformance = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 9, 102, 3)) cmmdcMIBCompliances = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 9, 102, 3, 1)) cmmdcMIBGroups = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 9, 102, 3, 2)) cmmdcMIBCompliance = ModuleCompliance((1, 3, 6, 1, 4, 1, 9, 9, 102, 3, 1, 1)).setObjects(("CISCO-MMAIL-DIAL-CONTROL-MIB", "cmmdcPeerCfgGroup"), ("CISCO-MMAIL-DIAL-CONTROL-MIB", "cmmIpCallGeneralGroup"), ("CISCO-MMAIL-DIAL-CONTROL-MIB", "cmmIpCallImageGroup"), ("CISCO-MMAIL-DIAL-CONTROL-MIB", "cmmFaxGroup")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): cmmdcMIBCompliance = cmmdcMIBCompliance.setStatus('current') if mibBuilder.loadTexts: cmmdcMIBCompliance.setDescription('The compliance statement for entities which implement the CISCO MMAIL DIAL CONTROL MIB') cmmdcPeerCfgGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 9, 9, 102, 3, 2, 1)).setObjects(("CISCO-MMAIL-DIAL-CONTROL-MIB", "cmmIpPeerCfgSessionProtocol"), ("CISCO-MMAIL-DIAL-CONTROL-MIB", "cmmIpPeerCfgSessionTarget"), ("CISCO-MMAIL-DIAL-CONTROL-MIB", "cmmIpPeerCfgImgEncodingType"), ("CISCO-MMAIL-DIAL-CONTROL-MIB", "cmmIpPeerCfgImgResolution"), ("CISCO-MMAIL-DIAL-CONTROL-MIB", "cmmIpPeerCfgMsgDispoNotification"), ("CISCO-MMAIL-DIAL-CONTROL-MIB", "cmmIpPeerCfgDeliStatNotification")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): cmmdcPeerCfgGroup = cmmdcPeerCfgGroup.setStatus('current') if mibBuilder.loadTexts: cmmdcPeerCfgGroup.setDescription('A collection of objects providing the Media Mail Dial Control configuration capability. ') cmmIpCallGeneralGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 9, 9, 102, 3, 2, 2)).setObjects(("CISCO-MMAIL-DIAL-CONTROL-MIB", "cmmIpCallActiveConnectionId"), ("CISCO-MMAIL-DIAL-CONTROL-MIB", "cmmIpCallActiveRemoteIPAddress"), ("CISCO-MMAIL-DIAL-CONTROL-MIB", "cmmIpCallActiveSessionProtocol"), ("CISCO-MMAIL-DIAL-CONTROL-MIB", "cmmIpCallActiveSessionTarget"), ("CISCO-MMAIL-DIAL-CONTROL-MIB", "cmmIpCallActiveMessageId"), ("CISCO-MMAIL-DIAL-CONTROL-MIB", "cmmIpCallActiveAccountId"), ("CISCO-MMAIL-DIAL-CONTROL-MIB", "cmmIpCallActiveAcceptMimeTypes"), ("CISCO-MMAIL-DIAL-CONTROL-MIB", "cmmIpCallActiveDiscdMimeTypes"), ("CISCO-MMAIL-DIAL-CONTROL-MIB", "cmmIpCallActiveNotification"), ("CISCO-MMAIL-DIAL-CONTROL-MIB", "cmmIpCallHistoryConnectionId"), ("CISCO-MMAIL-DIAL-CONTROL-MIB", "cmmIpCallHistoryRemoteIPAddress"), ("CISCO-MMAIL-DIAL-CONTROL-MIB", "cmmIpCallHistorySessionProtocol"), ("CISCO-MMAIL-DIAL-CONTROL-MIB", "cmmIpCallHistorySessionTarget"), ("CISCO-MMAIL-DIAL-CONTROL-MIB", "cmmIpCallHistoryMessageId"), ("CISCO-MMAIL-DIAL-CONTROL-MIB", "cmmIpCallHistoryAccountId"), ("CISCO-MMAIL-DIAL-CONTROL-MIB", "cmmIpCallHistoryAcceptMimeTypes"), ("CISCO-MMAIL-DIAL-CONTROL-MIB", "cmmIpCallHistoryDiscdMimeTypes"), ("CISCO-MMAIL-DIAL-CONTROL-MIB", "cmmIpCallHistoryNotification")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): cmmIpCallGeneralGroup = cmmIpCallGeneralGroup.setStatus('current') if mibBuilder.loadTexts: cmmIpCallGeneralGroup.setDescription('A collection of objects providing the General Media Mail Call capability. ') cmmIpCallImageGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 9, 9, 102, 3, 2, 3)).setObjects(("CISCO-MMAIL-DIAL-CONTROL-MIB", "cmmIpCallActiveImgEncodingType"), ("CISCO-MMAIL-DIAL-CONTROL-MIB", "cmmIpCallActiveImgResolution"), ("CISCO-MMAIL-DIAL-CONTROL-MIB", "cmmIpCallHistoryImgEncodingType"), ("CISCO-MMAIL-DIAL-CONTROL-MIB", "cmmIpCallHistoryImgResolution")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): cmmIpCallImageGroup = cmmIpCallImageGroup.setStatus('current') if mibBuilder.loadTexts: cmmIpCallImageGroup.setDescription('A collection of objects providing the Image related Media Mail Call capability. ') cmmFaxGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 9, 9, 102, 3, 2, 4)).setObjects(("CISCO-MMAIL-DIAL-CONTROL-MIB", "cmmFaxCfgCalledSubscriberId"), ("CISCO-MMAIL-DIAL-CONTROL-MIB", "cmmFaxCfgXmitSubscriberId"), ("CISCO-MMAIL-DIAL-CONTROL-MIB", "cmmFaxCfgRightHeadingString"), ("CISCO-MMAIL-DIAL-CONTROL-MIB", "cmmFaxCfgCenterHeadingString"), ("CISCO-MMAIL-DIAL-CONTROL-MIB", "cmmFaxCfgLeftHeadingString"), ("CISCO-MMAIL-DIAL-CONTROL-MIB", "cmmFaxCfgCovergPageControl"), ("CISCO-MMAIL-DIAL-CONTROL-MIB", "cmmFaxCfgCovergPageComment"), ("CISCO-MMAIL-DIAL-CONTROL-MIB", "cmmFaxCfgFaxProfile")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): cmmFaxGroup = cmmFaxGroup.setStatus('current') if mibBuilder.loadTexts: cmmFaxGroup.setDescription('A collection of objects providing the general FAX configuration capability. ') mibBuilder.exportSymbols("CISCO-MMAIL-DIAL-CONTROL-MIB", cmmIpCallGeneralGroup=cmmIpCallGeneralGroup, cmmIpCallHistoryConnectionId=cmmIpCallHistoryConnectionId, cmmIpPeerCfgSessionProtocol=cmmIpPeerCfgSessionProtocol, cmmIpCallHistoryImgResolution=cmmIpCallHistoryImgResolution, cmmIpCallImageGroup=cmmIpCallImageGroup, cmmIpPeerCfgImgResolution=cmmIpPeerCfgImgResolution, cmmFaxCfgCalledSubscriberId=cmmFaxCfgCalledSubscriberId, cmmFaxCfgCenterHeadingString=cmmFaxCfgCenterHeadingString, cmmIpCallActiveSessionTarget=cmmIpCallActiveSessionTarget, cmmFaxGeneralCfg=cmmFaxGeneralCfg, cmmIpCallHistoryRemoteIPAddress=cmmIpCallHistoryRemoteIPAddress, cmmdcMIBObjects=cmmdcMIBObjects, cmmIpCallActiveDiscdMimeTypes=cmmIpCallActiveDiscdMimeTypes, CmmImgResolution=CmmImgResolution, cmmIpCallActiveNotification=cmmIpCallActiveNotification, cmmFaxGroup=cmmFaxGroup, cmmIpPeerCfgSessionTarget=cmmIpPeerCfgSessionTarget, cmmIpCallActiveImgEncodingType=cmmIpCallActiveImgEncodingType, cmmIpCallHistorySessionTarget=cmmIpCallHistorySessionTarget, cmmIpCallHistoryEntry=cmmIpCallHistoryEntry, cmmIpCallActiveAccountId=cmmIpCallActiveAccountId, cmmFaxCfgRightHeadingString=cmmFaxCfgRightHeadingString, cmmFaxCfgCovergPageComment=cmmFaxCfgCovergPageComment, ciscoMediaMailDialControlMIB=ciscoMediaMailDialControlMIB, PYSNMP_MODULE_ID=ciscoMediaMailDialControlMIB, cmmIpCallActiveRemoteIPAddress=cmmIpCallActiveRemoteIPAddress, cmmIpCallActiveEntry=cmmIpCallActiveEntry, cmmIpCallActiveSessionProtocol=cmmIpCallActiveSessionProtocol, cmmIpCallHistoryAcceptMimeTypes=cmmIpCallHistoryAcceptMimeTypes, cmmIpCallHistorySessionProtocol=cmmIpCallHistorySessionProtocol, cmmPeer=cmmPeer, cmmFaxCfgLeftHeadingString=cmmFaxCfgLeftHeadingString, cmmIpPeerCfgDeliStatNotification=cmmIpPeerCfgDeliStatNotification, cmmCallActive=cmmCallActive, cmmIpCallActiveAcceptMimeTypes=cmmIpCallActiveAcceptMimeTypes, cmmFaxCfgCovergPageControl=cmmFaxCfgCovergPageControl, cmmdcMIBConformance=cmmdcMIBConformance, CmmImgEncoding=CmmImgEncoding, cmmFaxCfgFaxProfile=cmmFaxCfgFaxProfile, cmmIpPeerCfgEntry=cmmIpPeerCfgEntry, cmmIpCallHistoryDiscdMimeTypes=cmmIpCallHistoryDiscdMimeTypes, cmmdcPeerCfgGroup=cmmdcPeerCfgGroup, CmmImgEncodingOrTransparent=CmmImgEncodingOrTransparent, cmmIpCallHistoryImgEncodingType=cmmIpCallHistoryImgEncodingType, cmmIpPeerCfgTable=cmmIpPeerCfgTable, cmmdcMIBCompliances=cmmdcMIBCompliances, cmmIpPeerCfgMsgDispoNotification=cmmIpPeerCfgMsgDispoNotification, cmmIpPeerCfgImgEncodingType=cmmIpPeerCfgImgEncodingType, cmmIpCallHistoryTable=cmmIpCallHistoryTable, CmmImgResolutionOrTransparent=CmmImgResolutionOrTransparent, cmmFaxCfgXmitSubscriberId=cmmFaxCfgXmitSubscriberId, cmmdcMIBCompliance=cmmdcMIBCompliance, cmmIpCallActiveImgResolution=cmmIpCallActiveImgResolution, cmmIpCallActiveMessageId=cmmIpCallActiveMessageId, cmmdcMIBGroups=cmmdcMIBGroups, cmmIpCallHistoryAccountId=cmmIpCallHistoryAccountId, cmmCallHistory=cmmCallHistory, cmmIpCallActiveTable=cmmIpCallActiveTable, cmmIpCallHistoryNotification=cmmIpCallHistoryNotification, cmmIpCallActiveConnectionId=cmmIpCallActiveConnectionId, CmmFaxHeadingString=CmmFaxHeadingString, cmmIpCallHistoryMessageId=cmmIpCallHistoryMessageId)
(object_identifier, integer, octet_string) = mibBuilder.importSymbols('ASN1', 'ObjectIdentifier', 'Integer', 'OctetString') (named_values,) = mibBuilder.importSymbols('ASN1-ENUMERATION', 'NamedValues') (constraints_union, value_range_constraint, value_size_constraint, constraints_intersection, single_value_constraint) = mibBuilder.importSymbols('ASN1-REFINEMENT', 'ConstraintsUnion', 'ValueRangeConstraint', 'ValueSizeConstraint', 'ConstraintsIntersection', 'SingleValueConstraint') (c_call_history_index,) = mibBuilder.importSymbols('CISCO-DIAL-CONTROL-MIB', 'cCallHistoryIndex') (cisco_mgmt,) = mibBuilder.importSymbols('CISCO-SMI', 'ciscoMgmt') (cvc_g_uid,) = mibBuilder.importSymbols('CISCO-VOICE-COMMON-DIAL-CONTROL-MIB', 'CvcGUid') (call_active_index, absolute_counter32, call_active_setup_time) = mibBuilder.importSymbols('DIAL-CONTROL-MIB', 'callActiveIndex', 'AbsoluteCounter32', 'callActiveSetupTime') (if_index,) = mibBuilder.importSymbols('IF-MIB', 'ifIndex') (object_group, notification_group, module_compliance) = mibBuilder.importSymbols('SNMPv2-CONF', 'ObjectGroup', 'NotificationGroup', 'ModuleCompliance') (ip_address, integer32, counter32, bits, mib_identifier, mib_scalar, mib_table, mib_table_row, mib_table_column, notification_type, counter64, module_identity, object_identity, gauge32, iso, unsigned32, time_ticks) = mibBuilder.importSymbols('SNMPv2-SMI', 'IpAddress', 'Integer32', 'Counter32', 'Bits', 'MibIdentifier', 'MibScalar', 'MibTable', 'MibTableRow', 'MibTableColumn', 'NotificationType', 'Counter64', 'ModuleIdentity', 'ObjectIdentity', 'Gauge32', 'iso', 'Unsigned32', 'TimeTicks') (truth_value, textual_convention, display_string) = mibBuilder.importSymbols('SNMPv2-TC', 'TruthValue', 'TextualConvention', 'DisplayString') cisco_media_mail_dial_control_mib = module_identity((1, 3, 6, 1, 4, 1, 9, 9, 102)) ciscoMediaMailDialControlMIB.setRevisions(('2002-02-25 00:00',)) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): if mibBuilder.loadTexts: ciscoMediaMailDialControlMIB.setRevisionsDescriptions(('Fix for CSCdu86743 and CSCdu86778. The change include: - DEFVAL for cmmIpPeerCfgDeliStatNotification - Add dsnMdn option for cmmIpCallActiveNotification and cmmIpCallHistoryNotification - Object descriptor name change due to length exceeding 32. These are : cmmIpPeerCfgDeliStatNotification cmmIpCallHistoryAcceptMimeTypes cmmIpCallHistoryDiscdMimeTypes - All the lines exceed length 72 are being rewitten ',)) if mibBuilder.loadTexts: ciscoMediaMailDialControlMIB.setLastUpdated('200202250000Z') if mibBuilder.loadTexts: ciscoMediaMailDialControlMIB.setOrganization('Cisco Systems, Inc.') if mibBuilder.loadTexts: ciscoMediaMailDialControlMIB.setContactInfo(' Cisco Systems Customer Service Postal: 170 W. Tasman Drive San Jose, CA 95134 USA Tel: +1 800 553-NETS E-mail: cs-voice@cisco.com') if mibBuilder.loadTexts: ciscoMediaMailDialControlMIB.setDescription('This MIB module enhances the IETF Dial Control MIB (RFC2128) for providing management of dial peers on both a circuit-switched telephony network, and a mail server on IP network. ') class Cmmimgresolution(TextualConvention, Integer32): reference = 'RFC2301: Section 4.5.2 Encoding and Resolution.' description = 'Represents possible image resolution in Media Mail. standard - standard resolution. fine - fine resolution. superFine - super fine resolution. ' status = 'current' subtype_spec = Integer32.subtypeSpec + constraints_union(single_value_constraint(2, 3, 4)) named_values = named_values(('standard', 2), ('fine', 3), ('superFine', 4)) class Cmmimgresolutionortransparent(TextualConvention, Integer32): reference = 'RFC2301: Section 4.5.2 Encoding and Resolution.' description = 'Represents possible image resolution and transparent mode. transparent - pass through mode. standard - standard resolution. fine - fine resolution. superFine - super fine resolution. ' status = 'current' subtype_spec = Integer32.subtypeSpec + constraints_union(single_value_constraint(1, 2, 3, 4)) named_values = named_values(('transparent', 1), ('standard', 2), ('fine', 3), ('superFine', 4)) class Cmmimgencoding(TextualConvention, Integer32): reference = 'RFC2301: Section 1.3 Overview of this draft. ITU-T Rec. T.4 (MH - Modified Huffman). ITU-T Rec. T.4 (MR - Modified READ). ITU-T Rec. T.6 (MRR - Modified MR). ' description = 'Represents possible image encoding types in Media Mail. modifiedHuffman - Modified Huffman (MH). modifiedREAD - Modified READ (MR). modifiedMR - Modified Modified READ (MMR). ' status = 'current' subtype_spec = Integer32.subtypeSpec + constraints_union(single_value_constraint(2, 3, 4)) named_values = named_values(('modifiedHuffman', 2), ('modifiedREAD', 3), ('modifiedMR', 4)) class Cmmimgencodingortransparent(TextualConvention, Integer32): reference = 'RFC2301: Section 1.3 Overview of this draft. ITU-T Rec. T.4 (MH - Modified Huffman). ITU-T Rec. T.4 (MR - Modified READ). ITU-T Rec. T.6 (MRR - Modified MR). ' description = 'Represents possible image encoding types and transparent mode. transparent - pass through mode. modifiedHuffman - Modified Huffman (MH). modifiedREAD - Modified READ (MR). modifiedMR - Modified Modified READ (MMR). ' status = 'current' subtype_spec = Integer32.subtypeSpec + constraints_union(single_value_constraint(1, 2, 3, 4)) named_values = named_values(('transparent', 1), ('modifiedHuffman', 2), ('modifiedREAD', 3), ('modifiedMR', 4)) class Cmmfaxheadingstring(DisplayString): description = "The regular expression for the FAX heading at the top of cover page or text page. The regular expression syntax used in this object is the same as that used by the UNIX grep program. The embedded pattern substitutions are defined as follows: $p$ - translates to the page number as passed by FAX processing. $a$ - translates to human readable year-month-day that is defined in DateAndTime of SNMPv2-TC. $d$ - translates to the called party address. $s$ - translates to the calling party address. $t$ - translates to the time of transmission of the first FAX/image page. The human readable format is defined as year-month-day,hour:minutes:second in the DateAndTime of SNMPv2-TC. Example, 'Date:$a$' means replacing the heading of a FAX page with the the string and date substitution. 'From $s$ Broadcast Service' means replacing the heading of FAX page with the the string and calling party address substitution. 'Page:$p$' means replacing the heading of a FAX page with the string and page number substitution. " status = 'current' subtype_spec = DisplayString.subtypeSpec + value_size_constraint(0, 80) cmmdc_mib_objects = mib_identifier((1, 3, 6, 1, 4, 1, 9, 9, 102, 1)) cmm_peer = mib_identifier((1, 3, 6, 1, 4, 1, 9, 9, 102, 1, 1)) cmm_call_active = mib_identifier((1, 3, 6, 1, 4, 1, 9, 9, 102, 1, 2)) cmm_call_history = mib_identifier((1, 3, 6, 1, 4, 1, 9, 9, 102, 1, 3)) cmm_fax_general_cfg = mib_identifier((1, 3, 6, 1, 4, 1, 9, 9, 102, 1, 4)) cmm_ip_peer_cfg_table = mib_table((1, 3, 6, 1, 4, 1, 9, 9, 102, 1, 1, 1)) if mibBuilder.loadTexts: cmmIpPeerCfgTable.setStatus('current') if mibBuilder.loadTexts: cmmIpPeerCfgTable.setDescription('The table contains the Media mail peer specific information that is required to accept mail connection or to which it will connect them via IP network with the specified session protocol in cmmIpPeerCfgSessionProtocol. ') cmm_ip_peer_cfg_entry = mib_table_row((1, 3, 6, 1, 4, 1, 9, 9, 102, 1, 1, 1, 1)).setIndexNames((0, 'IF-MIB', 'ifIndex')) if mibBuilder.loadTexts: cmmIpPeerCfgEntry.setStatus('current') if mibBuilder.loadTexts: cmmIpPeerCfgEntry.setDescription("A single Media Mail specific Peer. One entry per media mail encapsulation. The entry is created when its associated 'mediaMailOverIp(139)' encapsulation ifEntry is created. This entry is deleted when its associated ifEntry is deleted. ") cmm_ip_peer_cfg_session_protocol = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 102, 1, 1, 1, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1))).clone(namedValues=named_values(('smtp', 1))).clone('smtp')).setMaxAccess('readwrite') if mibBuilder.loadTexts: cmmIpPeerCfgSessionProtocol.setStatus('current') if mibBuilder.loadTexts: cmmIpPeerCfgSessionProtocol.setDescription('The object specifies the session protocol to be used for sending/receiving media mail between local and remote mail sever via IP network. smtp - Simple Mail Transfer Protocol. ') cmm_ip_peer_cfg_session_target = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 102, 1, 1, 1, 1, 2), display_string()).setMaxAccess('readwrite') if mibBuilder.loadTexts: cmmIpPeerCfgSessionTarget.setStatus('current') if mibBuilder.loadTexts: cmmIpPeerCfgSessionTarget.setDescription('The object specifies the session target of the peer. Session Targets definitions: The session target has the syntax used by the IETF service location protocol. The syntax is as follows: mapping-type:type-specific-syntax The mapping-type specifies a scheme for mapping the matching dial string to a session target. The type-specific-syntax is exactly that, something that the particular mapping scheme can understand. For example, Session target mailto:+$d$@fax.cisco.com The valid Mapping type definitions for the peer are as follows: mailto - Syntax: mailto:w@x.y.z ') cmm_ip_peer_cfg_img_encoding_type = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 102, 1, 1, 1, 1, 3), cmm_img_encoding_or_transparent().clone('transparent')).setMaxAccess('readwrite') if mibBuilder.loadTexts: cmmIpPeerCfgImgEncodingType.setStatus('current') if mibBuilder.loadTexts: cmmIpPeerCfgImgEncodingType.setDescription("This object specifies the image encoding conversion for outgoing mail connection to mail server. If the value of this object is transparent, it means 'pass through' without encoding conversion. ") cmm_ip_peer_cfg_img_resolution = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 102, 1, 1, 1, 1, 4), cmm_img_resolution_or_transparent().clone('transparent')).setMaxAccess('readwrite') if mibBuilder.loadTexts: cmmIpPeerCfgImgResolution.setStatus('current') if mibBuilder.loadTexts: cmmIpPeerCfgImgResolution.setDescription("This object specifies the image resolution conversion for outgoing mail connection to mail server. If the value of this object is transparent, it means 'pass through' without resolution conversion. ") cmm_ip_peer_cfg_msg_dispo_notification = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 102, 1, 1, 1, 1, 5), truth_value().clone('false')).setMaxAccess('readwrite') if mibBuilder.loadTexts: cmmIpPeerCfgMsgDispoNotification.setStatus('current') if mibBuilder.loadTexts: cmmIpPeerCfgMsgDispoNotification.setDescription('This object specifies the Request of Message Disposition Notification. true - Request Message Disposition Notification. false - No Message Disposition Notification. ') cmm_ip_peer_cfg_deli_stat_notification = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 102, 1, 1, 1, 1, 6), bits().clone(namedValues=named_values(('success', 0), ('failure', 1), ('delayed', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: cmmIpPeerCfgDeliStatNotification.setStatus('current') if mibBuilder.loadTexts: cmmIpPeerCfgDeliStatNotification.setDescription('This object specifies the Request of Delivery Status Notification. success - Request Notification if the media mail is successfully delivered to the recipient. failure - Request Notification if the media mail is failed to deliver to the recipient. delayed - Request Notification if the media mail is delayed to deliver to the recipient. ') cmm_ip_call_active_table = mib_table((1, 3, 6, 1, 4, 1, 9, 9, 102, 1, 2, 1)) if mibBuilder.loadTexts: cmmIpCallActiveTable.setStatus('current') if mibBuilder.loadTexts: cmmIpCallActiveTable.setDescription('This table is the Media Mail over IP extension to the call active table of IETF Dial Control MIB. It contains Media Mail over IP call leg information. ') cmm_ip_call_active_entry = mib_table_row((1, 3, 6, 1, 4, 1, 9, 9, 102, 1, 2, 1, 1)).setIndexNames((0, 'DIAL-CONTROL-MIB', 'callActiveSetupTime'), (0, 'DIAL-CONTROL-MIB', 'callActiveIndex')) if mibBuilder.loadTexts: cmmIpCallActiveEntry.setStatus('current') if mibBuilder.loadTexts: cmmIpCallActiveEntry.setDescription('The information regarding a single Media mail over IP call leg. The call leg entry is identified by using the same index objects that are used by Call Active table of IETF Dial Control MIB to identify the call. An entry of this table is created when its associated call active entry in the IETF Dial Control MIB is created and the call active entry contains information for the call establishment to the mail server peer on the IP network via a Media Mail over IP peer. The entry is deleted when its associated call active entry in the IETF Dial Control MIB is deleted. ') cmm_ip_call_active_connection_id = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 102, 1, 2, 1, 1, 1), cvc_g_uid()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmmIpCallActiveConnectionId.setStatus('current') if mibBuilder.loadTexts: cmmIpCallActiveConnectionId.setDescription('The global call identifier for the gateway call.') cmm_ip_call_active_remote_ip_address = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 102, 1, 2, 1, 1, 2), ip_address()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmmIpCallActiveRemoteIPAddress.setStatus('current') if mibBuilder.loadTexts: cmmIpCallActiveRemoteIPAddress.setDescription('Remote mail server IP address for the Media mail call. ') cmm_ip_call_active_session_protocol = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 102, 1, 2, 1, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1))).clone(namedValues=named_values(('smtp', 1)))).setMaxAccess('readonly') if mibBuilder.loadTexts: cmmIpCallActiveSessionProtocol.setStatus('current') if mibBuilder.loadTexts: cmmIpCallActiveSessionProtocol.setDescription('The object specifies the session protocol to be used for the media mail call between local and remote mail server via IP network. ') cmm_ip_call_active_session_target = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 102, 1, 2, 1, 1, 4), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmmIpCallActiveSessionTarget.setStatus('current') if mibBuilder.loadTexts: cmmIpCallActiveSessionTarget.setDescription('The object specifies the session target of the peer that is used for the call. This object is set with the information in the call associated cmmIpPeerCfgSessionTarget object when the media mail call is connected. ') cmm_ip_call_active_message_id = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 102, 1, 2, 1, 1, 5), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmmIpCallActiveMessageId.setStatus('current') if mibBuilder.loadTexts: cmmIpCallActiveMessageId.setDescription('The global unique message identification of the Media mail. ') cmm_ip_call_active_account_id = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 102, 1, 2, 1, 1, 6), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmmIpCallActiveAccountId.setStatus('current') if mibBuilder.loadTexts: cmmIpCallActiveAccountId.setDescription('The Account ID of Media mail.') cmm_ip_call_active_img_encoding_type = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 102, 1, 2, 1, 1, 7), cmm_img_encoding()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmmIpCallActiveImgEncodingType.setStatus('current') if mibBuilder.loadTexts: cmmIpCallActiveImgEncodingType.setDescription('The image encoding type of Media mail.') cmm_ip_call_active_img_resolution = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 102, 1, 2, 1, 1, 8), cmm_img_resolution()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmmIpCallActiveImgResolution.setStatus('current') if mibBuilder.loadTexts: cmmIpCallActiveImgResolution.setDescription('The image resolution of Media mail.') cmm_ip_call_active_accept_mime_types = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 102, 1, 2, 1, 1, 9), absolute_counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmmIpCallActiveAcceptMimeTypes.setStatus('current') if mibBuilder.loadTexts: cmmIpCallActiveAcceptMimeTypes.setDescription('The number of accepted MIME types for the Media mail call. ') cmm_ip_call_active_discd_mime_types = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 102, 1, 2, 1, 1, 10), absolute_counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmmIpCallActiveDiscdMimeTypes.setStatus('current') if mibBuilder.loadTexts: cmmIpCallActiveDiscdMimeTypes.setDescription('The number of discarded MIME types for the Media mail call. ') cmm_ip_call_active_notification = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 102, 1, 2, 1, 1, 11), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('none', 1), ('mdn', 2), ('dsn', 3), ('dsnMdn', 4)))).setMaxAccess('readonly') if mibBuilder.loadTexts: cmmIpCallActiveNotification.setStatus('current') if mibBuilder.loadTexts: cmmIpCallActiveNotification.setDescription('The notification type of the Media mail call. none - No notification. mdn - Message Disposition notification. dsn - Delivery Status notification. dsnMdn - Both Delivery Status and Message Disposition notification ') cmm_ip_call_history_table = mib_table((1, 3, 6, 1, 4, 1, 9, 9, 102, 1, 3, 1)) if mibBuilder.loadTexts: cmmIpCallHistoryTable.setStatus('current') if mibBuilder.loadTexts: cmmIpCallHistoryTable.setDescription('This table is the Media Mail extension to the call history table of IETF Dial Control MIB. It contains Media Mail call leg information about specific Media mail gateway call. ') cmm_ip_call_history_entry = mib_table_row((1, 3, 6, 1, 4, 1, 9, 9, 102, 1, 3, 1, 1)).setIndexNames((0, 'CISCO-DIAL-CONTROL-MIB', 'cCallHistoryIndex')) if mibBuilder.loadTexts: cmmIpCallHistoryEntry.setStatus('current') if mibBuilder.loadTexts: cmmIpCallHistoryEntry.setDescription('The information regarding a single Media Mail call leg. The call leg entry is identified by using the same index objects that are used by Call Active table of IETF Dial Control MIB to identify the call. An entry of this table is created when its associated call history entry in the IETF Dial Control MIB is created and the call history entry contains information for the call establishment to the mail server on the IP network via a Media Mail over IP peer. The entry is deleted when its associated call history entry in the IETF Dial Control MIB is deleted. ') cmm_ip_call_history_connection_id = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 102, 1, 3, 1, 1, 1), cvc_g_uid()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmmIpCallHistoryConnectionId.setStatus('current') if mibBuilder.loadTexts: cmmIpCallHistoryConnectionId.setDescription('The global call identifier for the gateway call.') cmm_ip_call_history_remote_ip_address = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 102, 1, 3, 1, 1, 2), ip_address()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmmIpCallHistoryRemoteIPAddress.setStatus('current') if mibBuilder.loadTexts: cmmIpCallHistoryRemoteIPAddress.setDescription('Remote mail server IP address for the media mail call. ') cmm_ip_call_history_session_protocol = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 102, 1, 3, 1, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1))).clone(namedValues=named_values(('smtp', 1)))).setMaxAccess('readonly') if mibBuilder.loadTexts: cmmIpCallHistorySessionProtocol.setStatus('current') if mibBuilder.loadTexts: cmmIpCallHistorySessionProtocol.setDescription('The object specifies the session protocol to be used for the media mail call between local and remote mail server via IP network. ') cmm_ip_call_history_session_target = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 102, 1, 3, 1, 1, 4), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmmIpCallHistorySessionTarget.setStatus('current') if mibBuilder.loadTexts: cmmIpCallHistorySessionTarget.setDescription('The object specifies the session target of the peer that is used for the call. This object is set with the information in the call associated cmmIpPeerCfgSessionTarget object when the media mail call is connected. ') cmm_ip_call_history_message_id = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 102, 1, 3, 1, 1, 5), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmmIpCallHistoryMessageId.setStatus('current') if mibBuilder.loadTexts: cmmIpCallHistoryMessageId.setDescription('The global unique message identification of the Media mail. ') cmm_ip_call_history_account_id = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 102, 1, 3, 1, 1, 6), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmmIpCallHistoryAccountId.setStatus('current') if mibBuilder.loadTexts: cmmIpCallHistoryAccountId.setDescription('The Account ID of Media mail.') cmm_ip_call_history_img_encoding_type = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 102, 1, 3, 1, 1, 7), cmm_img_encoding()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmmIpCallHistoryImgEncodingType.setStatus('current') if mibBuilder.loadTexts: cmmIpCallHistoryImgEncodingType.setDescription('The image encoding type of Media mail.') cmm_ip_call_history_img_resolution = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 102, 1, 3, 1, 1, 8), cmm_img_resolution()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmmIpCallHistoryImgResolution.setStatus('current') if mibBuilder.loadTexts: cmmIpCallHistoryImgResolution.setDescription('The image resolution of Media mail.') cmm_ip_call_history_accept_mime_types = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 102, 1, 3, 1, 1, 9), absolute_counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmmIpCallHistoryAcceptMimeTypes.setStatus('current') if mibBuilder.loadTexts: cmmIpCallHistoryAcceptMimeTypes.setDescription('The number of accepted MIME types for the Media mail call. ') cmm_ip_call_history_discd_mime_types = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 102, 1, 3, 1, 1, 10), absolute_counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cmmIpCallHistoryDiscdMimeTypes.setStatus('current') if mibBuilder.loadTexts: cmmIpCallHistoryDiscdMimeTypes.setDescription('The number of discarded MIME types for the Media mail call. ') cmm_ip_call_history_notification = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 102, 1, 3, 1, 1, 11), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('none', 1), ('mdn', 2), ('dsn', 3), ('dsnMdn', 4)))).setMaxAccess('readonly') if mibBuilder.loadTexts: cmmIpCallHistoryNotification.setStatus('current') if mibBuilder.loadTexts: cmmIpCallHistoryNotification.setDescription('The notification type of the Media mail call. none - No notification. mdn - Message Disposition notification. dsn - Delivery Status notification. dsnMdn - Both Delivery Status and Message Disposition notification ') cmm_fax_cfg_called_subscriber_id = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 102, 1, 4, 1), display_string().subtype(subtypeSpec=value_size_constraint(0, 20))).setMaxAccess('readwrite') if mibBuilder.loadTexts: cmmFaxCfgCalledSubscriberId.setReference('ITU-T T30: Section 5.3.6.2.4 CSI coding format. ') if mibBuilder.loadTexts: cmmFaxCfgCalledSubscriberId.setStatus('current') if mibBuilder.loadTexts: cmmFaxCfgCalledSubscriberId.setDescription('The regular expression for the FAX called subscriber identification (CSI) coding format. $d$ in the regular expression substitute CSI with the destination number of the call. ') cmm_fax_cfg_xmit_subscriber_id = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 102, 1, 4, 2), display_string().subtype(subtypeSpec=value_size_constraint(0, 20))).setMaxAccess('readwrite') if mibBuilder.loadTexts: cmmFaxCfgXmitSubscriberId.setReference('ITU-T T30: Section 5.3.6.2.6 TSI coding format. ') if mibBuilder.loadTexts: cmmFaxCfgXmitSubscriberId.setStatus('current') if mibBuilder.loadTexts: cmmFaxCfgXmitSubscriberId.setDescription('The regular expression for the FAX Transmitting subscriber identification (TSI) coding format. $s$ in the regular expression substitute TSI with the caller ID of the call. ') cmm_fax_cfg_right_heading_string = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 102, 1, 4, 3), cmm_fax_heading_string()).setMaxAccess('readwrite') if mibBuilder.loadTexts: cmmFaxCfgRightHeadingString.setStatus('current') if mibBuilder.loadTexts: cmmFaxCfgRightHeadingString.setDescription('The regular expression for the FAX right heading at the top of cover page or text page. The default value of this object is an empty string. ') cmm_fax_cfg_center_heading_string = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 102, 1, 4, 4), cmm_fax_heading_string()).setMaxAccess('readwrite') if mibBuilder.loadTexts: cmmFaxCfgCenterHeadingString.setStatus('current') if mibBuilder.loadTexts: cmmFaxCfgCenterHeadingString.setDescription('The regular expression for the FAX center heading at the top of cover page or text page. The default value of this object is an empty string. ') cmm_fax_cfg_left_heading_string = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 102, 1, 4, 5), cmm_fax_heading_string()).setMaxAccess('readwrite') if mibBuilder.loadTexts: cmmFaxCfgLeftHeadingString.setStatus('current') if mibBuilder.loadTexts: cmmFaxCfgLeftHeadingString.setDescription('The regular expression for the FAX left heading at the top of cover page or text page. The default value of this object is an empty string. ') cmm_fax_cfg_coverg_page_control = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 102, 1, 4, 6), bits().clone(namedValues=named_values(('coverPageEnable', 0), ('coverPageCtlByEmail', 1), ('coverPageDetailEnable', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: cmmFaxCfgCovergPageControl.setStatus('current') if mibBuilder.loadTexts: cmmFaxCfgCovergPageControl.setDescription('The object controls the generation of cover page of FAX. coverPageEnable - enable the managed system to generate the FAX cover page. coverPageCtlByEmail - allow email to control the FAX cover page generation. coverPageDetailEnable- enable the detailed mail header on the cover page. ') cmm_fax_cfg_coverg_page_comment = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 102, 1, 4, 7), display_string()).setMaxAccess('readwrite') if mibBuilder.loadTexts: cmmFaxCfgCovergPageComment.setStatus('current') if mibBuilder.loadTexts: cmmFaxCfgCovergPageComment.setDescription('The object contains the comment on the FAX cover page. ') cmm_fax_cfg_fax_profile = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 102, 1, 4, 8), bits().clone(namedValues=named_values(('profileS', 0), ('profileF', 1), ('profileJ', 2), ('profileC', 3), ('profileL', 4), ('profileM', 5)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: cmmFaxCfgFaxProfile.setReference('RFC 2301: Section 2.2.4 New TIFF fields recommended for fax modes. ') if mibBuilder.loadTexts: cmmFaxCfgFaxProfile.setStatus('current') if mibBuilder.loadTexts: cmmFaxCfgFaxProfile.setDescription('The profile that applies to TIFF file for facsimile. The default value of this object is profileF. ') cmmdc_mib_conformance = mib_identifier((1, 3, 6, 1, 4, 1, 9, 9, 102, 3)) cmmdc_mib_compliances = mib_identifier((1, 3, 6, 1, 4, 1, 9, 9, 102, 3, 1)) cmmdc_mib_groups = mib_identifier((1, 3, 6, 1, 4, 1, 9, 9, 102, 3, 2)) cmmdc_mib_compliance = module_compliance((1, 3, 6, 1, 4, 1, 9, 9, 102, 3, 1, 1)).setObjects(('CISCO-MMAIL-DIAL-CONTROL-MIB', 'cmmdcPeerCfgGroup'), ('CISCO-MMAIL-DIAL-CONTROL-MIB', 'cmmIpCallGeneralGroup'), ('CISCO-MMAIL-DIAL-CONTROL-MIB', 'cmmIpCallImageGroup'), ('CISCO-MMAIL-DIAL-CONTROL-MIB', 'cmmFaxGroup')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): cmmdc_mib_compliance = cmmdcMIBCompliance.setStatus('current') if mibBuilder.loadTexts: cmmdcMIBCompliance.setDescription('The compliance statement for entities which implement the CISCO MMAIL DIAL CONTROL MIB') cmmdc_peer_cfg_group = object_group((1, 3, 6, 1, 4, 1, 9, 9, 102, 3, 2, 1)).setObjects(('CISCO-MMAIL-DIAL-CONTROL-MIB', 'cmmIpPeerCfgSessionProtocol'), ('CISCO-MMAIL-DIAL-CONTROL-MIB', 'cmmIpPeerCfgSessionTarget'), ('CISCO-MMAIL-DIAL-CONTROL-MIB', 'cmmIpPeerCfgImgEncodingType'), ('CISCO-MMAIL-DIAL-CONTROL-MIB', 'cmmIpPeerCfgImgResolution'), ('CISCO-MMAIL-DIAL-CONTROL-MIB', 'cmmIpPeerCfgMsgDispoNotification'), ('CISCO-MMAIL-DIAL-CONTROL-MIB', 'cmmIpPeerCfgDeliStatNotification')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): cmmdc_peer_cfg_group = cmmdcPeerCfgGroup.setStatus('current') if mibBuilder.loadTexts: cmmdcPeerCfgGroup.setDescription('A collection of objects providing the Media Mail Dial Control configuration capability. ') cmm_ip_call_general_group = object_group((1, 3, 6, 1, 4, 1, 9, 9, 102, 3, 2, 2)).setObjects(('CISCO-MMAIL-DIAL-CONTROL-MIB', 'cmmIpCallActiveConnectionId'), ('CISCO-MMAIL-DIAL-CONTROL-MIB', 'cmmIpCallActiveRemoteIPAddress'), ('CISCO-MMAIL-DIAL-CONTROL-MIB', 'cmmIpCallActiveSessionProtocol'), ('CISCO-MMAIL-DIAL-CONTROL-MIB', 'cmmIpCallActiveSessionTarget'), ('CISCO-MMAIL-DIAL-CONTROL-MIB', 'cmmIpCallActiveMessageId'), ('CISCO-MMAIL-DIAL-CONTROL-MIB', 'cmmIpCallActiveAccountId'), ('CISCO-MMAIL-DIAL-CONTROL-MIB', 'cmmIpCallActiveAcceptMimeTypes'), ('CISCO-MMAIL-DIAL-CONTROL-MIB', 'cmmIpCallActiveDiscdMimeTypes'), ('CISCO-MMAIL-DIAL-CONTROL-MIB', 'cmmIpCallActiveNotification'), ('CISCO-MMAIL-DIAL-CONTROL-MIB', 'cmmIpCallHistoryConnectionId'), ('CISCO-MMAIL-DIAL-CONTROL-MIB', 'cmmIpCallHistoryRemoteIPAddress'), ('CISCO-MMAIL-DIAL-CONTROL-MIB', 'cmmIpCallHistorySessionProtocol'), ('CISCO-MMAIL-DIAL-CONTROL-MIB', 'cmmIpCallHistorySessionTarget'), ('CISCO-MMAIL-DIAL-CONTROL-MIB', 'cmmIpCallHistoryMessageId'), ('CISCO-MMAIL-DIAL-CONTROL-MIB', 'cmmIpCallHistoryAccountId'), ('CISCO-MMAIL-DIAL-CONTROL-MIB', 'cmmIpCallHistoryAcceptMimeTypes'), ('CISCO-MMAIL-DIAL-CONTROL-MIB', 'cmmIpCallHistoryDiscdMimeTypes'), ('CISCO-MMAIL-DIAL-CONTROL-MIB', 'cmmIpCallHistoryNotification')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): cmm_ip_call_general_group = cmmIpCallGeneralGroup.setStatus('current') if mibBuilder.loadTexts: cmmIpCallGeneralGroup.setDescription('A collection of objects providing the General Media Mail Call capability. ') cmm_ip_call_image_group = object_group((1, 3, 6, 1, 4, 1, 9, 9, 102, 3, 2, 3)).setObjects(('CISCO-MMAIL-DIAL-CONTROL-MIB', 'cmmIpCallActiveImgEncodingType'), ('CISCO-MMAIL-DIAL-CONTROL-MIB', 'cmmIpCallActiveImgResolution'), ('CISCO-MMAIL-DIAL-CONTROL-MIB', 'cmmIpCallHistoryImgEncodingType'), ('CISCO-MMAIL-DIAL-CONTROL-MIB', 'cmmIpCallHistoryImgResolution')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): cmm_ip_call_image_group = cmmIpCallImageGroup.setStatus('current') if mibBuilder.loadTexts: cmmIpCallImageGroup.setDescription('A collection of objects providing the Image related Media Mail Call capability. ') cmm_fax_group = object_group((1, 3, 6, 1, 4, 1, 9, 9, 102, 3, 2, 4)).setObjects(('CISCO-MMAIL-DIAL-CONTROL-MIB', 'cmmFaxCfgCalledSubscriberId'), ('CISCO-MMAIL-DIAL-CONTROL-MIB', 'cmmFaxCfgXmitSubscriberId'), ('CISCO-MMAIL-DIAL-CONTROL-MIB', 'cmmFaxCfgRightHeadingString'), ('CISCO-MMAIL-DIAL-CONTROL-MIB', 'cmmFaxCfgCenterHeadingString'), ('CISCO-MMAIL-DIAL-CONTROL-MIB', 'cmmFaxCfgLeftHeadingString'), ('CISCO-MMAIL-DIAL-CONTROL-MIB', 'cmmFaxCfgCovergPageControl'), ('CISCO-MMAIL-DIAL-CONTROL-MIB', 'cmmFaxCfgCovergPageComment'), ('CISCO-MMAIL-DIAL-CONTROL-MIB', 'cmmFaxCfgFaxProfile')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): cmm_fax_group = cmmFaxGroup.setStatus('current') if mibBuilder.loadTexts: cmmFaxGroup.setDescription('A collection of objects providing the general FAX configuration capability. ') mibBuilder.exportSymbols('CISCO-MMAIL-DIAL-CONTROL-MIB', cmmIpCallGeneralGroup=cmmIpCallGeneralGroup, cmmIpCallHistoryConnectionId=cmmIpCallHistoryConnectionId, cmmIpPeerCfgSessionProtocol=cmmIpPeerCfgSessionProtocol, cmmIpCallHistoryImgResolution=cmmIpCallHistoryImgResolution, cmmIpCallImageGroup=cmmIpCallImageGroup, cmmIpPeerCfgImgResolution=cmmIpPeerCfgImgResolution, cmmFaxCfgCalledSubscriberId=cmmFaxCfgCalledSubscriberId, cmmFaxCfgCenterHeadingString=cmmFaxCfgCenterHeadingString, cmmIpCallActiveSessionTarget=cmmIpCallActiveSessionTarget, cmmFaxGeneralCfg=cmmFaxGeneralCfg, cmmIpCallHistoryRemoteIPAddress=cmmIpCallHistoryRemoteIPAddress, cmmdcMIBObjects=cmmdcMIBObjects, cmmIpCallActiveDiscdMimeTypes=cmmIpCallActiveDiscdMimeTypes, CmmImgResolution=CmmImgResolution, cmmIpCallActiveNotification=cmmIpCallActiveNotification, cmmFaxGroup=cmmFaxGroup, cmmIpPeerCfgSessionTarget=cmmIpPeerCfgSessionTarget, cmmIpCallActiveImgEncodingType=cmmIpCallActiveImgEncodingType, cmmIpCallHistorySessionTarget=cmmIpCallHistorySessionTarget, cmmIpCallHistoryEntry=cmmIpCallHistoryEntry, cmmIpCallActiveAccountId=cmmIpCallActiveAccountId, cmmFaxCfgRightHeadingString=cmmFaxCfgRightHeadingString, cmmFaxCfgCovergPageComment=cmmFaxCfgCovergPageComment, ciscoMediaMailDialControlMIB=ciscoMediaMailDialControlMIB, PYSNMP_MODULE_ID=ciscoMediaMailDialControlMIB, cmmIpCallActiveRemoteIPAddress=cmmIpCallActiveRemoteIPAddress, cmmIpCallActiveEntry=cmmIpCallActiveEntry, cmmIpCallActiveSessionProtocol=cmmIpCallActiveSessionProtocol, cmmIpCallHistoryAcceptMimeTypes=cmmIpCallHistoryAcceptMimeTypes, cmmIpCallHistorySessionProtocol=cmmIpCallHistorySessionProtocol, cmmPeer=cmmPeer, cmmFaxCfgLeftHeadingString=cmmFaxCfgLeftHeadingString, cmmIpPeerCfgDeliStatNotification=cmmIpPeerCfgDeliStatNotification, cmmCallActive=cmmCallActive, cmmIpCallActiveAcceptMimeTypes=cmmIpCallActiveAcceptMimeTypes, cmmFaxCfgCovergPageControl=cmmFaxCfgCovergPageControl, cmmdcMIBConformance=cmmdcMIBConformance, CmmImgEncoding=CmmImgEncoding, cmmFaxCfgFaxProfile=cmmFaxCfgFaxProfile, cmmIpPeerCfgEntry=cmmIpPeerCfgEntry, cmmIpCallHistoryDiscdMimeTypes=cmmIpCallHistoryDiscdMimeTypes, cmmdcPeerCfgGroup=cmmdcPeerCfgGroup, CmmImgEncodingOrTransparent=CmmImgEncodingOrTransparent, cmmIpCallHistoryImgEncodingType=cmmIpCallHistoryImgEncodingType, cmmIpPeerCfgTable=cmmIpPeerCfgTable, cmmdcMIBCompliances=cmmdcMIBCompliances, cmmIpPeerCfgMsgDispoNotification=cmmIpPeerCfgMsgDispoNotification, cmmIpPeerCfgImgEncodingType=cmmIpPeerCfgImgEncodingType, cmmIpCallHistoryTable=cmmIpCallHistoryTable, CmmImgResolutionOrTransparent=CmmImgResolutionOrTransparent, cmmFaxCfgXmitSubscriberId=cmmFaxCfgXmitSubscriberId, cmmdcMIBCompliance=cmmdcMIBCompliance, cmmIpCallActiveImgResolution=cmmIpCallActiveImgResolution, cmmIpCallActiveMessageId=cmmIpCallActiveMessageId, cmmdcMIBGroups=cmmdcMIBGroups, cmmIpCallHistoryAccountId=cmmIpCallHistoryAccountId, cmmCallHistory=cmmCallHistory, cmmIpCallActiveTable=cmmIpCallActiveTable, cmmIpCallHistoryNotification=cmmIpCallHistoryNotification, cmmIpCallActiveConnectionId=cmmIpCallActiveConnectionId, CmmFaxHeadingString=CmmFaxHeadingString, cmmIpCallHistoryMessageId=cmmIpCallHistoryMessageId)
""" File: anagram.py Name: Jasmine Tsai ---------------------------------- This program recursively finds all the anagram(s) for the word input by user and terminates when the input string matches the EXIT constant defined at line 19 If you correctly implement this program, you should see the number of anagrams for each word listed below: * arm -> 3 anagrams * contains -> 5 anagrams * stop -> 6 anagrams * tesla -> 10 anagrams * spear -> 12 anagrams """ # Constants FILE = 'dictionary.txt' # This is the filename of an English dictionary EXIT = '-1' # Controls when to stop the loop dict_lst = [] counter = 0 found = [] def main(): read_dictionary() print('Welcome to stanCode \" Anagram Generator\" (or -1 to quit/)') while True: inp = input(str('Find anagrams for: ')) # user input inp = inp.lower() if inp == EXIT: break find_anagrams(inp) def read_dictionary(): with open(FILE, 'r') as f: for line in f: dict_lst.append(line.strip()) def find_anagrams(s): """ :param s: user input :return: None """ global counter print('Searching...') helper(s, found, '', []) print(f'{counter} anagrams: {found}') def helper(s, current_lst, current_word, index): global counter if len(current_word) == len(s) and current_word in dict_lst: # if the word in dictionary and length is len(s) if current_word not in current_lst: # if the word not in list append current_lst.append(current_word) print('Found: ' + current_word) print('Searching...') counter += 1 else: for i in range(len(s)): if i not in index: # choose current_word += s[i] index.append(i) # explore if has_prefix(current_word): helper(s, current_lst, current_word, index) # un-choose current_word = current_word[:-1] index.pop() def has_prefix(sub_s): """ :param sub_s: the un-check combination :return: the combination is in the dictionary or not """ for ch in dict_lst: if ch.startswith(sub_s): return ch.startswith(sub_s) if __name__ == '__main__': main()
""" File: anagram.py Name: Jasmine Tsai ---------------------------------- This program recursively finds all the anagram(s) for the word input by user and terminates when the input string matches the EXIT constant defined at line 19 If you correctly implement this program, you should see the number of anagrams for each word listed below: * arm -> 3 anagrams * contains -> 5 anagrams * stop -> 6 anagrams * tesla -> 10 anagrams * spear -> 12 anagrams """ file = 'dictionary.txt' exit = '-1' dict_lst = [] counter = 0 found = [] def main(): read_dictionary() print('Welcome to stanCode " Anagram Generator" (or -1 to quit/)') while True: inp = input(str('Find anagrams for: ')) inp = inp.lower() if inp == EXIT: break find_anagrams(inp) def read_dictionary(): with open(FILE, 'r') as f: for line in f: dict_lst.append(line.strip()) def find_anagrams(s): """ :param s: user input :return: None """ global counter print('Searching...') helper(s, found, '', []) print(f'{counter} anagrams: {found}') def helper(s, current_lst, current_word, index): global counter if len(current_word) == len(s) and current_word in dict_lst: if current_word not in current_lst: current_lst.append(current_word) print('Found: ' + current_word) print('Searching...') counter += 1 else: for i in range(len(s)): if i not in index: current_word += s[i] index.append(i) if has_prefix(current_word): helper(s, current_lst, current_word, index) current_word = current_word[:-1] index.pop() def has_prefix(sub_s): """ :param sub_s: the un-check combination :return: the combination is in the dictionary or not """ for ch in dict_lst: if ch.startswith(sub_s): return ch.startswith(sub_s) if __name__ == '__main__': main()
"""This modules provides strng formatting functions prepare_data_for_db insert: formatting data to be inserted in database table concat_list: concatenate list elements in a string w/wo separator to_str: transform value to str is_str: test if value is str concat_key_value: concatenate key values of a dictionnary {key1: value1, key2: value2} --> ['key1 value1', 'key2 value2'] """ def prepare_data_for_db_insert(data_list, primary_key=False): """Prepare data to be insert in a database str elements are surrounded with quotes 'text' primary_key allows to include first null value in the string Parameters ---------- data_list: list elements to include in the str [val_int1, val_int2, ..., val_str_1] primary_key: bool include first Null value in the string (default: False) Returns ------- str "(val_int1, val_int2, ..., 'val_str_1')" or "(Null, val_int1, val_int2, ..., 'val_str_1')" """ if primary_key: return "(NULL, " + concat_list(data_list, ",", quote_str=True) + ")" else: return "(" + concat_list(data_list, ",", quote_str=True) + ")" def concat_list(str_list, sep, quote_str=False): """Concat elements of a list into a string with a separator, if quote_str is True, surround str elements with quotes 'text' Parameters ---------- str_list: list list of elements to concatenate sep: str separator quote_str: bool if True, surround str elements with quotes 'text' (default: False) Returns ------- str: string of """ # First element from the list first_element = to_str(str_list[0], quote_str) concat_str = first_element # If there are more than 1 element in the list, transform it to # str if needed and concatenate it if len(str_list) > 0: for i in range(1, len(str_list)): new_element = to_str(str_list[i], quote_str) concat_str = concat_str + sep + new_element return concat_str def to_str(val, quote_str=False): """test if a value's type is str. It not, transform it to str if quote_str is True, surround str elements with quotes 'text' Parameters ---------- val: 1dim value value to test and transform quote_str: bool if True, surround str elements with quotes 'text' (default: False) Returns ------- str: processed value """ if is_str(val) and quote_str: return "\'" + val + "\'" elif is_str(val): return val else: return str(val) def is_str(txt): """test if a value's type is string Parameters ---------- txt: value to test Returns ------- bool: True if txt is str, False otherwise """ return type(txt) == str def concat_key_value(str_dict): """concat keys and values of dict containing strings elements into a list Parameters ---------- str_dict: dict dict to process {key1: value1, key2: value2} Returns ------- list ['key1 value1', 'key2 value2'] """ return [key + ' ' + value for key, value in str_dict.items()]
"""This modules provides strng formatting functions prepare_data_for_db insert: formatting data to be inserted in database table concat_list: concatenate list elements in a string w/wo separator to_str: transform value to str is_str: test if value is str concat_key_value: concatenate key values of a dictionnary {key1: value1, key2: value2} --> ['key1 value1', 'key2 value2'] """ def prepare_data_for_db_insert(data_list, primary_key=False): """Prepare data to be insert in a database str elements are surrounded with quotes 'text' primary_key allows to include first null value in the string Parameters ---------- data_list: list elements to include in the str [val_int1, val_int2, ..., val_str_1] primary_key: bool include first Null value in the string (default: False) Returns ------- str "(val_int1, val_int2, ..., 'val_str_1')" or "(Null, val_int1, val_int2, ..., 'val_str_1')" """ if primary_key: return '(NULL, ' + concat_list(data_list, ',', quote_str=True) + ')' else: return '(' + concat_list(data_list, ',', quote_str=True) + ')' def concat_list(str_list, sep, quote_str=False): """Concat elements of a list into a string with a separator, if quote_str is True, surround str elements with quotes 'text' Parameters ---------- str_list: list list of elements to concatenate sep: str separator quote_str: bool if True, surround str elements with quotes 'text' (default: False) Returns ------- str: string of """ first_element = to_str(str_list[0], quote_str) concat_str = first_element if len(str_list) > 0: for i in range(1, len(str_list)): new_element = to_str(str_list[i], quote_str) concat_str = concat_str + sep + new_element return concat_str def to_str(val, quote_str=False): """test if a value's type is str. It not, transform it to str if quote_str is True, surround str elements with quotes 'text' Parameters ---------- val: 1dim value value to test and transform quote_str: bool if True, surround str elements with quotes 'text' (default: False) Returns ------- str: processed value """ if is_str(val) and quote_str: return "'" + val + "'" elif is_str(val): return val else: return str(val) def is_str(txt): """test if a value's type is string Parameters ---------- txt: value to test Returns ------- bool: True if txt is str, False otherwise """ return type(txt) == str def concat_key_value(str_dict): """concat keys and values of dict containing strings elements into a list Parameters ---------- str_dict: dict dict to process {key1: value1, key2: value2} Returns ------- list ['key1 value1', 'key2 value2'] """ return [key + ' ' + value for (key, value) in str_dict.items()]
class Solution: def isPalindrome(self, x: int) -> bool: if(x<0): return False elif(x==0): return True else: reverse = 0 divi = x while(divi!=0): rem = divi%10 reverse = reverse*10 + rem divi = divi//10 if(reverse==x): return True else: return False
class Solution: def is_palindrome(self, x: int) -> bool: if x < 0: return False elif x == 0: return True else: reverse = 0 divi = x while divi != 0: rem = divi % 10 reverse = reverse * 10 + rem divi = divi // 10 if reverse == x: return True else: return False
""" Java dependencies """ load("@rules_jvm_external//:defs.bzl", "maven_install") def maven_fetch_remote_artifacts(): """ Fetch maven artifacts """ maven_install( artifacts = [ "com.fasterxml.jackson.core:jackson-core:2.11.2", "com.fasterxml.jackson.core:jackson-databind:2.11.2", "org.apache.pdfbox:pdfbox:2.0.20", "org.apache.kafka:kafka_2.13:2.6.0", "org.apache.kafka:kafka-clients:2.6.0", "org.grobid:grobid-core:0.6.1", "org.yaml:snakeyaml:1.26", ], repositories = [ "https://maven.google.com", "https://repo1.maven.org/maven2", "https://dl.bintray.com/rookies/maven", ], )
""" Java dependencies """ load('@rules_jvm_external//:defs.bzl', 'maven_install') def maven_fetch_remote_artifacts(): """ Fetch maven artifacts """ maven_install(artifacts=['com.fasterxml.jackson.core:jackson-core:2.11.2', 'com.fasterxml.jackson.core:jackson-databind:2.11.2', 'org.apache.pdfbox:pdfbox:2.0.20', 'org.apache.kafka:kafka_2.13:2.6.0', 'org.apache.kafka:kafka-clients:2.6.0', 'org.grobid:grobid-core:0.6.1', 'org.yaml:snakeyaml:1.26'], repositories=['https://maven.google.com', 'https://repo1.maven.org/maven2', 'https://dl.bintray.com/rookies/maven'])
# -*- coding: utf-8 -*- """Main module.""" def hello_world(): """Say hello to world. :returns: Nothing :rtype: NoneType """ print("Hello world")
"""Main module.""" def hello_world(): """Say hello to world. :returns: Nothing :rtype: NoneType """ print('Hello world')
# # @lc app=leetcode.cn id=461 lang=python3 # # [461] hamming-distance # None # @lc code=end
None
# Can you do it with a conditional statement (if / if-else) instead? x1 = float(input("number? ")) x2 = float(input("number? ")) #if x1 > x2: # mx = x1 #elif x2 > x1: # mx = x2 #else: # mx = x1 print("Maximum:", x1 if x1 > x2 else x2)
x1 = float(input('number? ')) x2 = float(input('number? ')) print('Maximum:', x1 if x1 > x2 else x2)
#!/usr/bin/env python3 ''' TITLE: [2018-09-04] Challenge #367 [Easy] Subfactorials - Another Twist on Factorials LINK: https://www.reddit.com/r/dailyprogrammer/comments/9cvo0f/20180904_challenge_367_easy_subfactorials_another/ DERIVATION: Start with n numbers 1...n, and n slots #1...#n. Take the number 1 and place it in some slot #x, there are (n-1) possible choices for this. Now x can be placed in any of the remaining free slots, including #1, since its own slot is already occupied by the 1. There are !(n-1) possibilities where x never appears in slot #1, and !(n-2) possibilities, where x is always in slot #1. ''' def subfactorial(n): if n <= 0 or n != int(n): raise ValueError(f"n must be a positive integer! (input: n = {n})") elif n == 1: return 0 elif n == 2: return 1 else: return (n-1) * (subfactorial(n-1) + subfactorial(n-2)) # Test cases assert(subfactorial(1) == 0) assert(subfactorial(2) == 1) assert(subfactorial(3) == 2) assert(subfactorial(4) == 9) assert(subfactorial(5) == 44) # Challenge assert(subfactorial(6) == 265) assert(subfactorial(9) == 133496) assert(subfactorial(14) == 32071101049) # Final output print("All tests passed!") print(f"subfactorial(15) = {subfactorial(15)}") print()
""" TITLE: [2018-09-04] Challenge #367 [Easy] Subfactorials - Another Twist on Factorials LINK: https://www.reddit.com/r/dailyprogrammer/comments/9cvo0f/20180904_challenge_367_easy_subfactorials_another/ DERIVATION: Start with n numbers 1...n, and n slots #1...#n. Take the number 1 and place it in some slot #x, there are (n-1) possible choices for this. Now x can be placed in any of the remaining free slots, including #1, since its own slot is already occupied by the 1. There are !(n-1) possibilities where x never appears in slot #1, and !(n-2) possibilities, where x is always in slot #1. """ def subfactorial(n): if n <= 0 or n != int(n): raise value_error(f'n must be a positive integer! (input: n = {n})') elif n == 1: return 0 elif n == 2: return 1 else: return (n - 1) * (subfactorial(n - 1) + subfactorial(n - 2)) assert subfactorial(1) == 0 assert subfactorial(2) == 1 assert subfactorial(3) == 2 assert subfactorial(4) == 9 assert subfactorial(5) == 44 assert subfactorial(6) == 265 assert subfactorial(9) == 133496 assert subfactorial(14) == 32071101049 print('All tests passed!') print(f'subfactorial(15) = {subfactorial(15)}') print()
def run(): my_list = ["Hello", 1, True, 4.5] my_dict = { "firstname": "Sebastian", "lastname": "Granda" } super_list = [ { "firstname": "Valentina", "lastname": "Mora" }, { "firstname": "Sebastian", "lastname": "Granda" }, { "firstname": "Isaac", "lastname": "Hincapie" }, { "firstname": "Camilo", "lastname": "Romero" }, ] super_dict = { "natural_nums": list(range(1,6)), "integer_nums": list(range(-6, 6)), "float_nums": [1.1, 0.89, 15.85, 33.22] } for key, value in super_dict.items(): print(f"{key} = {value}") for person in super_list: print(f"{person['firstname']} {person['lastname']}") if __name__ == '__main__': run()
def run(): my_list = ['Hello', 1, True, 4.5] my_dict = {'firstname': 'Sebastian', 'lastname': 'Granda'} super_list = [{'firstname': 'Valentina', 'lastname': 'Mora'}, {'firstname': 'Sebastian', 'lastname': 'Granda'}, {'firstname': 'Isaac', 'lastname': 'Hincapie'}, {'firstname': 'Camilo', 'lastname': 'Romero'}] super_dict = {'natural_nums': list(range(1, 6)), 'integer_nums': list(range(-6, 6)), 'float_nums': [1.1, 0.89, 15.85, 33.22]} for (key, value) in super_dict.items(): print(f'{key} = {value}') for person in super_list: print(f"{person['firstname']} {person['lastname']}") if __name__ == '__main__': run()
# -*- coding: utf-8 -*- { "name": "WeCom HRM", "author": "RStudio", "sequence": 607, "installable": True, "application": True, "auto_install": False, "category": "WeCom/WeCom", "website": "https://gitee.com/rainbowstudio/wecom", "version": "15.0.0.1", "summary": """ """, "description": """ """, "depends": [], "data": [ # "security/ir.model.access.csv", "data/ir_config_parameter.xml", "data/hr_data.xml", "wizard/employee_bind_wecom_views.xml", "wizard/user_bind_wecom_views.xml", "views/ir_ui_menu_views.xml", "views/res_config_settings_views.xml", "views/hr_department_view.xml", "views/hr_employee_view.xml", "views/hr_employee_category_views.xml", "views/menu_views.xml", ], "assets": { "web.assets_backend": [ # SCSSS # JS "wecom_hrm/static/src/js/download_deps.js", "wecom_hrm/static/src/js/download_staffs.js", "wecom_hrm/static/src/js/download_tags.js", ], "web.assets_qweb": ["wecom_hrm/static/src/xml/*.xml",], }, "external_dependencies": {"python": [],}, "license": "LGPL-3", }
{'name': 'WeCom HRM', 'author': 'RStudio', 'sequence': 607, 'installable': True, 'application': True, 'auto_install': False, 'category': 'WeCom/WeCom', 'website': 'https://gitee.com/rainbowstudio/wecom', 'version': '15.0.0.1', 'summary': '\n \n ', 'description': '\n\n ', 'depends': [], 'data': ['data/ir_config_parameter.xml', 'data/hr_data.xml', 'wizard/employee_bind_wecom_views.xml', 'wizard/user_bind_wecom_views.xml', 'views/ir_ui_menu_views.xml', 'views/res_config_settings_views.xml', 'views/hr_department_view.xml', 'views/hr_employee_view.xml', 'views/hr_employee_category_views.xml', 'views/menu_views.xml'], 'assets': {'web.assets_backend': ['wecom_hrm/static/src/js/download_deps.js', 'wecom_hrm/static/src/js/download_staffs.js', 'wecom_hrm/static/src/js/download_tags.js'], 'web.assets_qweb': ['wecom_hrm/static/src/xml/*.xml']}, 'external_dependencies': {'python': []}, 'license': 'LGPL-3'}
#Reference for basic numerical operations and comparisons x = 9 y = 3 #Arithmetic Operators print(x+y) #Addition print(x-y) #Subtraction print(x*y) #Multiplication print(x/y) #Division print(x%y) #Modulus -- remainder after division print(x**y) #Exponentiation x = 9.191823 print(x//y) #Floor Division -- number of times y goes into x evenly #Assignment Operators x = 9 #set x = 9 x += 3 #set x = x + 3 print(x) x = 9 x -= 3 #set x = x - 3 print(x) x *= 3 #set x = x * 3 print(x) x /= 3 # set x = x / 3 print(x) x **= 3 #set x = x **3 -- x = x^3 print(x) #Comparison Operators x = 9 y = 3 print (x==y) #True if x equals y, False otherwise print(x!=y) #True if x does not equal y, False otherwise print(x>y) #True if x is greater than y, False otherwise print(x<y) #True if x is less than y, False otherwise print(x>=y) #True if x is greater than or equal to y, False otherwise print(x<=y) #True if x is less than or equal to y, False otherwise
x = 9 y = 3 print(x + y) print(x - y) print(x * y) print(x / y) print(x % y) print(x ** y) x = 9.191823 print(x // y) x = 9 x += 3 print(x) x = 9 x -= 3 print(x) x *= 3 print(x) x /= 3 print(x) x **= 3 print(x) x = 9 y = 3 print(x == y) print(x != y) print(x > y) print(x < y) print(x >= y) print(x <= y)
days = ["Monday","Tuesday","Wednesday","Thursday","Friday","Saturday","Sunday"] months = ["January","February","March","April","May","June","July","August","September","October","November","December"] def formatRange(dates): #We first extract the calendar day of the range startingDay = days[dates[0].weekday()] endingDay = days[dates[1].weekday()] #We then extract the month of the Range startingMonth = months[dates[0].month-1] endingMonth = months[dates[1].month -1] #We then extract the date of the Range startingDate = dates[0].day endingDate = dates[1].day #Next comes the Year Year = dates[0].year start = startingDay +", "+ str(startingDate)+ " " +startingMonth+ " "+ str(Year) end = endingDay +", "+str(endingDate)+ " " +endingMonth+ " "+ str(Year) return(start,end,dates[2])
days = ['Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday', 'Saturday', 'Sunday'] months = ['January', 'February', 'March', 'April', 'May', 'June', 'July', 'August', 'September', 'October', 'November', 'December'] def format_range(dates): starting_day = days[dates[0].weekday()] ending_day = days[dates[1].weekday()] starting_month = months[dates[0].month - 1] ending_month = months[dates[1].month - 1] starting_date = dates[0].day ending_date = dates[1].day year = dates[0].year start = startingDay + ', ' + str(startingDate) + ' ' + startingMonth + ' ' + str(Year) end = endingDay + ', ' + str(endingDate) + ' ' + endingMonth + ' ' + str(Year) return (start, end, dates[2])
class LoginError(Exception): """ Could not login to the server. """ pass class NotLoggedInError(Exception): """ Cannot properly interact with Fur Affinity unless you are logged in. """ pass class MaturityError(Exception): """ Cannot access that submission on this account because of maturity filter. """ pass class SubmissionNotFoundError(Exception): """ Could not find that submission. It has either been taken down, or does not exist yet. """ pass class AccessError(Exception): """ For some unknown reason Fur Affinity would not allow access to a submission. Try again. """ pass class SubmissionFileNotAccessible(Exception): """ Could not find/download the submission file. """ pass class IPBanError(Exception): """ You appear to be IP banned. This is not good. """ pass
class Loginerror(Exception): """ Could not login to the server. """ pass class Notloggedinerror(Exception): """ Cannot properly interact with Fur Affinity unless you are logged in. """ pass class Maturityerror(Exception): """ Cannot access that submission on this account because of maturity filter. """ pass class Submissionnotfounderror(Exception): """ Could not find that submission. It has either been taken down, or does not exist yet. """ pass class Accesserror(Exception): """ For some unknown reason Fur Affinity would not allow access to a submission. Try again. """ pass class Submissionfilenotaccessible(Exception): """ Could not find/download the submission file. """ pass class Ipbanerror(Exception): """ You appear to be IP banned. This is not good. """ pass
class EmptyObject: pass EMPTY = EmptyObject() # sentinel object to represent empty node output def is_empty(obj): return isinstance(obj, EmptyObject)
class Emptyobject: pass empty = empty_object() def is_empty(obj): return isinstance(obj, EmptyObject)
""" Structural pattern : Proxy Examples : 1. use in orm """ class Db: def work(self): print('you are admin so you can work with database...') class Proxy: admin_password = 'secret' def check_admin(self, password): if password == self.admin_password: d1 = Db() d1.work() else: print('You are not admin so you cant work with database...') p1 = Proxy() p1.check_admin('secret')
""" Structural pattern : Proxy Examples : 1. use in orm """ class Db: def work(self): print('you are admin so you can work with database...') class Proxy: admin_password = 'secret' def check_admin(self, password): if password == self.admin_password: d1 = db() d1.work() else: print('You are not admin so you cant work with database...') p1 = proxy() p1.check_admin('secret')
''' Input The first line of the input file contains two integers N and M --- number of nodes and number of edges in the graph (0 < N <= 10000, 0 <= M <= 20000). Next M lines contain M edges of that graph --- Each line contains a pair (u, v) means there is an edge between node u and node v (1 <= u,v <= N). Output Print YES if the given graph is a tree, otherwise print NO. Example Input: 3 2 1 2 2 3 Output: YES ''' numbers = input().split() num_of_nodes = int(numbers[0]) num_of_edges = int(numbers[1]) #check that the # of edges is at most greater # of nodes -1. if num_of_nodes - 1 != num_of_edges: print("NO") #keep a set with each of the nodes visited. Each node will be unique with a unique number. nodes_visited = set() for _ in range(num_of_edges): numbers = input().split() a = numbers[0] b = numbers[1] #add the node into the set if not added nodes_visited.add(a) nodes_visited.add(b) if len(nodes_visited) == num_of_nodes: print("YES") else: print("NO")
""" Input The first line of the input file contains two integers N and M --- number of nodes and number of edges in the graph (0 < N <= 10000, 0 <= M <= 20000). Next M lines contain M edges of that graph --- Each line contains a pair (u, v) means there is an edge between node u and node v (1 <= u,v <= N). Output Print YES if the given graph is a tree, otherwise print NO. Example Input: 3 2 1 2 2 3 Output: YES """ numbers = input().split() num_of_nodes = int(numbers[0]) num_of_edges = int(numbers[1]) if num_of_nodes - 1 != num_of_edges: print('NO') nodes_visited = set() for _ in range(num_of_edges): numbers = input().split() a = numbers[0] b = numbers[1] nodes_visited.add(a) nodes_visited.add(b) if len(nodes_visited) == num_of_nodes: print('YES') else: print('NO')
# TODO: we will have to figure out a better way of generating this file build_time_vars = { "CC": "gcc -pthread", "CXX": "g++ -pthread", "OPT": "-DNDEBUG -g -fwrapv -O3 -Wall -Wstrict-prototypes", "CFLAGS": "-fno-strict-aliasing -g -O3 -DNDEBUG -g -fwrapv -O3 -Wall -Wstrict-prototypes", "CCSHARED": "-fPIC", "LDSHARED": "gcc -pthread -shared", "SO": ".pyston.so", "AR": "ar", "ARFLAGS": "rc", }
build_time_vars = {'CC': 'gcc -pthread', 'CXX': 'g++ -pthread', 'OPT': '-DNDEBUG -g -fwrapv -O3 -Wall -Wstrict-prototypes', 'CFLAGS': '-fno-strict-aliasing -g -O3 -DNDEBUG -g -fwrapv -O3 -Wall -Wstrict-prototypes', 'CCSHARED': '-fPIC', 'LDSHARED': 'gcc -pthread -shared', 'SO': '.pyston.so', 'AR': 'ar', 'ARFLAGS': 'rc'}
class Pizza: def __init__(self, name, dough, toppings_capacity): self.__name = name self.__dough = dough self.__toppings_capacity = toppings_capacity self.__toppings = {} @property def name(self): return self.__name @name.setter def name(self, new_name): self.__name = new_name @property def dough(self): return self.__dough @dough.setter def dough(self, new_dough): self.__dough = new_dough @property def toppings(self): return self.__toppings @toppings.setter def toppings(self, value): self.__toppings = value @property def toppings_capacity(self): return self.__toppings_capacity @toppings_capacity.setter def toppings_capacity(self, new_capacity): self.__toppings_capacity = new_capacity def add_topping(self, topping): if len(self.toppings) == self.toppings_capacity: raise ValueError("Not enough space for another topping") if topping.topping_type not in self.toppings: self.toppings[topping.topping_type] = topping.weight else: self.toppings[topping.topping_type] += topping.weight def calculate_total_weight(self): toppings_weight = sum([value for value in self.toppings.values()]) total_weight = self.__dough.weight + toppings_weight return total_weight
class Pizza: def __init__(self, name, dough, toppings_capacity): self.__name = name self.__dough = dough self.__toppings_capacity = toppings_capacity self.__toppings = {} @property def name(self): return self.__name @name.setter def name(self, new_name): self.__name = new_name @property def dough(self): return self.__dough @dough.setter def dough(self, new_dough): self.__dough = new_dough @property def toppings(self): return self.__toppings @toppings.setter def toppings(self, value): self.__toppings = value @property def toppings_capacity(self): return self.__toppings_capacity @toppings_capacity.setter def toppings_capacity(self, new_capacity): self.__toppings_capacity = new_capacity def add_topping(self, topping): if len(self.toppings) == self.toppings_capacity: raise value_error('Not enough space for another topping') if topping.topping_type not in self.toppings: self.toppings[topping.topping_type] = topping.weight else: self.toppings[topping.topping_type] += topping.weight def calculate_total_weight(self): toppings_weight = sum([value for value in self.toppings.values()]) total_weight = self.__dough.weight + toppings_weight return total_weight
class ParsedGame: def __init__(self, parsed_data): if len(parsed_data) == 5: self.time_left = parsed_data[0] self.away_team = parsed_data[1] self.away_score = parsed_data[2] self.home_team = parsed_data[3] self.home_score = parsed_data[4] else: self.time_left = parsed_data[0] self.away_team = parsed_data[1] self.away_score = 0 self.home_team = parsed_data[2] self.home_score = 0 if self.time_left == "FINAL OT": self.time_left = "Final" elif self.time_left == "FINAL": self.time_left = "Final" elif self.time_left == "HALFTIME": self.time_left = "Halftime"
class Parsedgame: def __init__(self, parsed_data): if len(parsed_data) == 5: self.time_left = parsed_data[0] self.away_team = parsed_data[1] self.away_score = parsed_data[2] self.home_team = parsed_data[3] self.home_score = parsed_data[4] else: self.time_left = parsed_data[0] self.away_team = parsed_data[1] self.away_score = 0 self.home_team = parsed_data[2] self.home_score = 0 if self.time_left == 'FINAL OT': self.time_left = 'Final' elif self.time_left == 'FINAL': self.time_left = 'Final' elif self.time_left == 'HALFTIME': self.time_left = 'Halftime'
# id mapping # ssdb : redis # kv # key= ${table_name}`${item_id} # val= ${type}`${content} # 1. type=raw # 2. type=b64 # 3. type=url # k hash # key = table_name # field = item_id # value = val # import redis # https://blog.csdn.net/u012851870/article/details/44754509 # http://ssdb.io/docs/zh_cn/redis-to-ssdb.html # http://ssdb.io/docs/zh_cn/php/ __all__ = [ "hset", "hmget", "del_table" ] def hset(client, table, item_id, val): client.hset(table, item_id, val) def hget(client, table, item_id): v = client.hget(table, item_id) s = "" if v: s = v.decode('utf-8') return s # def hmset(client, table, item_id_val_map): # client.multi_hset(table, item_id_val_map) def hmget(client, table, item_id_arr): """ :return map{k,v} """ vs = client.hmget(table, item_id_arr) kv_map = {} for i in range(0, len(vs), 1): k = item_id_arr[i] v = vs[i].decode('utf-8') kv_map[k] = v return kv_map def del_table(client, table): client.delete(table)
__all__ = ['hset', 'hmget', 'del_table'] def hset(client, table, item_id, val): client.hset(table, item_id, val) def hget(client, table, item_id): v = client.hget(table, item_id) s = '' if v: s = v.decode('utf-8') return s def hmget(client, table, item_id_arr): """ :return map{k,v} """ vs = client.hmget(table, item_id_arr) kv_map = {} for i in range(0, len(vs), 1): k = item_id_arr[i] v = vs[i].decode('utf-8') kv_map[k] = v return kv_map def del_table(client, table): client.delete(table)
class FlowException(Exception): """Internal exceptions for flow control etc. Validation, config errors and such should use standard Python exception types""" pass class StopProcessing(FlowException): """Stop processing of single item without too much error logging""" pass
class Flowexception(Exception): """Internal exceptions for flow control etc. Validation, config errors and such should use standard Python exception types""" pass class Stopprocessing(FlowException): """Stop processing of single item without too much error logging""" pass
#!/usr/bin/env python3 """ An attempt to solve Roaming Romans on Kattis """ MODERN_MILE_FEET = 5280.0 ROMAN_MILE_IN_FEET = 4854.0 miles = float(input().rstrip()) roman_paces = (1000 * (MODERN_MILE_FEET/ROMAN_MILE_IN_FEET)) * miles print(round(roman_paces))
""" An attempt to solve Roaming Romans on Kattis """ modern_mile_feet = 5280.0 roman_mile_in_feet = 4854.0 miles = float(input().rstrip()) roman_paces = 1000 * (MODERN_MILE_FEET / ROMAN_MILE_IN_FEET) * miles print(round(roman_paces))
def adapt_to_ex(model): self.conv_sections = conv_sections self.glob_av_pool = torch.nn.AdaptiveAvgPool2d(output_size=1) self.linear_sections = linear_sections self.head = head self.input_shape = input_shape self.n_classes = head.out_elements self.data_augment = DataAugmentation(n_classes=self.n_classes) self.loss_func_CE_soft = CrossEntropyWithProbs().to(device) self.loss_func_CE_hard = torch.nn.CrossEntropyLoss().to(device) self.loss_func_MSE = torch.nn.MSELoss().to(device) self.creation_time = datetime.now() config = {} config['n_conv_l'] = len(model.conv_sections) config['n_conv_0'] = model.conv_sections[0].out_elements config['n_conv_1'] = model.conv_sections[1].out_elements if len(model.conv_sections) > 1 else 16 config['n_conv_2'] = model.conv_sections[2].out_elements if len(model.conv_sections) > 2 else 16 # Dense config['n_fc_l'] = len(model.linear_sections) config['n_fc_0'] = model.linear_sections[0].out_elements config['n_fc_1'] = model.linear_sections[1].out_elements if len(model.linear_sections) > 1 else 16 config['n_fc_2'] = model.linear_sections[2].out_elements if len(model.linear_sections) > 2 else 16 # Kernel Size config['kernel_size'] = model.linear_sections[0].kernel_size # Learning Rate lr = RangeParameter('lr_init', ParameterType.FLOAT, 0.00001, 1.0, True) # Use Batch Normalization bn = ChoiceParameter('batch_norm', ParameterType.BOOL, values=[True, False]) # Batch size bs = RangeParameter('batch_size', ParameterType.INT, 1, 512, True) # Global Avg Pooling ga = ChoiceParameter('global_avg_pooling', ParameterType.BOOL, values=[True, False]) b = FixedParameter('budget', ParameterType.INT, 25) i = FixedParameter('id', ParameterType.STRING, 'dummy')
def adapt_to_ex(model): self.conv_sections = conv_sections self.glob_av_pool = torch.nn.AdaptiveAvgPool2d(output_size=1) self.linear_sections = linear_sections self.head = head self.input_shape = input_shape self.n_classes = head.out_elements self.data_augment = data_augmentation(n_classes=self.n_classes) self.loss_func_CE_soft = cross_entropy_with_probs().to(device) self.loss_func_CE_hard = torch.nn.CrossEntropyLoss().to(device) self.loss_func_MSE = torch.nn.MSELoss().to(device) self.creation_time = datetime.now() config = {} config['n_conv_l'] = len(model.conv_sections) config['n_conv_0'] = model.conv_sections[0].out_elements config['n_conv_1'] = model.conv_sections[1].out_elements if len(model.conv_sections) > 1 else 16 config['n_conv_2'] = model.conv_sections[2].out_elements if len(model.conv_sections) > 2 else 16 config['n_fc_l'] = len(model.linear_sections) config['n_fc_0'] = model.linear_sections[0].out_elements config['n_fc_1'] = model.linear_sections[1].out_elements if len(model.linear_sections) > 1 else 16 config['n_fc_2'] = model.linear_sections[2].out_elements if len(model.linear_sections) > 2 else 16 config['kernel_size'] = model.linear_sections[0].kernel_size lr = range_parameter('lr_init', ParameterType.FLOAT, 1e-05, 1.0, True) bn = choice_parameter('batch_norm', ParameterType.BOOL, values=[True, False]) bs = range_parameter('batch_size', ParameterType.INT, 1, 512, True) ga = choice_parameter('global_avg_pooling', ParameterType.BOOL, values=[True, False]) b = fixed_parameter('budget', ParameterType.INT, 25) i = fixed_parameter('id', ParameterType.STRING, 'dummy')
class TaskAlreadyExistsError(Exception): pass class NoSuchTaskError(Exception): pass
class Taskalreadyexistserror(Exception): pass class Nosuchtaskerror(Exception): pass