content
stringlengths
7
1.05M
fixed_cases
stringlengths
1
1.28M
# kano00 # https://adventofcode.com/2021/day/10 def calc1(chunk_list): left_brankets = ["(", "[", "{", "<"] right_brankets = [")", "]", "}", ">"] scores = [3,57,1197,25137] res = 0 def calc_points(chunk): stack = [] for c in chunk: for i in range(4): if c == left_brankets[i]: stack.append(i) elif c== right_brankets[i]: if len(stack) == 0: print("error") return 0 else: # if corrupted if right_brankets[stack.pop()] != c: return scores[i] return 0 for chunk in chunk_list: res += calc_points(chunk) return res def calc2(chunk_list): left_brankets = ["(", "[", "{", "<"] right_brankets = [")", "]", "}", ">"] scores = [1, 2, 3, 4] res_options = [] def calc_remains(chunk): stack = [] for c in chunk: for i in range(4): if c == left_brankets[i]: stack.append(i) elif c== right_brankets[i]: if len(stack) == 0: print("error") return [] else: # if corrupted if right_brankets[stack.pop()] != c: return [] return stack def calc_points(remains): points = 0 while len(remains): p = remains.pop() points = points * 5 + scores[p] return points for chunk in chunk_list: remains = calc_remains(chunk) if remains: points = calc_points(remains) res_options.append(points) res_options.sort() res = res_options[len(res_options)//2] return res if __name__ == "__main__": chunk_list= [] i = input() while i: chunk_list.append(i) i = input() res = calc2(chunk_list) print(res)
def calc1(chunk_list): left_brankets = ['(', '[', '{', '<'] right_brankets = [')', ']', '}', '>'] scores = [3, 57, 1197, 25137] res = 0 def calc_points(chunk): stack = [] for c in chunk: for i in range(4): if c == left_brankets[i]: stack.append(i) elif c == right_brankets[i]: if len(stack) == 0: print('error') return 0 elif right_brankets[stack.pop()] != c: return scores[i] return 0 for chunk in chunk_list: res += calc_points(chunk) return res def calc2(chunk_list): left_brankets = ['(', '[', '{', '<'] right_brankets = [')', ']', '}', '>'] scores = [1, 2, 3, 4] res_options = [] def calc_remains(chunk): stack = [] for c in chunk: for i in range(4): if c == left_brankets[i]: stack.append(i) elif c == right_brankets[i]: if len(stack) == 0: print('error') return [] elif right_brankets[stack.pop()] != c: return [] return stack def calc_points(remains): points = 0 while len(remains): p = remains.pop() points = points * 5 + scores[p] return points for chunk in chunk_list: remains = calc_remains(chunk) if remains: points = calc_points(remains) res_options.append(points) res_options.sort() res = res_options[len(res_options) // 2] return res if __name__ == '__main__': chunk_list = [] i = input() while i: chunk_list.append(i) i = input() res = calc2(chunk_list) print(res)
def show_magicians(magician_names, great_magicians): """Transfer the lis of magician in the great list""" while magician_names: magician = magician_names.pop() great_magicians.append(magician) def make_great(great_magicians): """Print the new list of magicians""" for great_magician in great_magicians: print('The great ' + great_magician) magician_names = ['albus', 'harry potter', 'merlin'] great_magicians = [] show_magicians(magician_names[:], great_magicians) make_great(great_magicians) print(magician_names) print(great_magicians)
def show_magicians(magician_names, great_magicians): """Transfer the lis of magician in the great list""" while magician_names: magician = magician_names.pop() great_magicians.append(magician) def make_great(great_magicians): """Print the new list of magicians""" for great_magician in great_magicians: print('The great ' + great_magician) magician_names = ['albus', 'harry potter', 'merlin'] great_magicians = [] show_magicians(magician_names[:], great_magicians) make_great(great_magicians) print(magician_names) print(great_magicians)
#!/usr/bin/python li = [1, 2, 3, 1, 4, 5] # wrong 1 for v in li: if v == 1 or v == 2: li.remove(v) # wrong 2 for idx, v in enumerate(li): if v == 1 or v == 2: del li[idx] # wrong 3 for idx, v in enumerate(li[:]): if v == 1 or v == 2: del li[idx] # not recommend for v in li[:]: if v == 1 or v == 2: li.remove(v) # recommend 1 li = list(filter(lambda x: x != 1 and x != 2, li)) # recommend 2 li = [x for x in li if x != 1 and x != 2]
li = [1, 2, 3, 1, 4, 5] for v in li: if v == 1 or v == 2: li.remove(v) for (idx, v) in enumerate(li): if v == 1 or v == 2: del li[idx] for (idx, v) in enumerate(li[:]): if v == 1 or v == 2: del li[idx] for v in li[:]: if v == 1 or v == 2: li.remove(v) li = list(filter(lambda x: x != 1 and x != 2, li)) li = [x for x in li if x != 1 and x != 2]
def candidate_selection(wn, token, target_lemma, pos=None, gold_lexkeys=set(), debug=False): """ return candidate synsets of a token :param str token: the token :param str targe_lemma: a lemma :param str pos: supported: n, v, r, a. If None, candidate selection is limited by one pos :param str gold_lexkeys: {'congress%1:14:00::'} :rtype: tuple :return: (candidate_synsets, gold_in_candidates) """ if token.istitle(): candidate_synsets = wn.synsets(token, pos) if not candidate_synsets: candidate_synsets = wn.synsets(target_lemma, pos) else: candidate_synsets = wn.synsets(target_lemma, pos) return candidate_synsets def synset2identifier(synset, wn_version): """ return synset identifier of nltk.corpus.reader.wordnet.Synset instance :param nltk.corpus.reader.wordnet.Synset synset: a wordnet synset :param str wn_version: supported: '171 | 21 | 30' :rtype: str :return: eng-VERSION-OFFSET-POS (n | v | r | a) e.g. """ offset = str(synset.offset()) offset_8_char = offset.zfill(8) pos = synset.pos() if pos in {'j', 's'}: pos = 'a' identifier = 'eng-{wn_version}-{offset_8_char}-{pos}'.format_map(locals()) return identifier
def candidate_selection(wn, token, target_lemma, pos=None, gold_lexkeys=set(), debug=False): """ return candidate synsets of a token :param str token: the token :param str targe_lemma: a lemma :param str pos: supported: n, v, r, a. If None, candidate selection is limited by one pos :param str gold_lexkeys: {'congress%1:14:00::'} :rtype: tuple :return: (candidate_synsets, gold_in_candidates) """ if token.istitle(): candidate_synsets = wn.synsets(token, pos) if not candidate_synsets: candidate_synsets = wn.synsets(target_lemma, pos) else: candidate_synsets = wn.synsets(target_lemma, pos) return candidate_synsets def synset2identifier(synset, wn_version): """ return synset identifier of nltk.corpus.reader.wordnet.Synset instance :param nltk.corpus.reader.wordnet.Synset synset: a wordnet synset :param str wn_version: supported: '171 | 21 | 30' :rtype: str :return: eng-VERSION-OFFSET-POS (n | v | r | a) e.g. """ offset = str(synset.offset()) offset_8_char = offset.zfill(8) pos = synset.pos() if pos in {'j', 's'}: pos = 'a' identifier = 'eng-{wn_version}-{offset_8_char}-{pos}'.format_map(locals()) return identifier
""" Write a Python function to map two lists into a dictionary. list1 contains the keys, list2 contains the values. Input lists: list1 = [1,2,3,4,5] list2 = [6,7,8,9,10] Expected output: {1: 6, 2: 7, 3: 8, 4: 9, 5: 10} """ #Solution is: def map_lists(list1,list2): return (dict(zip(list1,list2)))
""" Write a Python function to map two lists into a dictionary. list1 contains the keys, list2 contains the values. Input lists: list1 = [1,2,3,4,5] list2 = [6,7,8,9,10] Expected output: {1: 6, 2: 7, 3: 8, 4: 9, 5: 10} """ def map_lists(list1, list2): return dict(zip(list1, list2))
largest = None smallest = None numbers = list() while True: num = input('Enter a number: ') if num == "done": if numbers == []: max = '(no input)' min = '(no input)' else: max = max(numbers) min = min(numbers) break try: num = int(num) except: print('Invalid input') continue num = float(num) numbers.append(num) print('Maximum is', max) print('Minimum is', min)
largest = None smallest = None numbers = list() while True: num = input('Enter a number: ') if num == 'done': if numbers == []: max = '(no input)' min = '(no input)' else: max = max(numbers) min = min(numbers) break try: num = int(num) except: print('Invalid input') continue num = float(num) numbers.append(num) print('Maximum is', max) print('Minimum is', min)
# Iterable Data # - String # - List # - Set # - Dictionary for x in [3,5,2]: print(x) for x in "abc": print(x) for x in {"x":"123", "a":"456"}: print(x) ########## # max(iterable data) # sorted (iterable data) result=max([30, 20, 50, 10]) print(result) result2=sorted([30, 20, 50, 10]) print(result2)
for x in [3, 5, 2]: print(x) for x in 'abc': print(x) for x in {'x': '123', 'a': '456'}: print(x) result = max([30, 20, 50, 10]) print(result) result2 = sorted([30, 20, 50, 10]) print(result2)
print(population/area) # De indices worden gebruitk om te achterhalen welke elementen bij elkaar horen. # Strings kun je gewoon optellen! df1 = make_df(list('AB'), range(2)) # print(df1) df2 = make_df(list('ACB'), range(3)) # print(df2) print(df1+df2) # Alleen overeenkomstige kolommen zijn gebruikt, en de volgorde van deze kolommen is irrelevant. Zelfde geldt voor indices. print() df1 = make_df('AB', [1, 2]) df2 = make_df('AB', [3, 4]) print(pd.concat([df1, df2])) # default: ze worden onder elkaar gehangen print() print(pd.concat([df1, df2], axis=1)) # Nu wil concat ze naast elkaar hebben, maar indices van de rijen komen nergens overeen. print() df3 = make_df('AB', [1, 3]) print(pd.concat([df1, df3])) # Er ontstaan dubbele indices. Optie "verify_integrity=True" zou dat ondervangen. Probeer maar! print() koffiefile = os.path.join('data', 'csvoorbeeld.csv') koffie = pd.read_csv(koffiefile, ) # check de help voor alle opties! koffiemerken = pd.DataFrame({'Merk':['Palazzo', "G'woon", "L'Or", "Nescafe"], "Land":['Nederland', 'Nederland', 'Frankrijk', 'Duitsland']}) # merging zonder specificatie van merge-key resulteert in een merge op overeenkomstige kolommen. # Zonder het voorbeeld uit te werken: een outer join is altijd het grootst. Onderzoek hoe deze werkt! Hier is de outer join: koffie.merge(koffiemerken, how='outer')
print(population / area) df1 = make_df(list('AB'), range(2)) df2 = make_df(list('ACB'), range(3)) print(df1 + df2) print() df1 = make_df('AB', [1, 2]) df2 = make_df('AB', [3, 4]) print(pd.concat([df1, df2])) print() print(pd.concat([df1, df2], axis=1)) print() df3 = make_df('AB', [1, 3]) print(pd.concat([df1, df3])) print() koffiefile = os.path.join('data', 'csvoorbeeld.csv') koffie = pd.read_csv(koffiefile) koffiemerken = pd.DataFrame({'Merk': ['Palazzo', "G'woon", "L'Or", 'Nescafe'], 'Land': ['Nederland', 'Nederland', 'Frankrijk', 'Duitsland']}) koffie.merge(koffiemerken, how='outer')
class Solution(object): def XXX(self, root): """ :type root: TreeNode :rtype: int """ if not root: return 0 return max (self.XXX(root.left)+1 , self.XXX(root.right)+1)
class Solution(object): def xxx(self, root): """ :type root: TreeNode :rtype: int """ if not root: return 0 return max(self.XXX(root.left) + 1, self.XXX(root.right) + 1)
n = int(input()) dot = (2 ** n) + 1 result = dot * dot print(result)
n = int(input()) dot = 2 ** n + 1 result = dot * dot print(result)
var1 = "Hello " var2 = "World" # + Operator is used to combine strings var3 = var1 + var2 print(var3)
var1 = 'Hello ' var2 = 'World' var3 = var1 + var2 print(var3)
#x = 3 #x = x*x #print(x) #y = input('enter a number:') #print(y) #x = int(input('Enter an integer')) #if x%2 == 0: # print('Even') #else: # print('Odd') # if x%3 != 0: # print('And not divisible by 3') #Find the cube root of a perfect cube #x = int(input('Enter an integer')) #ans = 0 #while ans*ans*ans < abs(x): # ans = ans + 1 # print('current guess =', ans) #if ans*ans*ans != abs(x): # print(x, 'is not a perfect cube') #elif x < 0: # print('You entered a negative number') # ans = -ans #print('Cube root of ' + str(x) + ' is ' + str(ans)) for i in range(1,101): s = str(i) if i % 3 == 0 or i % 5 == 0: s = '' if i % 3 == 0: s = s + 'Fizz' if i % 5 == 0: s = s + 'Buzz' print(s)
for i in range(1, 101): s = str(i) if i % 3 == 0 or i % 5 == 0: s = '' if i % 3 == 0: s = s + 'Fizz' if i % 5 == 0: s = s + 'Buzz' print(s)
class Order: def __init__(self, orderInfo): self.order_id = orderInfo[0] self.customer_id =int(orderInfo[1]) self.order_date = orderInfo[2] self.status = orderInfo[3] self.total_price = float(orderInfo[4]) self.comment = orderInfo[5]
class Order: def __init__(self, orderInfo): self.order_id = orderInfo[0] self.customer_id = int(orderInfo[1]) self.order_date = orderInfo[2] self.status = orderInfo[3] self.total_price = float(orderInfo[4]) self.comment = orderInfo[5]
# # PySNMP MIB module Unisphere-Data-Registry (http://snmplabs.com/pysmi) # ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/Unisphere-Data-Registry # Produced by pysmi-0.3.4 at Wed May 1 15:31:00 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") ConstraintsIntersection, ValueSizeConstraint, SingleValueConstraint, ConstraintsUnion, ValueRangeConstraint = mibBuilder.importSymbols("ASN1-REFINEMENT", "ConstraintsIntersection", "ValueSizeConstraint", "SingleValueConstraint", "ConstraintsUnion", "ValueRangeConstraint") NotificationGroup, ModuleCompliance = mibBuilder.importSymbols("SNMPv2-CONF", "NotificationGroup", "ModuleCompliance") MibIdentifier, MibScalar, MibTable, MibTableRow, MibTableColumn, IpAddress, Integer32, Gauge32, ObjectIdentity, iso, ModuleIdentity, NotificationType, Counter64, Bits, Counter32, Unsigned32, TimeTicks = mibBuilder.importSymbols("SNMPv2-SMI", "MibIdentifier", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "IpAddress", "Integer32", "Gauge32", "ObjectIdentity", "iso", "ModuleIdentity", "NotificationType", "Counter64", "Bits", "Counter32", "Unsigned32", "TimeTicks") DisplayString, TextualConvention = mibBuilder.importSymbols("SNMPv2-TC", "DisplayString", "TextualConvention") usAdmin, = mibBuilder.importSymbols("Unisphere-SMI", "usAdmin") usDataAdmin = ModuleIdentity((1, 3, 6, 1, 4, 1, 4874, 4, 2)) usDataAdmin.setRevisions(('2001-09-25 15:25', '2001-06-01 21:18',)) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): if mibBuilder.loadTexts: usDataAdmin.setRevisionsDescriptions(('Change the name of the MRX.', 'Initial version of this SNMP management information module.',)) if mibBuilder.loadTexts: usDataAdmin.setLastUpdated('200109251525Z') if mibBuilder.loadTexts: usDataAdmin.setOrganization('Unisphere Networks, Inc.') if mibBuilder.loadTexts: usDataAdmin.setContactInfo(' Unisphere Networks, Inc. Postal: 10 Technology Park Drive Westford, MA 01886 USA Tel: +1 978 589 5800 Email: mib@UnisphereNetworks.com') if mibBuilder.loadTexts: usDataAdmin.setDescription('Administratively assigned object identifiers for Unisphere Networks data communications products.') usDataRegistry = ObjectIdentity((1, 3, 6, 1, 4, 1, 4874, 4, 2, 1)) if mibBuilder.loadTexts: usDataRegistry.setStatus('current') if mibBuilder.loadTexts: usDataRegistry.setDescription('The root for administratively assigned object identifiers for Unisphere Networks Data cross-product objects.') usdErxRegistry = MibIdentifier((1, 3, 6, 1, 4, 1, 4874, 4, 2, 2)) usdMrxRegistry = MibIdentifier((1, 3, 6, 1, 4, 1, 4874, 4, 2, 3)) usDataEntPhysicalType = MibIdentifier((1, 3, 6, 1, 4, 1, 4874, 4, 2, 1, 1)) usdPcmciaFlashCard = ObjectIdentity((1, 3, 6, 1, 4, 1, 4874, 4, 2, 1, 1, 1)) if mibBuilder.loadTexts: usdPcmciaFlashCard.setStatus('current') if mibBuilder.loadTexts: usdPcmciaFlashCard.setDescription('The vendor type id for a standard PCMCIA flash card.') usd85MegT2FlashCard = ObjectIdentity((1, 3, 6, 1, 4, 1, 4874, 4, 2, 1, 1, 1, 1)) if mibBuilder.loadTexts: usd85MegT2FlashCard.setStatus('current') if mibBuilder.loadTexts: usd85MegT2FlashCard.setDescription('The vendor type id for an 85 Megabyte Type II ATA PCMCIA flash card (Product Code: PCM-85).') usd220MegT2FlashCard = ObjectIdentity((1, 3, 6, 1, 4, 1, 4874, 4, 2, 1, 1, 1, 2)) if mibBuilder.loadTexts: usd220MegT2FlashCard.setStatus('current') if mibBuilder.loadTexts: usd220MegT2FlashCard.setDescription('The vendor type id for a 220 Megabyte Type II ATA PCMCIA flash card (Product Code: FLASH-220M).') usdTraceRouteImplementationTypes = MibIdentifier((1, 3, 6, 1, 4, 1, 4874, 4, 2, 1, 2)) usdTraceRouteUsingIcmpProbe = ObjectIdentity((1, 3, 6, 1, 4, 1, 4874, 4, 2, 1, 2, 1)) if mibBuilder.loadTexts: usdTraceRouteUsingIcmpProbe.setStatus('current') if mibBuilder.loadTexts: usdTraceRouteUsingIcmpProbe.setDescription('Indicates that an implementation is using ICMP probes to perform the trace-route operation.') mibBuilder.exportSymbols("Unisphere-Data-Registry", usdMrxRegistry=usdMrxRegistry, usd220MegT2FlashCard=usd220MegT2FlashCard, usDataRegistry=usDataRegistry, usdPcmciaFlashCard=usdPcmciaFlashCard, usDataAdmin=usDataAdmin, usd85MegT2FlashCard=usd85MegT2FlashCard, PYSNMP_MODULE_ID=usDataAdmin, usdTraceRouteUsingIcmpProbe=usdTraceRouteUsingIcmpProbe, usDataEntPhysicalType=usDataEntPhysicalType, usdErxRegistry=usdErxRegistry, usdTraceRouteImplementationTypes=usdTraceRouteImplementationTypes)
(object_identifier, integer, octet_string) = mibBuilder.importSymbols('ASN1', 'ObjectIdentifier', 'Integer', 'OctetString') (named_values,) = mibBuilder.importSymbols('ASN1-ENUMERATION', 'NamedValues') (constraints_intersection, value_size_constraint, single_value_constraint, constraints_union, value_range_constraint) = mibBuilder.importSymbols('ASN1-REFINEMENT', 'ConstraintsIntersection', 'ValueSizeConstraint', 'SingleValueConstraint', 'ConstraintsUnion', 'ValueRangeConstraint') (notification_group, module_compliance) = mibBuilder.importSymbols('SNMPv2-CONF', 'NotificationGroup', 'ModuleCompliance') (mib_identifier, mib_scalar, mib_table, mib_table_row, mib_table_column, ip_address, integer32, gauge32, object_identity, iso, module_identity, notification_type, counter64, bits, counter32, unsigned32, time_ticks) = mibBuilder.importSymbols('SNMPv2-SMI', 'MibIdentifier', 'MibScalar', 'MibTable', 'MibTableRow', 'MibTableColumn', 'IpAddress', 'Integer32', 'Gauge32', 'ObjectIdentity', 'iso', 'ModuleIdentity', 'NotificationType', 'Counter64', 'Bits', 'Counter32', 'Unsigned32', 'TimeTicks') (display_string, textual_convention) = mibBuilder.importSymbols('SNMPv2-TC', 'DisplayString', 'TextualConvention') (us_admin,) = mibBuilder.importSymbols('Unisphere-SMI', 'usAdmin') us_data_admin = module_identity((1, 3, 6, 1, 4, 1, 4874, 4, 2)) usDataAdmin.setRevisions(('2001-09-25 15:25', '2001-06-01 21:18')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): if mibBuilder.loadTexts: usDataAdmin.setRevisionsDescriptions(('Change the name of the MRX.', 'Initial version of this SNMP management information module.')) if mibBuilder.loadTexts: usDataAdmin.setLastUpdated('200109251525Z') if mibBuilder.loadTexts: usDataAdmin.setOrganization('Unisphere Networks, Inc.') if mibBuilder.loadTexts: usDataAdmin.setContactInfo(' Unisphere Networks, Inc. Postal: 10 Technology Park Drive Westford, MA 01886 USA Tel: +1 978 589 5800 Email: mib@UnisphereNetworks.com') if mibBuilder.loadTexts: usDataAdmin.setDescription('Administratively assigned object identifiers for Unisphere Networks data communications products.') us_data_registry = object_identity((1, 3, 6, 1, 4, 1, 4874, 4, 2, 1)) if mibBuilder.loadTexts: usDataRegistry.setStatus('current') if mibBuilder.loadTexts: usDataRegistry.setDescription('The root for administratively assigned object identifiers for Unisphere Networks Data cross-product objects.') usd_erx_registry = mib_identifier((1, 3, 6, 1, 4, 1, 4874, 4, 2, 2)) usd_mrx_registry = mib_identifier((1, 3, 6, 1, 4, 1, 4874, 4, 2, 3)) us_data_ent_physical_type = mib_identifier((1, 3, 6, 1, 4, 1, 4874, 4, 2, 1, 1)) usd_pcmcia_flash_card = object_identity((1, 3, 6, 1, 4, 1, 4874, 4, 2, 1, 1, 1)) if mibBuilder.loadTexts: usdPcmciaFlashCard.setStatus('current') if mibBuilder.loadTexts: usdPcmciaFlashCard.setDescription('The vendor type id for a standard PCMCIA flash card.') usd85_meg_t2_flash_card = object_identity((1, 3, 6, 1, 4, 1, 4874, 4, 2, 1, 1, 1, 1)) if mibBuilder.loadTexts: usd85MegT2FlashCard.setStatus('current') if mibBuilder.loadTexts: usd85MegT2FlashCard.setDescription('The vendor type id for an 85 Megabyte Type II ATA PCMCIA flash card (Product Code: PCM-85).') usd220_meg_t2_flash_card = object_identity((1, 3, 6, 1, 4, 1, 4874, 4, 2, 1, 1, 1, 2)) if mibBuilder.loadTexts: usd220MegT2FlashCard.setStatus('current') if mibBuilder.loadTexts: usd220MegT2FlashCard.setDescription('The vendor type id for a 220 Megabyte Type II ATA PCMCIA flash card (Product Code: FLASH-220M).') usd_trace_route_implementation_types = mib_identifier((1, 3, 6, 1, 4, 1, 4874, 4, 2, 1, 2)) usd_trace_route_using_icmp_probe = object_identity((1, 3, 6, 1, 4, 1, 4874, 4, 2, 1, 2, 1)) if mibBuilder.loadTexts: usdTraceRouteUsingIcmpProbe.setStatus('current') if mibBuilder.loadTexts: usdTraceRouteUsingIcmpProbe.setDescription('Indicates that an implementation is using ICMP probes to perform the trace-route operation.') mibBuilder.exportSymbols('Unisphere-Data-Registry', usdMrxRegistry=usdMrxRegistry, usd220MegT2FlashCard=usd220MegT2FlashCard, usDataRegistry=usDataRegistry, usdPcmciaFlashCard=usdPcmciaFlashCard, usDataAdmin=usDataAdmin, usd85MegT2FlashCard=usd85MegT2FlashCard, PYSNMP_MODULE_ID=usDataAdmin, usdTraceRouteUsingIcmpProbe=usdTraceRouteUsingIcmpProbe, usDataEntPhysicalType=usDataEntPhysicalType, usdErxRegistry=usdErxRegistry, usdTraceRouteImplementationTypes=usdTraceRouteImplementationTypes)
#!/usr/bin/env python3 # -*- coding: utf-8 -*- """ Created on Mon May 6 19:14:57 2019 @author: athreya """ #Python Programming #Print function: Prints the given text within single/double quotes print('Hi wecome to Python!') #Hi wecome to Python! print("Hello World") #Hello World #Strings: Text in Python is considered a specific type of data called a string. print("Hello World this is Manoj") #Hello World this is Manoj print('Here is the place where you can learn python') #Here is the place where you can learn python print("Hello" + "Python") #HelloPython #Multi-line Strings pond='''The old pond, A frog jumps in: Plop!''' #Variables: Deals with data that changes over time. todays_date = "May 06, 2019" print(todays_date) todays_date = "May 07, 2019" print(todays_date) #Arithmetic Operations add=3+2 sub=7-5 mul=5*5 div=7/3 mod=9%2 print(add,sub,mul,div,mod) #5 2 25 2.3333333333333335 1 a=5/3 b=float(5)/float(3) print(int(a)) #1 print(b) #1.6666666666667 #Numbers #Create a new variable called total_cost which is the product of how many #cucumbers you are going to buy and the cost per cucumber cucumbers=7 price_per_cucumber=3.25 total_cost=cucumbers*price_per_cucumber print(total_cost) #22.75 a=55 b=6 c=float(a/b) print(c) #9.1666666666666666666666 #Booleans #True or False value skill_completed = "Python Syntax" exercises_completed = 13 points_per_exercise = 5 point_total = 100 point_total += exercises_completed*points_per_exercise print("I got "+str(point_total)+" points!") #I got 165 points
""" Created on Mon May 6 19:14:57 2019 @author: athreya """ print('Hi wecome to Python!') print('Hello World') print('Hello World this is Manoj') print('Here is the place where you can learn python') print('Hello' + 'Python') pond = 'The old pond,\nA frog jumps in:\nPlop!' todays_date = 'May 06, 2019' print(todays_date) todays_date = 'May 07, 2019' print(todays_date) add = 3 + 2 sub = 7 - 5 mul = 5 * 5 div = 7 / 3 mod = 9 % 2 print(add, sub, mul, div, mod) a = 5 / 3 b = float(5) / float(3) print(int(a)) print(b) cucumbers = 7 price_per_cucumber = 3.25 total_cost = cucumbers * price_per_cucumber print(total_cost) a = 55 b = 6 c = float(a / b) print(c) skill_completed = 'Python Syntax' exercises_completed = 13 points_per_exercise = 5 point_total = 100 point_total += exercises_completed * points_per_exercise print('I got ' + str(point_total) + ' points!')
RULE_TO_REMOVE = \ """ { "data-source-definition-name": "__RuleToRemove", "model-id": "__RuleToRemove", "model-description": "System DSD for marking rules to be removed.", "can-reflect-on-web": false, "fields": [ { "field-name": "rule_name", "type": "STRING", "use-as": "primary-key" } ] } """
rule_to_remove = '\n{\n "data-source-definition-name": "__RuleToRemove",\n "model-id": "__RuleToRemove",\n "model-description": "System DSD for marking rules to be removed.",\n "can-reflect-on-web": false,\n "fields": [\n {\n "field-name": "rule_name",\n "type": "STRING",\n "use-as": "primary-key"\n }\n ]\n}\n'
# el binary searc solo sirve con una lista ordenada def run(): sequence = [1,2,3,4,5,6,7,8,9,10,11] print(binary_search(sequence,-5)) def binary_search(list,goal,start=None,end=None): if start is None: start = 0 if end is None: end = len(list)-1 midpoint = (start + end)//2 if end < start: return -1 elif list[midpoint] == goal: return midpoint elif list[midpoint] > goal: return binary_search(list,goal,start,midpoint-1) else: return binary_search(list,goal,midpoint+1,end) if __name__ == "__main__": run()
def run(): sequence = [1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11] print(binary_search(sequence, -5)) def binary_search(list, goal, start=None, end=None): if start is None: start = 0 if end is None: end = len(list) - 1 midpoint = (start + end) // 2 if end < start: return -1 elif list[midpoint] == goal: return midpoint elif list[midpoint] > goal: return binary_search(list, goal, start, midpoint - 1) else: return binary_search(list, goal, midpoint + 1, end) if __name__ == '__main__': run()
# Func11.py def calc(n,m): return [n+m, n-m, n*m, n/m] print(calc(20, 10)) a,b,c,d = calc(20,10) print(a,b,c,d) # + - * / def swap(n,m): return m, n x= 200 y= 100 x,y = swap(x,y) print(x,y) # 100, 200
def calc(n, m): return [n + m, n - m, n * m, n / m] print(calc(20, 10)) (a, b, c, d) = calc(20, 10) print(a, b, c, d) def swap(n, m): return (m, n) x = 200 y = 100 (x, y) = swap(x, y) print(x, y)
""" DeskUnity """ class Event: TEST = "TEST" CONNECTION_TEST = "CONNECTION_TEST" MOVE_MOUSE = "MOVE_MOUSE" MOUSE_LEFT_DOWN = "MOUSE_LEFT_DOWN" MOUSE_LEFT_UP = "MOUSE_LEFT_UP" MOUSE_RIGHT_DOWN = "MOUSE_RIGHT_DOWN" MOUSE_RIGHT_UP = "MOUSE_RIGHT_UP" MOUSE_WHEEL = "MOUSE_WHEEL" KEY_UP = "KEY_UP" KEY_DOWN = "KEY_DOWN" CLIPBOARD = "CLIPBOARD" CHANGE_POSITION = "CHANGE_POSITION" SERVER_SHUT = "SERVER_SHUT" def __init__(self, name, value="", client=None, computer=None): self.name = name self.value = value self.client = client self.computer = computer
""" DeskUnity """ class Event: test = 'TEST' connection_test = 'CONNECTION_TEST' move_mouse = 'MOVE_MOUSE' mouse_left_down = 'MOUSE_LEFT_DOWN' mouse_left_up = 'MOUSE_LEFT_UP' mouse_right_down = 'MOUSE_RIGHT_DOWN' mouse_right_up = 'MOUSE_RIGHT_UP' mouse_wheel = 'MOUSE_WHEEL' key_up = 'KEY_UP' key_down = 'KEY_DOWN' clipboard = 'CLIPBOARD' change_position = 'CHANGE_POSITION' server_shut = 'SERVER_SHUT' def __init__(self, name, value='', client=None, computer=None): self.name = name self.value = value self.client = client self.computer = computer
class Source: def __init__(self,id,name): self.id = id self.name = name class Articles: def __init__(self, publishedAt, urlToImage,title,content,author,url): self.publishedAt = publishedAt self.urlToImage= urlToImage self.title = title self.content =content self.author = author self.url = url
class Source: def __init__(self, id, name): self.id = id self.name = name class Articles: def __init__(self, publishedAt, urlToImage, title, content, author, url): self.publishedAt = publishedAt self.urlToImage = urlToImage self.title = title self.content = content self.author = author self.url = url
# from 1.0.0 data1 = { 'fs': { 'nn::fssrv::sf::IFileSystemProxyForLoader': { 0: {"inbytes": 0, "outbytes": 0, "buffers": [25], "outinterfaces": ['nn::fssrv::sf::IFileSystem']}, 1: {"inbytes": 8, "outbytes": 1}, }, 'nn::fssrv::sf::IEventNotifier': { 0: {"inbytes": 0, "outbytes": 0, "outhandles": [1]}, }, 'nn::fssrv::sf::IFileSystemProxy': { 0: {"inbytes": 4, "outbytes": 0, "buffers": [25], "outinterfaces": ['nn::fssrv::sf::IFileSystem']}, 1: {"inbytes": 8, "outbytes": 0, "pid": True}, 2: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::fssrv::sf::IFileSystem']}, 11: {"inbytes": 4, "outbytes": 0, "buffers": [25], "outinterfaces": ['nn::fssrv::sf::IFileSystem']}, 12: {"inbytes": 4, "outbytes": 0, "outinterfaces": ['nn::fssrv::sf::IStorage']}, 13: {"inbytes": 0, "outbytes": 0}, 17: {"inbytes": 0, "outbytes": 0, "buffers": [25], "outinterfaces": ['nn::fssrv::sf::IFileSystem']}, 18: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::fssrv::sf::IFileSystem']}, 21: {"inbytes": 8, "outbytes": 0}, 22: {"inbytes": 0x90, "outbytes": 0}, 23: {"inbytes": 0x80, "outbytes": 0}, 24: {"inbytes": 0, "outbytes": 0, "buffers": [5]}, 30: {"inbytes": 8, "outbytes": 0, "outinterfaces": ['nn::fssrv::sf::IStorage']}, 31: {"inbytes": 8, "outbytes": 0, "outinterfaces": ['nn::fssrv::sf::IFileSystem']}, 51: {"inbytes": 0x48, "outbytes": 0, "outinterfaces": ['nn::fssrv::sf::IFileSystem']}, 52: {"inbytes": 0x48, "outbytes": 0, "outinterfaces": ['nn::fssrv::sf::IFileSystem']}, 58: {"inbytes": 8, "outbytes": 0, "buffers": [6]}, 60: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::fssrv::sf::ISaveDataInfoReader']}, 61: {"inbytes": 1, "outbytes": 0, "outinterfaces": ['nn::fssrv::sf::ISaveDataInfoReader']}, 80: {"inbytes": 0x48, "outbytes": 0, "outinterfaces": ['nn::fssrv::sf::IFile']}, 100: {"inbytes": 4, "outbytes": 0, "outinterfaces": ['nn::fssrv::sf::IFileSystem']}, 110: {"inbytes": 4, "outbytes": 0, "outinterfaces": ['nn::fssrv::sf::IFileSystem']}, 200: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::fssrv::sf::IStorage']}, 202: {"inbytes": 0x10, "outbytes": 0, "outinterfaces": ['nn::fssrv::sf::IStorage']}, 203: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::fssrv::sf::IStorage']}, 400: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::fssrv::sf::IDeviceOperator']}, 500: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::fssrv::sf::IEventNotifier']}, 501: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::fssrv::sf::IEventNotifier']}, 600: {"inbytes": 8, "outbytes": 0}, 601: {"inbytes": 0x10, "outbytes": 8}, 602: {"inbytes": 8, "outbytes": 0, "buffers": [6]}, 603: {"inbytes": 8, "outbytes": 0}, 604: {"inbytes": 8, "outbytes": 0}, 605: {"inbytes": 0, "outbytes": 0}, 1000: {"inbytes": 4, "outbytes": 0, "buffers": [25]}, 1001: {"inbytes": 0x10, "outbytes": 0}, 1002: {"inbytes": 0, "outbytes": 0, "buffers": [25]}, 1003: {"inbytes": 0, "outbytes": 0}, 1004: {"inbytes": 4, "outbytes": 0}, 1005: {"inbytes": 0, "outbytes": 4}, 1006: {"inbytes": 0, "outbytes": 0, "buffers": [5]}, }, 'nn::fssrv::sf::ISaveDataInfoReader': { 0: {"inbytes": 0, "outbytes": 8, "buffers": [6]}, }, 'nn::fssrv::sf::IFile': { 0: {"inbytes": 0x18, "outbytes": 8, "buffers": [70]}, 1: {"inbytes": 0x18, "outbytes": 0, "buffers": [69]}, 2: {"inbytes": 0, "outbytes": 0}, 3: {"inbytes": 8, "outbytes": 0}, 4: {"inbytes": 0, "outbytes": 8}, }, 'nn::fssrv::sf::IFileSystem': { 0: {"inbytes": 0x10, "outbytes": 0, "buffers": [25]}, 1: {"inbytes": 0, "outbytes": 0, "buffers": [25]}, 2: {"inbytes": 0, "outbytes": 0, "buffers": [25]}, 3: {"inbytes": 0, "outbytes": 0, "buffers": [25]}, 4: {"inbytes": 0, "outbytes": 0, "buffers": [25]}, 5: {"inbytes": 0, "outbytes": 0, "buffers": [25, 25]}, 6: {"inbytes": 0, "outbytes": 0, "buffers": [25, 25]}, 7: {"inbytes": 0, "outbytes": 4, "buffers": [25]}, 8: {"inbytes": 4, "outbytes": 0, "buffers": [25], "outinterfaces": ['nn::fssrv::sf::IFile']}, 9: {"inbytes": 4, "outbytes": 0, "buffers": [25], "outinterfaces": ['nn::fssrv::sf::IDirectory']}, 10: {"inbytes": 0, "outbytes": 0}, 11: {"inbytes": 0, "outbytes": 8, "buffers": [25]}, 12: {"inbytes": 0, "outbytes": 8, "buffers": [25]}, }, 'nn::fssrv::sf::IStorage': { 0: {"inbytes": 0x10, "outbytes": 0, "buffers": [70]}, 1: {"inbytes": 0x10, "outbytes": 0, "buffers": [69]}, 2: {"inbytes": 0, "outbytes": 0}, 3: {"inbytes": 8, "outbytes": 0}, 4: {"inbytes": 0, "outbytes": 8}, }, 'nn::fssrv::sf::IDeviceOperator': { 0: {"inbytes": 0, "outbytes": 1}, 1: {"inbytes": 0, "outbytes": 8}, 100: {"inbytes": 8, "outbytes": 0, "buffers": [6]}, 101: {"inbytes": 0, "outbytes": 8}, 110: {"inbytes": 4, "outbytes": 0}, 111: {"inbytes": 4, "outbytes": 8}, 200: {"inbytes": 0, "outbytes": 1}, 201: {"inbytes": 0x10, "outbytes": 0}, 202: {"inbytes": 0, "outbytes": 4}, 203: {"inbytes": 4, "outbytes": 0x10}, 204: {"inbytes": 0, "outbytes": 0}, 205: {"inbytes": 4, "outbytes": 1}, 206: {"inbytes": 0x10, "outbytes": 0, "buffers": [6]}, 207: {"inbytes": 0x10, "outbytes": 0, "buffers": [6, 5]}, 208: {"inbytes": 8, "outbytes": 0, "buffers": [6]}, 209: {"inbytes": 0x10, "outbytes": 0, "buffers": [6]}, 210: {"inbytes": 1, "outbytes": 0}, 211: {"inbytes": 0x10, "outbytes": 0, "buffers": [6]}, 300: {"inbytes": 4, "outbytes": 0}, 301: {"inbytes": 0, "outbytes": 4}, }, 'nn::fssrv::sf::IProgramRegistry': { 0: {"inbytes": 0x28, "outbytes": 0, "buffers": [5, 5]}, 1: {"inbytes": 8, "outbytes": 0}, 256: {"inbytes": 1, "outbytes": 0}, }, 'nn::sf::hipc::detail::IHipcManager': { 0: {"inbytes": 0, "outbytes": 4}, 1: {"inbytes": 4, "outbytes": 0, "outhandles": [2]}, 2: {"inbytes": 0, "outbytes": 0, "outhandles": [2]}, 3: {"inbytes": 0, "outbytes": 2}, 4: {"inbytes": 4, "outbytes": 0, "outhandles": [2]}, }, 'nn::fssrv::sf::IDirectory': { 0: {"inbytes": 0, "outbytes": 8, "buffers": [6]}, 1: {"inbytes": 0, "outbytes": 8}, }, }, 'loader': { 'nn::ldr::detail::IRoInterface': { 0: {"inbytes": 0x28, "outbytes": 8, "pid": True}, 1: {"inbytes": 0x10, "outbytes": 0, "pid": True}, 2: {"inbytes": 0x18, "outbytes": 0, "pid": True}, 3: {"inbytes": 0x10, "outbytes": 0, "pid": True}, 4: {"inbytes": 8, "outbytes": 0, "inhandles": [1], "pid": True}, }, 'nn::ldr::detail::IProcessManagerInterface': { 0: {"inbytes": 0x10, "outbytes": 0, "inhandles": [1], "outhandles": [2]}, 1: {"inbytes": 0x10, "outbytes": 0, "buffers": [26]}, 2: {"inbytes": 0x10, "outbytes": 8}, 3: {"inbytes": 8, "outbytes": 0}, }, 'nn::sf::hipc::detail::IHipcManager': { 0: {"inbytes": 0, "outbytes": 4}, 1: {"inbytes": 4, "outbytes": 0, "outhandles": [2]}, 2: {"inbytes": 0, "outbytes": 0, "outhandles": [2]}, 3: {"inbytes": 0, "outbytes": 2}, 4: {"inbytes": 4, "outbytes": 0, "outhandles": [2]}, }, 'nn::ldr::detail::IShellInterface': { 0: {"inbytes": 0x10, "outbytes": 0, "buffers": [9]}, 1: {"inbytes": 0, "outbytes": 0}, }, 'nn::ldr::detail::IDebugMonitorInterface': { 0: {"inbytes": 0x10, "outbytes": 0, "buffers": [9]}, 1: {"inbytes": 0, "outbytes": 0}, 2: {"inbytes": 8, "outbytes": 4, "buffers": [10]}, }, }, 'ncm': { 'nn::ncm::IContentStorage': { 0: {"inbytes": 0, "outbytes": 0x10}, 1: {"inbytes": 0x28, "outbytes": 0}, 2: {"inbytes": 0x10, "outbytes": 0}, 3: {"inbytes": 0x10, "outbytes": 1}, 4: {"inbytes": 0x18, "outbytes": 0, "buffers": [5]}, 5: {"inbytes": 0x20, "outbytes": 0}, 6: {"inbytes": 0x10, "outbytes": 0}, 7: {"inbytes": 0x10, "outbytes": 1}, 8: {"inbytes": 0x10, "outbytes": 0, "buffers": [26]}, 9: {"inbytes": 0x10, "outbytes": 0, "buffers": [26]}, 10: {"inbytes": 0, "outbytes": 0}, 11: {"inbytes": 0, "outbytes": 4, "buffers": [6]}, 12: {"inbytes": 0, "outbytes": 4}, 13: {"inbytes": 4, "outbytes": 4, "buffers": [6]}, 14: {"inbytes": 0x10, "outbytes": 8}, 15: {"inbytes": 0, "outbytes": 0}, }, 'nn::ncm::IContentMetaDatabase': { 0: {"inbytes": 0x10, "outbytes": 0, "buffers": [5]}, 1: {"inbytes": 0x10, "outbytes": 8, "buffers": [6]}, 2: {"inbytes": 0x10, "outbytes": 0}, 3: {"inbytes": 0x18, "outbytes": 0x10}, 4: {"inbytes": 0x18, "outbytes": 4, "buffers": [6]}, 5: {"inbytes": 0x20, "outbytes": 8, "buffers": [6]}, 6: {"inbytes": 8, "outbytes": 0x10}, 7: {"inbytes": 1, "outbytes": 8, "buffers": [6]}, 8: {"inbytes": 0x10, "outbytes": 1}, 9: {"inbytes": 0, "outbytes": 1, "buffers": [5]}, 10: {"inbytes": 0x10, "outbytes": 8}, 11: {"inbytes": 0x10, "outbytes": 4}, 12: {"inbytes": 0x10, "outbytes": 8}, 13: {"inbytes": 0, "outbytes": 0}, 14: {"inbytes": 0, "outbytes": 0, "buffers": [6, 5]}, 15: {"inbytes": 0, "outbytes": 0}, 16: {"inbytes": 0x20, "outbytes": 1}, 17: {"inbytes": 0x18, "outbytes": 4, "buffers": [6]}, 18: {"inbytes": 0x10, "outbytes": 1}, }, 'nn::lr::ILocationResolverManager': { 0: {"inbytes": 1, "outbytes": 0, "outinterfaces": ['nn::lr::ILocationResolver']}, 1: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::lr::IRegisteredLocationResolver']}, 2: {"inbytes": 1, "outbytes": 0}, }, 'nn::lr::IRegisteredLocationResolver': { 0: {"inbytes": 8, "outbytes": 0, "buffers": [26]}, 1: {"inbytes": 8, "outbytes": 0, "buffers": [25]}, 2: {"inbytes": 8, "outbytes": 0}, 3: {"inbytes": 8, "outbytes": 0, "buffers": [25]}, }, 'nn::sf::hipc::detail::IHipcManager': { 0: {"inbytes": 0, "outbytes": 4}, 1: {"inbytes": 4, "outbytes": 0, "outhandles": [2]}, 2: {"inbytes": 0, "outbytes": 0, "outhandles": [2]}, 3: {"inbytes": 0, "outbytes": 2}, 4: {"inbytes": 4, "outbytes": 0, "outhandles": [2]}, }, 'nn::ncm::IContentManager': { 0: {"inbytes": 1, "outbytes": 0}, 1: {"inbytes": 1, "outbytes": 0}, 2: {"inbytes": 1, "outbytes": 0}, 3: {"inbytes": 1, "outbytes": 0}, 4: {"inbytes": 1, "outbytes": 0, "outinterfaces": ['nn::ncm::IContentStorage']}, 5: {"inbytes": 1, "outbytes": 0, "outinterfaces": ['nn::ncm::IContentMetaDatabase']}, 6: {"inbytes": 1, "outbytes": 0}, 7: {"inbytes": 1, "outbytes": 0}, 8: {"inbytes": 1, "outbytes": 0}, }, 'nn::lr::ILocationResolver': { 0: {"inbytes": 8, "outbytes": 0, "buffers": [26]}, 1: {"inbytes": 8, "outbytes": 0, "buffers": [25]}, 2: {"inbytes": 8, "outbytes": 0, "buffers": [26]}, 3: {"inbytes": 8, "outbytes": 0, "buffers": [26]}, 4: {"inbytes": 8, "outbytes": 0, "buffers": [26]}, 5: {"inbytes": 8, "outbytes": 0, "buffers": [25]}, 6: {"inbytes": 8, "outbytes": 0, "buffers": [25]}, 7: {"inbytes": 8, "outbytes": 0, "buffers": [26]}, 8: {"inbytes": 8, "outbytes": 0, "buffers": [25]}, 9: {"inbytes": 0, "outbytes": 0}, }, }, 'pm': { 'nn::pm::detail::IInformationInterface': { 0: {"inbytes": 8, "outbytes": 8}, }, 'nn::pm::detail::IShellInterface': { 0: {"inbytes": 0x18, "outbytes": 8}, 1: {"inbytes": 8, "outbytes": 0}, 2: {"inbytes": 8, "outbytes": 0}, 3: {"inbytes": 0, "outbytes": 0, "outhandles": [1]}, 4: {"inbytes": 0, "outbytes": 0x10}, 5: {"inbytes": 8, "outbytes": 0}, 6: {"inbytes": 8, "outbytes": 0}, 7: {"inbytes": 0, "outbytes": 0}, 8: {"inbytes": 0, "outbytes": 8}, }, 'nn::sf::hipc::detail::IHipcManager': { 0: {"inbytes": 0, "outbytes": 4}, 1: {"inbytes": 4, "outbytes": 0, "outhandles": [2]}, 2: {"inbytes": 0, "outbytes": 0, "outhandles": [2]}, 3: {"inbytes": 0, "outbytes": 2}, 4: {"inbytes": 4, "outbytes": 0, "outhandles": [2]}, }, 'nn::pm::detail::IBootModeInterface': { 0: {"inbytes": 0, "outbytes": 4}, 1: {"inbytes": 0, "outbytes": 0}, }, 'nn::pm::detail::IDebugMonitorInterface': { 0: {"inbytes": 8, "outbytes": 4, "buffers": [6]}, 1: {"inbytes": 0, "outbytes": 4, "buffers": [6]}, 2: {"inbytes": 8, "outbytes": 0}, 3: {"inbytes": 8, "outbytes": 8}, 4: {"inbytes": 8, "outbytes": 0, "outhandles": [1]}, 5: {"inbytes": 0, "outbytes": 8}, 6: {"inbytes": 0, "outbytes": 0, "outhandles": [1]}, }, }, 'sm': { 'nn::sm::detail::IManagerInterface': { 0: {"inbytes": 8, "outbytes": 0, "buffers": [5, 5]}, 1: {"inbytes": 8, "outbytes": 0}, }, 'nn::sm::detail::IUserInterface': { 0: {"inbytes": 8, "outbytes": 0, "pid": True}, 1: {"inbytes": 8, "outbytes": 0, "outhandles": [2]}, 2: {"inbytes": 0x10, "outbytes": 0, "outhandles": [2]}, 3: {"inbytes": 8, "outbytes": 0}, }, 'nn::sf::hipc::detail::IHipcManager': { 0: {"inbytes": 0, "outbytes": 4}, 1: {"inbytes": 4, "outbytes": 0, "outhandles": [2]}, 2: {"inbytes": 0, "outbytes": 0, "outhandles": [2]}, 3: {"inbytes": 0, "outbytes": 2}, 4: {"inbytes": 4, "outbytes": 0, "outhandles": [2]}, }, }, 'spl': { 'nn::sf::hipc::detail::IHipcManager': { 0: {"inbytes": 0, "outbytes": 4}, 1: {"inbytes": 4, "outbytes": 0, "outhandles": [2]}, 2: {"inbytes": 0, "outbytes": 0, "outhandles": [2]}, 3: {"inbytes": 0, "outbytes": 2}, 4: {"inbytes": 4, "outbytes": 0, "outhandles": [2]}, }, 'nn::spl::detail::IGeneralInterface': { 0: {"inbytes": 4, "outbytes": 8}, 1: {"inbytes": 0, "outbytes": 0, "buffers": [10, 9, 9, 9]}, 2: {"inbytes": 0x18, "outbytes": 0x10}, 3: {"inbytes": 0x24, "outbytes": 0}, 4: {"inbytes": 0x20, "outbytes": 0x10}, 5: {"inbytes": 0x10, "outbytes": 0}, 7: {"inbytes": 0, "outbytes": 0, "buffers": [10]}, 9: {"inbytes": 0x24, "outbytes": 0, "buffers": [9]}, 10: {"inbytes": 0, "outbytes": 4, "buffers": [10, 9, 9, 9]}, 11: {"inbytes": 0, "outbytes": 1}, 12: {"inbytes": 0x18, "outbytes": 0x10}, 13: {"inbytes": 0x24, "outbytes": 0, "buffers": [10, 9]}, 14: {"inbytes": 0x18, "outbytes": 0x10}, 15: {"inbytes": 0x14, "outbytes": 0, "buffers": [6, 5]}, 16: {"inbytes": 4, "outbytes": 0x10, "buffers": [9]}, 17: {"inbytes": 0x24, "outbytes": 0, "buffers": [9]}, 18: {"inbytes": 0, "outbytes": 0x10, "buffers": [9, 9, 9]}, 19: {"inbytes": 0x14, "outbytes": 0}, }, 'nn::spl::detail::IRandomInterface': { 0: {"inbytes": 0, "outbytes": 0, "buffers": [6]}, }, }, 'usb': { 'nn::usb::ds::IDsService': { 0: {"inbytes": 4, "outbytes": 0}, 1: {"inbytes": 0, "outbytes": 0, "inhandles": [1]}, 2: {"inbytes": 0, "outbytes": 1, "buffers": [5, 5], "outinterfaces": ['nn::usb::ds::IDsInterface']}, 3: {"inbytes": 0, "outbytes": 0, "outhandles": [1]}, 4: {"inbytes": 0, "outbytes": 4}, }, 'nn::usb::hs::IClientRootSession': { 0: {"inbytes": 0x10, "outbytes": 4, "buffers": [6]}, 1: {"inbytes": 0x10, "outbytes": 4, "buffers": [6]}, 2: {"inbytes": 0, "outbytes": 4, "buffers": [6]}, 3: {"inbytes": 0x12, "outbytes": 0, "outhandles": [1]}, 4: {"inbytes": 1, "outbytes": 0}, 5: {"inbytes": 0, "outbytes": 0, "outhandles": [1]}, 6: {"inbytes": 4, "outbytes": 0, "buffers": [6], "outinterfaces": ['nn::usb::hs::IClientIfSession']}, 7: {"inbytes": 8, "outbytes": 4, "buffers": [6]}, 8: {"inbytes": 4, "outbytes": 0}, }, 'nn::usb::ds::IDsInterface': { 0: {"inbytes": 0, "outbytes": 1, "buffers": [5], "outinterfaces": ['nn::usb::ds::IDsEndpoint']}, 1: {"inbytes": 0, "outbytes": 0, "outhandles": [1]}, 2: {"inbytes": 0, "outbytes": 0, "buffers": [6]}, 3: {"inbytes": 0, "outbytes": 0}, 4: {"inbytes": 0, "outbytes": 0}, 5: {"inbytes": 0x10, "outbytes": 4}, 6: {"inbytes": 0x10, "outbytes": 4}, 7: {"inbytes": 0, "outbytes": 0, "outhandles": [1]}, 8: {"inbytes": 0, "outbytes": 0x84}, 9: {"inbytes": 0, "outbytes": 0, "outhandles": [1]}, 10: {"inbytes": 0, "outbytes": 0x84}, 11: {"inbytes": 0, "outbytes": 0}, }, 'nn::usb::ds::IDsEndpoint': { 0: {"inbytes": 0x10, "outbytes": 4}, 1: {"inbytes": 0, "outbytes": 0}, 2: {"inbytes": 0, "outbytes": 0, "outhandles": [1]}, 3: {"inbytes": 0, "outbytes": 0x84}, 4: {"inbytes": 0, "outbytes": 0}, 5: {"inbytes": 1, "outbytes": 0}, }, 'nn::usb::pd::detail::IPdCradleManager': { 0: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::usb::pd::detail::IPdCradleSession']}, }, 'nn::usb::pd::detail::IPdManufactureManager': { 0: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::usb::pd::detail::IPdManufactureSession']}, }, 'nn::usb::hs::IClientIfSession': { 0: {"inbytes": 0, "outbytes": 0, "outhandles": [1]}, 1: {"inbytes": 1, "outbytes": 0, "buffers": [6]}, 2: {"inbytes": 0, "outbytes": 0, "buffers": [6]}, 3: {"inbytes": 1, "outbytes": 0, "buffers": [6]}, 4: {"inbytes": 0x14, "outbytes": 7, "outinterfaces": ['nn::usb::hs::IClientEpSession']}, 5: {"inbytes": 0, "outbytes": 4}, 6: {"inbytes": 0xC, "outbytes": 4, "buffers": [6]}, 7: {"inbytes": 0xC, "outbytes": 4, "buffers": [5]}, 8: {"inbytes": 0, "outbytes": 0}, }, 'nn::usb::hs::IClientEpSession': { 0: {"inbytes": 8, "outbytes": 4, "buffers": [5]}, 1: {"inbytes": 8, "outbytes": 4, "buffers": [6]}, 2: {"inbytes": 0, "outbytes": 0}, 3: {"inbytes": 0, "outbytes": 0}, }, 'nn::usb::pm::IPmService': { 0: {"inbytes": 0, "outbytes": 0, "outhandles": [1]}, 1: {"inbytes": 0, "outbytes": 0, "buffers": [6]}, 2: {"inbytes": 0, "outbytes": 0, "outhandles": [1]}, 3: {"inbytes": 0, "outbytes": 4}, 4: {"inbytes": 8, "outbytes": 0}, 5: {"inbytes": 4, "outbytes": 4}, }, 'nn::usb::pd::detail::IPdCradleSession': { 0: {"inbytes": 8, "outbytes": 0}, 1: {"inbytes": 4, "outbytes": 4}, 2: {"inbytes": 0, "outbytes": 0}, }, 'nn::usb::pd::detail::IPdManager': { 0: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::usb::pd::detail::IPdSession']}, }, 'nn::usb::pd::detail::IPdManufactureSession': { 0: {"inbytes": 0, "outbytes": 2}, 1: {"inbytes": 0, "outbytes": 2}, 2: {"inbytes": 0, "outbytes": 2}, 3: {"inbytes": 0, "outbytes": 2}, }, 'nn::sf::hipc::detail::IHipcManager': { 0: {"inbytes": 0, "outbytes": 4}, 1: {"inbytes": 4, "outbytes": 0, "outhandles": [2]}, 2: {"inbytes": 0, "outbytes": 0, "outhandles": [2]}, 3: {"inbytes": 0, "outbytes": 2}, 4: {"inbytes": 4, "outbytes": 0, "outhandles": [2]}, }, 'nn::usb::pd::detail::IPdSession': { 0: {"inbytes": 0, "outbytes": 0, "outhandles": [1]}, 1: {"inbytes": 0, "outbytes": 0}, 2: {"inbytes": 0, "outbytes": 0x14}, 3: {"inbytes": 0, "outbytes": 4}, 4: {"inbytes": 0, "outbytes": 0}, 5: {"inbytes": 0, "outbytes": 0}, 6: {"inbytes": 1, "outbytes": 0}, }, }, 'settings': { 'nn::settings::IFirmwareDebugSettingsServer': { 2: {"inbytes": 0, "outbytes": 0, "buffers": [25, 25, 5]}, 3: {"inbytes": 0, "outbytes": 0, "buffers": [25, 25]}, 4: {"inbytes": 0, "outbytes": 0, "buffers": [25], "outinterfaces": ['nn::settings::ISettingsItemKeyIterator']}, }, 'nn::settings::ISystemSettingsServer': { 0: {"inbytes": 8, "outbytes": 0}, 1: {"inbytes": 0, "outbytes": 0, "buffers": [5]}, 2: {"inbytes": 0, "outbytes": 4, "buffers": [6]}, 3: {"inbytes": 0, "outbytes": 0, "buffers": [26]}, 7: {"inbytes": 0, "outbytes": 1}, 8: {"inbytes": 1, "outbytes": 0}, 9: {"inbytes": 0, "outbytes": 0x28}, 10: {"inbytes": 0x28, "outbytes": 0}, 11: {"inbytes": 0, "outbytes": 0, "buffers": [5]}, 12: {"inbytes": 0, "outbytes": 4, "buffers": [6]}, 13: {"inbytes": 0, "outbytes": 0x10}, 14: {"inbytes": 0x10, "outbytes": 0}, 15: {"inbytes": 0, "outbytes": 0x20}, 16: {"inbytes": 0x20, "outbytes": 0}, 17: {"inbytes": 0, "outbytes": 4}, 18: {"inbytes": 4, "outbytes": 0}, 19: {"inbytes": 4, "outbytes": 8}, 20: {"inbytes": 0xC, "outbytes": 0}, 21: {"inbytes": 0, "outbytes": 4, "buffers": [6]}, 22: {"inbytes": 0, "outbytes": 0, "buffers": [5]}, 23: {"inbytes": 0, "outbytes": 4}, 24: {"inbytes": 4, "outbytes": 0}, 25: {"inbytes": 0, "outbytes": 1}, 26: {"inbytes": 1, "outbytes": 0}, 27: {"inbytes": 0, "outbytes": 1}, 28: {"inbytes": 1, "outbytes": 0}, 29: {"inbytes": 0, "outbytes": 0x18}, 30: {"inbytes": 0x18, "outbytes": 0}, 31: {"inbytes": 0, "outbytes": 4, "buffers": [6]}, 32: {"inbytes": 0, "outbytes": 0, "buffers": [5]}, 35: {"inbytes": 0, "outbytes": 4}, 36: {"inbytes": 4, "outbytes": 0}, 37: {"inbytes": 0, "outbytes": 8, "buffers": [25, 25]}, 38: {"inbytes": 0, "outbytes": 8, "buffers": [25, 25, 6]}, 39: {"inbytes": 0, "outbytes": 0x20}, 40: {"inbytes": 0x20, "outbytes": 0}, 41: {"inbytes": 0, "outbytes": 0, "buffers": [26]}, 42: {"inbytes": 0, "outbytes": 0, "buffers": [25]}, 43: {"inbytes": 4, "outbytes": 4}, 44: {"inbytes": 8, "outbytes": 0}, 45: {"inbytes": 0, "outbytes": 1}, 46: {"inbytes": 1, "outbytes": 0}, 47: {"inbytes": 0, "outbytes": 1}, 48: {"inbytes": 1, "outbytes": 0}, 49: {"inbytes": 0, "outbytes": 8}, 50: {"inbytes": 8, "outbytes": 0}, 51: {"inbytes": 0, "outbytes": 8}, 52: {"inbytes": 0, "outbytes": 8}, 53: {"inbytes": 0, "outbytes": 0x24}, 54: {"inbytes": 0x24, "outbytes": 0}, 55: {"inbytes": 0, "outbytes": 8}, 56: {"inbytes": 0, "outbytes": 8, "buffers": [6]}, 57: {"inbytes": 4, "outbytes": 0}, 58: {"inbytes": 0, "outbytes": 0x20}, 59: {"inbytes": 0x20, "outbytes": 0}, 60: {"inbytes": 0, "outbytes": 1}, 61: {"inbytes": 1, "outbytes": 0}, 62: {"inbytes": 0, "outbytes": 1}, 63: {"inbytes": 0, "outbytes": 4}, 64: {"inbytes": 4, "outbytes": 0}, 65: {"inbytes": 0, "outbytes": 1}, 66: {"inbytes": 1, "outbytes": 0}, 67: {"inbytes": 0, "outbytes": 0x18}, 68: {"inbytes": 0, "outbytes": 0x18}, 69: {"inbytes": 0, "outbytes": 1}, 70: {"inbytes": 1, "outbytes": 0}, 71: {"inbytes": 0, "outbytes": 0xC}, 72: {"inbytes": 0xC, "outbytes": 0}, 73: {"inbytes": 0, "outbytes": 1}, 74: {"inbytes": 1, "outbytes": 0}, 75: {"inbytes": 0, "outbytes": 0x20}, 76: {"inbytes": 0x20, "outbytes": 0}, 77: {"inbytes": 0, "outbytes": 0, "buffers": [22]}, 78: {"inbytes": 0, "outbytes": 0, "buffers": [21]}, 79: {"inbytes": 0, "outbytes": 4}, 80: {"inbytes": 0, "outbytes": 4}, 81: {"inbytes": 4, "outbytes": 0}, 82: {"inbytes": 0, "outbytes": 0, "outhandles": [1]}, 83: {"inbytes": 0, "outbytes": 0x10}, 84: {"inbytes": 0, "outbytes": 0x18}, 85: {"inbytes": 0x18, "outbytes": 0}, 86: {"inbytes": 0, "outbytes": 0x18}, 87: {"inbytes": 0x18, "outbytes": 0}, 88: {"inbytes": 0, "outbytes": 1}, 89: {"inbytes": 1, "outbytes": 0}, 90: {"inbytes": 0, "outbytes": 0x10}, 91: {"inbytes": 8, "outbytes": 0}, 92: {"inbytes": 0, "outbytes": 8}, 93: {"inbytes": 0, "outbytes": 0, "outhandles": [1]}, 94: {"inbytes": 0, "outbytes": 0x10}, }, 'nn::sf::hipc::detail::IHipcManager': { 0: {"inbytes": 0, "outbytes": 4}, 1: {"inbytes": 4, "outbytes": 0, "outhandles": [2]}, 2: {"inbytes": 0, "outbytes": 0, "outhandles": [2]}, 3: {"inbytes": 0, "outbytes": 2}, 4: {"inbytes": 4, "outbytes": 0, "outhandles": [2]}, }, 'nn::settings::IFactorySettingsServer': { 0: {"inbytes": 0, "outbytes": 6}, 1: {"inbytes": 0, "outbytes": 0x1E}, 2: {"inbytes": 0, "outbytes": 6}, 3: {"inbytes": 0, "outbytes": 6}, 4: {"inbytes": 0, "outbytes": 6}, 5: {"inbytes": 0, "outbytes": 6}, 6: {"inbytes": 0, "outbytes": 6}, 7: {"inbytes": 0, "outbytes": 4}, 8: {"inbytes": 0, "outbytes": 4, "buffers": [10]}, 9: {"inbytes": 0, "outbytes": 0x18}, 10: {"inbytes": 8, "outbytes": 0}, 11: {"inbytes": 8, "outbytes": 0}, 12: {"inbytes": 0, "outbytes": 0x18}, 14: {"inbytes": 0, "outbytes": 0, "buffers": [22]}, 15: {"inbytes": 0, "outbytes": 0, "buffers": [22]}, 16: {"inbytes": 0, "outbytes": 0, "buffers": [22]}, 17: {"inbytes": 0, "outbytes": 0, "buffers": [22]}, 18: {"inbytes": 0, "outbytes": 0, "buffers": [22]}, 19: {"inbytes": 0, "outbytes": 0, "buffers": [22]}, 20: {"inbytes": 0, "outbytes": 0x54}, 21: {"inbytes": 0, "outbytes": 0, "buffers": [22]}, 22: {"inbytes": 0, "outbytes": 0x5A}, }, 'nn::settings::ISettingsServer': { 0: {"inbytes": 0, "outbytes": 8}, 1: {"inbytes": 0, "outbytes": 4, "buffers": [10]}, 3: {"inbytes": 0, "outbytes": 4}, 4: {"inbytes": 0, "outbytes": 4}, }, 'nn::settings::ISettingsItemKeyIterator': { 0: {"inbytes": 0, "outbytes": 0}, 1: {"inbytes": 0, "outbytes": 8}, 2: {"inbytes": 0, "outbytes": 8, "buffers": [6]}, }, }, 'Bus': { 'nn::i2c::IManager': { 0: {"inbytes": 0x10, "outbytes": 0, "outinterfaces": ['nn::i2c::ISession']}, 1: {"inbytes": 4, "outbytes": 0, "outinterfaces": ['nn::i2c::ISession']}, 2: {"inbytes": 4, "outbytes": 1}, 3: {"inbytes": 0x10, "outbytes": 1}, }, 'nn::pwm::IChannelSession': { 0: {"inbytes": 8, "outbytes": 0}, 1: {"inbytes": 0, "outbytes": 8}, 2: {"inbytes": 4, "outbytes": 0}, 3: {"inbytes": 0, "outbytes": 4}, 4: {"inbytes": 1, "outbytes": 0}, 5: {"inbytes": 0, "outbytes": 1}, }, 'nn::pwm::IManager': { 0: {"inbytes": 4, "outbytes": 0, "outinterfaces": ['nn::pwm::IChannelSession']}, 1: {"inbytes": 4, "outbytes": 0, "outinterfaces": ['nn::pwm::IChannelSession']}, }, 'nn::gpio::IManager': { 0: {"inbytes": 4, "outbytes": 0, "outinterfaces": ['nn::gpio::IPadSession']}, 1: {"inbytes": 4, "outbytes": 0, "outinterfaces": ['nn::gpio::IPadSession']}, 2: {"inbytes": 4, "outbytes": 0, "outinterfaces": ['nn::gpio::IPadSession']}, 3: {"inbytes": 4, "outbytes": 1}, 4: {"inbytes": 0, "outbytes": 0x10}, 5: {"inbytes": 8, "outbytes": 0}, }, 'nn::sf::hipc::detail::IHipcManager': { 0: {"inbytes": 0, "outbytes": 4}, 1: {"inbytes": 4, "outbytes": 0, "outhandles": [2]}, 2: {"inbytes": 0, "outbytes": 0, "outhandles": [2]}, 3: {"inbytes": 0, "outbytes": 2}, 4: {"inbytes": 4, "outbytes": 0, "outhandles": [2]}, }, 'nn::i2c::ISession': { 0: {"inbytes": 4, "outbytes": 0, "buffers": [5]}, 1: {"inbytes": 4, "outbytes": 0, "buffers": [6]}, 2: {"inbytes": 0, "outbytes": 0, "buffers": [6, 9]}, 10: {"inbytes": 4, "outbytes": 0, "buffers": [33]}, 11: {"inbytes": 4, "outbytes": 0, "buffers": [34]}, 12: {"inbytes": 0, "outbytes": 0, "buffers": [34, 9]}, }, 'nn::uart::IManager': { 0: {"inbytes": 4, "outbytes": 1}, 1: {"inbytes": 4, "outbytes": 1}, 2: {"inbytes": 8, "outbytes": 1}, 3: {"inbytes": 8, "outbytes": 1}, 4: {"inbytes": 8, "outbytes": 1}, 5: {"inbytes": 8, "outbytes": 1}, 6: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::uart::IPortSession']}, 7: {"inbytes": 8, "outbytes": 1}, 8: {"inbytes": 8, "outbytes": 1}, }, 'nn::pinmux::IManager': { 0: {"inbytes": 4, "outbytes": 0, "outinterfaces": ['nn::pinmux::ISession']}, }, 'nn::uart::IPortSession': { 0: {"inbytes": 0x20, "outbytes": 1, "inhandles": [1, 1]}, 1: {"inbytes": 0x20, "outbytes": 1, "inhandles": [1, 1]}, 2: {"inbytes": 0, "outbytes": 8}, 3: {"inbytes": 0, "outbytes": 8, "buffers": [33]}, 4: {"inbytes": 0, "outbytes": 8}, 5: {"inbytes": 0, "outbytes": 8, "buffers": [34]}, 6: {"inbytes": 0x10, "outbytes": 1, "outhandles": [1]}, 7: {"inbytes": 4, "outbytes": 1}, }, 'nn::pinmux::ISession': { 0: {"inbytes": 4, "outbytes": 0}, 1: {"inbytes": 0, "outbytes": 4}, 2: {"inbytes": 4, "outbytes": 0}, }, 'nn::gpio::IPadSession': { 0: {"inbytes": 4, "outbytes": 0}, 1: {"inbytes": 0, "outbytes": 4}, 2: {"inbytes": 4, "outbytes": 0}, 3: {"inbytes": 0, "outbytes": 4}, 4: {"inbytes": 1, "outbytes": 0}, 5: {"inbytes": 0, "outbytes": 1}, 6: {"inbytes": 0, "outbytes": 4}, 7: {"inbytes": 0, "outbytes": 0}, 8: {"inbytes": 4, "outbytes": 0}, 9: {"inbytes": 0, "outbytes": 4}, 10: {"inbytes": 0, "outbytes": 0, "outhandles": [1]}, 11: {"inbytes": 0, "outbytes": 0}, 12: {"inbytes": 1, "outbytes": 0}, 13: {"inbytes": 0, "outbytes": 1}, 14: {"inbytes": 4, "outbytes": 0}, 15: {"inbytes": 0, "outbytes": 4}, }, }, 'bluetooth': { 'nn::bluetooth::IBluetoothDriver': { 0: {"inbytes": 0, "outbytes": 0}, 1: {"inbytes": 0, "outbytes": 0, "outhandles": [1]}, 2: {"inbytes": 0, "outbytes": 0}, 3: {"inbytes": 0, "outbytes": 0}, 4: {"inbytes": 0, "outbytes": 0}, 5: {"inbytes": 0, "outbytes": 0, "buffers": [26]}, 6: {"inbytes": 4, "outbytes": 0, "buffers": [10]}, 7: {"inbytes": 4, "outbytes": 0, "buffers": [9]}, 8: {"inbytes": 0, "outbytes": 0}, 9: {"inbytes": 0, "outbytes": 0}, 10: {"inbytes": 6, "outbytes": 0, "buffers": [25]}, 11: {"inbytes": 6, "outbytes": 0}, 12: {"inbytes": 6, "outbytes": 0}, 13: {"inbytes": 0x18, "outbytes": 0}, 14: {"inbytes": 0xC, "outbytes": 0}, 15: {"inbytes": 0, "outbytes": 4, "buffers": [10]}, 16: {"inbytes": 2, "outbytes": 0, "outhandles": [1]}, 17: {"inbytes": 6, "outbytes": 0}, 18: {"inbytes": 6, "outbytes": 0}, 19: {"inbytes": 6, "outbytes": 0, "buffers": [25]}, 20: {"inbytes": 6, "outbytes": 0, "buffers": [9]}, 21: {"inbytes": 0xC, "outbytes": 0, "buffers": [25]}, 22: {"inbytes": 0xC, "outbytes": 0}, 23: {"inbytes": 6, "outbytes": 0}, 24: {"inbytes": 0, "outbytes": 0, "buffers": [25]}, 25: {"inbytes": 6, "outbytes": 0, "buffers": [26]}, 26: {"inbytes": 0, "outbytes": 0}, 27: {"inbytes": 0, "outbytes": 4, "buffers": [10]}, 28: {"inbytes": 7, "outbytes": 0}, 29: {"inbytes": 7, "outbytes": 0}, 30: {"inbytes": 6, "outbytes": 0, "buffers": [9]}, 31: {"inbytes": 1, "outbytes": 0}, 32: {"inbytes": 0, "outbytes": 0}, 33: {"inbytes": 0, "outbytes": 0}, 34: {"inbytes": 1, "outbytes": 0}, 35: {"inbytes": 2, "outbytes": 0}, 36: {"inbytes": 0, "outbytes": 0, "outhandles": [1]}, 37: {"inbytes": 0, "outbytes": 4, "buffers": [10]}, 38: {"inbytes": 0, "outbytes": 0, "buffers": [22]}, 39: {"inbytes": 0, "outbytes": 0}, }, 'nn::sf::hipc::detail::IHipcManager': { 0: {"inbytes": 0, "outbytes": 4}, 1: {"inbytes": 4, "outbytes": 0, "outhandles": [2]}, 2: {"inbytes": 0, "outbytes": 0, "outhandles": [2]}, 3: {"inbytes": 0, "outbytes": 2}, 4: {"inbytes": 4, "outbytes": 0, "outhandles": [2]}, }, }, 'bcat': { 'nn::prepo::detail::ipc::IPrepoService': { 30100: {"inbytes": 0, "outbytes": 0}, 20100: {"inbytes": 8, "outbytes": 0, "buffers": [9, 5]}, 20101: {"inbytes": 0x18, "outbytes": 0, "buffers": [9, 5]}, 10200: {"inbytes": 0, "outbytes": 0}, 10100: {"inbytes": 8, "outbytes": 0, "buffers": [9, 5], "pid": True}, 10101: {"inbytes": 0x18, "outbytes": 0, "buffers": [9, 5], "pid": True}, 10300: {"inbytes": 0, "outbytes": 4}, 90100: {"inbytes": 4, "outbytes": 0}, 90101: {"inbytes": 0, "outbytes": 4}, 90102: {"inbytes": 0, "outbytes": 0x10}, }, 'nn::news::detail::ipc::INewsService': { 30900: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::news::detail::ipc::INewlyArrivedEventHolder']}, 30901: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::news::detail::ipc::INewsDataService']}, 30902: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::news::detail::ipc::INewsDatabaseService']}, 40100: {"inbytes": 4, "outbytes": 0, "buffers": [9]}, 40200: {"inbytes": 0, "outbytes": 0}, 40201: {"inbytes": 0, "outbytes": 0}, 30100: {"inbytes": 0, "outbytes": 4, "buffers": [9]}, 30200: {"inbytes": 0, "outbytes": 1}, 30300: {"inbytes": 0, "outbytes": 0, "buffers": [9]}, 20100: {"inbytes": 8, "outbytes": 0, "buffers": [9]}, 10100: {"inbytes": 0, "outbytes": 0, "buffers": [5]}, 90100: {"inbytes": 0, "outbytes": 8, "buffers": [6]}, }, 'nn::sf::hipc::detail::IHipcManager': { 0: {"inbytes": 0, "outbytes": 4}, 1: {"inbytes": 4, "outbytes": 0, "outhandles": [2]}, 2: {"inbytes": 0, "outbytes": 0, "outhandles": [2]}, 3: {"inbytes": 0, "outbytes": 2}, 4: {"inbytes": 4, "outbytes": 0, "outhandles": [2]}, }, 'nn::news::detail::ipc::INewlyArrivedEventHolder': { 0: {"inbytes": 0, "outbytes": 0, "outhandles": [1]}, }, 'nn::news::detail::ipc::INewsDatabaseService': { 0: {"inbytes": 4, "outbytes": 4, "buffers": [6, 9, 9]}, 1: {"inbytes": 0, "outbytes": 4, "buffers": [9]}, 2: {"inbytes": 1, "outbytes": 4, "buffers": [9, 9]}, 3: {"inbytes": 4, "outbytes": 0, "buffers": [9, 9]}, 4: {"inbytes": 4, "outbytes": 0, "buffers": [9, 9]}, 5: {"inbytes": 0, "outbytes": 0, "buffers": [9, 9, 9]}, }, 'nn::news::detail::ipc::INewsDataService': { 0: {"inbytes": 0, "outbytes": 0, "buffers": [9]}, 1: {"inbytes": 0x48, "outbytes": 0}, 2: {"inbytes": 8, "outbytes": 8, "buffers": [6]}, 3: {"inbytes": 0, "outbytes": 8}, }, }, 'friends': { 'nn::friends::detail::ipc::IFriendService': { 0: {"inbytes": 0, "outbytes": 0, "outhandles": [1]}, 1: {"inbytes": 0, "outbytes": 0}, 20501: {"inbytes": 0x18, "outbytes": 8}, 10400: {"inbytes": 0x18, "outbytes": 4, "buffers": [10]}, 20701: {"inbytes": 0x10, "outbytes": 0x10}, 10500: {"inbytes": 0x10, "outbytes": 0, "buffers": [6, 9]}, 20800: {"inbytes": 0x10, "outbytes": 0, "buffers": [26]}, 20801: {"inbytes": 0x10, "outbytes": 0}, 10600: {"inbytes": 0x10, "outbytes": 0}, 10601: {"inbytes": 0x10, "outbytes": 0}, 10610: {"inbytes": 0x18, "outbytes": 0, "buffers": [25], "pid": True}, 20900: {"inbytes": 0, "outbytes": 0}, 10700: {"inbytes": 0x18, "outbytes": 0, "buffers": [26]}, 10701: {"inbytes": 0x10, "outbytes": 0, "buffers": [26]}, 10702: {"inbytes": 0x18, "outbytes": 0, "buffers": [25, 25, 25], "pid": True}, 30810: {"inbytes": 0x18, "outbytes": 0}, 30811: {"inbytes": 0x18, "outbytes": 0}, 30812: {"inbytes": 0x18, "outbytes": 0}, 30830: {"inbytes": 0x10, "outbytes": 0}, 20600: {"inbytes": 0x10, "outbytes": 0, "buffers": [26]}, 49900: {"inbytes": 0x10, "outbytes": 0}, 11000: {"inbytes": 0xA4, "outbytes": 0xA0}, 20300: {"inbytes": 0x18, "outbytes": 4, "buffers": [6]}, 20500: {"inbytes": 0x10, "outbytes": 0, "buffers": [6, 9]}, 20700: {"inbytes": 0x18, "outbytes": 4, "buffers": [6]}, 30100: {"inbytes": 0x10, "outbytes": 0}, 30101: {"inbytes": 0x18, "outbytes": 0}, 30110: {"inbytes": 0x18, "outbytes": 0}, 30820: {"inbytes": 0x10, "outbytes": 0}, 30120: {"inbytes": 0x20, "outbytes": 0}, 30121: {"inbytes": 0x20, "outbytes": 0}, 30200: {"inbytes": 0x20, "outbytes": 0}, 30201: {"inbytes": 0x30, "outbytes": 0, "buffers": [25, 25]}, 30202: {"inbytes": 0x18, "outbytes": 0}, 30203: {"inbytes": 0x18, "outbytes": 0}, 30204: {"inbytes": 0x18, "outbytes": 0}, 30205: {"inbytes": 0x18, "outbytes": 0}, 30210: {"inbytes": 0x10, "outbytes": 0x40}, 30211: {"inbytes": 0x78, "outbytes": 0, "buffers": [5]}, 30212: {"inbytes": 0x18, "outbytes": 0}, 30213: {"inbytes": 0x18, "outbytes": 4, "buffers": [6]}, 30214: {"inbytes": 0, "outbytes": 4, "buffers": [9, 6]}, 20400: {"inbytes": 0x18, "outbytes": 4, "buffers": [6]}, 20100: {"inbytes": 0x28, "outbytes": 4, "pid": True}, 20101: {"inbytes": 0x10, "outbytes": 4}, 20102: {"inbytes": 0x18, "outbytes": 0, "buffers": [26]}, 20103: {"inbytes": 0x10, "outbytes": 0}, 20110: {"inbytes": 0x18, "outbytes": 0, "buffers": [26]}, 30400: {"inbytes": 0x20, "outbytes": 0}, 30401: {"inbytes": 0x30, "outbytes": 0, "buffers": [25]}, 30402: {"inbytes": 0x18, "outbytes": 0}, 20200: {"inbytes": 0x10, "outbytes": 8}, 20201: {"inbytes": 0x18, "outbytes": 4, "buffers": [6]}, 30500: {"inbytes": 0x30, "outbytes": 0, "buffers": [26]}, 10100: {"inbytes": 0x30, "outbytes": 4, "buffers": [10], "pid": True}, 10101: {"inbytes": 0x30, "outbytes": 4, "buffers": [6], "pid": True}, 10102: {"inbytes": 0x18, "outbytes": 0, "buffers": [6, 9], "pid": True}, 10110: {"inbytes": 0x18, "outbytes": 4, "buffers": [6]}, 20401: {"inbytes": 0x10, "outbytes": 0}, 30700: {"inbytes": 0x10, "outbytes": 0}, }, 'nn::sf::hipc::detail::IHipcManager': { 0: {"inbytes": 0, "outbytes": 4}, 1: {"inbytes": 4, "outbytes": 0, "outhandles": [2]}, 2: {"inbytes": 0, "outbytes": 0, "outhandles": [2]}, 3: {"inbytes": 0, "outbytes": 2}, 4: {"inbytes": 4, "outbytes": 0, "outhandles": [2]}, }, 'nn::friends::detail::ipc::IFriendServiceCreator': { 0: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::friends::detail::ipc::IFriendService']}, }, }, 'nifm': { 'nn::nifm::detail::IStaticService': { 4: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::nifm::detail::IGeneralService']}, }, 'nn::nifm::detail::IScanRequest': { 0: {"inbytes": 0, "outbytes": 0}, 1: {"inbytes": 0, "outbytes": 1}, 2: {"inbytes": 0, "outbytes": 0}, 3: {"inbytes": 0, "outbytes": 0, "outhandles": [1]}, }, 'nn::nifm::detail::IRequest': { 0: {"inbytes": 0, "outbytes": 4}, 1: {"inbytes": 0, "outbytes": 0}, 2: {"inbytes": 0, "outbytes": 0, "outhandles": [1, 1]}, 3: {"inbytes": 0, "outbytes": 0}, 4: {"inbytes": 0, "outbytes": 0}, 5: {"inbytes": 0x20, "outbytes": 0}, 6: {"inbytes": 4, "outbytes": 0}, 8: {"inbytes": 1, "outbytes": 0}, 9: {"inbytes": 0x10, "outbytes": 0}, 10: {"inbytes": 1, "outbytes": 0}, 11: {"inbytes": 1, "outbytes": 0}, 12: {"inbytes": 1, "outbytes": 0}, 13: {"inbytes": 1, "outbytes": 0}, 14: {"inbytes": 2, "outbytes": 0}, 15: {"inbytes": 1, "outbytes": 0}, 16: {"inbytes": 1, "outbytes": 0}, 17: {"inbytes": 1, "outbytes": 0}, 18: {"inbytes": 4, "outbytes": 0}, 19: {"inbytes": 0, "outbytes": 0x20}, 20: {"inbytes": 0, "outbytes": 4}, 21: {"inbytes": 4, "outbytes": 0xC, "buffers": [6]}, 22: {"inbytes": 0, "outbytes": 4, "buffers": [22]}, }, 'nn::nifm::detail::INetworkProfile': { 0: {"inbytes": 0, "outbytes": 0x10, "buffers": [25]}, }, 'nn::sf::hipc::detail::IHipcManager': { 0: {"inbytes": 0, "outbytes": 4}, 1: {"inbytes": 4, "outbytes": 0, "outhandles": [2]}, 2: {"inbytes": 0, "outbytes": 0, "outhandles": [2]}, 3: {"inbytes": 0, "outbytes": 2}, 4: {"inbytes": 4, "outbytes": 0, "outhandles": [2]}, }, 'nn::nifm::detail::IGeneralService': { 1: {"inbytes": 0, "outbytes": 0, "buffers": [26]}, 2: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::nifm::detail::IScanRequest']}, 4: {"inbytes": 4, "outbytes": 0, "outinterfaces": ['nn::nifm::detail::IRequest']}, 5: {"inbytes": 0, "outbytes": 0, "buffers": [26]}, 6: {"inbytes": 4, "outbytes": 4, "buffers": [10]}, 7: {"inbytes": 1, "outbytes": 4, "buffers": [6]}, 8: {"inbytes": 0x10, "outbytes": 0, "buffers": [26]}, 9: {"inbytes": 0, "outbytes": 0x10, "buffers": [25]}, 10: {"inbytes": 0x10, "outbytes": 0}, 11: {"inbytes": 0, "outbytes": 4, "buffers": [6]}, 12: {"inbytes": 0, "outbytes": 4}, 13: {"inbytes": 0, "outbytes": 0, "buffers": [26]}, 14: {"inbytes": 0, "outbytes": 0x10, "buffers": [25], "outinterfaces": ['nn::nifm::detail::INetworkProfile']}, 15: {"inbytes": 0, "outbytes": 0x16}, 16: {"inbytes": 1, "outbytes": 0}, 17: {"inbytes": 0, "outbytes": 1}, 18: {"inbytes": 0, "outbytes": 3}, 19: {"inbytes": 1, "outbytes": 0}, 20: {"inbytes": 0, "outbytes": 1}, 21: {"inbytes": 0, "outbytes": 1, "buffers": [25]}, 22: {"inbytes": 0, "outbytes": 1}, 23: {"inbytes": 0, "outbytes": 0}, 24: {"inbytes": 0, "outbytes": 0}, 25: {"inbytes": 0, "outbytes": 0x10}, 26: {"inbytes": 0, "outbytes": 0, "buffers": [25]}, 27: {"inbytes": 0, "outbytes": 0, "buffers": [26]}, 28: {"inbytes": 0, "outbytes": 0, "buffers": [25]}, 29: {"inbytes": 1, "outbytes": 0}, 30: {"inbytes": 1, "outbytes": 0}, }, }, 'ptm': { 'nn::tc::IManager': { 0: {"inbytes": 4, "outbytes": 0}, 1: {"inbytes": 4, "outbytes": 0, "outhandles": [1]}, 2: {"inbytes": 4, "outbytes": 1}, 3: {"inbytes": 4, "outbytes": 0}, 4: {"inbytes": 4, "outbytes": 0}, 5: {"inbytes": 8, "outbytes": 0}, 6: {"inbytes": 0, "outbytes": 0}, 7: {"inbytes": 0, "outbytes": 0}, 8: {"inbytes": 0, "outbytes": 1}, }, 'nn::psm::IPsmSession': { 0: {"inbytes": 0, "outbytes": 0, "outhandles": [1]}, 1: {"inbytes": 0, "outbytes": 0}, 2: {"inbytes": 1, "outbytes": 0}, 3: {"inbytes": 1, "outbytes": 0}, 4: {"inbytes": 1, "outbytes": 0}, }, 'nn::fan::detail::IController': { 0: {"inbytes": 4, "outbytes": 0}, 1: {"inbytes": 4, "outbytes": 4}, 2: {"inbytes": 0, "outbytes": 4}, 3: {"inbytes": 4, "outbytes": 0}, 4: {"inbytes": 0, "outbytes": 4}, 5: {"inbytes": 0, "outbytes": 0}, 6: {"inbytes": 0, "outbytes": 0}, 7: {"inbytes": 0, "outbytes": 4}, }, 'nn::sf::hipc::detail::IHipcManager': { 0: {"inbytes": 0, "outbytes": 4}, 1: {"inbytes": 4, "outbytes": 0, "outhandles": [2]}, 2: {"inbytes": 0, "outbytes": 0, "outhandles": [2]}, 3: {"inbytes": 0, "outbytes": 2}, 4: {"inbytes": 4, "outbytes": 0, "outhandles": [2]}, }, 'nn::ts::server::IMeasurementServer': { 0: {"inbytes": 1, "outbytes": 8}, 1: {"inbytes": 1, "outbytes": 4}, 2: {"inbytes": 2, "outbytes": 0}, 3: {"inbytes": 1, "outbytes": 4}, }, 'nn::psm::IPsmServer': { 0: {"inbytes": 0, "outbytes": 4}, 1: {"inbytes": 0, "outbytes": 4}, 2: {"inbytes": 0, "outbytes": 0}, 3: {"inbytes": 0, "outbytes": 0}, 4: {"inbytes": 0, "outbytes": 1}, 5: {"inbytes": 0, "outbytes": 0}, 6: {"inbytes": 0, "outbytes": 0}, 7: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::psm::IPsmSession']}, 8: {"inbytes": 0, "outbytes": 0}, 9: {"inbytes": 0, "outbytes": 0}, 10: {"inbytes": 0, "outbytes": 0}, 11: {"inbytes": 0, "outbytes": 0}, 12: {"inbytes": 0, "outbytes": 4}, 13: {"inbytes": 0, "outbytes": 8}, 14: {"inbytes": 0, "outbytes": 1}, 15: {"inbytes": 0, "outbytes": 8}, }, 'nn::fan::detail::IManager': { 0: {"inbytes": 4, "outbytes": 0, "outinterfaces": ['nn::fan::detail::IController']}, }, }, 'bsdsocket': { 'nn::eth::sf::IEthInterface': { 0: {"inbytes": 0, "outbytes": 0, "buffers": [5], "outhandles": [1]}, 1: {"inbytes": 0, "outbytes": 0}, 2: {"inbytes": 0, "outbytes": 0}, 3: {"inbytes": 0, "outbytes": 0, "buffers": [6]}, 4: {"inbytes": 4, "outbytes": 0}, 5: {"inbytes": 0, "outbytes": 0xC}, }, 'nn::eth::sf::IEthInterfaceGroup': { 0: {"inbytes": 0, "outbytes": 0, "outhandles": [1]}, 1: {"inbytes": 0, "outbytes": 0}, 2: {"inbytes": 0, "outbytes": 0}, 3: {"inbytes": 0, "outbytes": 0, "buffers": [6]}, 4: {"inbytes": 0, "outbytes": 4}, }, 'nn::sf::hipc::detail::IHipcManager': { 0: {"inbytes": 0, "outbytes": 4}, 1: {"inbytes": 4, "outbytes": 0, "outhandles": [2]}, 2: {"inbytes": 0, "outbytes": 0, "outhandles": [2]}, 3: {"inbytes": 0, "outbytes": 2}, 4: {"inbytes": 4, "outbytes": 0, "outhandles": [2]}, }, 'nn::nsd::detail::IManager': { 10: {"inbytes": 0, "outbytes": 0, "buffers": [22]}, 11: {"inbytes": 0, "outbytes": 0, "buffers": [22]}, 12: {"inbytes": 0, "outbytes": 0x10}, 13: {"inbytes": 4, "outbytes": 0}, 14: {"inbytes": 4, "outbytes": 0, "buffers": [5, 6]}, 20: {"inbytes": 0, "outbytes": 0, "buffers": [22, 21]}, 21: {"inbytes": 0, "outbytes": 4, "buffers": [22, 21]}, 30: {"inbytes": 0, "outbytes": 0, "buffers": [22, 21]}, 31: {"inbytes": 0, "outbytes": 4, "buffers": [22, 21]}, 40: {"inbytes": 0, "outbytes": 0, "buffers": [22]}, 41: {"inbytes": 0, "outbytes": 4, "buffers": [22]}, 42: {"inbytes": 0, "outbytes": 0, "buffers": [22]}, 43: {"inbytes": 0, "outbytes": 4, "buffers": [22]}, 50: {"inbytes": 0, "outbytes": 0, "buffers": [22]}, 60: {"inbytes": 0, "outbytes": 0, "buffers": [22]}, 61: {"inbytes": 0, "outbytes": 0, "buffers": [21]}, 62: {"inbytes": 0, "outbytes": 0}, }, 'nn::bsdsocket::cfg::ServerInterface': { 0: {"inbytes": 0x28, "outbytes": 0, "buffers": [5]}, 1: {"inbytes": 0x28, "outbytes": 0, "buffers": [5], "outhandles": [1]}, 2: {"inbytes": 0, "outbytes": 0, "buffers": [5]}, 3: {"inbytes": 4, "outbytes": 0, "buffers": [5]}, 4: {"inbytes": 0, "outbytes": 0, "buffers": [5, 6]}, 5: {"inbytes": 0, "outbytes": 0, "buffers": [5]}, 6: {"inbytes": 4, "outbytes": 0, "buffers": [5]}, 7: {"inbytes": 4, "outbytes": 0}, 8: {"inbytes": 4, "outbytes": 0, "buffers": [6]}, 9: {"inbytes": 0, "outbytes": 0, "buffers": [6, 5]}, 10: {"inbytes": 0, "outbytes": 0}, 11: {"inbytes": 0, "outbytes": 0, "buffers": [5]}, 12: {"inbytes": 0, "outbytes": 0}, }, 'nn::socket::resolver::IResolver': { 0: {"inbytes": 4, "outbytes": 0, "buffers": [5]}, 1: {"inbytes": 4, "outbytes": 0, "buffers": [6]}, 2: {"inbytes": 0x10, "outbytes": 0xC, "buffers": [5, 6], "pid": True}, 3: {"inbytes": 0x18, "outbytes": 0xC, "buffers": [5, 6], "pid": True}, 4: {"inbytes": 4, "outbytes": 0, "buffers": [6]}, 5: {"inbytes": 4, "outbytes": 0, "buffers": [6]}, 6: {"inbytes": 0x10, "outbytes": 0xC, "buffers": [5, 5, 5, 6], "pid": True}, 7: {"inbytes": 0x10, "outbytes": 8, "buffers": [5, 6, 6], "pid": True}, 8: {"inbytes": 8, "outbytes": 4, "pid": True}, 9: {"inbytes": 0x10, "outbytes": 0, "pid": True}, }, 'nn::socket::sf::IClient': { 0: {"inbytes": 0x30, "outbytes": 4, "inhandles": [1], "pid": True}, 1: {"inbytes": 8, "outbytes": 0, "pid": True}, 2: {"inbytes": 0xC, "outbytes": 8}, 3: {"inbytes": 0xC, "outbytes": 8}, 4: {"inbytes": 4, "outbytes": 8, "buffers": [33]}, 5: {"inbytes": 0x20, "outbytes": 8, "buffers": [33, 33, 33, 34, 34, 34]}, 6: {"inbytes": 8, "outbytes": 8, "buffers": [33, 34]}, 7: {"inbytes": 0, "outbytes": 0xC, "buffers": [33, 34, 33]}, 8: {"inbytes": 8, "outbytes": 8, "buffers": [34]}, 9: {"inbytes": 8, "outbytes": 0xC, "buffers": [34, 34]}, 10: {"inbytes": 8, "outbytes": 8, "buffers": [33]}, 11: {"inbytes": 8, "outbytes": 8, "buffers": [33, 33]}, 12: {"inbytes": 4, "outbytes": 0xC, "buffers": [34]}, 13: {"inbytes": 4, "outbytes": 8, "buffers": [33]}, 14: {"inbytes": 4, "outbytes": 8, "buffers": [33]}, 15: {"inbytes": 4, "outbytes": 0xC, "buffers": [34]}, 16: {"inbytes": 4, "outbytes": 0xC, "buffers": [34]}, 17: {"inbytes": 0xC, "outbytes": 0xC, "buffers": [34]}, 18: {"inbytes": 8, "outbytes": 8}, 19: {"inbytes": 0xC, "outbytes": 8, "buffers": [33, 33, 33, 33, 34, 34, 34, 34]}, 20: {"inbytes": 0xC, "outbytes": 8}, 21: {"inbytes": 0xC, "outbytes": 8, "buffers": [33]}, 22: {"inbytes": 8, "outbytes": 8}, 23: {"inbytes": 4, "outbytes": 8}, 24: {"inbytes": 4, "outbytes": 8, "buffers": [33]}, 25: {"inbytes": 4, "outbytes": 8, "buffers": [34]}, 26: {"inbytes": 4, "outbytes": 8}, 27: {"inbytes": 0x10, "outbytes": 8}, 28: {"inbytes": 8, "outbytes": 8, "buffers": [34], "pid": True}, }, }, 'hid': { 'nn::hid::IActiveVibrationDeviceList': { 0: {"inbytes": 4, "outbytes": 0}, }, 'nn::ahid::hdr::ISession': { 0: {"inbytes": 0, "outbytes": 4}, 1: {"inbytes": 4, "outbytes": 4, "buffers": [6, 5]}, 2: {"inbytes": 4, "outbytes": 0, "buffers": [6]}, 3: {"inbytes": 0, "outbytes": 4, "buffers": [5]}, 4: {"inbytes": 4, "outbytes": 0}, }, 'nn::hid::IAppletResource': { 0: {"inbytes": 0, "outbytes": 0, "outhandles": [1]}, }, 'nn::hid::IHidSystemServer': { 31: {"inbytes": 4, "outbytes": 0}, 101: {"inbytes": 8, "outbytes": 0, "outhandles": [1], "pid": True}, 111: {"inbytes": 8, "outbytes": 0, "pid": True}, 121: {"inbytes": 8, "outbytes": 0, "outhandles": [1], "pid": True}, 131: {"inbytes": 8, "outbytes": 0, "pid": True}, 141: {"inbytes": 8, "outbytes": 0, "outhandles": [1], "pid": True}, 151: {"inbytes": 8, "outbytes": 0, "pid": True}, 210: {"inbytes": 0, "outbytes": 0, "outhandles": [1]}, 211: {"inbytes": 0, "outbytes": 8, "buffers": [10]}, 212: {"inbytes": 4, "outbytes": 0, "outhandles": [1]}, 213: {"inbytes": 0x10, "outbytes": 0, "pid": True}, 230: {"inbytes": 4, "outbytes": 0, "outhandles": [1]}, 231: {"inbytes": 0x10, "outbytes": 0, "pid": True}, 301: {"inbytes": 4, "outbytes": 0}, 303: {"inbytes": 8, "outbytes": 0, "pid": True}, 304: {"inbytes": 8, "outbytes": 0, "pid": True}, 305: {"inbytes": 8, "outbytes": 0, "pid": True}, 322: {"inbytes": 0x10, "outbytes": 8, "pid": True}, 323: {"inbytes": 0x10, "outbytes": 8, "pid": True}, 500: {"inbytes": 8, "outbytes": 0}, 501: {"inbytes": 0x10, "outbytes": 0}, 502: {"inbytes": 8, "outbytes": 0}, 503: {"inbytes": 0x10, "outbytes": 0}, 504: {"inbytes": 0x10, "outbytes": 0}, 510: {"inbytes": 4, "outbytes": 0}, 511: {"inbytes": 0, "outbytes": 4}, 520: {"inbytes": 0, "outbytes": 0}, 521: {"inbytes": 0, "outbytes": 0}, 700: {"inbytes": 0x10, "outbytes": 0, "pid": True}, 702: {"inbytes": 0, "outbytes": 0, "outhandles": [1]}, 703: {"inbytes": 0, "outbytes": 8, "buffers": [10]}, 751: {"inbytes": 8, "outbytes": 0, "outhandles": [1], "pid": True}, 800: {"inbytes": 8, "outbytes": 8, "buffers": [10]}, 801: {"inbytes": 4, "outbytes": 1}, 802: {"inbytes": 4, "outbytes": 0}, 803: {"inbytes": 4, "outbytes": 0}, 804: {"inbytes": 4, "outbytes": 0}, 821: {"inbytes": 0x10, "outbytes": 0}, 822: {"inbytes": 0x10, "outbytes": 0}, 823: {"inbytes": 0x10, "outbytes": 0}, 824: {"inbytes": 0x10, "outbytes": 0}, 900: {"inbytes": 8, "outbytes": 0, "pid": True}, 901: {"inbytes": 4, "outbytes": 0}, }, 'nn::xcd::detail::ISystemServer': { 0: {"inbytes": 8, "outbytes": 1}, 1: {"inbytes": 0x10, "outbytes": 0}, 2: {"inbytes": 8, "outbytes": 1}, 3: {"inbytes": 0x10, "outbytes": 0}, 4: {"inbytes": 8, "outbytes": 0x20}, 5: {"inbytes": 8, "outbytes": 0}, 10: {"inbytes": 8, "outbytes": 0, "outhandles": [1, 1]}, 11: {"inbytes": 8, "outbytes": 0, "buffers": [26]}, 12: {"inbytes": 0x10, "outbytes": 0}, 13: {"inbytes": 8, "outbytes": 0}, 14: {"inbytes": 0x30, "outbytes": 0}, 15: {"inbytes": 8, "outbytes": 0, "buffers": [25]}, 16: {"inbytes": 8, "outbytes": 0, "buffers": [25]}, 17: {"inbytes": 8, "outbytes": 0, "buffers": [25]}, 18: {"inbytes": 0x10, "outbytes": 0}, 19: {"inbytes": 8, "outbytes": 0, "buffers": [25]}, 20: {"inbytes": 8, "outbytes": 0, "buffers": [25]}, 101: {"inbytes": 0, "outbytes": 8}, 102: {"inbytes": 0, "outbytes": 8}, }, 'nn::irsensor::IIrSensorSystemServer': { 500: {"inbytes": 8, "outbytes": 0}, 501: {"inbytes": 0x10, "outbytes": 0}, 502: {"inbytes": 8, "outbytes": 0}, 503: {"inbytes": 0x10, "outbytes": 0}, }, 'nn::hid::IHidDebugServer': { 0: {"inbytes": 0, "outbytes": 0}, 1: {"inbytes": 0x18, "outbytes": 0}, 2: {"inbytes": 0, "outbytes": 0}, 10: {"inbytes": 0, "outbytes": 0}, 11: {"inbytes": 0, "outbytes": 0, "buffers": [5]}, 12: {"inbytes": 0, "outbytes": 0}, 20: {"inbytes": 0, "outbytes": 0}, 21: {"inbytes": 0x1C, "outbytes": 0}, 22: {"inbytes": 0, "outbytes": 0}, 30: {"inbytes": 0, "outbytes": 0}, 31: {"inbytes": 0x28, "outbytes": 0}, 32: {"inbytes": 0, "outbytes": 0}, 50: {"inbytes": 4, "outbytes": 0}, 51: {"inbytes": 0x20, "outbytes": 0}, 52: {"inbytes": 4, "outbytes": 0}, 60: {"inbytes": 4, "outbytes": 0}, 110: {"inbytes": 0, "outbytes": 0}, 111: {"inbytes": 8, "outbytes": 0}, 112: {"inbytes": 0, "outbytes": 0}, 120: {"inbytes": 0, "outbytes": 0}, 121: {"inbytes": 8, "outbytes": 0}, 122: {"inbytes": 0, "outbytes": 0}, 123: {"inbytes": 0, "outbytes": 0}, 130: {"inbytes": 0, "outbytes": 0}, 131: {"inbytes": 8, "outbytes": 0}, 132: {"inbytes": 0, "outbytes": 0}, 201: {"inbytes": 0, "outbytes": 0}, 202: {"inbytes": 0, "outbytes": 0}, 203: {"inbytes": 8, "outbytes": 0, "outhandles": [1]}, 204: {"inbytes": 0, "outbytes": 0x10}, 205: {"inbytes": 8, "outbytes": 4}, 206: {"inbytes": 8, "outbytes": 4}, }, 'nn::ahid::IReadSession': { 0: {"inbytes": 0, "outbytes": 4, "buffers": [6]}, }, 'nn::ahid::IServerSession': { 0: {"inbytes": 4, "outbytes": 0}, 1: {"inbytes": 4, "outbytes": 0}, 2: {"inbytes": 4, "outbytes": 0, "outinterfaces": ['nn::ahid::ICtrlSession']}, 3: {"inbytes": 4, "outbytes": 0, "outinterfaces": ['nn::ahid::IReadSession']}, 4: {"inbytes": 4, "outbytes": 0, "outinterfaces": ['nn::ahid::IWriteSession']}, }, 'nn::ahid::ICtrlSession': { 0: {"inbytes": 1, "outbytes": 0, "buffers": [6]}, 1: {"inbytes": 0, "outbytes": 0, "buffers": [6]}, 2: {"inbytes": 2, "outbytes": 0, "buffers": [6]}, 3: {"inbytes": 2, "outbytes": 0, "buffers": [5]}, 4: {"inbytes": 1, "outbytes": 0, "buffers": [6]}, 5: {"inbytes": 2, "outbytes": 0}, 6: {"inbytes": 0, "outbytes": 0, "buffers": [6]}, 7: {"inbytes": 1, "outbytes": 0}, 8: {"inbytes": 6, "outbytes": 0, "buffers": [6]}, 9: {"inbytes": 6, "outbytes": 0, "buffers": [5]}, 10: {"inbytes": 0, "outbytes": 0, "outhandles": [1]}, 11: {"inbytes": 0, "outbytes": 0}, }, 'nn::irsensor::IIrSensorServer': { 302: {"inbytes": 8, "outbytes": 0, "pid": True}, 303: {"inbytes": 8, "outbytes": 0, "pid": True}, 304: {"inbytes": 8, "outbytes": 0, "outhandles": [1], "pid": True}, 305: {"inbytes": 0x10, "outbytes": 0, "pid": True}, 306: {"inbytes": 0x30, "outbytes": 0, "pid": True}, 307: {"inbytes": 0x38, "outbytes": 0, "pid": True}, 308: {"inbytes": 0x30, "outbytes": 0, "inhandles": [1], "pid": True}, 309: {"inbytes": 0x10, "outbytes": 0x10, "buffers": [6], "pid": True}, 310: {"inbytes": 0x18, "outbytes": 0, "pid": True}, 311: {"inbytes": 4, "outbytes": 4}, 312: {"inbytes": 0x18, "outbytes": 0, "pid": True}, }, 'nn::hid::IHidServer': { 0: {"inbytes": 8, "outbytes": 0, "outinterfaces": ['nn::hid::IAppletResource'], "pid": True}, 1: {"inbytes": 8, "outbytes": 0, "pid": True}, 11: {"inbytes": 8, "outbytes": 0, "pid": True}, 21: {"inbytes": 8, "outbytes": 0, "pid": True}, 31: {"inbytes": 8, "outbytes": 0, "pid": True}, 40: {"inbytes": 8, "outbytes": 0, "outhandles": [1]}, 41: {"inbytes": 8, "outbytes": 0}, 51: {"inbytes": 0x10, "outbytes": 0, "pid": True}, 55: {"inbytes": 0, "outbytes": 8, "buffers": [10]}, 56: {"inbytes": 4, "outbytes": 0}, 58: {"inbytes": 4, "outbytes": 0, "outhandles": [1]}, 59: {"inbytes": 0, "outbytes": 8, "buffers": [10]}, 60: {"inbytes": 4, "outbytes": 0}, 61: {"inbytes": 4, "outbytes": 0}, 62: {"inbytes": 4, "outbytes": 0, "outhandles": [1]}, 63: {"inbytes": 4, "outbytes": 0}, 64: {"inbytes": 4, "outbytes": 0}, 65: {"inbytes": 4, "outbytes": 0, "outhandles": [1]}, 66: {"inbytes": 0x10, "outbytes": 0, "pid": True}, 67: {"inbytes": 0x10, "outbytes": 0, "pid": True}, 68: {"inbytes": 0x10, "outbytes": 1, "pid": True}, 69: {"inbytes": 0x10, "outbytes": 0, "pid": True}, 70: {"inbytes": 0x18, "outbytes": 0, "pid": True}, 71: {"inbytes": 0x10, "outbytes": 8, "pid": True}, 72: {"inbytes": 0x10, "outbytes": 0, "pid": True}, 73: {"inbytes": 0x18, "outbytes": 0, "pid": True}, 74: {"inbytes": 0x10, "outbytes": 8, "pid": True}, 75: {"inbytes": 0x10, "outbytes": 0, "pid": True}, 76: {"inbytes": 0x10, "outbytes": 0, "pid": True}, 77: {"inbytes": 0x10, "outbytes": 4, "pid": True}, 78: {"inbytes": 0x10, "outbytes": 0, "pid": True}, 79: {"inbytes": 0x10, "outbytes": 0, "pid": True}, 80: {"inbytes": 0x10, "outbytes": 4, "pid": True}, 81: {"inbytes": 0x10, "outbytes": 0, "pid": True}, 82: {"inbytes": 0x10, "outbytes": 1, "pid": True}, 100: {"inbytes": 0x10, "outbytes": 0, "pid": True}, 101: {"inbytes": 8, "outbytes": 4, "pid": True}, 102: {"inbytes": 8, "outbytes": 0, "buffers": [9], "pid": True}, 103: {"inbytes": 8, "outbytes": 0, "pid": True}, 104: {"inbytes": 8, "outbytes": 0, "pid": True}, 106: {"inbytes": 0x18, "outbytes": 0, "outhandles": [1], "pid": True}, 107: {"inbytes": 0x10, "outbytes": 0, "pid": True}, 108: {"inbytes": 4, "outbytes": 8}, 120: {"inbytes": 0x10, "outbytes": 0, "pid": True}, 121: {"inbytes": 8, "outbytes": 8, "pid": True}, 122: {"inbytes": 0x10, "outbytes": 0, "pid": True}, 123: {"inbytes": 0x18, "outbytes": 0, "pid": True}, 124: {"inbytes": 0x10, "outbytes": 0, "pid": True}, 125: {"inbytes": 0x10, "outbytes": 0, "pid": True}, 126: {"inbytes": 8, "outbytes": 0, "pid": True}, 128: {"inbytes": 0x10, "outbytes": 0, "pid": True}, 129: {"inbytes": 8, "outbytes": 8, "pid": True}, 130: {"inbytes": 0x10, "outbytes": 0, "pid": True}, 131: {"inbytes": 0x10, "outbytes": 1, "pid": True}, 132: {"inbytes": 0x10, "outbytes": 0, "pid": True}, 200: {"inbytes": 4, "outbytes": 8}, 201: {"inbytes": 0x20, "outbytes": 0, "pid": True}, 202: {"inbytes": 0x10, "outbytes": 0x10, "pid": True}, 203: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::hid::IActiveVibrationDeviceList']}, 204: {"inbytes": 1, "outbytes": 0}, 205: {"inbytes": 0, "outbytes": 1}, 206: {"inbytes": 8, "outbytes": 0, "buffers": [9, 9]}, 127: {"inbytes": 8, "outbytes": 0, "pid": True}, 1000: {"inbytes": 0x10, "outbytes": 0, "pid": True}, 1001: {"inbytes": 0, "outbytes": 8}, }, 'nn::sf::hipc::detail::IHipcManager': { 0: {"inbytes": 0, "outbytes": 4}, 1: {"inbytes": 4, "outbytes": 0, "outhandles": [2]}, 2: {"inbytes": 0, "outbytes": 0, "outhandles": [2]}, 3: {"inbytes": 0, "outbytes": 2}, 4: {"inbytes": 4, "outbytes": 0, "outhandles": [2]}, }, 'nn::ahid::IWriteSession': { 0: {"inbytes": 0, "outbytes": 4, "buffers": [5]}, }, }, 'audio': { 'nn::audio::detail::IAudioInManagerForDebugger': { 0: {"inbytes": 8, "outbytes": 0}, 1: {"inbytes": 8, "outbytes": 0}, }, 'nn::audio::detail::IAudioOut': { 0: {"inbytes": 0, "outbytes": 4}, 1: {"inbytes": 0, "outbytes": 0}, 2: {"inbytes": 0, "outbytes": 0}, 3: {"inbytes": 8, "outbytes": 0, "buffers": [5]}, 4: {"inbytes": 0, "outbytes": 0, "outhandles": [1]}, 5: {"inbytes": 0, "outbytes": 4, "buffers": [6]}, 6: {"inbytes": 8, "outbytes": 1}, }, 'nn::audio::detail::IAudioDevice': { 0: {"inbytes": 0, "outbytes": 4, "buffers": [6]}, 1: {"inbytes": 4, "outbytes": 0, "buffers": [5]}, 2: {"inbytes": 0, "outbytes": 4, "buffers": [5]}, 3: {"inbytes": 0, "outbytes": 0, "buffers": [6]}, 4: {"inbytes": 0, "outbytes": 0, "outhandles": [1]}, 5: {"inbytes": 0, "outbytes": 4}, }, 'nn::audio::detail::IAudioRenderer': { 0: {"inbytes": 0, "outbytes": 4}, 1: {"inbytes": 0, "outbytes": 4}, 2: {"inbytes": 0, "outbytes": 4}, 3: {"inbytes": 0, "outbytes": 4}, 4: {"inbytes": 0, "outbytes": 0, "buffers": [6, 6, 5]}, 5: {"inbytes": 0, "outbytes": 0}, 6: {"inbytes": 0, "outbytes": 0}, 7: {"inbytes": 0, "outbytes": 0, "outhandles": [1]}, 8: {"inbytes": 4, "outbytes": 0}, 9: {"inbytes": 0, "outbytes": 4}, }, 'nn::codec::detail::IHardwareOpusDecoderManager': { 0: {"inbytes": 0xC, "outbytes": 0, "inhandles": [1], "outinterfaces": ['nn::codec::detail::IHardwareOpusDecoder']}, 1: {"inbytes": 8, "outbytes": 4}, }, 'nn::audio::detail::IAudioInManagerForApplet': { 0: {"inbytes": 0x10, "outbytes": 0, "outhandles": [1]}, 1: {"inbytes": 0x10, "outbytes": 0, "outhandles": [1]}, 2: {"inbytes": 8, "outbytes": 4}, 3: {"inbytes": 0x18, "outbytes": 0}, }, 'nn::audio::detail::IAudioRendererManager': { 0: {"inbytes": 0x48, "outbytes": 0, "inhandles": [1, 1], "outinterfaces": ['nn::audio::detail::IAudioRenderer'], "pid": True}, 1: {"inbytes": 0x34, "outbytes": 8}, 2: {"inbytes": 8, "outbytes": 0, "outinterfaces": ['nn::audio::detail::IAudioDevice']}, }, 'nn::audio::detail::IAudioOutManagerForApplet': { 0: {"inbytes": 0x10, "outbytes": 0, "outhandles": [1]}, 1: {"inbytes": 0x10, "outbytes": 0, "outhandles": [1]}, 2: {"inbytes": 8, "outbytes": 4}, 3: {"inbytes": 0x18, "outbytes": 0}, }, 'nn::audio::detail::IFinalOutputRecorderManagerForApplet': { 0: {"inbytes": 0x10, "outbytes": 0, "outhandles": [1]}, 1: {"inbytes": 0x10, "outbytes": 0, "outhandles": [1]}, }, 'nn::audio::detail::IFinalOutputRecorderManager': { 0: {"inbytes": 0x10, "outbytes": 0x10, "inhandles": [1], "outinterfaces": ['nn::audio::detail::IFinalOutputRecorder']}, }, 'nn::audio::detail::IAudioOutManagerForDebugger': { 0: {"inbytes": 8, "outbytes": 0}, 1: {"inbytes": 8, "outbytes": 0}, }, 'nn::audio::detail::IAudioOutManager': { 0: {"inbytes": 0, "outbytes": 4, "buffers": [6]}, 1: {"inbytes": 0x10, "outbytes": 0x10, "buffers": [5, 6], "inhandles": [1], "outinterfaces": ['nn::audio::detail::IAudioOut'], "pid": True}, }, 'nn::audio::detail::ICodecController': { 0: {"inbytes": 0, "outbytes": 0}, 1: {"inbytes": 0, "outbytes": 0}, 2: {"inbytes": 0, "outbytes": 0}, 3: {"inbytes": 0, "outbytes": 0}, 4: {"inbytes": 4, "outbytes": 0}, 5: {"inbytes": 0, "outbytes": 4}, 6: {"inbytes": 0, "outbytes": 4}, 7: {"inbytes": 4, "outbytes": 0}, 8: {"inbytes": 0, "outbytes": 4}, 9: {"inbytes": 0, "outbytes": 0, "outhandles": [1]}, 10: {"inbytes": 0, "outbytes": 1}, 11: {"inbytes": 0, "outbytes": 0}, 12: {"inbytes": 0, "outbytes": 1}, }, 'nn::audio::detail::IFinalOutputRecorder': { 0: {"inbytes": 0, "outbytes": 4}, 1: {"inbytes": 0, "outbytes": 0}, 2: {"inbytes": 0, "outbytes": 0}, 3: {"inbytes": 8, "outbytes": 0, "buffers": [5]}, 4: {"inbytes": 0, "outbytes": 0, "outhandles": [1]}, 5: {"inbytes": 0, "outbytes": 4, "buffers": [6]}, 6: {"inbytes": 8, "outbytes": 1}, }, 'nn::audio::detail::IAudioIn': { 0: {"inbytes": 0, "outbytes": 4}, 1: {"inbytes": 0, "outbytes": 0}, 2: {"inbytes": 0, "outbytes": 0}, 3: {"inbytes": 8, "outbytes": 0, "buffers": [5]}, 4: {"inbytes": 0, "outbytes": 0, "outhandles": [1]}, 5: {"inbytes": 0, "outbytes": 4, "buffers": [6]}, 6: {"inbytes": 8, "outbytes": 1}, }, 'nn::audio::detail::IFinalOutputRecorderManagerForDebugger': { 0: {"inbytes": 8, "outbytes": 0}, 1: {"inbytes": 8, "outbytes": 0}, }, 'nn::codec::detail::IHardwareOpusDecoder': { 0: {"inbytes": 0, "outbytes": 8, "buffers": [6, 5]}, 1: {"inbytes": 0, "outbytes": 0, "buffers": [5]}, }, 'nn::audio::detail::IAudioRendererManagerForApplet': { 0: {"inbytes": 0x10, "outbytes": 0, "outhandles": [1]}, 1: {"inbytes": 0x10, "outbytes": 0, "outhandles": [1]}, 2: {"inbytes": 8, "outbytes": 4}, 3: {"inbytes": 0x18, "outbytes": 0}, 4: {"inbytes": 8, "outbytes": 0}, 5: {"inbytes": 8, "outbytes": 0}, }, 'nn::sf::hipc::detail::IHipcManager': { 0: {"inbytes": 0, "outbytes": 4}, 1: {"inbytes": 4, "outbytes": 0, "outhandles": [2]}, 2: {"inbytes": 0, "outbytes": 0, "outhandles": [2]}, 3: {"inbytes": 0, "outbytes": 2}, 4: {"inbytes": 4, "outbytes": 0, "outhandles": [2]}, }, 'nn::audio::detail::IAudioInManager': { 0: {"inbytes": 0, "outbytes": 4, "buffers": [6]}, 1: {"inbytes": 0x10, "outbytes": 0x10, "buffers": [5, 6], "inhandles": [1], "outinterfaces": ['nn::audio::detail::IAudioIn'], "pid": True}, }, 'nn::audioctrl::detail::IAudioController': { 0: {"inbytes": 4, "outbytes": 4}, 1: {"inbytes": 8, "outbytes": 0}, 2: {"inbytes": 0, "outbytes": 4}, 3: {"inbytes": 0, "outbytes": 4}, 4: {"inbytes": 4, "outbytes": 1}, 5: {"inbytes": 8, "outbytes": 0}, 6: {"inbytes": 4, "outbytes": 1}, 7: {"inbytes": 0x18, "outbytes": 0}, 8: {"inbytes": 0, "outbytes": 4}, 9: {"inbytes": 4, "outbytes": 4}, 10: {"inbytes": 8, "outbytes": 0}, 11: {"inbytes": 4, "outbytes": 0}, 12: {"inbytes": 0, "outbytes": 4}, 13: {"inbytes": 4, "outbytes": 4}, 14: {"inbytes": 8, "outbytes": 0}, 15: {"inbytes": 4, "outbytes": 0}, 16: {"inbytes": 1, "outbytes": 0}, }, 'nn::audio::detail::IAudioRendererManagerForDebugger': { 0: {"inbytes": 8, "outbytes": 0}, 1: {"inbytes": 8, "outbytes": 0}, }, }, 'LogManager.Prod': { 'nn::sf::hipc::detail::IHipcManager': { 0: {"inbytes": 0, "outbytes": 4}, 1: {"inbytes": 4, "outbytes": 0, "outhandles": [2]}, 2: {"inbytes": 0, "outbytes": 0, "outhandles": [2]}, 3: {"inbytes": 0, "outbytes": 2}, 4: {"inbytes": 4, "outbytes": 0, "outhandles": [2]}, }, 'nn::lm::ILogService': { 0: {"inbytes": 8, "outbytes": 0, "outinterfaces": ['nn::lm::ILogger'], "pid": True}, }, 'nn::lm::ILogger': { 0: {"inbytes": 0, "outbytes": 0, "buffers": [33]}, }, }, 'wlan': { 'nn::wlan::detail::ILocalGetFrame': { 0: {"inbytes": 4, "outbytes": 4, "buffers": [6]}, }, 'nn::wlan::detail::IInfraManager': { 0: {"inbytes": 0, "outbytes": 0}, 1: {"inbytes": 0, "outbytes": 0}, 2: {"inbytes": 0, "outbytes": 6}, 3: {"inbytes": 0, "outbytes": 0, "buffers": [21]}, 4: {"inbytes": 0, "outbytes": 0}, 5: {"inbytes": 0x7C, "outbytes": 0}, 6: {"inbytes": 0, "outbytes": 0}, 7: {"inbytes": 0, "outbytes": 0}, 8: {"inbytes": 4, "outbytes": 0, "outhandles": [1]}, 9: {"inbytes": 0, "outbytes": 0x3C}, 10: {"inbytes": 0, "outbytes": 4}, 11: {"inbytes": 0, "outbytes": 0, "buffers": [6]}, 12: {"inbytes": 0, "outbytes": 4}, 13: {"inbytes": 4, "outbytes": 0}, 14: {"inbytes": 0, "outbytes": 0, "buffers": [10]}, 15: {"inbytes": 0, "outbytes": 0}, 16: {"inbytes": 0, "outbytes": 0}, 17: {"inbytes": 8, "outbytes": 0, "buffers": [9]}, }, 'nn::sf::hipc::detail::IHipcManager': { 0: {"inbytes": 0, "outbytes": 4}, 1: {"inbytes": 4, "outbytes": 0, "outhandles": [2]}, 2: {"inbytes": 0, "outbytes": 0, "outhandles": [2]}, 3: {"inbytes": 0, "outbytes": 2}, 4: {"inbytes": 4, "outbytes": 0, "outhandles": [2]}, }, 'nn::wlan::detail::ISocketManager': { 0: {"inbytes": 0, "outbytes": 0, "buffers": [5]}, 1: {"inbytes": 4, "outbytes": 0}, 2: {"inbytes": 4, "outbytes": 4, "buffers": [9]}, 3: {"inbytes": 4, "outbytes": 0}, 4: {"inbytes": 8, "outbytes": 0}, 5: {"inbytes": 2, "outbytes": 4}, 6: {"inbytes": 0, "outbytes": 6}, 7: {"inbytes": 1, "outbytes": 0}, 8: {"inbytes": 0, "outbytes": 8}, 9: {"inbytes": 4, "outbytes": 0, "inhandles": [1, 1, 1, 1, 1]}, 10: {"inbytes": 0, "outbytes": 0}, 11: {"inbytes": 0, "outbytes": 0}, }, 'nn::wlan::detail::ILocalManager': { 0: {"inbytes": 0, "outbytes": 0}, 1: {"inbytes": 0, "outbytes": 0}, 2: {"inbytes": 0, "outbytes": 0}, 3: {"inbytes": 0, "outbytes": 0}, 4: {"inbytes": 0, "outbytes": 0}, 5: {"inbytes": 0, "outbytes": 0}, 6: {"inbytes": 0, "outbytes": 6}, 7: {"inbytes": 0x80, "outbytes": 0}, 8: {"inbytes": 0, "outbytes": 0}, 9: {"inbytes": 0, "outbytes": 0, "buffers": [21]}, 10: {"inbytes": 0, "outbytes": 0}, 11: {"inbytes": 0x80, "outbytes": 0}, 12: {"inbytes": 0, "outbytes": 0}, 13: {"inbytes": 0x80, "outbytes": 0}, 14: {"inbytes": 0, "outbytes": 0}, 15: {"inbytes": 0x10, "outbytes": 0}, 16: {"inbytes": 4, "outbytes": 0}, 17: {"inbytes": 4, "outbytes": 0, "outhandles": [1]}, 18: {"inbytes": 0, "outbytes": 0x3C}, 19: {"inbytes": 0, "outbytes": 0, "buffers": [22]}, 20: {"inbytes": 0, "outbytes": 0, "outhandles": [1]}, 21: {"inbytes": 0, "outbytes": 0, "buffers": [22]}, 22: {"inbytes": 0, "outbytes": 4}, 23: {"inbytes": 0, "outbytes": 0x50}, 24: {"inbytes": 4, "outbytes": 4, "buffers": [5]}, 25: {"inbytes": 4, "outbytes": 0}, 26: {"inbytes": 0, "outbytes": 0, "buffers": [5]}, 27: {"inbytes": 4, "outbytes": 0}, 28: {"inbytes": 4, "outbytes": 4, "buffers": [9]}, 29: {"inbytes": 4, "outbytes": 0}, 30: {"inbytes": 8, "outbytes": 0}, 31: {"inbytes": 2, "outbytes": 4}, 32: {"inbytes": 4, "outbytes": 0, "buffers": [25]}, 33: {"inbytes": 4, "outbytes": 0, "buffers": [25]}, 34: {"inbytes": 0, "outbytes": 0, "buffers": [25, 6]}, 35: {"inbytes": 0x10, "outbytes": 0, "buffers": [5]}, 36: {"inbytes": 0, "outbytes": 0, "buffers": [5]}, 37: {"inbytes": 0, "outbytes": 0}, 38: {"inbytes": 4, "outbytes": 4, "buffers": [9]}, 39: {"inbytes": 4, "outbytes": 0}, 40: {"inbytes": 8, "outbytes": 0}, 41: {"inbytes": 4, "outbytes": 4}, 42: {"inbytes": 4, "outbytes": 0}, 43: {"inbytes": 0, "outbytes": 4}, 44: {"inbytes": 4, "outbytes": 0}, }, 'nn::wlan::detail::ISocketGetFrame': { 0: {"inbytes": 4, "outbytes": 4, "buffers": [6]}, }, 'nn::wlan::detail::ILocalGetActionFrame': { 0: {"inbytes": 4, "outbytes": 0xC, "buffers": [6]}, }, }, 'ldn': { 'nn::sf::hipc::detail::IHipcManager': { 0: {"inbytes": 0, "outbytes": 4}, 1: {"inbytes": 4, "outbytes": 0, "outhandles": [2]}, 2: {"inbytes": 0, "outbytes": 0, "outhandles": [2]}, 3: {"inbytes": 0, "outbytes": 2}, 4: {"inbytes": 4, "outbytes": 0, "outhandles": [2]}, }, 'nn::ldn::detail::IUserLocalCommunicationService': { 0: {"inbytes": 0, "outbytes": 4}, 1: {"inbytes": 0, "outbytes": 0, "buffers": [26]}, 2: {"inbytes": 0, "outbytes": 8}, 3: {"inbytes": 0, "outbytes": 2}, 4: {"inbytes": 0, "outbytes": 0x20}, 5: {"inbytes": 0, "outbytes": 0x20}, 100: {"inbytes": 0, "outbytes": 0, "outhandles": [1]}, 101: {"inbytes": 0, "outbytes": 0, "buffers": [26, 10]}, 102: {"inbytes": 0x68, "outbytes": 2, "buffers": [34]}, 103: {"inbytes": 0x68, "outbytes": 2, "buffers": [34]}, 200: {"inbytes": 0, "outbytes": 0}, 201: {"inbytes": 0, "outbytes": 0}, 202: {"inbytes": 0x98, "outbytes": 0}, 203: {"inbytes": 0xB8, "outbytes": 0, "buffers": [9]}, 204: {"inbytes": 0, "outbytes": 0}, 205: {"inbytes": 4, "outbytes": 0}, 206: {"inbytes": 0, "outbytes": 0, "buffers": [33]}, 207: {"inbytes": 1, "outbytes": 0}, 208: {"inbytes": 6, "outbytes": 0}, 209: {"inbytes": 0, "outbytes": 0}, 300: {"inbytes": 0, "outbytes": 0}, 301: {"inbytes": 0, "outbytes": 0}, 302: {"inbytes": 0x7C, "outbytes": 0, "buffers": [25]}, 303: {"inbytes": 0xC0, "outbytes": 0}, 304: {"inbytes": 0, "outbytes": 0}, 400: {"inbytes": 8, "outbytes": 0, "pid": True}, 401: {"inbytes": 0, "outbytes": 0}, }, 'nn::ldn::detail::IUserServiceCreator': { 0: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::ldn::detail::IUserLocalCommunicationService']}, }, 'nn::ldn::detail::ISystemServiceCreator': { 0: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::ldn::detail::ISystemLocalCommunicationService']}, }, 'nn::ldn::detail::IMonitorService': { 0: {"inbytes": 0, "outbytes": 4}, 1: {"inbytes": 0, "outbytes": 0, "buffers": [26]}, 2: {"inbytes": 0, "outbytes": 8}, 3: {"inbytes": 0, "outbytes": 2}, 4: {"inbytes": 0, "outbytes": 0x20}, 5: {"inbytes": 0, "outbytes": 0x20}, 100: {"inbytes": 0, "outbytes": 0}, 101: {"inbytes": 0, "outbytes": 0}, }, 'nn::ldn::detail::ISystemLocalCommunicationService': { 0: {"inbytes": 0, "outbytes": 4}, 1: {"inbytes": 0, "outbytes": 0, "buffers": [26]}, 2: {"inbytes": 0, "outbytes": 8}, 3: {"inbytes": 0, "outbytes": 2}, 4: {"inbytes": 0, "outbytes": 0x20}, 5: {"inbytes": 0, "outbytes": 0x20}, 100: {"inbytes": 0, "outbytes": 0, "outhandles": [1]}, 101: {"inbytes": 0, "outbytes": 0, "buffers": [26, 10]}, 102: {"inbytes": 0x68, "outbytes": 2, "buffers": [34]}, 103: {"inbytes": 0x68, "outbytes": 2, "buffers": [34]}, 200: {"inbytes": 0, "outbytes": 0}, 201: {"inbytes": 0, "outbytes": 0}, 202: {"inbytes": 0x98, "outbytes": 0}, 203: {"inbytes": 0xB8, "outbytes": 0, "buffers": [9]}, 204: {"inbytes": 0, "outbytes": 0}, 205: {"inbytes": 4, "outbytes": 0}, 206: {"inbytes": 0, "outbytes": 0, "buffers": [33]}, 207: {"inbytes": 1, "outbytes": 0}, 208: {"inbytes": 6, "outbytes": 0}, 209: {"inbytes": 0, "outbytes": 0}, 300: {"inbytes": 0, "outbytes": 0}, 301: {"inbytes": 0, "outbytes": 0}, 302: {"inbytes": 0x7C, "outbytes": 0, "buffers": [25]}, 303: {"inbytes": 0xC0, "outbytes": 0}, 304: {"inbytes": 0, "outbytes": 0}, 400: {"inbytes": 8, "outbytes": 0, "pid": True}, 401: {"inbytes": 0, "outbytes": 0}, }, 'nn::ldn::detail::IMonitorServiceCreator': { 0: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::ldn::detail::IMonitorService']}, }, }, 'nvservices': { 'nv::gemcoredump::INvGemCoreDump': { 0: {"inbytes": 0, "outbytes": 4}, 1: {"inbytes": 0, "outbytes": 0x10}, 2: {"inbytes": 0, "outbytes": 4, "buffers": [34]}, }, 'nn::sf::hipc::detail::IHipcManager': { 0: {"inbytes": 0, "outbytes": 4}, 1: {"inbytes": 4, "outbytes": 0, "outhandles": [2]}, 2: {"inbytes": 0, "outbytes": 0, "outhandles": [2]}, 3: {"inbytes": 0, "outbytes": 2}, 4: {"inbytes": 4, "outbytes": 0, "outhandles": [2]}, }, 'nv::gemcontrol::INvGemControl': { 0: {"inbytes": 0, "outbytes": 4}, 1: {"inbytes": 0, "outbytes": 4, "outhandles": [1]}, 2: {"inbytes": 1, "outbytes": 4}, 3: {"inbytes": 0x10, "outbytes": 4}, 4: {"inbytes": 0x10, "outbytes": 4}, 5: {"inbytes": 0, "outbytes": 0x10}, 6: {"inbytes": 0, "outbytes": 4}, }, 'nns::nvdrv::INvDrvDebugFSServices': { 0: {"inbytes": 0, "outbytes": 4, "inhandles": [1]}, 1: {"inbytes": 4, "outbytes": 0}, 2: {"inbytes": 4, "outbytes": 4, "buffers": [6]}, 3: {"inbytes": 4, "outbytes": 4, "buffers": [5, 6]}, 4: {"inbytes": 4, "outbytes": 4, "buffers": [5, 5]}, }, 'nns::nvdrv::INvDrvServices': { 0: {"inbytes": 0, "outbytes": 8, "buffers": [5]}, 1: {"inbytes": 8, "outbytes": 4, "buffers": [33, 34]}, 2: {"inbytes": 4, "outbytes": 4}, 3: {"inbytes": 4, "outbytes": 4, "inhandles": [1, 1]}, 4: {"inbytes": 8, "outbytes": 4, "outhandles": [1]}, 5: {"inbytes": 8, "outbytes": 4, "inhandles": [1]}, 6: {"inbytes": 0, "outbytes": 0x24}, 7: {"inbytes": 8, "outbytes": 4}, 8: {"inbytes": 8, "outbytes": 4, "pid": True}, 9: {"inbytes": 0, "outbytes": 0}, }, }, 'pcv': { 'nn::sf::hipc::detail::IHipcManager': { 0: {"inbytes": 0, "outbytes": 4}, 1: {"inbytes": 4, "outbytes": 0, "outhandles": [2]}, 2: {"inbytes": 0, "outbytes": 0, "outhandles": [2]}, 3: {"inbytes": 0, "outbytes": 2}, 4: {"inbytes": 4, "outbytes": 0, "outhandles": [2]}, }, 'nn::timesrv::detail::service::IStaticService': { 0: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::timesrv::detail::service::ISystemClock']}, 1: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::timesrv::detail::service::ISystemClock']}, 2: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::timesrv::detail::service::ISteadyClock']}, 3: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::timesrv::detail::service::ITimeZoneService']}, 4: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::timesrv::detail::service::ISystemClock']}, 100: {"inbytes": 0, "outbytes": 1}, 101: {"inbytes": 1, "outbytes": 0}, }, 'nn::bpc::IPowerButtonManager': { 0: {"inbytes": 0, "outbytes": 4}, 1: {"inbytes": 4, "outbytes": 0, "outhandles": [1]}, }, 'nn::pcv::detail::IPcvService': { 0: {"inbytes": 8, "outbytes": 0}, 1: {"inbytes": 8, "outbytes": 0}, 2: {"inbytes": 8, "outbytes": 0}, 3: {"inbytes": 4, "outbytes": 4}, 4: {"inbytes": 4, "outbytes": 0xC}, 5: {"inbytes": 8, "outbytes": 8, "buffers": [10]}, 6: {"inbytes": 8, "outbytes": 0}, 7: {"inbytes": 8, "outbytes": 0}, 8: {"inbytes": 8, "outbytes": 0}, 9: {"inbytes": 4, "outbytes": 1}, 10: {"inbytes": 4, "outbytes": 0xC}, 11: {"inbytes": 8, "outbytes": 0}, 12: {"inbytes": 4, "outbytes": 4}, 13: {"inbytes": 4, "outbytes": 4, "buffers": [10]}, 14: {"inbytes": 4, "outbytes": 0}, 15: {"inbytes": 0, "outbytes": 0}, 16: {"inbytes": 0, "outbytes": 1}, 17: {"inbytes": 0, "outbytes": 0}, }, 'nn::bpc::IRtcManager': { 0: {"inbytes": 0, "outbytes": 8}, 1: {"inbytes": 8, "outbytes": 0}, 2: {"inbytes": 0, "outbytes": 1}, }, 'nn::timesrv::detail::service::ISteadyClock': { 0: {"inbytes": 0, "outbytes": 0x18}, 2: {"inbytes": 0, "outbytes": 8}, 3: {"inbytes": 8, "outbytes": 0}, }, 'nn::bpc::IBoardPowerControlManager': { 0: {"inbytes": 0, "outbytes": 0}, 1: {"inbytes": 0, "outbytes": 0}, 2: {"inbytes": 0, "outbytes": 4}, 3: {"inbytes": 0, "outbytes": 4}, 4: {"inbytes": 0, "outbytes": 1}, 5: {"inbytes": 4, "outbytes": 0, "outhandles": [1]}, }, 'nn::pcv::IImmediateManager': { 0: {"inbytes": 8, "outbytes": 0}, }, 'nn::timesrv::detail::service::ISystemClock': { 0: {"inbytes": 0, "outbytes": 8}, 1: {"inbytes": 8, "outbytes": 0}, 2: {"inbytes": 0, "outbytes": 0x20}, 3: {"inbytes": 0x20, "outbytes": 0}, }, 'nn::timesrv::detail::service::ITimeZoneService': { 0: {"inbytes": 0, "outbytes": 0x24}, 1: {"inbytes": 0x24, "outbytes": 0}, 2: {"inbytes": 0, "outbytes": 4}, 3: {"inbytes": 4, "outbytes": 4, "buffers": [6]}, 4: {"inbytes": 0x24, "outbytes": 0, "buffers": [22]}, 100: {"inbytes": 8, "outbytes": 0x20, "buffers": [21]}, 101: {"inbytes": 8, "outbytes": 0x20}, 201: {"inbytes": 8, "outbytes": 4, "buffers": [21, 10]}, 202: {"inbytes": 8, "outbytes": 4, "buffers": [10]}, }, 'nn::bpc::IWakeupConfigManager': { 0: {"inbytes": 8, "outbytes": 4}, 1: {"inbytes": 4, "outbytes": 0}, 2: {"inbytes": 0, "outbytes": 0x10}, }, }, 'ppc': { 'nn::fgm::sf::IDebugger': { 0: {"inbytes": 8, "outbytes": 0, "inhandles": [1], "outhandles": [1]}, 1: {"inbytes": 0, "outbytes": 0xC, "buffers": [6]}, 2: {"inbytes": 0, "outbytes": 0}, }, 'nn::apm::IManager': { 0: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::apm::ISession']}, 1: {"inbytes": 0, "outbytes": 4}, }, 'nn::apm::IDebugManager': { 0: {"inbytes": 0, "outbytes": 0x28}, 1: {"inbytes": 0, "outbytes": 0x28}, 2: {"inbytes": 0, "outbytes": 0}, }, 'nn::sf::hipc::detail::IHipcManager': { 0: {"inbytes": 0, "outbytes": 4}, 1: {"inbytes": 4, "outbytes": 0, "outhandles": [2]}, 2: {"inbytes": 0, "outbytes": 0, "outhandles": [2]}, 3: {"inbytes": 0, "outbytes": 2}, 4: {"inbytes": 4, "outbytes": 0, "outhandles": [2]}, }, 'nn::fgm::sf::IRequest': { 0: {"inbytes": 0x10, "outbytes": 0, "outhandles": [1], "pid": True}, 1: {"inbytes": 8, "outbytes": 0}, 2: {"inbytes": 0, "outbytes": 4}, 3: {"inbytes": 0, "outbytes": 0}, }, 'nn::apm::ISystemManager': { 0: {"inbytes": 4, "outbytes": 0}, 1: {"inbytes": 4, "outbytes": 0, "outhandles": [1]}, }, 'nn::apm::IManagerPrivileged': { 0: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::apm::ISession']}, }, 'nn::apm::ISession': { 0: {"inbytes": 8, "outbytes": 0}, 1: {"inbytes": 4, "outbytes": 4}, }, 'nn::fgm::sf::ISession': { 0: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::fgm::sf::IRequest']}, }, }, 'nvnflinger': { 'nn::sf::hipc::detail::IHipcManager': { 0: {"inbytes": 0, "outbytes": 4}, 1: {"inbytes": 4, "outbytes": 0, "outhandles": [2]}, 2: {"inbytes": 0, "outbytes": 0, "outhandles": [2]}, 3: {"inbytes": 0, "outbytes": 2}, 4: {"inbytes": 4, "outbytes": 0, "outhandles": [2]}, }, }, 'pcie.withoutHb': { 'nn::pcie::detail::IManager': { 0: {"inbytes": 0x18, "outbytes": 0, "inhandles": [1], "outhandles": [1], "outinterfaces": ['nn::pcie::detail::ISession']}, 1: {"inbytes": 0, "outbytes": 4, "buffers": [6]}, }, 'nn::sf::hipc::detail::IHipcManager': { 0: {"inbytes": 0, "outbytes": 4}, 1: {"inbytes": 4, "outbytes": 0, "outhandles": [2]}, 2: {"inbytes": 0, "outbytes": 0, "outhandles": [2]}, 3: {"inbytes": 0, "outbytes": 2}, 4: {"inbytes": 4, "outbytes": 0, "outhandles": [2]}, }, 'nn::pcie::detail::ISession': { 0: {"inbytes": 0, "outbytes": 4, "buffers": [6]}, 1: {"inbytes": 4, "outbytes": 0, "outhandles": [1]}, 2: {"inbytes": 4, "outbytes": 0}, 3: {"inbytes": 4, "outbytes": 0, "buffers": [6]}, 4: {"inbytes": 8, "outbytes": 0x18}, 5: {"inbytes": 0xC, "outbytes": 4}, 6: {"inbytes": 0x10, "outbytes": 0}, 7: {"inbytes": 0x10, "outbytes": 0, "buffers": [6]}, 8: {"inbytes": 0x10, "outbytes": 0, "buffers": [5]}, 9: {"inbytes": 8, "outbytes": 4}, 10: {"inbytes": 8, "outbytes": 4}, 11: {"inbytes": 0x18, "outbytes": 8}, 12: {"inbytes": 0x10, "outbytes": 0}, 13: {"inbytes": 0x10, "outbytes": 0}, 14: {"inbytes": 0x10, "outbytes": 8}, 15: {"inbytes": 4, "outbytes": 0x10}, 16: {"inbytes": 8, "outbytes": 0}, 17: {"inbytes": 8, "outbytes": 0, "outhandles": [1]}, 18: {"inbytes": 4, "outbytes": 0}, 19: {"inbytes": 0xC, "outbytes": 0}, 20: {"inbytes": 8, "outbytes": 0}, }, }, 'account': { 'nn::account::detail::IAsyncContext': { 0: {"inbytes": 0, "outbytes": 0, "outhandles": [1]}, 1: {"inbytes": 0, "outbytes": 0}, 2: {"inbytes": 0, "outbytes": 1}, 3: {"inbytes": 0, "outbytes": 0}, }, 'nn::account::detail::INotifier': { 0: {"inbytes": 0, "outbytes": 0, "outhandles": [1]}, }, 'nn::account::baas::IManagerForSystemService': { 0: {"inbytes": 0, "outbytes": 0}, 1: {"inbytes": 0, "outbytes": 8}, 2: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::account::detail::IAsyncContext']}, 3: {"inbytes": 0, "outbytes": 4, "buffers": [6]}, 100: {"inbytes": 8, "outbytes": 0, "buffers": [25], "pid": True}, 120: {"inbytes": 0, "outbytes": 8}, 130: {"inbytes": 0, "outbytes": 8, "buffers": [26, 6]}, 131: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::account::detail::IAsyncContext']}, 132: {"inbytes": 4, "outbytes": 1, "outinterfaces": ['nn::account::detail::IAsyncContext']}, 150: {"inbytes": 4, "outbytes": 0, "buffers": [25, 25], "inhandles": [1], "outinterfaces": ['nn::account::nas::IAuthorizationRequest']}, }, 'nn::account::baas::IGuestLoginRequest': { 0: {"inbytes": 0, "outbytes": 0x10}, 11: {"inbytes": 0, "outbytes": 4, "buffers": [6]}, 12: {"inbytes": 0, "outbytes": 8}, 13: {"inbytes": 0, "outbytes": 8}, 14: {"inbytes": 0, "outbytes": 0, "buffers": [10]}, 15: {"inbytes": 0, "outbytes": 4, "buffers": [6]}, }, 'nn::account::nas::IAuthorizationRequest': { 0: {"inbytes": 0, "outbytes": 0x10}, 10: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::account::detail::IAsyncContext']}, 20: {"inbytes": 0, "outbytes": 4, "buffers": [6]}, 21: {"inbytes": 0, "outbytes": 4, "buffers": [6]}, 22: {"inbytes": 0, "outbytes": 0, "buffers": [26]}, }, 'nn::account::baas::IAdministrator': { 0: {"inbytes": 0, "outbytes": 0}, 1: {"inbytes": 0, "outbytes": 8}, 2: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::account::detail::IAsyncContext']}, 3: {"inbytes": 0, "outbytes": 4, "buffers": [6]}, 100: {"inbytes": 8, "outbytes": 0, "buffers": [25], "pid": True}, 120: {"inbytes": 0, "outbytes": 8}, 130: {"inbytes": 0, "outbytes": 8, "buffers": [26, 6]}, 131: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::account::detail::IAsyncContext']}, 132: {"inbytes": 4, "outbytes": 1, "outinterfaces": ['nn::account::detail::IAsyncContext']}, 150: {"inbytes": 4, "outbytes": 0, "buffers": [25, 25], "inhandles": [1], "outinterfaces": ['nn::account::nas::IAuthorizationRequest']}, 200: {"inbytes": 0, "outbytes": 1}, 201: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::account::detail::IAsyncContext']}, 202: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::account::detail::IAsyncContext']}, 203: {"inbytes": 0, "outbytes": 0}, 220: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::account::detail::IAsyncContext']}, 250: {"inbytes": 0, "outbytes": 1}, 251: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::account::nas::IOAuthProcedureForNintendoAccountLinkage']}, 252: {"inbytes": 0x10, "outbytes": 0, "outinterfaces": ['nn::account::nas::IOAuthProcedureForNintendoAccountLinkage']}, 255: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::account::http::IOAuthProcedure']}, 256: {"inbytes": 0x10, "outbytes": 0, "outinterfaces": ['nn::account::http::IOAuthProcedure']}, 280: {"inbytes": 0x10, "outbytes": 0, "outinterfaces": ['nn::account::http::IOAuthProcedure']}, 997: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::account::detail::IAsyncContext']}, 998: {"inbytes": 4, "outbytes": 0}, 999: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::account::detail::IAsyncContext']}, }, 'nn::account::profile::IProfileEditor': { 0: {"inbytes": 0, "outbytes": 0x38, "buffers": [26]}, 1: {"inbytes": 0, "outbytes": 0x38}, 10: {"inbytes": 0, "outbytes": 4}, 11: {"inbytes": 0, "outbytes": 4, "buffers": [6]}, 100: {"inbytes": 0x38, "outbytes": 0, "buffers": [25]}, 101: {"inbytes": 0x38, "outbytes": 0, "buffers": [25, 5]}, }, 'nn::account::IAccountServiceForSystemService': { 0: {"inbytes": 0, "outbytes": 4}, 1: {"inbytes": 0x10, "outbytes": 1}, 2: {"inbytes": 0, "outbytes": 0, "buffers": [10]}, 3: {"inbytes": 0, "outbytes": 0, "buffers": [10]}, 4: {"inbytes": 0, "outbytes": 0x10}, 5: {"inbytes": 0x10, "outbytes": 0, "outinterfaces": ['nn::account::profile::IProfile']}, 50: {"inbytes": 8, "outbytes": 1, "pid": True}, 51: {"inbytes": 1, "outbytes": 0x10}, 100: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::account::detail::INotifier']}, 101: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::account::detail::INotifier']}, 102: {"inbytes": 0x10, "outbytes": 0, "outinterfaces": ['nn::account::baas::IManagerForSystemService']}, 103: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::account::detail::INotifier']}, 110: {"inbytes": 0x18, "outbytes": 0, "buffers": [5]}, 111: {"inbytes": 0x18, "outbytes": 0}, 112: {"inbytes": 0x18, "outbytes": 4, "buffers": [6]}, 190: {"inbytes": 0x10, "outbytes": 0x10}, 998: {"inbytes": 0x10, "outbytes": 0}, 999: {"inbytes": 0x10, "outbytes": 0}, }, 'nn::account::profile::IProfile': { 0: {"inbytes": 0, "outbytes": 0x38, "buffers": [26]}, 1: {"inbytes": 0, "outbytes": 0x38}, 10: {"inbytes": 0, "outbytes": 4}, 11: {"inbytes": 0, "outbytes": 4, "buffers": [6]}, }, 'nn::account::IAccountServiceForApplication': { 0: {"inbytes": 0, "outbytes": 4}, 1: {"inbytes": 0x10, "outbytes": 1}, 2: {"inbytes": 0, "outbytes": 0, "buffers": [10]}, 3: {"inbytes": 0, "outbytes": 0, "buffers": [10]}, 4: {"inbytes": 0, "outbytes": 0x10}, 5: {"inbytes": 0x10, "outbytes": 0, "outinterfaces": ['nn::account::profile::IProfile']}, 50: {"inbytes": 8, "outbytes": 1, "pid": True}, 51: {"inbytes": 1, "outbytes": 0x10}, 100: {"inbytes": 8, "outbytes": 0, "pid": True}, 101: {"inbytes": 0x10, "outbytes": 0, "outinterfaces": ['nn::account::baas::IManagerForApplication']}, 102: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::account::detail::IAsyncContext']}, 110: {"inbytes": 0x10, "outbytes": 0, "buffers": [5]}, 111: {"inbytes": 0x10, "outbytes": 0}, 120: {"inbytes": 4, "outbytes": 0, "inhandles": [1], "outinterfaces": ['nn::account::baas::IGuestLoginRequest']}, }, 'nn::account::IBaasAccessTokenAccessor': { 0: {"inbytes": 0x10, "outbytes": 0, "outinterfaces": ['nn::account::detail::IAsyncContext']}, 1: {"inbytes": 0x10, "outbytes": 4, "buffers": [6]}, 2: {"inbytes": 0x10, "outbytes": 8}, 50: {"inbytes": 0x38, "outbytes": 0, "outinterfaces": ['nn::account::detail::IAsyncContext']}, 51: {"inbytes": 0x10, "outbytes": 0, "outinterfaces": ['nn::account::detail::IAsyncContext']}, }, 'nn::account::nas::IOAuthProcedureForGuestLogin': { 0: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::account::detail::IAsyncContext']}, 1: {"inbytes": 0, "outbytes": 0, "buffers": [26, 26]}, 2: {"inbytes": 0, "outbytes": 0, "buffers": [9]}, 3: {"inbytes": 0, "outbytes": 0, "buffers": [9], "outinterfaces": ['nn::account::detail::IAsyncContext']}, 10: {"inbytes": 0, "outbytes": 0x10}, 100: {"inbytes": 0, "outbytes": 8}, 101: {"inbytes": 0, "outbytes": 8}, 102: {"inbytes": 0, "outbytes": 0, "buffers": [10]}, 103: {"inbytes": 0, "outbytes": 4, "buffers": [6]}, }, 'nn::sf::hipc::detail::IHipcManager': { 0: {"inbytes": 0, "outbytes": 4}, 1: {"inbytes": 4, "outbytes": 0, "outhandles": [2]}, 2: {"inbytes": 0, "outbytes": 0, "outhandles": [2]}, 3: {"inbytes": 0, "outbytes": 2}, 4: {"inbytes": 4, "outbytes": 0, "outhandles": [2]}, }, 'nn::account::http::IOAuthProcedure': { 0: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::account::detail::IAsyncContext']}, 1: {"inbytes": 0, "outbytes": 0, "buffers": [26, 26]}, 2: {"inbytes": 0, "outbytes": 0, "buffers": [9]}, 3: {"inbytes": 0, "outbytes": 0, "buffers": [9], "outinterfaces": ['nn::account::detail::IAsyncContext']}, 10: {"inbytes": 0, "outbytes": 0x10}, }, 'nn::account::IAccountServiceForAdministrator': { 0: {"inbytes": 0, "outbytes": 4}, 1: {"inbytes": 0x10, "outbytes": 1}, 2: {"inbytes": 0, "outbytes": 0, "buffers": [10]}, 3: {"inbytes": 0, "outbytes": 0, "buffers": [10]}, 4: {"inbytes": 0, "outbytes": 0x10}, 5: {"inbytes": 0x10, "outbytes": 0, "outinterfaces": ['nn::account::profile::IProfile']}, 50: {"inbytes": 8, "outbytes": 1, "pid": True}, 51: {"inbytes": 1, "outbytes": 0x10}, 100: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::account::detail::INotifier']}, 101: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::account::detail::INotifier']}, 102: {"inbytes": 0x10, "outbytes": 0, "outinterfaces": ['nn::account::baas::IManagerForSystemService']}, 103: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::account::detail::INotifier']}, 110: {"inbytes": 0x18, "outbytes": 0, "buffers": [5]}, 111: {"inbytes": 0x18, "outbytes": 0}, 112: {"inbytes": 0x18, "outbytes": 4, "buffers": [6]}, 190: {"inbytes": 0x10, "outbytes": 0x10}, 200: {"inbytes": 0, "outbytes": 0x10}, 201: {"inbytes": 0x10, "outbytes": 0}, 202: {"inbytes": 0x10, "outbytes": 0}, 203: {"inbytes": 0x10, "outbytes": 0}, 204: {"inbytes": 0x18, "outbytes": 0}, 205: {"inbytes": 0x10, "outbytes": 0, "outinterfaces": ['nn::account::profile::IProfileEditor']}, 230: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::account::detail::IAsyncContext']}, 250: {"inbytes": 0x10, "outbytes": 0, "outinterfaces": ['nn::account::baas::IAdministrator']}, 290: {"inbytes": 0x10, "outbytes": 0, "outinterfaces": ['nn::account::nas::IOAuthProcedureForGuestLogin']}, 998: {"inbytes": 0x10, "outbytes": 0}, 999: {"inbytes": 0x10, "outbytes": 0}, }, 'nn::account::baas::IManagerForApplication': { 0: {"inbytes": 0, "outbytes": 0}, 1: {"inbytes": 0, "outbytes": 8}, 2: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::account::detail::IAsyncContext']}, 3: {"inbytes": 0, "outbytes": 4, "buffers": [6]}, 130: {"inbytes": 0, "outbytes": 8, "buffers": [26, 6]}, 150: {"inbytes": 4, "outbytes": 0, "buffers": [25], "inhandles": [1], "outinterfaces": ['nn::account::nas::IAuthorizationRequest']}, }, 'nn::account::nas::IOAuthProcedureForNintendoAccountLinkage': { 0: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::account::detail::IAsyncContext']}, 1: {"inbytes": 0, "outbytes": 0, "buffers": [26, 26]}, 2: {"inbytes": 0, "outbytes": 0, "buffers": [9]}, 3: {"inbytes": 0, "outbytes": 0, "buffers": [9], "outinterfaces": ['nn::account::detail::IAsyncContext']}, 10: {"inbytes": 0, "outbytes": 0x10}, 100: {"inbytes": 4, "outbytes": 0, "buffers": [26, 26]}, 101: {"inbytes": 0, "outbytes": 1}, }, }, 'ns': { 'nn::ns::detail::IDevelopInterface': { 0: {"inbytes": 0x18, "outbytes": 8}, 1: {"inbytes": 8, "outbytes": 0}, 2: {"inbytes": 8, "outbytes": 0}, 4: {"inbytes": 0, "outbytes": 0, "outhandles": [1]}, 5: {"inbytes": 0, "outbytes": 0x10}, 6: {"inbytes": 0, "outbytes": 0}, 7: {"inbytes": 0, "outbytes": 0x10, "buffers": [5]}, 8: {"inbytes": 0x10, "outbytes": 8}, 9: {"inbytes": 0x10, "outbytes": 8}, }, 'nn::ovln::IReceiver': { 0: {"inbytes": 0x10, "outbytes": 0}, 1: {"inbytes": 0x10, "outbytes": 0}, 2: {"inbytes": 0, "outbytes": 0, "outhandles": [1]}, 3: {"inbytes": 0, "outbytes": 0x80}, 4: {"inbytes": 0, "outbytes": 0x88}, }, 'nn::pdm::detail::IQueryService': { 0: {"inbytes": 4, "outbytes": 4, "buffers": [6]}, 1: {"inbytes": 0, "outbytes": 4, "buffers": [6]}, 2: {"inbytes": 0x10, "outbytes": 4, "buffers": [6]}, 3: {"inbytes": 8, "outbytes": 4, "buffers": [6]}, 4: {"inbytes": 8, "outbytes": 0x28}, 5: {"inbytes": 0x18, "outbytes": 0x28}, 6: {"inbytes": 0x10, "outbytes": 0x28}, 7: {"inbytes": 0, "outbytes": 4, "buffers": [6, 5]}, 8: {"inbytes": 4, "outbytes": 4, "buffers": [6]}, 9: {"inbytes": 0, "outbytes": 0xC}, }, 'nn::mii::detail::IDatabaseService': { 0: {"inbytes": 4, "outbytes": 1}, 1: {"inbytes": 0, "outbytes": 1}, 2: {"inbytes": 4, "outbytes": 4}, 3: {"inbytes": 4, "outbytes": 4, "buffers": [6]}, 4: {"inbytes": 4, "outbytes": 4, "buffers": [6]}, 5: {"inbytes": 0x5C, "outbytes": 0x58}, 6: {"inbytes": 0xC, "outbytes": 0x58}, 7: {"inbytes": 4, "outbytes": 0x58}, 8: {"inbytes": 4, "outbytes": 4, "buffers": [6]}, 9: {"inbytes": 4, "outbytes": 4, "buffers": [6]}, 10: {"inbytes": 0x48, "outbytes": 0x44}, 11: {"inbytes": 0x11, "outbytes": 4}, 12: {"inbytes": 0x14, "outbytes": 0}, 13: {"inbytes": 0x44, "outbytes": 0}, 14: {"inbytes": 0x10, "outbytes": 0}, 15: {"inbytes": 0, "outbytes": 0}, 16: {"inbytes": 0, "outbytes": 0}, 17: {"inbytes": 0, "outbytes": 0}, 18: {"inbytes": 0, "outbytes": 0, "buffers": [5]}, 19: {"inbytes": 0, "outbytes": 0, "buffers": [6]}, 20: {"inbytes": 0, "outbytes": 1}, 21: {"inbytes": 0x58, "outbytes": 4}, }, 'nn::mii::detail::IStaticService': { 0: {"inbytes": 4, "outbytes": 0, "outinterfaces": ['nn::mii::detail::IDatabaseService']}, }, 'nn::ns::detail::IAsyncValue': { 0: {"inbytes": 0, "outbytes": 8}, 1: {"inbytes": 0, "outbytes": 0, "buffers": [6]}, 2: {"inbytes": 0, "outbytes": 0}, }, 'nn::ovln::ISenderService': { 0: {"inbytes": 0x18, "outbytes": 0, "outinterfaces": ['nn::ovln::ISender']}, }, 'nn::ns::detail::IAsyncResult': { 0: {"inbytes": 0, "outbytes": 0}, 1: {"inbytes": 0, "outbytes": 0}, }, 'nn::ns::detail::IApplicationManagerInterface': { 0: {"inbytes": 4, "outbytes": 4, "buffers": [6]}, 1: {"inbytes": 0, "outbytes": 8}, 2: {"inbytes": 0, "outbytes": 0, "outhandles": [1]}, 3: {"inbytes": 0, "outbytes": 0, "buffers": [6, 5]}, 4: {"inbytes": 8, "outbytes": 0}, 5: {"inbytes": 8, "outbytes": 0}, 6: {"inbytes": 0, "outbytes": 1}, 7: {"inbytes": 0, "outbytes": 0}, 8: {"inbytes": 0x10, "outbytes": 1}, 9: {"inbytes": 0x10, "outbytes": 0}, 11: {"inbytes": 8, "outbytes": 0x80}, 16: {"inbytes": 0x10, "outbytes": 0, "buffers": [5]}, 17: {"inbytes": 0x10, "outbytes": 4, "buffers": [6]}, 18: {"inbytes": 8, "outbytes": 1}, 19: {"inbytes": 8, "outbytes": 8}, 21: {"inbytes": 0x10, "outbytes": 0, "buffers": [22]}, 22: {"inbytes": 8, "outbytes": 0}, 26: {"inbytes": 0x10, "outbytes": 0}, 27: {"inbytes": 0, "outbytes": 0, "buffers": [5]}, 30: {"inbytes": 8, "outbytes": 0, "outhandles": [1], "outinterfaces": ['nn::ns::detail::IAsyncValue']}, 31: {"inbytes": 0x10, "outbytes": 0, "outhandles": [1], "outinterfaces": ['nn::ns::detail::IAsyncResult']}, 32: {"inbytes": 8, "outbytes": 0}, 33: {"inbytes": 8, "outbytes": 0}, 34: {"inbytes": 0, "outbytes": 0}, 35: {"inbytes": 0, "outbytes": 0, "buffers": [5]}, 36: {"inbytes": 0x10, "outbytes": 0}, 37: {"inbytes": 0, "outbytes": 4, "buffers": [6]}, 38: {"inbytes": 8, "outbytes": 0}, 39: {"inbytes": 8, "outbytes": 0}, 40: {"inbytes": 8, "outbytes": 8, "buffers": [21, 6]}, 41: {"inbytes": 8, "outbytes": 8}, 42: {"inbytes": 0, "outbytes": 0}, 43: {"inbytes": 0, "outbytes": 0}, 44: {"inbytes": 0, "outbytes": 0, "outhandles": [1]}, 45: {"inbytes": 0, "outbytes": 0, "outhandles": [1]}, 46: {"inbytes": 0, "outbytes": 0x10}, 47: {"inbytes": 1, "outbytes": 8}, 48: {"inbytes": 1, "outbytes": 8}, 49: {"inbytes": 0, "outbytes": 0, "outhandles": [1]}, 52: {"inbytes": 0, "outbytes": 0, "outhandles": [1]}, 53: {"inbytes": 8, "outbytes": 0}, 54: {"inbytes": 8, "outbytes": 0}, 55: {"inbytes": 4, "outbytes": 1}, 56: {"inbytes": 0x10, "outbytes": 0}, 57: {"inbytes": 8, "outbytes": 0}, 58: {"inbytes": 0, "outbytes": 0}, 59: {"inbytes": 1, "outbytes": 8}, 60: {"inbytes": 8, "outbytes": 1}, 61: {"inbytes": 0, "outbytes": 0x10}, 62: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::ns::detail::IGameCardStopper']}, 63: {"inbytes": 8, "outbytes": 1}, 100: {"inbytes": 0, "outbytes": 0}, 101: {"inbytes": 0, "outbytes": 0}, 200: {"inbytes": 0x10, "outbytes": 0x10}, 201: {"inbytes": 0x10, "outbytes": 0, "outinterfaces": ['nn::ns::detail::IProgressMonitorForDeleteUserSaveDataAll']}, 210: {"inbytes": 0x18, "outbytes": 0}, 220: {"inbytes": 0x10, "outbytes": 0}, 300: {"inbytes": 0, "outbytes": 0, "outhandles": [1]}, 301: {"inbytes": 0, "outbytes": 4, "buffers": [6]}, 302: {"inbytes": 8, "outbytes": 8}, 303: {"inbytes": 8, "outbytes": 0}, 304: {"inbytes": 0, "outbytes": 8}, 305: {"inbytes": 8, "outbytes": 0}, 306: {"inbytes": 0, "outbytes": 8}, 307: {"inbytes": 8, "outbytes": 0}, 400: {"inbytes": 0x10, "outbytes": 4, "buffers": [6]}, 401: {"inbytes": 0, "outbytes": 0}, 403: {"inbytes": 0, "outbytes": 4}, 402: {"inbytes": 8, "outbytes": 0, "outhandles": [1], "outinterfaces": ['nn::ns::detail::IAsyncResult']}, }, 'nn::ns::detail::ISystemUpdateInterface': { 0: {"inbytes": 0, "outbytes": 1}, 1: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::ns::detail::ISystemUpdateControl']}, 2: {"inbytes": 0, "outbytes": 0}, 3: {"inbytes": 0, "outbytes": 0}, 4: {"inbytes": 0, "outbytes": 0}, 5: {"inbytes": 0x10, "outbytes": 0}, 6: {"inbytes": 0, "outbytes": 0}, 7: {"inbytes": 0, "outbytes": 0, "outhandles": [1]}, 8: {"inbytes": 0, "outbytes": 0}, }, 'nn::pl::detail::ISharedFontManager': { 0: {"inbytes": 4, "outbytes": 0}, 1: {"inbytes": 4, "outbytes": 4}, 2: {"inbytes": 4, "outbytes": 4}, 3: {"inbytes": 4, "outbytes": 4}, 4: {"inbytes": 0, "outbytes": 0, "outhandles": [1]}, 5: {"inbytes": 8, "outbytes": 8, "buffers": [6, 6, 6]}, }, 'nn::pdm::detail::INotifyService': { 0: {"inbytes": 0x10, "outbytes": 0}, 2: {"inbytes": 1, "outbytes": 0}, 3: {"inbytes": 1, "outbytes": 0}, 4: {"inbytes": 0, "outbytes": 0}, }, 'nn::ovln::IReceiverService': { 0: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::ovln::IReceiver']}, }, 'nn::ns::detail::IProgressMonitorForDeleteUserSaveDataAll': { 0: {"inbytes": 0, "outbytes": 0, "outhandles": [1]}, 1: {"inbytes": 0, "outbytes": 1}, 2: {"inbytes": 0, "outbytes": 0}, 10: {"inbytes": 0, "outbytes": 0x28}, }, 'nn::ns::detail::IGameCardStopper': { }, 'nn::ns::detail::ISystemUpdateControl': { 0: {"inbytes": 0, "outbytes": 1}, 1: {"inbytes": 0, "outbytes": 0, "outhandles": [1], "outinterfaces": ['nn::ns::detail::IAsyncValue']}, 2: {"inbytes": 0, "outbytes": 0, "outhandles": [1], "outinterfaces": ['nn::ns::detail::IAsyncResult']}, 3: {"inbytes": 0, "outbytes": 0x10}, 4: {"inbytes": 0, "outbytes": 0}, 5: {"inbytes": 0, "outbytes": 0, "outhandles": [1], "outinterfaces": ['nn::ns::detail::IAsyncResult']}, 6: {"inbytes": 0, "outbytes": 0x10}, 7: {"inbytes": 0, "outbytes": 1}, 8: {"inbytes": 0, "outbytes": 0}, 9: {"inbytes": 0, "outbytes": 8, "buffers": [21]}, 10: {"inbytes": 0, "outbytes": 8, "buffers": [21, 6]}, 11: {"inbytes": 8, "outbytes": 0, "inhandles": [1]}, 12: {"inbytes": 0, "outbytes": 8, "buffers": [21]}, 13: {"inbytes": 0, "outbytes": 8, "buffers": [21, 6]}, }, 'nn::ovln::ISender': { 0: {"inbytes": 0x88, "outbytes": 0}, 1: {"inbytes": 0, "outbytes": 4}, }, 'nn::sf::hipc::detail::IHipcManager': { 0: {"inbytes": 0, "outbytes": 4}, 1: {"inbytes": 4, "outbytes": 0, "outhandles": [2]}, 2: {"inbytes": 0, "outbytes": 0, "outhandles": [2]}, 3: {"inbytes": 0, "outbytes": 2}, 4: {"inbytes": 4, "outbytes": 0, "outhandles": [2]}, }, 'nn::aocsrv::detail::IAddOnContentManager': { 0: {"inbytes": 8, "outbytes": 4}, 1: {"inbytes": 0x10, "outbytes": 4, "buffers": [6]}, 2: {"inbytes": 8, "outbytes": 4, "pid": True}, 3: {"inbytes": 0x10, "outbytes": 4, "buffers": [6], "pid": True}, 4: {"inbytes": 8, "outbytes": 8}, 5: {"inbytes": 8, "outbytes": 8, "pid": True}, }, }, 'nfc': { 'nn::nfc::detail::IUser': { 0: {"inbytes": 0x10, "outbytes": 0, "buffers": [5], "pid": True}, 1: {"inbytes": 0, "outbytes": 0}, 2: {"inbytes": 0, "outbytes": 4}, 3: {"inbytes": 0, "outbytes": 1}, }, 'nn::nfp::detail::ISystemManager': { 0: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::nfp::detail::ISystem']}, }, 'nn::nfc::detail::ISystem': { 0: {"inbytes": 0x10, "outbytes": 0, "buffers": [5], "pid": True}, 1: {"inbytes": 0, "outbytes": 0}, 2: {"inbytes": 0, "outbytes": 4}, 3: {"inbytes": 0, "outbytes": 1}, 100: {"inbytes": 1, "outbytes": 0}, }, 'nn::nfp::detail::ISystem': { 0: {"inbytes": 0x10, "outbytes": 0, "buffers": [5], "pid": True}, 1: {"inbytes": 0, "outbytes": 0}, 2: {"inbytes": 0, "outbytes": 4, "buffers": [10]}, 3: {"inbytes": 8, "outbytes": 0}, 4: {"inbytes": 8, "outbytes": 0}, 5: {"inbytes": 0x10, "outbytes": 0}, 6: {"inbytes": 8, "outbytes": 0}, 10: {"inbytes": 8, "outbytes": 0}, 11: {"inbytes": 8, "outbytes": 0}, 13: {"inbytes": 8, "outbytes": 0, "buffers": [26]}, 14: {"inbytes": 8, "outbytes": 0, "buffers": [26]}, 15: {"inbytes": 8, "outbytes": 0, "buffers": [26]}, 16: {"inbytes": 8, "outbytes": 0, "buffers": [26]}, 17: {"inbytes": 8, "outbytes": 0, "outhandles": [1]}, 18: {"inbytes": 8, "outbytes": 0, "outhandles": [1]}, 19: {"inbytes": 0, "outbytes": 4}, 20: {"inbytes": 8, "outbytes": 4}, 21: {"inbytes": 8, "outbytes": 4}, 100: {"inbytes": 8, "outbytes": 0}, 101: {"inbytes": 8, "outbytes": 0, "buffers": [26]}, 102: {"inbytes": 8, "outbytes": 0, "buffers": [26]}, 103: {"inbytes": 8, "outbytes": 0, "buffers": [25]}, 104: {"inbytes": 8, "outbytes": 0}, 106: {"inbytes": 8, "outbytes": 1}, 105: {"inbytes": 8, "outbytes": 0}, }, 'nn::nfc::am::detail::IAmManager': { 0: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::nfc::am::detail::IAm']}, }, 'nn::nfc::mifare::detail::IUserManager': { 0: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::nfc::mifare::detail::IUser']}, }, 'nn::nfp::detail::IDebug': { 0: {"inbytes": 0x10, "outbytes": 0, "buffers": [5], "pid": True}, 1: {"inbytes": 0, "outbytes": 0}, 2: {"inbytes": 0, "outbytes": 4, "buffers": [10]}, 3: {"inbytes": 8, "outbytes": 0}, 4: {"inbytes": 8, "outbytes": 0}, 5: {"inbytes": 0x10, "outbytes": 0}, 6: {"inbytes": 8, "outbytes": 0}, 7: {"inbytes": 0xC, "outbytes": 0}, 8: {"inbytes": 8, "outbytes": 4, "buffers": [6]}, 9: {"inbytes": 8, "outbytes": 0, "buffers": [5]}, 10: {"inbytes": 8, "outbytes": 0}, 11: {"inbytes": 8, "outbytes": 0}, 12: {"inbytes": 0xC, "outbytes": 0, "buffers": [5]}, 13: {"inbytes": 8, "outbytes": 0, "buffers": [26]}, 14: {"inbytes": 8, "outbytes": 0, "buffers": [26]}, 15: {"inbytes": 8, "outbytes": 0, "buffers": [26]}, 16: {"inbytes": 8, "outbytes": 0, "buffers": [26]}, 17: {"inbytes": 8, "outbytes": 0, "outhandles": [1]}, 18: {"inbytes": 8, "outbytes": 0, "outhandles": [1]}, 19: {"inbytes": 0, "outbytes": 4}, 20: {"inbytes": 8, "outbytes": 4}, 21: {"inbytes": 8, "outbytes": 4}, 22: {"inbytes": 8, "outbytes": 4}, 100: {"inbytes": 8, "outbytes": 0}, 101: {"inbytes": 8, "outbytes": 0, "buffers": [26]}, 102: {"inbytes": 8, "outbytes": 0, "buffers": [26]}, 103: {"inbytes": 8, "outbytes": 0, "buffers": [25]}, 104: {"inbytes": 8, "outbytes": 0}, 106: {"inbytes": 8, "outbytes": 1}, 200: {"inbytes": 8, "outbytes": 0, "buffers": [26]}, 201: {"inbytes": 8, "outbytes": 0, "buffers": [25]}, 202: {"inbytes": 8, "outbytes": 0}, 203: {"inbytes": 0xC, "outbytes": 0}, 204: {"inbytes": 0, "outbytes": 4, "buffers": [6]}, 205: {"inbytes": 0, "outbytes": 0, "buffers": [5]}, 105: {"inbytes": 8, "outbytes": 0}, }, 'nn::sf::hipc::detail::IHipcManager': { 0: {"inbytes": 0, "outbytes": 4}, 1: {"inbytes": 4, "outbytes": 0, "outhandles": [2]}, 2: {"inbytes": 0, "outbytes": 0, "outhandles": [2]}, 3: {"inbytes": 0, "outbytes": 2}, 4: {"inbytes": 4, "outbytes": 0, "outhandles": [2]}, }, 'nn::nfc::am::detail::IAm': { 0: {"inbytes": 0, "outbytes": 0}, 1: {"inbytes": 0, "outbytes": 0}, 2: {"inbytes": 8, "outbytes": 0}, }, 'nn::nfc::mifare::detail::IUser': { 0: {"inbytes": 0x10, "outbytes": 0, "buffers": [5], "pid": True}, 1: {"inbytes": 0, "outbytes": 0}, 2: {"inbytes": 0, "outbytes": 4, "buffers": [10]}, 3: {"inbytes": 8, "outbytes": 0}, 4: {"inbytes": 8, "outbytes": 0}, 5: {"inbytes": 8, "outbytes": 0, "buffers": [6, 5]}, 6: {"inbytes": 8, "outbytes": 0, "buffers": [5]}, 7: {"inbytes": 8, "outbytes": 0, "buffers": [26]}, 8: {"inbytes": 8, "outbytes": 0, "outhandles": [1]}, 9: {"inbytes": 8, "outbytes": 0, "outhandles": [1]}, 10: {"inbytes": 0, "outbytes": 4}, 11: {"inbytes": 8, "outbytes": 4}, 12: {"inbytes": 8, "outbytes": 4}, }, 'nn::nfp::detail::IDebugManager': { 0: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::nfp::detail::IDebug']}, }, 'nn::nfc::detail::IUserManager': { 0: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::nfc::detail::IUser']}, }, 'nn::nfp::detail::IUser': { 0: {"inbytes": 0x10, "outbytes": 0, "buffers": [5], "pid": True}, 1: {"inbytes": 0, "outbytes": 0}, 2: {"inbytes": 0, "outbytes": 4, "buffers": [10]}, 3: {"inbytes": 8, "outbytes": 0}, 4: {"inbytes": 8, "outbytes": 0}, 5: {"inbytes": 0x10, "outbytes": 0}, 6: {"inbytes": 8, "outbytes": 0}, 7: {"inbytes": 0xC, "outbytes": 0}, 8: {"inbytes": 8, "outbytes": 4, "buffers": [6]}, 9: {"inbytes": 8, "outbytes": 0, "buffers": [5]}, 10: {"inbytes": 8, "outbytes": 0}, 11: {"inbytes": 8, "outbytes": 0}, 12: {"inbytes": 0xC, "outbytes": 0, "buffers": [5]}, 13: {"inbytes": 8, "outbytes": 0, "buffers": [26]}, 14: {"inbytes": 8, "outbytes": 0, "buffers": [26]}, 15: {"inbytes": 8, "outbytes": 0, "buffers": [26]}, 16: {"inbytes": 8, "outbytes": 0, "buffers": [26]}, 17: {"inbytes": 8, "outbytes": 0, "outhandles": [1]}, 18: {"inbytes": 8, "outbytes": 0, "outhandles": [1]}, 19: {"inbytes": 0, "outbytes": 4}, 20: {"inbytes": 8, "outbytes": 4}, 21: {"inbytes": 8, "outbytes": 4}, 22: {"inbytes": 8, "outbytes": 4}, }, 'nn::nfc::detail::ISystemManager': { 0: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::nfc::detail::ISystem']}, }, 'nn::nfp::detail::IUserManager': { 0: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::nfp::detail::IUser']}, }, }, 'psc': { 'nn::psc::sf::IPmModule': { 0: {"inbytes": 4, "outbytes": 0, "buffers": [5], "outhandles": [1]}, 1: {"inbytes": 0, "outbytes": 8}, 2: {"inbytes": 0, "outbytes": 0}, 3: {"inbytes": 0, "outbytes": 0}, }, 'nn::sf::hipc::detail::IHipcManager': { 0: {"inbytes": 0, "outbytes": 4}, 1: {"inbytes": 4, "outbytes": 0, "outhandles": [2]}, 2: {"inbytes": 0, "outbytes": 0, "outhandles": [2]}, 3: {"inbytes": 0, "outbytes": 2}, 4: {"inbytes": 4, "outbytes": 0, "outhandles": [2]}, }, 'nn::psc::sf::IPmControl': { 0: {"inbytes": 0, "outbytes": 0, "outhandles": [1]}, 1: {"inbytes": 0xC, "outbytes": 0}, 2: {"inbytes": 0, "outbytes": 0}, 3: {"inbytes": 0, "outbytes": 4}, 4: {"inbytes": 0, "outbytes": 0}, 5: {"inbytes": 0, "outbytes": 0}, 6: {"inbytes": 0, "outbytes": 0x28, "buffers": [6, 6]}, }, 'nn::psc::sf::IPmService': { 0: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::psc::sf::IPmModule']}, }, }, 'capsrv': { 'nn::sf::hipc::detail::IHipcManager': { 0: {"inbytes": 0, "outbytes": 4}, 1: {"inbytes": 4, "outbytes": 0, "outhandles": [2]}, 2: {"inbytes": 0, "outbytes": 0, "outhandles": [2]}, 3: {"inbytes": 0, "outbytes": 2}, 4: {"inbytes": 4, "outbytes": 0, "outhandles": [2]}, }, 'nn::mmnv::IRequest': { 0: {"inbytes": 0xC, "outbytes": 0}, 1: {"inbytes": 4, "outbytes": 0}, 2: {"inbytes": 0xC, "outbytes": 0}, 3: {"inbytes": 4, "outbytes": 4}, }, 'nn::capsrv::sf::ICaptureControllerService': { 1: {"inbytes": 0x20, "outbytes": 0, "buffers": [70]}, 2: {"inbytes": 0x28, "outbytes": 0, "buffers": [70]}, 1001: {"inbytes": 0x10, "outbytes": 0}, 1002: {"inbytes": 0x18, "outbytes": 0}, 1011: {"inbytes": 8, "outbytes": 0}, 2001: {"inbytes": 1, "outbytes": 0}, 2002: {"inbytes": 1, "outbytes": 0}, }, 'nn::capsrv::sf::IAlbumAccessorService': { 0: {"inbytes": 1, "outbytes": 8}, 1: {"inbytes": 1, "outbytes": 8, "buffers": [6]}, 2: {"inbytes": 0x18, "outbytes": 8, "buffers": [6]}, 3: {"inbytes": 0x18, "outbytes": 0}, 4: {"inbytes": 0x20, "outbytes": 0}, 5: {"inbytes": 1, "outbytes": 1}, 6: {"inbytes": 1, "outbytes": 0x30}, 7: {"inbytes": 0x18, "outbytes": 8}, 8: {"inbytes": 0x18, "outbytes": 8, "buffers": [6]}, 202: {"inbytes": 0x38, "outbytes": 0x20, "buffers": [5, 5]}, 301: {"inbytes": 0, "outbytes": 0x20, "buffers": [6]}, 401: {"inbytes": 0, "outbytes": 1}, 501: {"inbytes": 2, "outbytes": 8}, 10011: {"inbytes": 1, "outbytes": 0}, 8001: {"inbytes": 1, "outbytes": 0}, 8002: {"inbytes": 1, "outbytes": 0}, 8011: {"inbytes": 1, "outbytes": 0}, 8012: {"inbytes": 1, "outbytes": 0x10}, }, }, 'am': { 'nn::am::service::IWindowController': { 0: {"inbytes": 4, "outbytes": 0, "outinterfaces": ['nn::am::service::IWindow']}, 1: {"inbytes": 0, "outbytes": 8}, 10: {"inbytes": 0, "outbytes": 0}, 11: {"inbytes": 0, "outbytes": 0}, 12: {"inbytes": 0, "outbytes": 0}, }, 'nn::am::service::ILibraryAppletCreator': { 0: {"inbytes": 8, "outbytes": 0, "outinterfaces": ['nn::am::service::ILibraryAppletAccessor']}, 1: {"inbytes": 0, "outbytes": 0}, 2: {"inbytes": 0, "outbytes": 1}, 10: {"inbytes": 8, "outbytes": 0, "outinterfaces": ['nn::am::service::IStorage']}, 11: {"inbytes": 0x10, "outbytes": 0, "inhandles": [1], "outinterfaces": ['nn::am::service::IStorage']}, }, 'nn::am::service::ILibraryAppletSelfAccessor': { 0: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::am::service::IStorage']}, 1: {"inbytes": 0, "outbytes": 0, "ininterfaces": ['nn::am::service::IStorage']}, 2: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::am::service::IStorage']}, 3: {"inbytes": 0, "outbytes": 0, "ininterfaces": ['nn::am::service::IStorage']}, 5: {"inbytes": 0, "outbytes": 0, "outhandles": [1]}, 6: {"inbytes": 0, "outbytes": 0, "outhandles": [1]}, 10: {"inbytes": 0, "outbytes": 0}, 11: {"inbytes": 0, "outbytes": 8}, 12: {"inbytes": 0, "outbytes": 0x10}, 13: {"inbytes": 0, "outbytes": 1}, 14: {"inbytes": 0, "outbytes": 0x10}, 20: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::am::service::IStorage']}, 25: {"inbytes": 0, "outbytes": 0, "outhandles": [1]}, 30: {"inbytes": 0, "outbytes": 0, "ininterfaces": ['nn::am::service::IStorage']}, 31: {"inbytes": 0, "outbytes": 0, "ininterfaces": ['nn::am::service::IStorage']}, }, 'nn::am::service::IWindow': { }, 'nn::am::service::IAudioController': { 0: {"inbytes": 8, "outbytes": 0}, 1: {"inbytes": 0, "outbytes": 4}, 2: {"inbytes": 0, "outbytes": 4}, 3: {"inbytes": 0x10, "outbytes": 0}, 4: {"inbytes": 4, "outbytes": 0}, }, 'nn::am::service::IApplicationCreator': { 0: {"inbytes": 8, "outbytes": 0, "outinterfaces": ['nn::am::service::IApplicationAccessor']}, 1: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::am::service::IApplicationAccessor']}, 10: {"inbytes": 8, "outbytes": 0, "outinterfaces": ['nn::am::service::IApplicationAccessor']}, 100: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::am::service::IApplicationAccessor']}, }, 'nn::am::service::ILockAccessor': { 1: {"inbytes": 1, "outbytes": 1, "outhandles": [1]}, 2: {"inbytes": 0, "outbytes": 0}, 3: {"inbytes": 0, "outbytes": 0, "outhandles": [1]}, }, 'nn::am::service::IDisplayController': { 0: {"inbytes": 0, "outbytes": 0, "buffers": [6]}, 1: {"inbytes": 0, "outbytes": 0}, 2: {"inbytes": 0, "outbytes": 0, "buffers": [6]}, 3: {"inbytes": 0, "outbytes": 0, "buffers": [6]}, 4: {"inbytes": 0, "outbytes": 0}, 5: {"inbytes": 0, "outbytes": 1, "buffers": [6]}, 6: {"inbytes": 0, "outbytes": 1, "buffers": [6]}, 7: {"inbytes": 0, "outbytes": 1, "buffers": [6]}, 10: {"inbytes": 0, "outbytes": 0, "outhandles": [1]}, 11: {"inbytes": 0, "outbytes": 0}, 12: {"inbytes": 0, "outbytes": 0, "outhandles": [1]}, 13: {"inbytes": 0, "outbytes": 0}, 14: {"inbytes": 0, "outbytes": 0, "outhandles": [1]}, 15: {"inbytes": 0, "outbytes": 0}, 16: {"inbytes": 0, "outbytes": 1, "outhandles": [1]}, 17: {"inbytes": 0, "outbytes": 1, "outhandles": [1]}, 18: {"inbytes": 0, "outbytes": 1, "outhandles": [1]}, }, 'nn::am::service::ICommonStateGetter': { 0: {"inbytes": 0, "outbytes": 0, "outhandles": [1]}, 1: {"inbytes": 0, "outbytes": 4}, 2: {"inbytes": 0, "outbytes": 8}, 3: {"inbytes": 0, "outbytes": 0}, 4: {"inbytes": 0, "outbytes": 0}, 5: {"inbytes": 0, "outbytes": 1}, 6: {"inbytes": 0, "outbytes": 4}, 7: {"inbytes": 0, "outbytes": 1}, 8: {"inbytes": 0, "outbytes": 1}, 9: {"inbytes": 0, "outbytes": 1}, 10: {"inbytes": 0, "outbytes": 0}, 11: {"inbytes": 0, "outbytes": 0}, 12: {"inbytes": 0, "outbytes": 0}, 13: {"inbytes": 0, "outbytes": 0, "outhandles": [1]}, 20: {"inbytes": 0, "outbytes": 0, "ininterfaces": ['nn::am::service::IStorage']}, 30: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::am::service::ILockAccessor']}, }, 'nn::am::service::ILibraryAppletProxy': { 0: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::am::service::ICommonStateGetter']}, 1: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::am::service::ISelfController']}, 2: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::am::service::IWindowController']}, 3: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::am::service::IAudioController']}, 4: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::am::service::IDisplayController']}, 10: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::am::service::IProcessWindingController']}, 11: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::am::service::ILibraryAppletCreator']}, 20: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::am::service::ILibraryAppletSelfAccessor']}, 1000: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::am::service::IDebugFunctions']}, }, 'nn::omm::detail::IOperationModeManager': { 0: {"inbytes": 0, "outbytes": 1}, 1: {"inbytes": 0, "outbytes": 0, "outhandles": [1]}, 2: {"inbytes": 0, "outbytes": 0}, 3: {"inbytes": 0, "outbytes": 0}, 4: {"inbytes": 0, "outbytes": 0}, 5: {"inbytes": 0, "outbytes": 1}, 6: {"inbytes": 0, "outbytes": 0}, 7: {"inbytes": 0, "outbytes": 0}, }, 'nn::am::service::IOverlayFunctions': { 0: {"inbytes": 0, "outbytes": 0}, 1: {"inbytes": 0, "outbytes": 0}, 2: {"inbytes": 0, "outbytes": 8}, 3: {"inbytes": 8, "outbytes": 0}, }, 'nn::am::service::IProcessWindingController': { 0: {"inbytes": 0, "outbytes": 4}, 11: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::am::service::ILibraryAppletAccessor']}, 21: {"inbytes": 0, "outbytes": 0, "ininterfaces": ['nn::am::service::IStorage']}, 22: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::am::service::IStorage']}, 23: {"inbytes": 0, "outbytes": 0}, 30: {"inbytes": 0, "outbytes": 0}, 40: {"inbytes": 0, "outbytes": 0, "ininterfaces": ['nn::am::service::ILibraryAppletAccessor']}, }, 'nn::am::service::ISelfController': { 0: {"inbytes": 0, "outbytes": 0}, 1: {"inbytes": 0, "outbytes": 0}, 2: {"inbytes": 0, "outbytes": 0}, 9: {"inbytes": 0, "outbytes": 0, "outhandles": [1]}, 10: {"inbytes": 4, "outbytes": 0}, 11: {"inbytes": 1, "outbytes": 0}, 12: {"inbytes": 1, "outbytes": 0}, 13: {"inbytes": 3, "outbytes": 0}, 14: {"inbytes": 1, "outbytes": 0}, 40: {"inbytes": 0, "outbytes": 8}, 50: {"inbytes": 1, "outbytes": 0}, 51: {"inbytes": 0, "outbytes": 0}, 60: {"inbytes": 0x10, "outbytes": 0}, 61: {"inbytes": 1, "outbytes": 0}, 62: {"inbytes": 4, "outbytes": 0}, 63: {"inbytes": 0, "outbytes": 4}, 64: {"inbytes": 4, "outbytes": 0}, }, 'nn::am::service::IApplicationFunctions': { 1: {"inbytes": 4, "outbytes": 0, "outinterfaces": ['nn::am::service::IStorage']}, 10: {"inbytes": 8, "outbytes": 0, "ininterfaces": ['nn::am::service::IStorage']}, 20: {"inbytes": 0x10, "outbytes": 8}, 21: {"inbytes": 0, "outbytes": 8}, 22: {"inbytes": 4, "outbytes": 0}, 23: {"inbytes": 0, "outbytes": 0x10}, 30: {"inbytes": 8, "outbytes": 0}, 31: {"inbytes": 0, "outbytes": 0}, 40: {"inbytes": 0, "outbytes": 1}, }, 'nn::am::service::IApplicationProxy': { 0: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::am::service::ICommonStateGetter']}, 1: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::am::service::ISelfController']}, 2: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::am::service::IWindowController']}, 3: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::am::service::IAudioController']}, 4: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::am::service::IDisplayController']}, 10: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::am::service::IProcessWindingController']}, 11: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::am::service::ILibraryAppletCreator']}, 20: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::am::service::IApplicationFunctions']}, 1000: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::am::service::IDebugFunctions']}, }, 'nn::am::service::IOverlayAppletProxy': { 0: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::am::service::ICommonStateGetter']}, 1: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::am::service::ISelfController']}, 2: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::am::service::IWindowController']}, 3: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::am::service::IAudioController']}, 4: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::am::service::IDisplayController']}, 10: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::am::service::IProcessWindingController']}, 11: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::am::service::ILibraryAppletCreator']}, 20: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::am::service::IOverlayFunctions']}, 1000: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::am::service::IDebugFunctions']}, }, 'nn::am::service::IApplicationProxyService': { 0: {"inbytes": 8, "outbytes": 0, "inhandles": [1], "outinterfaces": ['nn::am::service::IApplicationProxy'], "pid": True}, }, 'nn::am::service::IStorage': { 0: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::am::service::IStorageAccessor']}, }, 'nn::am::service::ILibraryAppletAccessor': { 0: {"inbytes": 0, "outbytes": 0, "outhandles": [1]}, 1: {"inbytes": 0, "outbytes": 1}, 10: {"inbytes": 0, "outbytes": 0}, 20: {"inbytes": 0, "outbytes": 0}, 25: {"inbytes": 0, "outbytes": 0}, 30: {"inbytes": 0, "outbytes": 0}, 100: {"inbytes": 0, "outbytes": 0, "ininterfaces": ['nn::am::service::IStorage']}, 101: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::am::service::IStorage']}, 102: {"inbytes": 0, "outbytes": 0, "ininterfaces": ['nn::am::service::IStorage']}, 103: {"inbytes": 0, "outbytes": 0, "ininterfaces": ['nn::am::service::IStorage']}, 104: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::am::service::IStorage']}, 106: {"inbytes": 0, "outbytes": 0, "outhandles": [1]}, 110: {"inbytes": 0, "outbytes": 1}, 120: {"inbytes": 0, "outbytes": 8}, 150: {"inbytes": 0, "outbytes": 0}, 105: {"inbytes": 0, "outbytes": 0, "outhandles": [1]}, }, 'nn::am::service::IStorageAccessor': { 0: {"inbytes": 0, "outbytes": 8}, 10: {"inbytes": 8, "outbytes": 0, "buffers": [33]}, 11: {"inbytes": 8, "outbytes": 0, "buffers": [34]}, }, 'nn::spsm::detail::IPowerStateInterface': { 0: {"inbytes": 0, "outbytes": 4}, 1: {"inbytes": 0, "outbytes": 0, "outhandles": [1]}, 2: {"inbytes": 0, "outbytes": 4}, 3: {"inbytes": 1, "outbytes": 0}, 4: {"inbytes": 0, "outbytes": 0, "outhandles": [1]}, 5: {"inbytes": 0, "outbytes": 4}, 6: {"inbytes": 0, "outbytes": 0x50}, 7: {"inbytes": 0, "outbytes": 0}, 8: {"inbytes": 0, "outbytes": 0, "buffers": [6]}, 9: {"inbytes": 8, "outbytes": 0}, }, 'nn::am::service::IGlobalStateController': { 0: {"inbytes": 0, "outbytes": 0}, 1: {"inbytes": 0, "outbytes": 0}, 2: {"inbytes": 1, "outbytes": 0}, 3: {"inbytes": 0, "outbytes": 0}, 4: {"inbytes": 0, "outbytes": 0}, 10: {"inbytes": 0, "outbytes": 0}, }, 'nn::am::service::IAllSystemAppletProxiesService': { 100: {"inbytes": 8, "outbytes": 0, "inhandles": [1], "outinterfaces": ['nn::am::service::ISystemAppletProxy'], "pid": True}, 200: {"inbytes": 8, "outbytes": 0, "inhandles": [1], "outinterfaces": ['nn::am::service::ILibraryAppletProxy'], "pid": True}, 300: {"inbytes": 8, "outbytes": 0, "inhandles": [1], "outinterfaces": ['nn::am::service::IOverlayAppletProxy'], "pid": True}, 350: {"inbytes": 8, "outbytes": 0, "inhandles": [1], "outinterfaces": ['nn::am::service::IApplicationProxy'], "pid": True}, 400: {"inbytes": 8, "outbytes": 0, "outinterfaces": ['nn::am::service::ILibraryAppletCreator'], "pid": True}, }, 'nn::sf::hipc::detail::IHipcManager': { 0: {"inbytes": 0, "outbytes": 4}, 1: {"inbytes": 4, "outbytes": 0, "outhandles": [2]}, 2: {"inbytes": 0, "outbytes": 0, "outhandles": [2]}, 3: {"inbytes": 0, "outbytes": 2}, 4: {"inbytes": 4, "outbytes": 0, "outhandles": [2]}, }, 'nn::idle::detail::IPolicyManagerSystem': { 0: {"inbytes": 0, "outbytes": 0, "outhandles": [1]}, 1: {"inbytes": 0, "outbytes": 0}, 2: {"inbytes": 0, "outbytes": 0}, 3: {"inbytes": 0x28, "outbytes": 0}, 4: {"inbytes": 0, "outbytes": 0}, }, 'nn::am::service::IHomeMenuFunctions': { 10: {"inbytes": 0, "outbytes": 0}, 11: {"inbytes": 0, "outbytes": 0}, 12: {"inbytes": 0, "outbytes": 0}, 20: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::am::service::IStorage']}, 21: {"inbytes": 0, "outbytes": 0, "outhandles": [1]}, 30: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::am::service::ILockAccessor']}, }, 'nn::am::service::IApplicationAccessor': { 0: {"inbytes": 0, "outbytes": 0, "outhandles": [1]}, 1: {"inbytes": 0, "outbytes": 1}, 10: {"inbytes": 0, "outbytes": 0}, 20: {"inbytes": 0, "outbytes": 0}, 25: {"inbytes": 0, "outbytes": 0}, 30: {"inbytes": 0, "outbytes": 0}, 101: {"inbytes": 0, "outbytes": 0}, 110: {"inbytes": 0, "outbytes": 0}, 111: {"inbytes": 0, "outbytes": 1}, 112: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::am::service::IAppletAccessor']}, 120: {"inbytes": 0, "outbytes": 8}, 121: {"inbytes": 4, "outbytes": 0, "ininterfaces": ['nn::am::service::IStorage']}, 122: {"inbytes": 0, "outbytes": 0, "buffers": [6]}, }, 'nn::am::service::IAppletAccessor': { 0: {"inbytes": 0, "outbytes": 0, "outhandles": [1]}, 1: {"inbytes": 0, "outbytes": 1}, 10: {"inbytes": 0, "outbytes": 0}, 20: {"inbytes": 0, "outbytes": 0}, 25: {"inbytes": 0, "outbytes": 0}, 30: {"inbytes": 0, "outbytes": 0}, }, 'nn::am::service::ISystemAppletProxy': { 0: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::am::service::ICommonStateGetter']}, 1: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::am::service::ISelfController']}, 2: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::am::service::IWindowController']}, 3: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::am::service::IAudioController']}, 4: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::am::service::IDisplayController']}, 10: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::am::service::IProcessWindingController']}, 11: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::am::service::ILibraryAppletCreator']}, 20: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::am::service::IHomeMenuFunctions']}, 21: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::am::service::IGlobalStateController']}, 22: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::am::service::IApplicationCreator']}, 1000: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::am::service::IDebugFunctions']}, }, 'nn::am::service::IDebugFunctions': { 0: {"inbytes": 4, "outbytes": 0}, 1: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::am::service::IApplicationAccessor']}, 10: {"inbytes": 4, "outbytes": 0}, 20: {"inbytes": 0, "outbytes": 0}, }, }, 'ssl': { 'nn::ssl::sf::ISslService': { 0: {"inbytes": 0x10, "outbytes": 0, "outinterfaces": ['nn::ssl::sf::ISslContext'], "pid": True}, 1: {"inbytes": 0, "outbytes": 4}, }, 'nn::sf::hipc::detail::IHipcManager': { 0: {"inbytes": 0, "outbytes": 4}, 1: {"inbytes": 4, "outbytes": 0, "outhandles": [2]}, 2: {"inbytes": 0, "outbytes": 0, "outhandles": [2]}, 3: {"inbytes": 0, "outbytes": 2}, 4: {"inbytes": 4, "outbytes": 0, "outhandles": [2]}, }, 'nn::ssl::sf::ISslContext': { 0: {"inbytes": 8, "outbytes": 0}, 1: {"inbytes": 4, "outbytes": 4}, 2: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::ssl::sf::ISslConnection']}, 3: {"inbytes": 0, "outbytes": 4}, 4: {"inbytes": 4, "outbytes": 8, "buffers": [5]}, 5: {"inbytes": 0, "outbytes": 8, "buffers": [5, 5]}, 6: {"inbytes": 8, "outbytes": 0}, 7: {"inbytes": 8, "outbytes": 0}, 8: {"inbytes": 4, "outbytes": 8}, }, 'nn::ssl::sf::ISslConnection': { 0: {"inbytes": 4, "outbytes": 4}, 1: {"inbytes": 0, "outbytes": 0, "buffers": [5]}, 2: {"inbytes": 4, "outbytes": 0}, 3: {"inbytes": 4, "outbytes": 0}, 4: {"inbytes": 0, "outbytes": 4}, 5: {"inbytes": 0, "outbytes": 4, "buffers": [6]}, 6: {"inbytes": 0, "outbytes": 4}, 7: {"inbytes": 0, "outbytes": 4}, 8: {"inbytes": 0, "outbytes": 0}, 9: {"inbytes": 0, "outbytes": 8, "buffers": [6]}, 10: {"inbytes": 0, "outbytes": 4, "buffers": [6]}, 11: {"inbytes": 0, "outbytes": 4, "buffers": [5]}, 12: {"inbytes": 0, "outbytes": 4}, 13: {"inbytes": 0, "outbytes": 4, "buffers": [6]}, 14: {"inbytes": 8, "outbytes": 4}, 15: {"inbytes": 0, "outbytes": 0}, 16: {"inbytes": 0, "outbytes": 4}, 17: {"inbytes": 4, "outbytes": 0}, 18: {"inbytes": 0, "outbytes": 4}, 19: {"inbytes": 0, "outbytes": 0}, 20: {"inbytes": 4, "outbytes": 0}, 21: {"inbytes": 0, "outbytes": 4}, }, }, 'nim': { 'nn::ntc::detail::service::IStaticService': { 0: {"inbytes": 8, "outbytes": 0, "outinterfaces": ['nn::ntc::detail::service::IEnsureNetworkClockAvailabilityService']}, }, 'nn::ntc::detail::service::IEnsureNetworkClockAvailabilityService': { 0: {"inbytes": 0, "outbytes": 0}, 1: {"inbytes": 0, "outbytes": 0, "outhandles": [1]}, 2: {"inbytes": 0, "outbytes": 0}, 3: {"inbytes": 0, "outbytes": 0}, 4: {"inbytes": 0, "outbytes": 1}, }, 'nn::nim::detail::INetworkInstallManager': { 0: {"inbytes": 0x18, "outbytes": 0x10}, 1: {"inbytes": 0x10, "outbytes": 0}, 2: {"inbytes": 0, "outbytes": 4, "buffers": [6]}, 3: {"inbytes": 0x10, "outbytes": 0, "outhandles": [1], "outinterfaces": ['nn::nim::detail::IAsyncResult']}, 4: {"inbytes": 0x10, "outbytes": 0x28}, 5: {"inbytes": 0x10, "outbytes": 0}, 6: {"inbytes": 0x10, "outbytes": 0x10, "buffers": [5]}, 7: {"inbytes": 0x10, "outbytes": 0}, 8: {"inbytes": 0, "outbytes": 4, "buffers": [6]}, 9: {"inbytes": 0x10, "outbytes": 0, "outhandles": [1], "outinterfaces": ['nn::nim::detail::IAsyncResult']}, 10: {"inbytes": 0x10, "outbytes": 0x20}, 11: {"inbytes": 0x10, "outbytes": 0}, 12: {"inbytes": 0, "outbytes": 0, "outhandles": [1], "outinterfaces": ['nn::nim::detail::IAsyncValue']}, 13: {"inbytes": 0x10, "outbytes": 0, "outhandles": [1], "outinterfaces": ['nn::nim::detail::IAsyncValue']}, 14: {"inbytes": 8, "outbytes": 4, "buffers": [6]}, 15: {"inbytes": 0x10, "outbytes": 4, "buffers": [6]}, 16: {"inbytes": 0, "outbytes": 0, "buffers": [5], "outhandles": [1], "outinterfaces": ['nn::nim::detail::IAsyncValue']}, 17: {"inbytes": 0x10, "outbytes": 0}, 18: {"inbytes": 0x10, "outbytes": 0, "buffers": [5]}, 19: {"inbytes": 0x18, "outbytes": 0, "buffers": [22]}, 20: {"inbytes": 0x10, "outbytes": 8}, 21: {"inbytes": 0x10, "outbytes": 1}, 22: {"inbytes": 0, "outbytes": 0x10}, }, 'nn::sf::hipc::detail::IHipcManager': { 0: {"inbytes": 0, "outbytes": 4}, 1: {"inbytes": 4, "outbytes": 0, "outhandles": [2]}, 2: {"inbytes": 0, "outbytes": 0, "outhandles": [2]}, 3: {"inbytes": 0, "outbytes": 2}, 4: {"inbytes": 4, "outbytes": 0, "outhandles": [2]}, }, 'nn::nim::detail::IAsyncValue': { 0: {"inbytes": 0, "outbytes": 8}, 1: {"inbytes": 0, "outbytes": 0, "buffers": [6]}, 2: {"inbytes": 0, "outbytes": 0}, }, 'nn::nim::detail::IAsyncResult': { 0: {"inbytes": 0, "outbytes": 0}, 1: {"inbytes": 0, "outbytes": 0}, }, }, 'lbl': { 'nn::lbl::detail::ILblController': { 0: {"inbytes": 0, "outbytes": 0}, 1: {"inbytes": 0, "outbytes": 0}, 2: {"inbytes": 4, "outbytes": 0}, 3: {"inbytes": 0, "outbytes": 4}, 4: {"inbytes": 0, "outbytes": 0}, 5: {"inbytes": 0, "outbytes": 4}, 6: {"inbytes": 8, "outbytes": 0}, 7: {"inbytes": 8, "outbytes": 0}, 8: {"inbytes": 0, "outbytes": 4}, 9: {"inbytes": 0, "outbytes": 0}, 10: {"inbytes": 0, "outbytes": 0}, 11: {"inbytes": 0, "outbytes": 1}, 12: {"inbytes": 0, "outbytes": 0}, 13: {"inbytes": 0, "outbytes": 0}, 14: {"inbytes": 0, "outbytes": 1}, 15: {"inbytes": 4, "outbytes": 0}, 16: {"inbytes": 0, "outbytes": 4}, 17: {"inbytes": 8, "outbytes": 0}, 18: {"inbytes": 4, "outbytes": 4}, 19: {"inbytes": 0xC, "outbytes": 0}, 20: {"inbytes": 0, "outbytes": 0xC}, 21: {"inbytes": 0xC, "outbytes": 0}, 22: {"inbytes": 0, "outbytes": 0xC}, }, 'nn::sf::hipc::detail::IHipcManager': { 0: {"inbytes": 0, "outbytes": 4}, 1: {"inbytes": 4, "outbytes": 0, "outhandles": [2]}, 2: {"inbytes": 0, "outbytes": 0, "outhandles": [2]}, 3: {"inbytes": 0, "outbytes": 2}, 4: {"inbytes": 4, "outbytes": 0, "outhandles": [2]}, }, }, 'btm': { 'nn::btm::IBtmSystemCore': { 0: {"inbytes": 0, "outbytes": 0}, 1: {"inbytes": 0, "outbytes": 0}, 2: {"inbytes": 0, "outbytes": 0}, 3: {"inbytes": 0, "outbytes": 1}, 4: {"inbytes": 0, "outbytes": 0}, 5: {"inbytes": 0, "outbytes": 0}, 6: {"inbytes": 0, "outbytes": 1}, }, 'nn::btm::IBtm': { 0: {"inbytes": 0, "outbytes": 4}, 1: {"inbytes": 0, "outbytes": 0x2A}, 2: {"inbytes": 0, "outbytes": 0, "outhandles": [1]}, 3: {"inbytes": 0, "outbytes": 0, "buffers": [26]}, 4: {"inbytes": 7, "outbytes": 0}, 5: {"inbytes": 0, "outbytes": 0, "buffers": [25]}, 6: {"inbytes": 4, "outbytes": 0}, 7: {"inbytes": 4, "outbytes": 0}, 8: {"inbytes": 0, "outbytes": 0, "outhandles": [1]}, 9: {"inbytes": 0, "outbytes": 0, "buffers": [26]}, 10: {"inbytes": 0x60, "outbytes": 0}, 11: {"inbytes": 6, "outbytes": 0}, 12: {"inbytes": 6, "outbytes": 0}, 13: {"inbytes": 6, "outbytes": 0}, 14: {"inbytes": 0, "outbytes": 0}, 15: {"inbytes": 0, "outbytes": 0}, 16: {"inbytes": 6, "outbytes": 0}, 17: {"inbytes": 6, "outbytes": 0, "buffers": [25]}, }, 'nn::btm::IBtmSystem': { 0: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::btm::IBtmSystemCore']}, }, 'nn::sf::hipc::detail::IHipcManager': { 0: {"inbytes": 0, "outbytes": 4}, 1: {"inbytes": 4, "outbytes": 0, "outhandles": [2]}, 2: {"inbytes": 0, "outbytes": 0, "outhandles": [2]}, 3: {"inbytes": 0, "outbytes": 2}, 4: {"inbytes": 4, "outbytes": 0, "outhandles": [2]}, }, 'nn::btm::IBtmDebug': { 0: {"inbytes": 0, "outbytes": 0, "outhandles": [1]}, 1: {"inbytes": 0, "outbytes": 0}, 2: {"inbytes": 0, "outbytes": 0}, 3: {"inbytes": 0, "outbytes": 0, "buffers": [26]}, 4: {"inbytes": 6, "outbytes": 0}, 5: {"inbytes": 6, "outbytes": 0}, 6: {"inbytes": 0xC, "outbytes": 0}, 7: {"inbytes": 4, "outbytes": 0}, 8: {"inbytes": 6, "outbytes": 0}, }, }, 'erpt': { 'nn::erpt::sf::IManager': { 0: {"inbytes": 4, "outbytes": 0, "buffers": [6]}, 1: {"inbytes": 0, "outbytes": 0, "outhandles": [1]}, }, 'nn::sf::hipc::detail::IHipcManager': { 0: {"inbytes": 0, "outbytes": 4}, 1: {"inbytes": 4, "outbytes": 0, "outhandles": [2]}, 2: {"inbytes": 0, "outbytes": 0, "outhandles": [2]}, 3: {"inbytes": 0, "outbytes": 2}, 4: {"inbytes": 4, "outbytes": 0, "outhandles": [2]}, }, 'nn::erpt::sf::ISession': { 0: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::erpt::sf::IReport']}, 1: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::erpt::sf::IManager']}, }, 'nn::erpt::sf::IContext': { 0: {"inbytes": 0, "outbytes": 0, "buffers": [5, 5]}, 1: {"inbytes": 4, "outbytes": 0, "buffers": [5, 5, 5]}, }, 'nn::erpt::sf::IReport': { 0: {"inbytes": 0x14, "outbytes": 0}, 1: {"inbytes": 0, "outbytes": 4, "buffers": [6]}, 2: {"inbytes": 4, "outbytes": 0}, 3: {"inbytes": 0, "outbytes": 4}, 4: {"inbytes": 0, "outbytes": 0}, 5: {"inbytes": 0, "outbytes": 8}, }, }, 'vi': { 'nn::visrv::sf::ISystemDisplayService': { 2201: {"inbytes": 0x10, "outbytes": 0}, 2203: {"inbytes": 0x18, "outbytes": 0}, 2204: {"inbytes": 8, "outbytes": 8}, 2205: {"inbytes": 0x10, "outbytes": 0}, 2207: {"inbytes": 0x10, "outbytes": 0}, 2209: {"inbytes": 0x10, "outbytes": 0}, 2312: {"inbytes": 0x10, "outbytes": 0x10, "buffers": [6]}, 3000: {"inbytes": 8, "outbytes": 8, "buffers": [6]}, 3002: {"inbytes": 8, "outbytes": 8, "buffers": [6]}, 3200: {"inbytes": 8, "outbytes": 0x10}, 3201: {"inbytes": 0x18, "outbytes": 0}, 3202: {"inbytes": 8, "outbytes": 8}, 3203: {"inbytes": 0x10, "outbytes": 0}, 3204: {"inbytes": 8, "outbytes": 4}, 3205: {"inbytes": 0x10, "outbytes": 0}, 3206: {"inbytes": 8, "outbytes": 4}, 3207: {"inbytes": 0x10, "outbytes": 0}, 3208: {"inbytes": 8, "outbytes": 4}, 3209: {"inbytes": 0x10, "outbytes": 0}, 3210: {"inbytes": 8, "outbytes": 4}, 3211: {"inbytes": 0x10, "outbytes": 0}, 3214: {"inbytes": 8, "outbytes": 4}, 3215: {"inbytes": 0x10, "outbytes": 0}, 3216: {"inbytes": 8, "outbytes": 4}, 3217: {"inbytes": 0x10, "outbytes": 0}, 1200: {"inbytes": 8, "outbytes": 8}, 1202: {"inbytes": 8, "outbytes": 8}, 1203: {"inbytes": 8, "outbytes": 8}, 3001: {"inbytes": 8, "outbytes": 8, "buffers": [6]}, }, 'nn::cec::ICecManager': { 0: {"inbytes": 0, "outbytes": 8, "outhandles": [1]}, 1: {"inbytes": 4, "outbytes": 4}, 2: {"inbytes": 4, "outbytes": 0}, 3: {"inbytes": 0x18, "outbytes": 4}, 4: {"inbytes": 4, "outbytes": 0x18}, 5: {"inbytes": 0, "outbytes": 0x20}, }, 'nn::visrv::sf::IManagerDisplayService': { 4201: {"inbytes": 0x10, "outbytes": 0}, 4205: {"inbytes": 0x10, "outbytes": 0}, 2301: {"inbytes": 8, "outbytes": 0}, 2302: {"inbytes": 8, "outbytes": 0, "outhandles": [1]}, 2402: {"inbytes": 8, "outbytes": 4}, 4203: {"inbytes": 0x10, "outbytes": 0}, 7000: {"inbytes": 1, "outbytes": 0}, 2300: {"inbytes": 8, "outbytes": 0, "outhandles": [1]}, 8000: {"inbytes": 0x10, "outbytes": 0}, 6000: {"inbytes": 0x10, "outbytes": 0}, 6001: {"inbytes": 0x10, "outbytes": 0}, 2010: {"inbytes": 0x18, "outbytes": 8}, 2011: {"inbytes": 8, "outbytes": 0}, }, 'nn::visrv::sf::IApplicationDisplayService': { 100: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nns::hosbinder::IHOSBinderDriver']}, 101: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::visrv::sf::ISystemDisplayService']}, 102: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::visrv::sf::IManagerDisplayService']}, 2101: {"inbytes": 0x10, "outbytes": 0}, 5202: {"inbytes": 8, "outbytes": 0, "outhandles": [1]}, 1000: {"inbytes": 0, "outbytes": 8, "buffers": [6]}, 1010: {"inbytes": 0x40, "outbytes": 8}, 1011: {"inbytes": 0, "outbytes": 8}, 1020: {"inbytes": 8, "outbytes": 0}, 1101: {"inbytes": 0x10, "outbytes": 0}, 1102: {"inbytes": 8, "outbytes": 0x10}, 2031: {"inbytes": 8, "outbytes": 0}, 2020: {"inbytes": 0x50, "outbytes": 8, "buffers": [6], "pid": True}, 2021: {"inbytes": 8, "outbytes": 0}, 2030: {"inbytes": 0x10, "outbytes": 0x10, "buffers": [6]}, }, 'nns::hosbinder::IHOSBinderDriver': { 0: {"inbytes": 0xC, "outbytes": 0, "buffers": [5, 6]}, 1: {"inbytes": 0xC, "outbytes": 0}, 2: {"inbytes": 8, "outbytes": 0, "outhandles": [1]}, }, 'nn::visrv::sf::IApplicationRootService': { 0: {"inbytes": 4, "outbytes": 0, "outinterfaces": ['nn::visrv::sf::IApplicationDisplayService']}, }, 'nn::visrv::sf::ISystemRootService': { 1: {"inbytes": 4, "outbytes": 0, "outinterfaces": ['nn::visrv::sf::IApplicationDisplayService']}, 3: {"inbytes": 0xC, "outbytes": 0, "outinterfaces": ['nn::visrv::sf::IApplicationDisplayService']}, }, 'nn::sf::hipc::detail::IHipcManager': { 0: {"inbytes": 0, "outbytes": 4}, 1: {"inbytes": 4, "outbytes": 0, "outhandles": [2]}, 2: {"inbytes": 0, "outbytes": 0, "outhandles": [2]}, 3: {"inbytes": 0, "outbytes": 2}, 4: {"inbytes": 4, "outbytes": 0, "outhandles": [2]}, }, 'nn::visrv::sf::IManagerRootService': { 2: {"inbytes": 4, "outbytes": 0, "outinterfaces": ['nn::visrv::sf::IApplicationDisplayService']}, 3: {"inbytes": 0xC, "outbytes": 0, "outinterfaces": ['nn::visrv::sf::IApplicationDisplayService']}, }, }, 'pctl': { 'nn::pctl::detail::ipc::IParentalControlServiceFactory': { 0: {"inbytes": 8, "outbytes": 0, "outinterfaces": ['nn::pctl::detail::ipc::IParentalControlService'], "pid": True}, }, 'nn::pctl::detail::ipc::IParentalControlService': { 1403: {"inbytes": 0, "outbytes": 1}, 1001: {"inbytes": 0, "outbytes": 0}, 1002: {"inbytes": 0x10, "outbytes": 0, "buffers": [9]}, 1003: {"inbytes": 0x10, "outbytes": 0, "buffers": [9]}, 1004: {"inbytes": 0, "outbytes": 0}, 1005: {"inbytes": 0, "outbytes": 0}, 1006: {"inbytes": 0, "outbytes": 1}, 1007: {"inbytes": 0, "outbytes": 0}, 1008: {"inbytes": 0, "outbytes": 0}, 1009: {"inbytes": 0, "outbytes": 0}, 1010: {"inbytes": 0, "outbytes": 1}, 1011: {"inbytes": 0, "outbytes": 0}, 1031: {"inbytes": 0, "outbytes": 1}, 1032: {"inbytes": 0, "outbytes": 4}, 1033: {"inbytes": 4, "outbytes": 0}, 1034: {"inbytes": 4, "outbytes": 3}, 1035: {"inbytes": 0, "outbytes": 3}, 1036: {"inbytes": 3, "outbytes": 0}, 1037: {"inbytes": 0, "outbytes": 4}, 1038: {"inbytes": 4, "outbytes": 0}, 1039: {"inbytes": 0, "outbytes": 4}, 1040: {"inbytes": 4, "outbytes": 4, "buffers": [10]}, 1041: {"inbytes": 0, "outbytes": 0, "buffers": [9]}, 1042: {"inbytes": 8, "outbytes": 0}, 1043: {"inbytes": 0, "outbytes": 0}, 1044: {"inbytes": 4, "outbytes": 4, "buffers": [6]}, 1045: {"inbytes": 0, "outbytes": 0, "buffers": [5]}, 1201: {"inbytes": 0, "outbytes": 0, "buffers": [9]}, 1202: {"inbytes": 0, "outbytes": 0, "buffers": [9]}, 1203: {"inbytes": 0, "outbytes": 0, "buffers": [9]}, 1204: {"inbytes": 0, "outbytes": 0x20}, 1205: {"inbytes": 0x20, "outbytes": 1, "buffers": [9]}, 1206: {"inbytes": 0, "outbytes": 4}, 1401: {"inbytes": 0, "outbytes": 0x10, "buffers": [9]}, 1402: {"inbytes": 0x10, "outbytes": 0x10}, 1404: {"inbytes": 0, "outbytes": 0x10}, 1405: {"inbytes": 1, "outbytes": 0}, 1411: {"inbytes": 0x10, "outbytes": 0x10}, 1421: {"inbytes": 0x10, "outbytes": 4, "buffers": [10]}, 1422: {"inbytes": 0x10, "outbytes": 4, "buffers": [6]}, 1423: {"inbytes": 0x10, "outbytes": 4, "buffers": [10]}, 1424: {"inbytes": 0x10, "outbytes": 4}, 1431: {"inbytes": 0, "outbytes": 0}, 1432: {"inbytes": 0, "outbytes": 0, "outhandles": [1]}, 1451: {"inbytes": 0, "outbytes": 0}, 1452: {"inbytes": 0, "outbytes": 0}, 1453: {"inbytes": 0, "outbytes": 1}, 1454: {"inbytes": 0, "outbytes": 8}, 1455: {"inbytes": 0, "outbytes": 1}, 1456: {"inbytes": 0, "outbytes": 0x34}, 1457: {"inbytes": 0, "outbytes": 0, "outhandles": [1]}, 1471: {"inbytes": 0, "outbytes": 0}, 1472: {"inbytes": 0, "outbytes": 0}, 1601: {"inbytes": 0, "outbytes": 1}, 1602: {"inbytes": 0, "outbytes": 1}, 1603: {"inbytes": 0, "outbytes": 2}, 1901: {"inbytes": 8, "outbytes": 0}, 1902: {"inbytes": 0, "outbytes": 0}, 1941: {"inbytes": 0, "outbytes": 0}, 1951: {"inbytes": 0x34, "outbytes": 0}, 1012: {"inbytes": 0, "outbytes": 4}, 2001: {"inbytes": 0, "outbytes": 8, "buffers": [9], "outhandles": [1]}, 2002: {"inbytes": 8, "outbytes": 0x10}, 2003: {"inbytes": 0x10, "outbytes": 8, "outhandles": [1]}, 2004: {"inbytes": 8, "outbytes": 0x10}, 2005: {"inbytes": 0, "outbytes": 8, "outhandles": [1]}, 2006: {"inbytes": 8, "outbytes": 0x10}, 2007: {"inbytes": 1, "outbytes": 8, "outhandles": [1]}, 2008: {"inbytes": 0xC, "outbytes": 0}, 2009: {"inbytes": 0x10, "outbytes": 0xC, "buffers": [6], "outhandles": [1]}, 2010: {"inbytes": 8, "outbytes": 4, "buffers": [6]}, 2011: {"inbytes": 0x10, "outbytes": 0xC, "buffers": [10], "outhandles": [1]}, 2012: {"inbytes": 8, "outbytes": 4, "buffers": [10]}, 2013: {"inbytes": 0, "outbytes": 8, "outhandles": [1]}, 2014: {"inbytes": 8, "outbytes": 0}, }, 'nn::sf::hipc::detail::IHipcManager': { 0: {"inbytes": 0, "outbytes": 4}, 1: {"inbytes": 4, "outbytes": 0, "outhandles": [2]}, 2: {"inbytes": 0, "outbytes": 0, "outhandles": [2]}, 3: {"inbytes": 0, "outbytes": 2}, 4: {"inbytes": 4, "outbytes": 0, "outhandles": [2]}, }, }, 'npns': { 'nn::npns::INpnsSystem': { 1: {"inbytes": 0, "outbytes": 0}, 2: {"inbytes": 8, "outbytes": 0}, 3: {"inbytes": 2, "outbytes": 0, "buffers": [6]}, 4: {"inbytes": 2, "outbytes": 0, "buffers": [6]}, 5: {"inbytes": 0, "outbytes": 0, "outhandles": [1]}, 6: {"inbytes": 0, "outbytes": 0}, 7: {"inbytes": 0, "outbytes": 0, "outhandles": [1]}, 11: {"inbytes": 0, "outbytes": 0, "buffers": [9]}, 12: {"inbytes": 0, "outbytes": 0, "buffers": [9]}, 13: {"inbytes": 0, "outbytes": 1, "buffers": [9]}, 21: {"inbytes": 0x10, "outbytes": 0x28}, 22: {"inbytes": 0x18, "outbytes": 0x28}, 23: {"inbytes": 0x10, "outbytes": 0}, 24: {"inbytes": 0x18, "outbytes": 0}, 25: {"inbytes": 0x28, "outbytes": 1}, 31: {"inbytes": 0x10, "outbytes": 0}, 101: {"inbytes": 0, "outbytes": 0}, 102: {"inbytes": 0, "outbytes": 0}, 103: {"inbytes": 0, "outbytes": 4}, 111: {"inbytes": 0, "outbytes": 0, "buffers": [10]}, 112: {"inbytes": 0, "outbytes": 0}, 113: {"inbytes": 0, "outbytes": 0}, 114: {"inbytes": 0, "outbytes": 0, "buffers": [9, 9]}, 115: {"inbytes": 0, "outbytes": 0, "buffers": [10, 10]}, }, 'nn::npns::INpnsUser': { 1: {"inbytes": 0, "outbytes": 0}, 2: {"inbytes": 8, "outbytes": 0}, 3: {"inbytes": 2, "outbytes": 0, "buffers": [6]}, 4: {"inbytes": 2, "outbytes": 0, "buffers": [6]}, 5: {"inbytes": 0, "outbytes": 0, "outhandles": [1]}, 7: {"inbytes": 0, "outbytes": 0, "outhandles": [1]}, 21: {"inbytes": 0x10, "outbytes": 0x28}, 23: {"inbytes": 0x10, "outbytes": 0}, 25: {"inbytes": 0x28, "outbytes": 1}, 101: {"inbytes": 0, "outbytes": 0}, 102: {"inbytes": 0, "outbytes": 0}, 103: {"inbytes": 0, "outbytes": 4}, 111: {"inbytes": 0, "outbytes": 0, "buffers": [10]}, }, 'nn::sf::hipc::detail::IHipcManager': { 0: {"inbytes": 0, "outbytes": 4}, 1: {"inbytes": 4, "outbytes": 0, "outhandles": [2]}, 2: {"inbytes": 0, "outbytes": 0, "outhandles": [2]}, 3: {"inbytes": 0, "outbytes": 2}, 4: {"inbytes": 4, "outbytes": 0, "outhandles": [2]}, }, }, 'eupld': { 'nn::sf::hipc::detail::IHipcManager': { 0: {"inbytes": 0, "outbytes": 4}, 1: {"inbytes": 4, "outbytes": 0, "outhandles": [2]}, 2: {"inbytes": 0, "outbytes": 0, "outhandles": [2]}, 3: {"inbytes": 0, "outbytes": 2}, 4: {"inbytes": 4, "outbytes": 0, "outhandles": [2]}, }, 'nn::eupld::sf::IControl': { 0: {"inbytes": 0, "outbytes": 0, "buffers": [5]}, 1: {"inbytes": 0, "outbytes": 0, "buffers": [5]}, 2: {"inbytes": 0, "outbytes": 0, "buffers": [5, 5]}, 3: {"inbytes": 8, "outbytes": 0}, }, 'nn::eupld::sf::IRequest': { 0: {"inbytes": 0, "outbytes": 0, "outhandles": [1]}, 1: {"inbytes": 0, "outbytes": 0}, 2: {"inbytes": 0, "outbytes": 0, "buffers": [5]}, 3: {"inbytes": 0, "outbytes": 0, "buffers": [6]}, 4: {"inbytes": 0, "outbytes": 0}, 5: {"inbytes": 0, "outbytes": 0}, }, }, 'arp': { 'nn::arp::detail::IWriter': { 0: {"inbytes": 0, "outbytes": 0, "outinterfaces": ['nn::arp::detail::IRegistrar']}, 1: {"inbytes": 8, "outbytes": 0}, }, 'nn::arp::detail::IReader': { 0: {"inbytes": 8, "outbytes": 0x10}, 1: {"inbytes": 8, "outbytes": 0x10}, 2: {"inbytes": 8, "outbytes": 0, "buffers": [22]}, 3: {"inbytes": 8, "outbytes": 0, "buffers": [22]}, }, 'nn::sf::hipc::detail::IHipcManager': { 0: {"inbytes": 0, "outbytes": 4}, 1: {"inbytes": 4, "outbytes": 0, "outhandles": [2]}, 2: {"inbytes": 0, "outbytes": 0, "outhandles": [2]}, 3: {"inbytes": 0, "outbytes": 2}, 4: {"inbytes": 4, "outbytes": 0, "outhandles": [2]}, }, 'nn::arp::detail::IRegistrar': { 0: {"inbytes": 8, "outbytes": 0}, 1: {"inbytes": 0x10, "outbytes": 0}, 2: {"inbytes": 0, "outbytes": 0, "buffers": [21]}, }, }, 'es': { 'nn::sf::hipc::detail::IHipcManager': { 0: {"inbytes": 0, "outbytes": 4}, 1: {"inbytes": 4, "outbytes": 0, "outhandles": [2]}, 2: {"inbytes": 0, "outbytes": 0, "outhandles": [2]}, 3: {"inbytes": 0, "outbytes": 2}, 4: {"inbytes": 4, "outbytes": 0, "outhandles": [2]}, }, 'nn::es::IETicketService': { 1: {"inbytes": 0, "outbytes": 0, "buffers": [5, 5]}, 2: {"inbytes": 0, "outbytes": 0, "buffers": [5]}, 3: {"inbytes": 0, "outbytes": 0, "buffers": [9]}, 4: {"inbytes": 4, "outbytes": 0}, 5: {"inbytes": 0, "outbytes": 0}, 6: {"inbytes": 0, "outbytes": 0}, 7: {"inbytes": 0, "outbytes": 0, "buffers": [9]}, 8: {"inbytes": 0x10, "outbytes": 0, "buffers": [22]}, 9: {"inbytes": 0, "outbytes": 4}, 10: {"inbytes": 0, "outbytes": 4}, 11: {"inbytes": 0, "outbytes": 4, "buffers": [10]}, 12: {"inbytes": 0, "outbytes": 4, "buffers": [10]}, 13: {"inbytes": 0, "outbytes": 4, "buffers": [10, 5]}, 14: {"inbytes": 0x10, "outbytes": 8}, 15: {"inbytes": 0x10, "outbytes": 8}, 16: {"inbytes": 0x10, "outbytes": 8, "buffers": [6]}, 17: {"inbytes": 0x10, "outbytes": 8, "buffers": [6]}, 18: {"inbytes": 0, "outbytes": 0, "buffers": [10, 9]}, 19: {"inbytes": 0, "outbytes": 4, "buffers": [10, 9]}, 20: {"inbytes": 0, "outbytes": 0, "buffers": [22, 22, 5]}, }, }, 'fatal': { 'nn::sf::hipc::detail::IHipcManager': { 0: {"inbytes": 0, "outbytes": 4}, 1: {"inbytes": 4, "outbytes": 0, "outhandles": [2]}, 2: {"inbytes": 0, "outbytes": 0, "outhandles": [2]}, 3: {"inbytes": 0, "outbytes": 2}, 4: {"inbytes": 4, "outbytes": 0, "outhandles": [2]}, }, 'nn::fatalsrv::IService': { 0: {"inbytes": 0x10, "outbytes": 0, "pid": True}, 1: {"inbytes": 0x10, "outbytes": 0, "pid": True}, 2: {"inbytes": 0x10, "outbytes": 0, "buffers": [21], "pid": True}, }, 'nn::fatalsrv::IPrivateService': { 0: {"inbytes": 0, "outbytes": 0, "outhandles": [1]}, }, }, }
data1 = {'fs': {'nn::fssrv::sf::IFileSystemProxyForLoader': {0: {'inbytes': 0, 'outbytes': 0, 'buffers': [25], 'outinterfaces': ['nn::fssrv::sf::IFileSystem']}, 1: {'inbytes': 8, 'outbytes': 1}}, 'nn::fssrv::sf::IEventNotifier': {0: {'inbytes': 0, 'outbytes': 0, 'outhandles': [1]}}, 'nn::fssrv::sf::IFileSystemProxy': {0: {'inbytes': 4, 'outbytes': 0, 'buffers': [25], 'outinterfaces': ['nn::fssrv::sf::IFileSystem']}, 1: {'inbytes': 8, 'outbytes': 0, 'pid': True}, 2: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::fssrv::sf::IFileSystem']}, 11: {'inbytes': 4, 'outbytes': 0, 'buffers': [25], 'outinterfaces': ['nn::fssrv::sf::IFileSystem']}, 12: {'inbytes': 4, 'outbytes': 0, 'outinterfaces': ['nn::fssrv::sf::IStorage']}, 13: {'inbytes': 0, 'outbytes': 0}, 17: {'inbytes': 0, 'outbytes': 0, 'buffers': [25], 'outinterfaces': ['nn::fssrv::sf::IFileSystem']}, 18: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::fssrv::sf::IFileSystem']}, 21: {'inbytes': 8, 'outbytes': 0}, 22: {'inbytes': 144, 'outbytes': 0}, 23: {'inbytes': 128, 'outbytes': 0}, 24: {'inbytes': 0, 'outbytes': 0, 'buffers': [5]}, 30: {'inbytes': 8, 'outbytes': 0, 'outinterfaces': ['nn::fssrv::sf::IStorage']}, 31: {'inbytes': 8, 'outbytes': 0, 'outinterfaces': ['nn::fssrv::sf::IFileSystem']}, 51: {'inbytes': 72, 'outbytes': 0, 'outinterfaces': ['nn::fssrv::sf::IFileSystem']}, 52: {'inbytes': 72, 'outbytes': 0, 'outinterfaces': ['nn::fssrv::sf::IFileSystem']}, 58: {'inbytes': 8, 'outbytes': 0, 'buffers': [6]}, 60: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::fssrv::sf::ISaveDataInfoReader']}, 61: {'inbytes': 1, 'outbytes': 0, 'outinterfaces': ['nn::fssrv::sf::ISaveDataInfoReader']}, 80: {'inbytes': 72, 'outbytes': 0, 'outinterfaces': ['nn::fssrv::sf::IFile']}, 100: {'inbytes': 4, 'outbytes': 0, 'outinterfaces': ['nn::fssrv::sf::IFileSystem']}, 110: {'inbytes': 4, 'outbytes': 0, 'outinterfaces': ['nn::fssrv::sf::IFileSystem']}, 200: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::fssrv::sf::IStorage']}, 202: {'inbytes': 16, 'outbytes': 0, 'outinterfaces': ['nn::fssrv::sf::IStorage']}, 203: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::fssrv::sf::IStorage']}, 400: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::fssrv::sf::IDeviceOperator']}, 500: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::fssrv::sf::IEventNotifier']}, 501: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::fssrv::sf::IEventNotifier']}, 600: {'inbytes': 8, 'outbytes': 0}, 601: {'inbytes': 16, 'outbytes': 8}, 602: {'inbytes': 8, 'outbytes': 0, 'buffers': [6]}, 603: {'inbytes': 8, 'outbytes': 0}, 604: {'inbytes': 8, 'outbytes': 0}, 605: {'inbytes': 0, 'outbytes': 0}, 1000: {'inbytes': 4, 'outbytes': 0, 'buffers': [25]}, 1001: {'inbytes': 16, 'outbytes': 0}, 1002: {'inbytes': 0, 'outbytes': 0, 'buffers': [25]}, 1003: {'inbytes': 0, 'outbytes': 0}, 1004: {'inbytes': 4, 'outbytes': 0}, 1005: {'inbytes': 0, 'outbytes': 4}, 1006: {'inbytes': 0, 'outbytes': 0, 'buffers': [5]}}, 'nn::fssrv::sf::ISaveDataInfoReader': {0: {'inbytes': 0, 'outbytes': 8, 'buffers': [6]}}, 'nn::fssrv::sf::IFile': {0: {'inbytes': 24, 'outbytes': 8, 'buffers': [70]}, 1: {'inbytes': 24, 'outbytes': 0, 'buffers': [69]}, 2: {'inbytes': 0, 'outbytes': 0}, 3: {'inbytes': 8, 'outbytes': 0}, 4: {'inbytes': 0, 'outbytes': 8}}, 'nn::fssrv::sf::IFileSystem': {0: {'inbytes': 16, 'outbytes': 0, 'buffers': [25]}, 1: {'inbytes': 0, 'outbytes': 0, 'buffers': [25]}, 2: {'inbytes': 0, 'outbytes': 0, 'buffers': [25]}, 3: {'inbytes': 0, 'outbytes': 0, 'buffers': [25]}, 4: {'inbytes': 0, 'outbytes': 0, 'buffers': [25]}, 5: {'inbytes': 0, 'outbytes': 0, 'buffers': [25, 25]}, 6: {'inbytes': 0, 'outbytes': 0, 'buffers': [25, 25]}, 7: {'inbytes': 0, 'outbytes': 4, 'buffers': [25]}, 8: {'inbytes': 4, 'outbytes': 0, 'buffers': [25], 'outinterfaces': ['nn::fssrv::sf::IFile']}, 9: {'inbytes': 4, 'outbytes': 0, 'buffers': [25], 'outinterfaces': ['nn::fssrv::sf::IDirectory']}, 10: {'inbytes': 0, 'outbytes': 0}, 11: {'inbytes': 0, 'outbytes': 8, 'buffers': [25]}, 12: {'inbytes': 0, 'outbytes': 8, 'buffers': [25]}}, 'nn::fssrv::sf::IStorage': {0: {'inbytes': 16, 'outbytes': 0, 'buffers': [70]}, 1: {'inbytes': 16, 'outbytes': 0, 'buffers': [69]}, 2: {'inbytes': 0, 'outbytes': 0}, 3: {'inbytes': 8, 'outbytes': 0}, 4: {'inbytes': 0, 'outbytes': 8}}, 'nn::fssrv::sf::IDeviceOperator': {0: {'inbytes': 0, 'outbytes': 1}, 1: {'inbytes': 0, 'outbytes': 8}, 100: {'inbytes': 8, 'outbytes': 0, 'buffers': [6]}, 101: {'inbytes': 0, 'outbytes': 8}, 110: {'inbytes': 4, 'outbytes': 0}, 111: {'inbytes': 4, 'outbytes': 8}, 200: {'inbytes': 0, 'outbytes': 1}, 201: {'inbytes': 16, 'outbytes': 0}, 202: {'inbytes': 0, 'outbytes': 4}, 203: {'inbytes': 4, 'outbytes': 16}, 204: {'inbytes': 0, 'outbytes': 0}, 205: {'inbytes': 4, 'outbytes': 1}, 206: {'inbytes': 16, 'outbytes': 0, 'buffers': [6]}, 207: {'inbytes': 16, 'outbytes': 0, 'buffers': [6, 5]}, 208: {'inbytes': 8, 'outbytes': 0, 'buffers': [6]}, 209: {'inbytes': 16, 'outbytes': 0, 'buffers': [6]}, 210: {'inbytes': 1, 'outbytes': 0}, 211: {'inbytes': 16, 'outbytes': 0, 'buffers': [6]}, 300: {'inbytes': 4, 'outbytes': 0}, 301: {'inbytes': 0, 'outbytes': 4}}, 'nn::fssrv::sf::IProgramRegistry': {0: {'inbytes': 40, 'outbytes': 0, 'buffers': [5, 5]}, 1: {'inbytes': 8, 'outbytes': 0}, 256: {'inbytes': 1, 'outbytes': 0}}, 'nn::sf::hipc::detail::IHipcManager': {0: {'inbytes': 0, 'outbytes': 4}, 1: {'inbytes': 4, 'outbytes': 0, 'outhandles': [2]}, 2: {'inbytes': 0, 'outbytes': 0, 'outhandles': [2]}, 3: {'inbytes': 0, 'outbytes': 2}, 4: {'inbytes': 4, 'outbytes': 0, 'outhandles': [2]}}, 'nn::fssrv::sf::IDirectory': {0: {'inbytes': 0, 'outbytes': 8, 'buffers': [6]}, 1: {'inbytes': 0, 'outbytes': 8}}}, 'loader': {'nn::ldr::detail::IRoInterface': {0: {'inbytes': 40, 'outbytes': 8, 'pid': True}, 1: {'inbytes': 16, 'outbytes': 0, 'pid': True}, 2: {'inbytes': 24, 'outbytes': 0, 'pid': True}, 3: {'inbytes': 16, 'outbytes': 0, 'pid': True}, 4: {'inbytes': 8, 'outbytes': 0, 'inhandles': [1], 'pid': True}}, 'nn::ldr::detail::IProcessManagerInterface': {0: {'inbytes': 16, 'outbytes': 0, 'inhandles': [1], 'outhandles': [2]}, 1: {'inbytes': 16, 'outbytes': 0, 'buffers': [26]}, 2: {'inbytes': 16, 'outbytes': 8}, 3: {'inbytes': 8, 'outbytes': 0}}, 'nn::sf::hipc::detail::IHipcManager': {0: {'inbytes': 0, 'outbytes': 4}, 1: {'inbytes': 4, 'outbytes': 0, 'outhandles': [2]}, 2: {'inbytes': 0, 'outbytes': 0, 'outhandles': [2]}, 3: {'inbytes': 0, 'outbytes': 2}, 4: {'inbytes': 4, 'outbytes': 0, 'outhandles': [2]}}, 'nn::ldr::detail::IShellInterface': {0: {'inbytes': 16, 'outbytes': 0, 'buffers': [9]}, 1: {'inbytes': 0, 'outbytes': 0}}, 'nn::ldr::detail::IDebugMonitorInterface': {0: {'inbytes': 16, 'outbytes': 0, 'buffers': [9]}, 1: {'inbytes': 0, 'outbytes': 0}, 2: {'inbytes': 8, 'outbytes': 4, 'buffers': [10]}}}, 'ncm': {'nn::ncm::IContentStorage': {0: {'inbytes': 0, 'outbytes': 16}, 1: {'inbytes': 40, 'outbytes': 0}, 2: {'inbytes': 16, 'outbytes': 0}, 3: {'inbytes': 16, 'outbytes': 1}, 4: {'inbytes': 24, 'outbytes': 0, 'buffers': [5]}, 5: {'inbytes': 32, 'outbytes': 0}, 6: {'inbytes': 16, 'outbytes': 0}, 7: {'inbytes': 16, 'outbytes': 1}, 8: {'inbytes': 16, 'outbytes': 0, 'buffers': [26]}, 9: {'inbytes': 16, 'outbytes': 0, 'buffers': [26]}, 10: {'inbytes': 0, 'outbytes': 0}, 11: {'inbytes': 0, 'outbytes': 4, 'buffers': [6]}, 12: {'inbytes': 0, 'outbytes': 4}, 13: {'inbytes': 4, 'outbytes': 4, 'buffers': [6]}, 14: {'inbytes': 16, 'outbytes': 8}, 15: {'inbytes': 0, 'outbytes': 0}}, 'nn::ncm::IContentMetaDatabase': {0: {'inbytes': 16, 'outbytes': 0, 'buffers': [5]}, 1: {'inbytes': 16, 'outbytes': 8, 'buffers': [6]}, 2: {'inbytes': 16, 'outbytes': 0}, 3: {'inbytes': 24, 'outbytes': 16}, 4: {'inbytes': 24, 'outbytes': 4, 'buffers': [6]}, 5: {'inbytes': 32, 'outbytes': 8, 'buffers': [6]}, 6: {'inbytes': 8, 'outbytes': 16}, 7: {'inbytes': 1, 'outbytes': 8, 'buffers': [6]}, 8: {'inbytes': 16, 'outbytes': 1}, 9: {'inbytes': 0, 'outbytes': 1, 'buffers': [5]}, 10: {'inbytes': 16, 'outbytes': 8}, 11: {'inbytes': 16, 'outbytes': 4}, 12: {'inbytes': 16, 'outbytes': 8}, 13: {'inbytes': 0, 'outbytes': 0}, 14: {'inbytes': 0, 'outbytes': 0, 'buffers': [6, 5]}, 15: {'inbytes': 0, 'outbytes': 0}, 16: {'inbytes': 32, 'outbytes': 1}, 17: {'inbytes': 24, 'outbytes': 4, 'buffers': [6]}, 18: {'inbytes': 16, 'outbytes': 1}}, 'nn::lr::ILocationResolverManager': {0: {'inbytes': 1, 'outbytes': 0, 'outinterfaces': ['nn::lr::ILocationResolver']}, 1: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::lr::IRegisteredLocationResolver']}, 2: {'inbytes': 1, 'outbytes': 0}}, 'nn::lr::IRegisteredLocationResolver': {0: {'inbytes': 8, 'outbytes': 0, 'buffers': [26]}, 1: {'inbytes': 8, 'outbytes': 0, 'buffers': [25]}, 2: {'inbytes': 8, 'outbytes': 0}, 3: {'inbytes': 8, 'outbytes': 0, 'buffers': [25]}}, 'nn::sf::hipc::detail::IHipcManager': {0: {'inbytes': 0, 'outbytes': 4}, 1: {'inbytes': 4, 'outbytes': 0, 'outhandles': [2]}, 2: {'inbytes': 0, 'outbytes': 0, 'outhandles': [2]}, 3: {'inbytes': 0, 'outbytes': 2}, 4: {'inbytes': 4, 'outbytes': 0, 'outhandles': [2]}}, 'nn::ncm::IContentManager': {0: {'inbytes': 1, 'outbytes': 0}, 1: {'inbytes': 1, 'outbytes': 0}, 2: {'inbytes': 1, 'outbytes': 0}, 3: {'inbytes': 1, 'outbytes': 0}, 4: {'inbytes': 1, 'outbytes': 0, 'outinterfaces': ['nn::ncm::IContentStorage']}, 5: {'inbytes': 1, 'outbytes': 0, 'outinterfaces': ['nn::ncm::IContentMetaDatabase']}, 6: {'inbytes': 1, 'outbytes': 0}, 7: {'inbytes': 1, 'outbytes': 0}, 8: {'inbytes': 1, 'outbytes': 0}}, 'nn::lr::ILocationResolver': {0: {'inbytes': 8, 'outbytes': 0, 'buffers': [26]}, 1: {'inbytes': 8, 'outbytes': 0, 'buffers': [25]}, 2: {'inbytes': 8, 'outbytes': 0, 'buffers': [26]}, 3: {'inbytes': 8, 'outbytes': 0, 'buffers': [26]}, 4: {'inbytes': 8, 'outbytes': 0, 'buffers': [26]}, 5: {'inbytes': 8, 'outbytes': 0, 'buffers': [25]}, 6: {'inbytes': 8, 'outbytes': 0, 'buffers': [25]}, 7: {'inbytes': 8, 'outbytes': 0, 'buffers': [26]}, 8: {'inbytes': 8, 'outbytes': 0, 'buffers': [25]}, 9: {'inbytes': 0, 'outbytes': 0}}}, 'pm': {'nn::pm::detail::IInformationInterface': {0: {'inbytes': 8, 'outbytes': 8}}, 'nn::pm::detail::IShellInterface': {0: {'inbytes': 24, 'outbytes': 8}, 1: {'inbytes': 8, 'outbytes': 0}, 2: {'inbytes': 8, 'outbytes': 0}, 3: {'inbytes': 0, 'outbytes': 0, 'outhandles': [1]}, 4: {'inbytes': 0, 'outbytes': 16}, 5: {'inbytes': 8, 'outbytes': 0}, 6: {'inbytes': 8, 'outbytes': 0}, 7: {'inbytes': 0, 'outbytes': 0}, 8: {'inbytes': 0, 'outbytes': 8}}, 'nn::sf::hipc::detail::IHipcManager': {0: {'inbytes': 0, 'outbytes': 4}, 1: {'inbytes': 4, 'outbytes': 0, 'outhandles': [2]}, 2: {'inbytes': 0, 'outbytes': 0, 'outhandles': [2]}, 3: {'inbytes': 0, 'outbytes': 2}, 4: {'inbytes': 4, 'outbytes': 0, 'outhandles': [2]}}, 'nn::pm::detail::IBootModeInterface': {0: {'inbytes': 0, 'outbytes': 4}, 1: {'inbytes': 0, 'outbytes': 0}}, 'nn::pm::detail::IDebugMonitorInterface': {0: {'inbytes': 8, 'outbytes': 4, 'buffers': [6]}, 1: {'inbytes': 0, 'outbytes': 4, 'buffers': [6]}, 2: {'inbytes': 8, 'outbytes': 0}, 3: {'inbytes': 8, 'outbytes': 8}, 4: {'inbytes': 8, 'outbytes': 0, 'outhandles': [1]}, 5: {'inbytes': 0, 'outbytes': 8}, 6: {'inbytes': 0, 'outbytes': 0, 'outhandles': [1]}}}, 'sm': {'nn::sm::detail::IManagerInterface': {0: {'inbytes': 8, 'outbytes': 0, 'buffers': [5, 5]}, 1: {'inbytes': 8, 'outbytes': 0}}, 'nn::sm::detail::IUserInterface': {0: {'inbytes': 8, 'outbytes': 0, 'pid': True}, 1: {'inbytes': 8, 'outbytes': 0, 'outhandles': [2]}, 2: {'inbytes': 16, 'outbytes': 0, 'outhandles': [2]}, 3: {'inbytes': 8, 'outbytes': 0}}, 'nn::sf::hipc::detail::IHipcManager': {0: {'inbytes': 0, 'outbytes': 4}, 1: {'inbytes': 4, 'outbytes': 0, 'outhandles': [2]}, 2: {'inbytes': 0, 'outbytes': 0, 'outhandles': [2]}, 3: {'inbytes': 0, 'outbytes': 2}, 4: {'inbytes': 4, 'outbytes': 0, 'outhandles': [2]}}}, 'spl': {'nn::sf::hipc::detail::IHipcManager': {0: {'inbytes': 0, 'outbytes': 4}, 1: {'inbytes': 4, 'outbytes': 0, 'outhandles': [2]}, 2: {'inbytes': 0, 'outbytes': 0, 'outhandles': [2]}, 3: {'inbytes': 0, 'outbytes': 2}, 4: {'inbytes': 4, 'outbytes': 0, 'outhandles': [2]}}, 'nn::spl::detail::IGeneralInterface': {0: {'inbytes': 4, 'outbytes': 8}, 1: {'inbytes': 0, 'outbytes': 0, 'buffers': [10, 9, 9, 9]}, 2: {'inbytes': 24, 'outbytes': 16}, 3: {'inbytes': 36, 'outbytes': 0}, 4: {'inbytes': 32, 'outbytes': 16}, 5: {'inbytes': 16, 'outbytes': 0}, 7: {'inbytes': 0, 'outbytes': 0, 'buffers': [10]}, 9: {'inbytes': 36, 'outbytes': 0, 'buffers': [9]}, 10: {'inbytes': 0, 'outbytes': 4, 'buffers': [10, 9, 9, 9]}, 11: {'inbytes': 0, 'outbytes': 1}, 12: {'inbytes': 24, 'outbytes': 16}, 13: {'inbytes': 36, 'outbytes': 0, 'buffers': [10, 9]}, 14: {'inbytes': 24, 'outbytes': 16}, 15: {'inbytes': 20, 'outbytes': 0, 'buffers': [6, 5]}, 16: {'inbytes': 4, 'outbytes': 16, 'buffers': [9]}, 17: {'inbytes': 36, 'outbytes': 0, 'buffers': [9]}, 18: {'inbytes': 0, 'outbytes': 16, 'buffers': [9, 9, 9]}, 19: {'inbytes': 20, 'outbytes': 0}}, 'nn::spl::detail::IRandomInterface': {0: {'inbytes': 0, 'outbytes': 0, 'buffers': [6]}}}, 'usb': {'nn::usb::ds::IDsService': {0: {'inbytes': 4, 'outbytes': 0}, 1: {'inbytes': 0, 'outbytes': 0, 'inhandles': [1]}, 2: {'inbytes': 0, 'outbytes': 1, 'buffers': [5, 5], 'outinterfaces': ['nn::usb::ds::IDsInterface']}, 3: {'inbytes': 0, 'outbytes': 0, 'outhandles': [1]}, 4: {'inbytes': 0, 'outbytes': 4}}, 'nn::usb::hs::IClientRootSession': {0: {'inbytes': 16, 'outbytes': 4, 'buffers': [6]}, 1: {'inbytes': 16, 'outbytes': 4, 'buffers': [6]}, 2: {'inbytes': 0, 'outbytes': 4, 'buffers': [6]}, 3: {'inbytes': 18, 'outbytes': 0, 'outhandles': [1]}, 4: {'inbytes': 1, 'outbytes': 0}, 5: {'inbytes': 0, 'outbytes': 0, 'outhandles': [1]}, 6: {'inbytes': 4, 'outbytes': 0, 'buffers': [6], 'outinterfaces': ['nn::usb::hs::IClientIfSession']}, 7: {'inbytes': 8, 'outbytes': 4, 'buffers': [6]}, 8: {'inbytes': 4, 'outbytes': 0}}, 'nn::usb::ds::IDsInterface': {0: {'inbytes': 0, 'outbytes': 1, 'buffers': [5], 'outinterfaces': ['nn::usb::ds::IDsEndpoint']}, 1: {'inbytes': 0, 'outbytes': 0, 'outhandles': [1]}, 2: {'inbytes': 0, 'outbytes': 0, 'buffers': [6]}, 3: {'inbytes': 0, 'outbytes': 0}, 4: {'inbytes': 0, 'outbytes': 0}, 5: {'inbytes': 16, 'outbytes': 4}, 6: {'inbytes': 16, 'outbytes': 4}, 7: {'inbytes': 0, 'outbytes': 0, 'outhandles': [1]}, 8: {'inbytes': 0, 'outbytes': 132}, 9: {'inbytes': 0, 'outbytes': 0, 'outhandles': [1]}, 10: {'inbytes': 0, 'outbytes': 132}, 11: {'inbytes': 0, 'outbytes': 0}}, 'nn::usb::ds::IDsEndpoint': {0: {'inbytes': 16, 'outbytes': 4}, 1: {'inbytes': 0, 'outbytes': 0}, 2: {'inbytes': 0, 'outbytes': 0, 'outhandles': [1]}, 3: {'inbytes': 0, 'outbytes': 132}, 4: {'inbytes': 0, 'outbytes': 0}, 5: {'inbytes': 1, 'outbytes': 0}}, 'nn::usb::pd::detail::IPdCradleManager': {0: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::usb::pd::detail::IPdCradleSession']}}, 'nn::usb::pd::detail::IPdManufactureManager': {0: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::usb::pd::detail::IPdManufactureSession']}}, 'nn::usb::hs::IClientIfSession': {0: {'inbytes': 0, 'outbytes': 0, 'outhandles': [1]}, 1: {'inbytes': 1, 'outbytes': 0, 'buffers': [6]}, 2: {'inbytes': 0, 'outbytes': 0, 'buffers': [6]}, 3: {'inbytes': 1, 'outbytes': 0, 'buffers': [6]}, 4: {'inbytes': 20, 'outbytes': 7, 'outinterfaces': ['nn::usb::hs::IClientEpSession']}, 5: {'inbytes': 0, 'outbytes': 4}, 6: {'inbytes': 12, 'outbytes': 4, 'buffers': [6]}, 7: {'inbytes': 12, 'outbytes': 4, 'buffers': [5]}, 8: {'inbytes': 0, 'outbytes': 0}}, 'nn::usb::hs::IClientEpSession': {0: {'inbytes': 8, 'outbytes': 4, 'buffers': [5]}, 1: {'inbytes': 8, 'outbytes': 4, 'buffers': [6]}, 2: {'inbytes': 0, 'outbytes': 0}, 3: {'inbytes': 0, 'outbytes': 0}}, 'nn::usb::pm::IPmService': {0: {'inbytes': 0, 'outbytes': 0, 'outhandles': [1]}, 1: {'inbytes': 0, 'outbytes': 0, 'buffers': [6]}, 2: {'inbytes': 0, 'outbytes': 0, 'outhandles': [1]}, 3: {'inbytes': 0, 'outbytes': 4}, 4: {'inbytes': 8, 'outbytes': 0}, 5: {'inbytes': 4, 'outbytes': 4}}, 'nn::usb::pd::detail::IPdCradleSession': {0: {'inbytes': 8, 'outbytes': 0}, 1: {'inbytes': 4, 'outbytes': 4}, 2: {'inbytes': 0, 'outbytes': 0}}, 'nn::usb::pd::detail::IPdManager': {0: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::usb::pd::detail::IPdSession']}}, 'nn::usb::pd::detail::IPdManufactureSession': {0: {'inbytes': 0, 'outbytes': 2}, 1: {'inbytes': 0, 'outbytes': 2}, 2: {'inbytes': 0, 'outbytes': 2}, 3: {'inbytes': 0, 'outbytes': 2}}, 'nn::sf::hipc::detail::IHipcManager': {0: {'inbytes': 0, 'outbytes': 4}, 1: {'inbytes': 4, 'outbytes': 0, 'outhandles': [2]}, 2: {'inbytes': 0, 'outbytes': 0, 'outhandles': [2]}, 3: {'inbytes': 0, 'outbytes': 2}, 4: {'inbytes': 4, 'outbytes': 0, 'outhandles': [2]}}, 'nn::usb::pd::detail::IPdSession': {0: {'inbytes': 0, 'outbytes': 0, 'outhandles': [1]}, 1: {'inbytes': 0, 'outbytes': 0}, 2: {'inbytes': 0, 'outbytes': 20}, 3: {'inbytes': 0, 'outbytes': 4}, 4: {'inbytes': 0, 'outbytes': 0}, 5: {'inbytes': 0, 'outbytes': 0}, 6: {'inbytes': 1, 'outbytes': 0}}}, 'settings': {'nn::settings::IFirmwareDebugSettingsServer': {2: {'inbytes': 0, 'outbytes': 0, 'buffers': [25, 25, 5]}, 3: {'inbytes': 0, 'outbytes': 0, 'buffers': [25, 25]}, 4: {'inbytes': 0, 'outbytes': 0, 'buffers': [25], 'outinterfaces': ['nn::settings::ISettingsItemKeyIterator']}}, 'nn::settings::ISystemSettingsServer': {0: {'inbytes': 8, 'outbytes': 0}, 1: {'inbytes': 0, 'outbytes': 0, 'buffers': [5]}, 2: {'inbytes': 0, 'outbytes': 4, 'buffers': [6]}, 3: {'inbytes': 0, 'outbytes': 0, 'buffers': [26]}, 7: {'inbytes': 0, 'outbytes': 1}, 8: {'inbytes': 1, 'outbytes': 0}, 9: {'inbytes': 0, 'outbytes': 40}, 10: {'inbytes': 40, 'outbytes': 0}, 11: {'inbytes': 0, 'outbytes': 0, 'buffers': [5]}, 12: {'inbytes': 0, 'outbytes': 4, 'buffers': [6]}, 13: {'inbytes': 0, 'outbytes': 16}, 14: {'inbytes': 16, 'outbytes': 0}, 15: {'inbytes': 0, 'outbytes': 32}, 16: {'inbytes': 32, 'outbytes': 0}, 17: {'inbytes': 0, 'outbytes': 4}, 18: {'inbytes': 4, 'outbytes': 0}, 19: {'inbytes': 4, 'outbytes': 8}, 20: {'inbytes': 12, 'outbytes': 0}, 21: {'inbytes': 0, 'outbytes': 4, 'buffers': [6]}, 22: {'inbytes': 0, 'outbytes': 0, 'buffers': [5]}, 23: {'inbytes': 0, 'outbytes': 4}, 24: {'inbytes': 4, 'outbytes': 0}, 25: {'inbytes': 0, 'outbytes': 1}, 26: {'inbytes': 1, 'outbytes': 0}, 27: {'inbytes': 0, 'outbytes': 1}, 28: {'inbytes': 1, 'outbytes': 0}, 29: {'inbytes': 0, 'outbytes': 24}, 30: {'inbytes': 24, 'outbytes': 0}, 31: {'inbytes': 0, 'outbytes': 4, 'buffers': [6]}, 32: {'inbytes': 0, 'outbytes': 0, 'buffers': [5]}, 35: {'inbytes': 0, 'outbytes': 4}, 36: {'inbytes': 4, 'outbytes': 0}, 37: {'inbytes': 0, 'outbytes': 8, 'buffers': [25, 25]}, 38: {'inbytes': 0, 'outbytes': 8, 'buffers': [25, 25, 6]}, 39: {'inbytes': 0, 'outbytes': 32}, 40: {'inbytes': 32, 'outbytes': 0}, 41: {'inbytes': 0, 'outbytes': 0, 'buffers': [26]}, 42: {'inbytes': 0, 'outbytes': 0, 'buffers': [25]}, 43: {'inbytes': 4, 'outbytes': 4}, 44: {'inbytes': 8, 'outbytes': 0}, 45: {'inbytes': 0, 'outbytes': 1}, 46: {'inbytes': 1, 'outbytes': 0}, 47: {'inbytes': 0, 'outbytes': 1}, 48: {'inbytes': 1, 'outbytes': 0}, 49: {'inbytes': 0, 'outbytes': 8}, 50: {'inbytes': 8, 'outbytes': 0}, 51: {'inbytes': 0, 'outbytes': 8}, 52: {'inbytes': 0, 'outbytes': 8}, 53: {'inbytes': 0, 'outbytes': 36}, 54: {'inbytes': 36, 'outbytes': 0}, 55: {'inbytes': 0, 'outbytes': 8}, 56: {'inbytes': 0, 'outbytes': 8, 'buffers': [6]}, 57: {'inbytes': 4, 'outbytes': 0}, 58: {'inbytes': 0, 'outbytes': 32}, 59: {'inbytes': 32, 'outbytes': 0}, 60: {'inbytes': 0, 'outbytes': 1}, 61: {'inbytes': 1, 'outbytes': 0}, 62: {'inbytes': 0, 'outbytes': 1}, 63: {'inbytes': 0, 'outbytes': 4}, 64: {'inbytes': 4, 'outbytes': 0}, 65: {'inbytes': 0, 'outbytes': 1}, 66: {'inbytes': 1, 'outbytes': 0}, 67: {'inbytes': 0, 'outbytes': 24}, 68: {'inbytes': 0, 'outbytes': 24}, 69: {'inbytes': 0, 'outbytes': 1}, 70: {'inbytes': 1, 'outbytes': 0}, 71: {'inbytes': 0, 'outbytes': 12}, 72: {'inbytes': 12, 'outbytes': 0}, 73: {'inbytes': 0, 'outbytes': 1}, 74: {'inbytes': 1, 'outbytes': 0}, 75: {'inbytes': 0, 'outbytes': 32}, 76: {'inbytes': 32, 'outbytes': 0}, 77: {'inbytes': 0, 'outbytes': 0, 'buffers': [22]}, 78: {'inbytes': 0, 'outbytes': 0, 'buffers': [21]}, 79: {'inbytes': 0, 'outbytes': 4}, 80: {'inbytes': 0, 'outbytes': 4}, 81: {'inbytes': 4, 'outbytes': 0}, 82: {'inbytes': 0, 'outbytes': 0, 'outhandles': [1]}, 83: {'inbytes': 0, 'outbytes': 16}, 84: {'inbytes': 0, 'outbytes': 24}, 85: {'inbytes': 24, 'outbytes': 0}, 86: {'inbytes': 0, 'outbytes': 24}, 87: {'inbytes': 24, 'outbytes': 0}, 88: {'inbytes': 0, 'outbytes': 1}, 89: {'inbytes': 1, 'outbytes': 0}, 90: {'inbytes': 0, 'outbytes': 16}, 91: {'inbytes': 8, 'outbytes': 0}, 92: {'inbytes': 0, 'outbytes': 8}, 93: {'inbytes': 0, 'outbytes': 0, 'outhandles': [1]}, 94: {'inbytes': 0, 'outbytes': 16}}, 'nn::sf::hipc::detail::IHipcManager': {0: {'inbytes': 0, 'outbytes': 4}, 1: {'inbytes': 4, 'outbytes': 0, 'outhandles': [2]}, 2: {'inbytes': 0, 'outbytes': 0, 'outhandles': [2]}, 3: {'inbytes': 0, 'outbytes': 2}, 4: {'inbytes': 4, 'outbytes': 0, 'outhandles': [2]}}, 'nn::settings::IFactorySettingsServer': {0: {'inbytes': 0, 'outbytes': 6}, 1: {'inbytes': 0, 'outbytes': 30}, 2: {'inbytes': 0, 'outbytes': 6}, 3: {'inbytes': 0, 'outbytes': 6}, 4: {'inbytes': 0, 'outbytes': 6}, 5: {'inbytes': 0, 'outbytes': 6}, 6: {'inbytes': 0, 'outbytes': 6}, 7: {'inbytes': 0, 'outbytes': 4}, 8: {'inbytes': 0, 'outbytes': 4, 'buffers': [10]}, 9: {'inbytes': 0, 'outbytes': 24}, 10: {'inbytes': 8, 'outbytes': 0}, 11: {'inbytes': 8, 'outbytes': 0}, 12: {'inbytes': 0, 'outbytes': 24}, 14: {'inbytes': 0, 'outbytes': 0, 'buffers': [22]}, 15: {'inbytes': 0, 'outbytes': 0, 'buffers': [22]}, 16: {'inbytes': 0, 'outbytes': 0, 'buffers': [22]}, 17: {'inbytes': 0, 'outbytes': 0, 'buffers': [22]}, 18: {'inbytes': 0, 'outbytes': 0, 'buffers': [22]}, 19: {'inbytes': 0, 'outbytes': 0, 'buffers': [22]}, 20: {'inbytes': 0, 'outbytes': 84}, 21: {'inbytes': 0, 'outbytes': 0, 'buffers': [22]}, 22: {'inbytes': 0, 'outbytes': 90}}, 'nn::settings::ISettingsServer': {0: {'inbytes': 0, 'outbytes': 8}, 1: {'inbytes': 0, 'outbytes': 4, 'buffers': [10]}, 3: {'inbytes': 0, 'outbytes': 4}, 4: {'inbytes': 0, 'outbytes': 4}}, 'nn::settings::ISettingsItemKeyIterator': {0: {'inbytes': 0, 'outbytes': 0}, 1: {'inbytes': 0, 'outbytes': 8}, 2: {'inbytes': 0, 'outbytes': 8, 'buffers': [6]}}}, 'Bus': {'nn::i2c::IManager': {0: {'inbytes': 16, 'outbytes': 0, 'outinterfaces': ['nn::i2c::ISession']}, 1: {'inbytes': 4, 'outbytes': 0, 'outinterfaces': ['nn::i2c::ISession']}, 2: {'inbytes': 4, 'outbytes': 1}, 3: {'inbytes': 16, 'outbytes': 1}}, 'nn::pwm::IChannelSession': {0: {'inbytes': 8, 'outbytes': 0}, 1: {'inbytes': 0, 'outbytes': 8}, 2: {'inbytes': 4, 'outbytes': 0}, 3: {'inbytes': 0, 'outbytes': 4}, 4: {'inbytes': 1, 'outbytes': 0}, 5: {'inbytes': 0, 'outbytes': 1}}, 'nn::pwm::IManager': {0: {'inbytes': 4, 'outbytes': 0, 'outinterfaces': ['nn::pwm::IChannelSession']}, 1: {'inbytes': 4, 'outbytes': 0, 'outinterfaces': ['nn::pwm::IChannelSession']}}, 'nn::gpio::IManager': {0: {'inbytes': 4, 'outbytes': 0, 'outinterfaces': ['nn::gpio::IPadSession']}, 1: {'inbytes': 4, 'outbytes': 0, 'outinterfaces': ['nn::gpio::IPadSession']}, 2: {'inbytes': 4, 'outbytes': 0, 'outinterfaces': ['nn::gpio::IPadSession']}, 3: {'inbytes': 4, 'outbytes': 1}, 4: {'inbytes': 0, 'outbytes': 16}, 5: {'inbytes': 8, 'outbytes': 0}}, 'nn::sf::hipc::detail::IHipcManager': {0: {'inbytes': 0, 'outbytes': 4}, 1: {'inbytes': 4, 'outbytes': 0, 'outhandles': [2]}, 2: {'inbytes': 0, 'outbytes': 0, 'outhandles': [2]}, 3: {'inbytes': 0, 'outbytes': 2}, 4: {'inbytes': 4, 'outbytes': 0, 'outhandles': [2]}}, 'nn::i2c::ISession': {0: {'inbytes': 4, 'outbytes': 0, 'buffers': [5]}, 1: {'inbytes': 4, 'outbytes': 0, 'buffers': [6]}, 2: {'inbytes': 0, 'outbytes': 0, 'buffers': [6, 9]}, 10: {'inbytes': 4, 'outbytes': 0, 'buffers': [33]}, 11: {'inbytes': 4, 'outbytes': 0, 'buffers': [34]}, 12: {'inbytes': 0, 'outbytes': 0, 'buffers': [34, 9]}}, 'nn::uart::IManager': {0: {'inbytes': 4, 'outbytes': 1}, 1: {'inbytes': 4, 'outbytes': 1}, 2: {'inbytes': 8, 'outbytes': 1}, 3: {'inbytes': 8, 'outbytes': 1}, 4: {'inbytes': 8, 'outbytes': 1}, 5: {'inbytes': 8, 'outbytes': 1}, 6: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::uart::IPortSession']}, 7: {'inbytes': 8, 'outbytes': 1}, 8: {'inbytes': 8, 'outbytes': 1}}, 'nn::pinmux::IManager': {0: {'inbytes': 4, 'outbytes': 0, 'outinterfaces': ['nn::pinmux::ISession']}}, 'nn::uart::IPortSession': {0: {'inbytes': 32, 'outbytes': 1, 'inhandles': [1, 1]}, 1: {'inbytes': 32, 'outbytes': 1, 'inhandles': [1, 1]}, 2: {'inbytes': 0, 'outbytes': 8}, 3: {'inbytes': 0, 'outbytes': 8, 'buffers': [33]}, 4: {'inbytes': 0, 'outbytes': 8}, 5: {'inbytes': 0, 'outbytes': 8, 'buffers': [34]}, 6: {'inbytes': 16, 'outbytes': 1, 'outhandles': [1]}, 7: {'inbytes': 4, 'outbytes': 1}}, 'nn::pinmux::ISession': {0: {'inbytes': 4, 'outbytes': 0}, 1: {'inbytes': 0, 'outbytes': 4}, 2: {'inbytes': 4, 'outbytes': 0}}, 'nn::gpio::IPadSession': {0: {'inbytes': 4, 'outbytes': 0}, 1: {'inbytes': 0, 'outbytes': 4}, 2: {'inbytes': 4, 'outbytes': 0}, 3: {'inbytes': 0, 'outbytes': 4}, 4: {'inbytes': 1, 'outbytes': 0}, 5: {'inbytes': 0, 'outbytes': 1}, 6: {'inbytes': 0, 'outbytes': 4}, 7: {'inbytes': 0, 'outbytes': 0}, 8: {'inbytes': 4, 'outbytes': 0}, 9: {'inbytes': 0, 'outbytes': 4}, 10: {'inbytes': 0, 'outbytes': 0, 'outhandles': [1]}, 11: {'inbytes': 0, 'outbytes': 0}, 12: {'inbytes': 1, 'outbytes': 0}, 13: {'inbytes': 0, 'outbytes': 1}, 14: {'inbytes': 4, 'outbytes': 0}, 15: {'inbytes': 0, 'outbytes': 4}}}, 'bluetooth': {'nn::bluetooth::IBluetoothDriver': {0: {'inbytes': 0, 'outbytes': 0}, 1: {'inbytes': 0, 'outbytes': 0, 'outhandles': [1]}, 2: {'inbytes': 0, 'outbytes': 0}, 3: {'inbytes': 0, 'outbytes': 0}, 4: {'inbytes': 0, 'outbytes': 0}, 5: {'inbytes': 0, 'outbytes': 0, 'buffers': [26]}, 6: {'inbytes': 4, 'outbytes': 0, 'buffers': [10]}, 7: {'inbytes': 4, 'outbytes': 0, 'buffers': [9]}, 8: {'inbytes': 0, 'outbytes': 0}, 9: {'inbytes': 0, 'outbytes': 0}, 10: {'inbytes': 6, 'outbytes': 0, 'buffers': [25]}, 11: {'inbytes': 6, 'outbytes': 0}, 12: {'inbytes': 6, 'outbytes': 0}, 13: {'inbytes': 24, 'outbytes': 0}, 14: {'inbytes': 12, 'outbytes': 0}, 15: {'inbytes': 0, 'outbytes': 4, 'buffers': [10]}, 16: {'inbytes': 2, 'outbytes': 0, 'outhandles': [1]}, 17: {'inbytes': 6, 'outbytes': 0}, 18: {'inbytes': 6, 'outbytes': 0}, 19: {'inbytes': 6, 'outbytes': 0, 'buffers': [25]}, 20: {'inbytes': 6, 'outbytes': 0, 'buffers': [9]}, 21: {'inbytes': 12, 'outbytes': 0, 'buffers': [25]}, 22: {'inbytes': 12, 'outbytes': 0}, 23: {'inbytes': 6, 'outbytes': 0}, 24: {'inbytes': 0, 'outbytes': 0, 'buffers': [25]}, 25: {'inbytes': 6, 'outbytes': 0, 'buffers': [26]}, 26: {'inbytes': 0, 'outbytes': 0}, 27: {'inbytes': 0, 'outbytes': 4, 'buffers': [10]}, 28: {'inbytes': 7, 'outbytes': 0}, 29: {'inbytes': 7, 'outbytes': 0}, 30: {'inbytes': 6, 'outbytes': 0, 'buffers': [9]}, 31: {'inbytes': 1, 'outbytes': 0}, 32: {'inbytes': 0, 'outbytes': 0}, 33: {'inbytes': 0, 'outbytes': 0}, 34: {'inbytes': 1, 'outbytes': 0}, 35: {'inbytes': 2, 'outbytes': 0}, 36: {'inbytes': 0, 'outbytes': 0, 'outhandles': [1]}, 37: {'inbytes': 0, 'outbytes': 4, 'buffers': [10]}, 38: {'inbytes': 0, 'outbytes': 0, 'buffers': [22]}, 39: {'inbytes': 0, 'outbytes': 0}}, 'nn::sf::hipc::detail::IHipcManager': {0: {'inbytes': 0, 'outbytes': 4}, 1: {'inbytes': 4, 'outbytes': 0, 'outhandles': [2]}, 2: {'inbytes': 0, 'outbytes': 0, 'outhandles': [2]}, 3: {'inbytes': 0, 'outbytes': 2}, 4: {'inbytes': 4, 'outbytes': 0, 'outhandles': [2]}}}, 'bcat': {'nn::prepo::detail::ipc::IPrepoService': {30100: {'inbytes': 0, 'outbytes': 0}, 20100: {'inbytes': 8, 'outbytes': 0, 'buffers': [9, 5]}, 20101: {'inbytes': 24, 'outbytes': 0, 'buffers': [9, 5]}, 10200: {'inbytes': 0, 'outbytes': 0}, 10100: {'inbytes': 8, 'outbytes': 0, 'buffers': [9, 5], 'pid': True}, 10101: {'inbytes': 24, 'outbytes': 0, 'buffers': [9, 5], 'pid': True}, 10300: {'inbytes': 0, 'outbytes': 4}, 90100: {'inbytes': 4, 'outbytes': 0}, 90101: {'inbytes': 0, 'outbytes': 4}, 90102: {'inbytes': 0, 'outbytes': 16}}, 'nn::news::detail::ipc::INewsService': {30900: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::news::detail::ipc::INewlyArrivedEventHolder']}, 30901: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::news::detail::ipc::INewsDataService']}, 30902: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::news::detail::ipc::INewsDatabaseService']}, 40100: {'inbytes': 4, 'outbytes': 0, 'buffers': [9]}, 40200: {'inbytes': 0, 'outbytes': 0}, 40201: {'inbytes': 0, 'outbytes': 0}, 30100: {'inbytes': 0, 'outbytes': 4, 'buffers': [9]}, 30200: {'inbytes': 0, 'outbytes': 1}, 30300: {'inbytes': 0, 'outbytes': 0, 'buffers': [9]}, 20100: {'inbytes': 8, 'outbytes': 0, 'buffers': [9]}, 10100: {'inbytes': 0, 'outbytes': 0, 'buffers': [5]}, 90100: {'inbytes': 0, 'outbytes': 8, 'buffers': [6]}}, 'nn::sf::hipc::detail::IHipcManager': {0: {'inbytes': 0, 'outbytes': 4}, 1: {'inbytes': 4, 'outbytes': 0, 'outhandles': [2]}, 2: {'inbytes': 0, 'outbytes': 0, 'outhandles': [2]}, 3: {'inbytes': 0, 'outbytes': 2}, 4: {'inbytes': 4, 'outbytes': 0, 'outhandles': [2]}}, 'nn::news::detail::ipc::INewlyArrivedEventHolder': {0: {'inbytes': 0, 'outbytes': 0, 'outhandles': [1]}}, 'nn::news::detail::ipc::INewsDatabaseService': {0: {'inbytes': 4, 'outbytes': 4, 'buffers': [6, 9, 9]}, 1: {'inbytes': 0, 'outbytes': 4, 'buffers': [9]}, 2: {'inbytes': 1, 'outbytes': 4, 'buffers': [9, 9]}, 3: {'inbytes': 4, 'outbytes': 0, 'buffers': [9, 9]}, 4: {'inbytes': 4, 'outbytes': 0, 'buffers': [9, 9]}, 5: {'inbytes': 0, 'outbytes': 0, 'buffers': [9, 9, 9]}}, 'nn::news::detail::ipc::INewsDataService': {0: {'inbytes': 0, 'outbytes': 0, 'buffers': [9]}, 1: {'inbytes': 72, 'outbytes': 0}, 2: {'inbytes': 8, 'outbytes': 8, 'buffers': [6]}, 3: {'inbytes': 0, 'outbytes': 8}}}, 'friends': {'nn::friends::detail::ipc::IFriendService': {0: {'inbytes': 0, 'outbytes': 0, 'outhandles': [1]}, 1: {'inbytes': 0, 'outbytes': 0}, 20501: {'inbytes': 24, 'outbytes': 8}, 10400: {'inbytes': 24, 'outbytes': 4, 'buffers': [10]}, 20701: {'inbytes': 16, 'outbytes': 16}, 10500: {'inbytes': 16, 'outbytes': 0, 'buffers': [6, 9]}, 20800: {'inbytes': 16, 'outbytes': 0, 'buffers': [26]}, 20801: {'inbytes': 16, 'outbytes': 0}, 10600: {'inbytes': 16, 'outbytes': 0}, 10601: {'inbytes': 16, 'outbytes': 0}, 10610: {'inbytes': 24, 'outbytes': 0, 'buffers': [25], 'pid': True}, 20900: {'inbytes': 0, 'outbytes': 0}, 10700: {'inbytes': 24, 'outbytes': 0, 'buffers': [26]}, 10701: {'inbytes': 16, 'outbytes': 0, 'buffers': [26]}, 10702: {'inbytes': 24, 'outbytes': 0, 'buffers': [25, 25, 25], 'pid': True}, 30810: {'inbytes': 24, 'outbytes': 0}, 30811: {'inbytes': 24, 'outbytes': 0}, 30812: {'inbytes': 24, 'outbytes': 0}, 30830: {'inbytes': 16, 'outbytes': 0}, 20600: {'inbytes': 16, 'outbytes': 0, 'buffers': [26]}, 49900: {'inbytes': 16, 'outbytes': 0}, 11000: {'inbytes': 164, 'outbytes': 160}, 20300: {'inbytes': 24, 'outbytes': 4, 'buffers': [6]}, 20500: {'inbytes': 16, 'outbytes': 0, 'buffers': [6, 9]}, 20700: {'inbytes': 24, 'outbytes': 4, 'buffers': [6]}, 30100: {'inbytes': 16, 'outbytes': 0}, 30101: {'inbytes': 24, 'outbytes': 0}, 30110: {'inbytes': 24, 'outbytes': 0}, 30820: {'inbytes': 16, 'outbytes': 0}, 30120: {'inbytes': 32, 'outbytes': 0}, 30121: {'inbytes': 32, 'outbytes': 0}, 30200: {'inbytes': 32, 'outbytes': 0}, 30201: {'inbytes': 48, 'outbytes': 0, 'buffers': [25, 25]}, 30202: {'inbytes': 24, 'outbytes': 0}, 30203: {'inbytes': 24, 'outbytes': 0}, 30204: {'inbytes': 24, 'outbytes': 0}, 30205: {'inbytes': 24, 'outbytes': 0}, 30210: {'inbytes': 16, 'outbytes': 64}, 30211: {'inbytes': 120, 'outbytes': 0, 'buffers': [5]}, 30212: {'inbytes': 24, 'outbytes': 0}, 30213: {'inbytes': 24, 'outbytes': 4, 'buffers': [6]}, 30214: {'inbytes': 0, 'outbytes': 4, 'buffers': [9, 6]}, 20400: {'inbytes': 24, 'outbytes': 4, 'buffers': [6]}, 20100: {'inbytes': 40, 'outbytes': 4, 'pid': True}, 20101: {'inbytes': 16, 'outbytes': 4}, 20102: {'inbytes': 24, 'outbytes': 0, 'buffers': [26]}, 20103: {'inbytes': 16, 'outbytes': 0}, 20110: {'inbytes': 24, 'outbytes': 0, 'buffers': [26]}, 30400: {'inbytes': 32, 'outbytes': 0}, 30401: {'inbytes': 48, 'outbytes': 0, 'buffers': [25]}, 30402: {'inbytes': 24, 'outbytes': 0}, 20200: {'inbytes': 16, 'outbytes': 8}, 20201: {'inbytes': 24, 'outbytes': 4, 'buffers': [6]}, 30500: {'inbytes': 48, 'outbytes': 0, 'buffers': [26]}, 10100: {'inbytes': 48, 'outbytes': 4, 'buffers': [10], 'pid': True}, 10101: {'inbytes': 48, 'outbytes': 4, 'buffers': [6], 'pid': True}, 10102: {'inbytes': 24, 'outbytes': 0, 'buffers': [6, 9], 'pid': True}, 10110: {'inbytes': 24, 'outbytes': 4, 'buffers': [6]}, 20401: {'inbytes': 16, 'outbytes': 0}, 30700: {'inbytes': 16, 'outbytes': 0}}, 'nn::sf::hipc::detail::IHipcManager': {0: {'inbytes': 0, 'outbytes': 4}, 1: {'inbytes': 4, 'outbytes': 0, 'outhandles': [2]}, 2: {'inbytes': 0, 'outbytes': 0, 'outhandles': [2]}, 3: {'inbytes': 0, 'outbytes': 2}, 4: {'inbytes': 4, 'outbytes': 0, 'outhandles': [2]}}, 'nn::friends::detail::ipc::IFriendServiceCreator': {0: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::friends::detail::ipc::IFriendService']}}}, 'nifm': {'nn::nifm::detail::IStaticService': {4: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::nifm::detail::IGeneralService']}}, 'nn::nifm::detail::IScanRequest': {0: {'inbytes': 0, 'outbytes': 0}, 1: {'inbytes': 0, 'outbytes': 1}, 2: {'inbytes': 0, 'outbytes': 0}, 3: {'inbytes': 0, 'outbytes': 0, 'outhandles': [1]}}, 'nn::nifm::detail::IRequest': {0: {'inbytes': 0, 'outbytes': 4}, 1: {'inbytes': 0, 'outbytes': 0}, 2: {'inbytes': 0, 'outbytes': 0, 'outhandles': [1, 1]}, 3: {'inbytes': 0, 'outbytes': 0}, 4: {'inbytes': 0, 'outbytes': 0}, 5: {'inbytes': 32, 'outbytes': 0}, 6: {'inbytes': 4, 'outbytes': 0}, 8: {'inbytes': 1, 'outbytes': 0}, 9: {'inbytes': 16, 'outbytes': 0}, 10: {'inbytes': 1, 'outbytes': 0}, 11: {'inbytes': 1, 'outbytes': 0}, 12: {'inbytes': 1, 'outbytes': 0}, 13: {'inbytes': 1, 'outbytes': 0}, 14: {'inbytes': 2, 'outbytes': 0}, 15: {'inbytes': 1, 'outbytes': 0}, 16: {'inbytes': 1, 'outbytes': 0}, 17: {'inbytes': 1, 'outbytes': 0}, 18: {'inbytes': 4, 'outbytes': 0}, 19: {'inbytes': 0, 'outbytes': 32}, 20: {'inbytes': 0, 'outbytes': 4}, 21: {'inbytes': 4, 'outbytes': 12, 'buffers': [6]}, 22: {'inbytes': 0, 'outbytes': 4, 'buffers': [22]}}, 'nn::nifm::detail::INetworkProfile': {0: {'inbytes': 0, 'outbytes': 16, 'buffers': [25]}}, 'nn::sf::hipc::detail::IHipcManager': {0: {'inbytes': 0, 'outbytes': 4}, 1: {'inbytes': 4, 'outbytes': 0, 'outhandles': [2]}, 2: {'inbytes': 0, 'outbytes': 0, 'outhandles': [2]}, 3: {'inbytes': 0, 'outbytes': 2}, 4: {'inbytes': 4, 'outbytes': 0, 'outhandles': [2]}}, 'nn::nifm::detail::IGeneralService': {1: {'inbytes': 0, 'outbytes': 0, 'buffers': [26]}, 2: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::nifm::detail::IScanRequest']}, 4: {'inbytes': 4, 'outbytes': 0, 'outinterfaces': ['nn::nifm::detail::IRequest']}, 5: {'inbytes': 0, 'outbytes': 0, 'buffers': [26]}, 6: {'inbytes': 4, 'outbytes': 4, 'buffers': [10]}, 7: {'inbytes': 1, 'outbytes': 4, 'buffers': [6]}, 8: {'inbytes': 16, 'outbytes': 0, 'buffers': [26]}, 9: {'inbytes': 0, 'outbytes': 16, 'buffers': [25]}, 10: {'inbytes': 16, 'outbytes': 0}, 11: {'inbytes': 0, 'outbytes': 4, 'buffers': [6]}, 12: {'inbytes': 0, 'outbytes': 4}, 13: {'inbytes': 0, 'outbytes': 0, 'buffers': [26]}, 14: {'inbytes': 0, 'outbytes': 16, 'buffers': [25], 'outinterfaces': ['nn::nifm::detail::INetworkProfile']}, 15: {'inbytes': 0, 'outbytes': 22}, 16: {'inbytes': 1, 'outbytes': 0}, 17: {'inbytes': 0, 'outbytes': 1}, 18: {'inbytes': 0, 'outbytes': 3}, 19: {'inbytes': 1, 'outbytes': 0}, 20: {'inbytes': 0, 'outbytes': 1}, 21: {'inbytes': 0, 'outbytes': 1, 'buffers': [25]}, 22: {'inbytes': 0, 'outbytes': 1}, 23: {'inbytes': 0, 'outbytes': 0}, 24: {'inbytes': 0, 'outbytes': 0}, 25: {'inbytes': 0, 'outbytes': 16}, 26: {'inbytes': 0, 'outbytes': 0, 'buffers': [25]}, 27: {'inbytes': 0, 'outbytes': 0, 'buffers': [26]}, 28: {'inbytes': 0, 'outbytes': 0, 'buffers': [25]}, 29: {'inbytes': 1, 'outbytes': 0}, 30: {'inbytes': 1, 'outbytes': 0}}}, 'ptm': {'nn::tc::IManager': {0: {'inbytes': 4, 'outbytes': 0}, 1: {'inbytes': 4, 'outbytes': 0, 'outhandles': [1]}, 2: {'inbytes': 4, 'outbytes': 1}, 3: {'inbytes': 4, 'outbytes': 0}, 4: {'inbytes': 4, 'outbytes': 0}, 5: {'inbytes': 8, 'outbytes': 0}, 6: {'inbytes': 0, 'outbytes': 0}, 7: {'inbytes': 0, 'outbytes': 0}, 8: {'inbytes': 0, 'outbytes': 1}}, 'nn::psm::IPsmSession': {0: {'inbytes': 0, 'outbytes': 0, 'outhandles': [1]}, 1: {'inbytes': 0, 'outbytes': 0}, 2: {'inbytes': 1, 'outbytes': 0}, 3: {'inbytes': 1, 'outbytes': 0}, 4: {'inbytes': 1, 'outbytes': 0}}, 'nn::fan::detail::IController': {0: {'inbytes': 4, 'outbytes': 0}, 1: {'inbytes': 4, 'outbytes': 4}, 2: {'inbytes': 0, 'outbytes': 4}, 3: {'inbytes': 4, 'outbytes': 0}, 4: {'inbytes': 0, 'outbytes': 4}, 5: {'inbytes': 0, 'outbytes': 0}, 6: {'inbytes': 0, 'outbytes': 0}, 7: {'inbytes': 0, 'outbytes': 4}}, 'nn::sf::hipc::detail::IHipcManager': {0: {'inbytes': 0, 'outbytes': 4}, 1: {'inbytes': 4, 'outbytes': 0, 'outhandles': [2]}, 2: {'inbytes': 0, 'outbytes': 0, 'outhandles': [2]}, 3: {'inbytes': 0, 'outbytes': 2}, 4: {'inbytes': 4, 'outbytes': 0, 'outhandles': [2]}}, 'nn::ts::server::IMeasurementServer': {0: {'inbytes': 1, 'outbytes': 8}, 1: {'inbytes': 1, 'outbytes': 4}, 2: {'inbytes': 2, 'outbytes': 0}, 3: {'inbytes': 1, 'outbytes': 4}}, 'nn::psm::IPsmServer': {0: {'inbytes': 0, 'outbytes': 4}, 1: {'inbytes': 0, 'outbytes': 4}, 2: {'inbytes': 0, 'outbytes': 0}, 3: {'inbytes': 0, 'outbytes': 0}, 4: {'inbytes': 0, 'outbytes': 1}, 5: {'inbytes': 0, 'outbytes': 0}, 6: {'inbytes': 0, 'outbytes': 0}, 7: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::psm::IPsmSession']}, 8: {'inbytes': 0, 'outbytes': 0}, 9: {'inbytes': 0, 'outbytes': 0}, 10: {'inbytes': 0, 'outbytes': 0}, 11: {'inbytes': 0, 'outbytes': 0}, 12: {'inbytes': 0, 'outbytes': 4}, 13: {'inbytes': 0, 'outbytes': 8}, 14: {'inbytes': 0, 'outbytes': 1}, 15: {'inbytes': 0, 'outbytes': 8}}, 'nn::fan::detail::IManager': {0: {'inbytes': 4, 'outbytes': 0, 'outinterfaces': ['nn::fan::detail::IController']}}}, 'bsdsocket': {'nn::eth::sf::IEthInterface': {0: {'inbytes': 0, 'outbytes': 0, 'buffers': [5], 'outhandles': [1]}, 1: {'inbytes': 0, 'outbytes': 0}, 2: {'inbytes': 0, 'outbytes': 0}, 3: {'inbytes': 0, 'outbytes': 0, 'buffers': [6]}, 4: {'inbytes': 4, 'outbytes': 0}, 5: {'inbytes': 0, 'outbytes': 12}}, 'nn::eth::sf::IEthInterfaceGroup': {0: {'inbytes': 0, 'outbytes': 0, 'outhandles': [1]}, 1: {'inbytes': 0, 'outbytes': 0}, 2: {'inbytes': 0, 'outbytes': 0}, 3: {'inbytes': 0, 'outbytes': 0, 'buffers': [6]}, 4: {'inbytes': 0, 'outbytes': 4}}, 'nn::sf::hipc::detail::IHipcManager': {0: {'inbytes': 0, 'outbytes': 4}, 1: {'inbytes': 4, 'outbytes': 0, 'outhandles': [2]}, 2: {'inbytes': 0, 'outbytes': 0, 'outhandles': [2]}, 3: {'inbytes': 0, 'outbytes': 2}, 4: {'inbytes': 4, 'outbytes': 0, 'outhandles': [2]}}, 'nn::nsd::detail::IManager': {10: {'inbytes': 0, 'outbytes': 0, 'buffers': [22]}, 11: {'inbytes': 0, 'outbytes': 0, 'buffers': [22]}, 12: {'inbytes': 0, 'outbytes': 16}, 13: {'inbytes': 4, 'outbytes': 0}, 14: {'inbytes': 4, 'outbytes': 0, 'buffers': [5, 6]}, 20: {'inbytes': 0, 'outbytes': 0, 'buffers': [22, 21]}, 21: {'inbytes': 0, 'outbytes': 4, 'buffers': [22, 21]}, 30: {'inbytes': 0, 'outbytes': 0, 'buffers': [22, 21]}, 31: {'inbytes': 0, 'outbytes': 4, 'buffers': [22, 21]}, 40: {'inbytes': 0, 'outbytes': 0, 'buffers': [22]}, 41: {'inbytes': 0, 'outbytes': 4, 'buffers': [22]}, 42: {'inbytes': 0, 'outbytes': 0, 'buffers': [22]}, 43: {'inbytes': 0, 'outbytes': 4, 'buffers': [22]}, 50: {'inbytes': 0, 'outbytes': 0, 'buffers': [22]}, 60: {'inbytes': 0, 'outbytes': 0, 'buffers': [22]}, 61: {'inbytes': 0, 'outbytes': 0, 'buffers': [21]}, 62: {'inbytes': 0, 'outbytes': 0}}, 'nn::bsdsocket::cfg::ServerInterface': {0: {'inbytes': 40, 'outbytes': 0, 'buffers': [5]}, 1: {'inbytes': 40, 'outbytes': 0, 'buffers': [5], 'outhandles': [1]}, 2: {'inbytes': 0, 'outbytes': 0, 'buffers': [5]}, 3: {'inbytes': 4, 'outbytes': 0, 'buffers': [5]}, 4: {'inbytes': 0, 'outbytes': 0, 'buffers': [5, 6]}, 5: {'inbytes': 0, 'outbytes': 0, 'buffers': [5]}, 6: {'inbytes': 4, 'outbytes': 0, 'buffers': [5]}, 7: {'inbytes': 4, 'outbytes': 0}, 8: {'inbytes': 4, 'outbytes': 0, 'buffers': [6]}, 9: {'inbytes': 0, 'outbytes': 0, 'buffers': [6, 5]}, 10: {'inbytes': 0, 'outbytes': 0}, 11: {'inbytes': 0, 'outbytes': 0, 'buffers': [5]}, 12: {'inbytes': 0, 'outbytes': 0}}, 'nn::socket::resolver::IResolver': {0: {'inbytes': 4, 'outbytes': 0, 'buffers': [5]}, 1: {'inbytes': 4, 'outbytes': 0, 'buffers': [6]}, 2: {'inbytes': 16, 'outbytes': 12, 'buffers': [5, 6], 'pid': True}, 3: {'inbytes': 24, 'outbytes': 12, 'buffers': [5, 6], 'pid': True}, 4: {'inbytes': 4, 'outbytes': 0, 'buffers': [6]}, 5: {'inbytes': 4, 'outbytes': 0, 'buffers': [6]}, 6: {'inbytes': 16, 'outbytes': 12, 'buffers': [5, 5, 5, 6], 'pid': True}, 7: {'inbytes': 16, 'outbytes': 8, 'buffers': [5, 6, 6], 'pid': True}, 8: {'inbytes': 8, 'outbytes': 4, 'pid': True}, 9: {'inbytes': 16, 'outbytes': 0, 'pid': True}}, 'nn::socket::sf::IClient': {0: {'inbytes': 48, 'outbytes': 4, 'inhandles': [1], 'pid': True}, 1: {'inbytes': 8, 'outbytes': 0, 'pid': True}, 2: {'inbytes': 12, 'outbytes': 8}, 3: {'inbytes': 12, 'outbytes': 8}, 4: {'inbytes': 4, 'outbytes': 8, 'buffers': [33]}, 5: {'inbytes': 32, 'outbytes': 8, 'buffers': [33, 33, 33, 34, 34, 34]}, 6: {'inbytes': 8, 'outbytes': 8, 'buffers': [33, 34]}, 7: {'inbytes': 0, 'outbytes': 12, 'buffers': [33, 34, 33]}, 8: {'inbytes': 8, 'outbytes': 8, 'buffers': [34]}, 9: {'inbytes': 8, 'outbytes': 12, 'buffers': [34, 34]}, 10: {'inbytes': 8, 'outbytes': 8, 'buffers': [33]}, 11: {'inbytes': 8, 'outbytes': 8, 'buffers': [33, 33]}, 12: {'inbytes': 4, 'outbytes': 12, 'buffers': [34]}, 13: {'inbytes': 4, 'outbytes': 8, 'buffers': [33]}, 14: {'inbytes': 4, 'outbytes': 8, 'buffers': [33]}, 15: {'inbytes': 4, 'outbytes': 12, 'buffers': [34]}, 16: {'inbytes': 4, 'outbytes': 12, 'buffers': [34]}, 17: {'inbytes': 12, 'outbytes': 12, 'buffers': [34]}, 18: {'inbytes': 8, 'outbytes': 8}, 19: {'inbytes': 12, 'outbytes': 8, 'buffers': [33, 33, 33, 33, 34, 34, 34, 34]}, 20: {'inbytes': 12, 'outbytes': 8}, 21: {'inbytes': 12, 'outbytes': 8, 'buffers': [33]}, 22: {'inbytes': 8, 'outbytes': 8}, 23: {'inbytes': 4, 'outbytes': 8}, 24: {'inbytes': 4, 'outbytes': 8, 'buffers': [33]}, 25: {'inbytes': 4, 'outbytes': 8, 'buffers': [34]}, 26: {'inbytes': 4, 'outbytes': 8}, 27: {'inbytes': 16, 'outbytes': 8}, 28: {'inbytes': 8, 'outbytes': 8, 'buffers': [34], 'pid': True}}}, 'hid': {'nn::hid::IActiveVibrationDeviceList': {0: {'inbytes': 4, 'outbytes': 0}}, 'nn::ahid::hdr::ISession': {0: {'inbytes': 0, 'outbytes': 4}, 1: {'inbytes': 4, 'outbytes': 4, 'buffers': [6, 5]}, 2: {'inbytes': 4, 'outbytes': 0, 'buffers': [6]}, 3: {'inbytes': 0, 'outbytes': 4, 'buffers': [5]}, 4: {'inbytes': 4, 'outbytes': 0}}, 'nn::hid::IAppletResource': {0: {'inbytes': 0, 'outbytes': 0, 'outhandles': [1]}}, 'nn::hid::IHidSystemServer': {31: {'inbytes': 4, 'outbytes': 0}, 101: {'inbytes': 8, 'outbytes': 0, 'outhandles': [1], 'pid': True}, 111: {'inbytes': 8, 'outbytes': 0, 'pid': True}, 121: {'inbytes': 8, 'outbytes': 0, 'outhandles': [1], 'pid': True}, 131: {'inbytes': 8, 'outbytes': 0, 'pid': True}, 141: {'inbytes': 8, 'outbytes': 0, 'outhandles': [1], 'pid': True}, 151: {'inbytes': 8, 'outbytes': 0, 'pid': True}, 210: {'inbytes': 0, 'outbytes': 0, 'outhandles': [1]}, 211: {'inbytes': 0, 'outbytes': 8, 'buffers': [10]}, 212: {'inbytes': 4, 'outbytes': 0, 'outhandles': [1]}, 213: {'inbytes': 16, 'outbytes': 0, 'pid': True}, 230: {'inbytes': 4, 'outbytes': 0, 'outhandles': [1]}, 231: {'inbytes': 16, 'outbytes': 0, 'pid': True}, 301: {'inbytes': 4, 'outbytes': 0}, 303: {'inbytes': 8, 'outbytes': 0, 'pid': True}, 304: {'inbytes': 8, 'outbytes': 0, 'pid': True}, 305: {'inbytes': 8, 'outbytes': 0, 'pid': True}, 322: {'inbytes': 16, 'outbytes': 8, 'pid': True}, 323: {'inbytes': 16, 'outbytes': 8, 'pid': True}, 500: {'inbytes': 8, 'outbytes': 0}, 501: {'inbytes': 16, 'outbytes': 0}, 502: {'inbytes': 8, 'outbytes': 0}, 503: {'inbytes': 16, 'outbytes': 0}, 504: {'inbytes': 16, 'outbytes': 0}, 510: {'inbytes': 4, 'outbytes': 0}, 511: {'inbytes': 0, 'outbytes': 4}, 520: {'inbytes': 0, 'outbytes': 0}, 521: {'inbytes': 0, 'outbytes': 0}, 700: {'inbytes': 16, 'outbytes': 0, 'pid': True}, 702: {'inbytes': 0, 'outbytes': 0, 'outhandles': [1]}, 703: {'inbytes': 0, 'outbytes': 8, 'buffers': [10]}, 751: {'inbytes': 8, 'outbytes': 0, 'outhandles': [1], 'pid': True}, 800: {'inbytes': 8, 'outbytes': 8, 'buffers': [10]}, 801: {'inbytes': 4, 'outbytes': 1}, 802: {'inbytes': 4, 'outbytes': 0}, 803: {'inbytes': 4, 'outbytes': 0}, 804: {'inbytes': 4, 'outbytes': 0}, 821: {'inbytes': 16, 'outbytes': 0}, 822: {'inbytes': 16, 'outbytes': 0}, 823: {'inbytes': 16, 'outbytes': 0}, 824: {'inbytes': 16, 'outbytes': 0}, 900: {'inbytes': 8, 'outbytes': 0, 'pid': True}, 901: {'inbytes': 4, 'outbytes': 0}}, 'nn::xcd::detail::ISystemServer': {0: {'inbytes': 8, 'outbytes': 1}, 1: {'inbytes': 16, 'outbytes': 0}, 2: {'inbytes': 8, 'outbytes': 1}, 3: {'inbytes': 16, 'outbytes': 0}, 4: {'inbytes': 8, 'outbytes': 32}, 5: {'inbytes': 8, 'outbytes': 0}, 10: {'inbytes': 8, 'outbytes': 0, 'outhandles': [1, 1]}, 11: {'inbytes': 8, 'outbytes': 0, 'buffers': [26]}, 12: {'inbytes': 16, 'outbytes': 0}, 13: {'inbytes': 8, 'outbytes': 0}, 14: {'inbytes': 48, 'outbytes': 0}, 15: {'inbytes': 8, 'outbytes': 0, 'buffers': [25]}, 16: {'inbytes': 8, 'outbytes': 0, 'buffers': [25]}, 17: {'inbytes': 8, 'outbytes': 0, 'buffers': [25]}, 18: {'inbytes': 16, 'outbytes': 0}, 19: {'inbytes': 8, 'outbytes': 0, 'buffers': [25]}, 20: {'inbytes': 8, 'outbytes': 0, 'buffers': [25]}, 101: {'inbytes': 0, 'outbytes': 8}, 102: {'inbytes': 0, 'outbytes': 8}}, 'nn::irsensor::IIrSensorSystemServer': {500: {'inbytes': 8, 'outbytes': 0}, 501: {'inbytes': 16, 'outbytes': 0}, 502: {'inbytes': 8, 'outbytes': 0}, 503: {'inbytes': 16, 'outbytes': 0}}, 'nn::hid::IHidDebugServer': {0: {'inbytes': 0, 'outbytes': 0}, 1: {'inbytes': 24, 'outbytes': 0}, 2: {'inbytes': 0, 'outbytes': 0}, 10: {'inbytes': 0, 'outbytes': 0}, 11: {'inbytes': 0, 'outbytes': 0, 'buffers': [5]}, 12: {'inbytes': 0, 'outbytes': 0}, 20: {'inbytes': 0, 'outbytes': 0}, 21: {'inbytes': 28, 'outbytes': 0}, 22: {'inbytes': 0, 'outbytes': 0}, 30: {'inbytes': 0, 'outbytes': 0}, 31: {'inbytes': 40, 'outbytes': 0}, 32: {'inbytes': 0, 'outbytes': 0}, 50: {'inbytes': 4, 'outbytes': 0}, 51: {'inbytes': 32, 'outbytes': 0}, 52: {'inbytes': 4, 'outbytes': 0}, 60: {'inbytes': 4, 'outbytes': 0}, 110: {'inbytes': 0, 'outbytes': 0}, 111: {'inbytes': 8, 'outbytes': 0}, 112: {'inbytes': 0, 'outbytes': 0}, 120: {'inbytes': 0, 'outbytes': 0}, 121: {'inbytes': 8, 'outbytes': 0}, 122: {'inbytes': 0, 'outbytes': 0}, 123: {'inbytes': 0, 'outbytes': 0}, 130: {'inbytes': 0, 'outbytes': 0}, 131: {'inbytes': 8, 'outbytes': 0}, 132: {'inbytes': 0, 'outbytes': 0}, 201: {'inbytes': 0, 'outbytes': 0}, 202: {'inbytes': 0, 'outbytes': 0}, 203: {'inbytes': 8, 'outbytes': 0, 'outhandles': [1]}, 204: {'inbytes': 0, 'outbytes': 16}, 205: {'inbytes': 8, 'outbytes': 4}, 206: {'inbytes': 8, 'outbytes': 4}}, 'nn::ahid::IReadSession': {0: {'inbytes': 0, 'outbytes': 4, 'buffers': [6]}}, 'nn::ahid::IServerSession': {0: {'inbytes': 4, 'outbytes': 0}, 1: {'inbytes': 4, 'outbytes': 0}, 2: {'inbytes': 4, 'outbytes': 0, 'outinterfaces': ['nn::ahid::ICtrlSession']}, 3: {'inbytes': 4, 'outbytes': 0, 'outinterfaces': ['nn::ahid::IReadSession']}, 4: {'inbytes': 4, 'outbytes': 0, 'outinterfaces': ['nn::ahid::IWriteSession']}}, 'nn::ahid::ICtrlSession': {0: {'inbytes': 1, 'outbytes': 0, 'buffers': [6]}, 1: {'inbytes': 0, 'outbytes': 0, 'buffers': [6]}, 2: {'inbytes': 2, 'outbytes': 0, 'buffers': [6]}, 3: {'inbytes': 2, 'outbytes': 0, 'buffers': [5]}, 4: {'inbytes': 1, 'outbytes': 0, 'buffers': [6]}, 5: {'inbytes': 2, 'outbytes': 0}, 6: {'inbytes': 0, 'outbytes': 0, 'buffers': [6]}, 7: {'inbytes': 1, 'outbytes': 0}, 8: {'inbytes': 6, 'outbytes': 0, 'buffers': [6]}, 9: {'inbytes': 6, 'outbytes': 0, 'buffers': [5]}, 10: {'inbytes': 0, 'outbytes': 0, 'outhandles': [1]}, 11: {'inbytes': 0, 'outbytes': 0}}, 'nn::irsensor::IIrSensorServer': {302: {'inbytes': 8, 'outbytes': 0, 'pid': True}, 303: {'inbytes': 8, 'outbytes': 0, 'pid': True}, 304: {'inbytes': 8, 'outbytes': 0, 'outhandles': [1], 'pid': True}, 305: {'inbytes': 16, 'outbytes': 0, 'pid': True}, 306: {'inbytes': 48, 'outbytes': 0, 'pid': True}, 307: {'inbytes': 56, 'outbytes': 0, 'pid': True}, 308: {'inbytes': 48, 'outbytes': 0, 'inhandles': [1], 'pid': True}, 309: {'inbytes': 16, 'outbytes': 16, 'buffers': [6], 'pid': True}, 310: {'inbytes': 24, 'outbytes': 0, 'pid': True}, 311: {'inbytes': 4, 'outbytes': 4}, 312: {'inbytes': 24, 'outbytes': 0, 'pid': True}}, 'nn::hid::IHidServer': {0: {'inbytes': 8, 'outbytes': 0, 'outinterfaces': ['nn::hid::IAppletResource'], 'pid': True}, 1: {'inbytes': 8, 'outbytes': 0, 'pid': True}, 11: {'inbytes': 8, 'outbytes': 0, 'pid': True}, 21: {'inbytes': 8, 'outbytes': 0, 'pid': True}, 31: {'inbytes': 8, 'outbytes': 0, 'pid': True}, 40: {'inbytes': 8, 'outbytes': 0, 'outhandles': [1]}, 41: {'inbytes': 8, 'outbytes': 0}, 51: {'inbytes': 16, 'outbytes': 0, 'pid': True}, 55: {'inbytes': 0, 'outbytes': 8, 'buffers': [10]}, 56: {'inbytes': 4, 'outbytes': 0}, 58: {'inbytes': 4, 'outbytes': 0, 'outhandles': [1]}, 59: {'inbytes': 0, 'outbytes': 8, 'buffers': [10]}, 60: {'inbytes': 4, 'outbytes': 0}, 61: {'inbytes': 4, 'outbytes': 0}, 62: {'inbytes': 4, 'outbytes': 0, 'outhandles': [1]}, 63: {'inbytes': 4, 'outbytes': 0}, 64: {'inbytes': 4, 'outbytes': 0}, 65: {'inbytes': 4, 'outbytes': 0, 'outhandles': [1]}, 66: {'inbytes': 16, 'outbytes': 0, 'pid': True}, 67: {'inbytes': 16, 'outbytes': 0, 'pid': True}, 68: {'inbytes': 16, 'outbytes': 1, 'pid': True}, 69: {'inbytes': 16, 'outbytes': 0, 'pid': True}, 70: {'inbytes': 24, 'outbytes': 0, 'pid': True}, 71: {'inbytes': 16, 'outbytes': 8, 'pid': True}, 72: {'inbytes': 16, 'outbytes': 0, 'pid': True}, 73: {'inbytes': 24, 'outbytes': 0, 'pid': True}, 74: {'inbytes': 16, 'outbytes': 8, 'pid': True}, 75: {'inbytes': 16, 'outbytes': 0, 'pid': True}, 76: {'inbytes': 16, 'outbytes': 0, 'pid': True}, 77: {'inbytes': 16, 'outbytes': 4, 'pid': True}, 78: {'inbytes': 16, 'outbytes': 0, 'pid': True}, 79: {'inbytes': 16, 'outbytes': 0, 'pid': True}, 80: {'inbytes': 16, 'outbytes': 4, 'pid': True}, 81: {'inbytes': 16, 'outbytes': 0, 'pid': True}, 82: {'inbytes': 16, 'outbytes': 1, 'pid': True}, 100: {'inbytes': 16, 'outbytes': 0, 'pid': True}, 101: {'inbytes': 8, 'outbytes': 4, 'pid': True}, 102: {'inbytes': 8, 'outbytes': 0, 'buffers': [9], 'pid': True}, 103: {'inbytes': 8, 'outbytes': 0, 'pid': True}, 104: {'inbytes': 8, 'outbytes': 0, 'pid': True}, 106: {'inbytes': 24, 'outbytes': 0, 'outhandles': [1], 'pid': True}, 107: {'inbytes': 16, 'outbytes': 0, 'pid': True}, 108: {'inbytes': 4, 'outbytes': 8}, 120: {'inbytes': 16, 'outbytes': 0, 'pid': True}, 121: {'inbytes': 8, 'outbytes': 8, 'pid': True}, 122: {'inbytes': 16, 'outbytes': 0, 'pid': True}, 123: {'inbytes': 24, 'outbytes': 0, 'pid': True}, 124: {'inbytes': 16, 'outbytes': 0, 'pid': True}, 125: {'inbytes': 16, 'outbytes': 0, 'pid': True}, 126: {'inbytes': 8, 'outbytes': 0, 'pid': True}, 128: {'inbytes': 16, 'outbytes': 0, 'pid': True}, 129: {'inbytes': 8, 'outbytes': 8, 'pid': True}, 130: {'inbytes': 16, 'outbytes': 0, 'pid': True}, 131: {'inbytes': 16, 'outbytes': 1, 'pid': True}, 132: {'inbytes': 16, 'outbytes': 0, 'pid': True}, 200: {'inbytes': 4, 'outbytes': 8}, 201: {'inbytes': 32, 'outbytes': 0, 'pid': True}, 202: {'inbytes': 16, 'outbytes': 16, 'pid': True}, 203: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::hid::IActiveVibrationDeviceList']}, 204: {'inbytes': 1, 'outbytes': 0}, 205: {'inbytes': 0, 'outbytes': 1}, 206: {'inbytes': 8, 'outbytes': 0, 'buffers': [9, 9]}, 127: {'inbytes': 8, 'outbytes': 0, 'pid': True}, 1000: {'inbytes': 16, 'outbytes': 0, 'pid': True}, 1001: {'inbytes': 0, 'outbytes': 8}}, 'nn::sf::hipc::detail::IHipcManager': {0: {'inbytes': 0, 'outbytes': 4}, 1: {'inbytes': 4, 'outbytes': 0, 'outhandles': [2]}, 2: {'inbytes': 0, 'outbytes': 0, 'outhandles': [2]}, 3: {'inbytes': 0, 'outbytes': 2}, 4: {'inbytes': 4, 'outbytes': 0, 'outhandles': [2]}}, 'nn::ahid::IWriteSession': {0: {'inbytes': 0, 'outbytes': 4, 'buffers': [5]}}}, 'audio': {'nn::audio::detail::IAudioInManagerForDebugger': {0: {'inbytes': 8, 'outbytes': 0}, 1: {'inbytes': 8, 'outbytes': 0}}, 'nn::audio::detail::IAudioOut': {0: {'inbytes': 0, 'outbytes': 4}, 1: {'inbytes': 0, 'outbytes': 0}, 2: {'inbytes': 0, 'outbytes': 0}, 3: {'inbytes': 8, 'outbytes': 0, 'buffers': [5]}, 4: {'inbytes': 0, 'outbytes': 0, 'outhandles': [1]}, 5: {'inbytes': 0, 'outbytes': 4, 'buffers': [6]}, 6: {'inbytes': 8, 'outbytes': 1}}, 'nn::audio::detail::IAudioDevice': {0: {'inbytes': 0, 'outbytes': 4, 'buffers': [6]}, 1: {'inbytes': 4, 'outbytes': 0, 'buffers': [5]}, 2: {'inbytes': 0, 'outbytes': 4, 'buffers': [5]}, 3: {'inbytes': 0, 'outbytes': 0, 'buffers': [6]}, 4: {'inbytes': 0, 'outbytes': 0, 'outhandles': [1]}, 5: {'inbytes': 0, 'outbytes': 4}}, 'nn::audio::detail::IAudioRenderer': {0: {'inbytes': 0, 'outbytes': 4}, 1: {'inbytes': 0, 'outbytes': 4}, 2: {'inbytes': 0, 'outbytes': 4}, 3: {'inbytes': 0, 'outbytes': 4}, 4: {'inbytes': 0, 'outbytes': 0, 'buffers': [6, 6, 5]}, 5: {'inbytes': 0, 'outbytes': 0}, 6: {'inbytes': 0, 'outbytes': 0}, 7: {'inbytes': 0, 'outbytes': 0, 'outhandles': [1]}, 8: {'inbytes': 4, 'outbytes': 0}, 9: {'inbytes': 0, 'outbytes': 4}}, 'nn::codec::detail::IHardwareOpusDecoderManager': {0: {'inbytes': 12, 'outbytes': 0, 'inhandles': [1], 'outinterfaces': ['nn::codec::detail::IHardwareOpusDecoder']}, 1: {'inbytes': 8, 'outbytes': 4}}, 'nn::audio::detail::IAudioInManagerForApplet': {0: {'inbytes': 16, 'outbytes': 0, 'outhandles': [1]}, 1: {'inbytes': 16, 'outbytes': 0, 'outhandles': [1]}, 2: {'inbytes': 8, 'outbytes': 4}, 3: {'inbytes': 24, 'outbytes': 0}}, 'nn::audio::detail::IAudioRendererManager': {0: {'inbytes': 72, 'outbytes': 0, 'inhandles': [1, 1], 'outinterfaces': ['nn::audio::detail::IAudioRenderer'], 'pid': True}, 1: {'inbytes': 52, 'outbytes': 8}, 2: {'inbytes': 8, 'outbytes': 0, 'outinterfaces': ['nn::audio::detail::IAudioDevice']}}, 'nn::audio::detail::IAudioOutManagerForApplet': {0: {'inbytes': 16, 'outbytes': 0, 'outhandles': [1]}, 1: {'inbytes': 16, 'outbytes': 0, 'outhandles': [1]}, 2: {'inbytes': 8, 'outbytes': 4}, 3: {'inbytes': 24, 'outbytes': 0}}, 'nn::audio::detail::IFinalOutputRecorderManagerForApplet': {0: {'inbytes': 16, 'outbytes': 0, 'outhandles': [1]}, 1: {'inbytes': 16, 'outbytes': 0, 'outhandles': [1]}}, 'nn::audio::detail::IFinalOutputRecorderManager': {0: {'inbytes': 16, 'outbytes': 16, 'inhandles': [1], 'outinterfaces': ['nn::audio::detail::IFinalOutputRecorder']}}, 'nn::audio::detail::IAudioOutManagerForDebugger': {0: {'inbytes': 8, 'outbytes': 0}, 1: {'inbytes': 8, 'outbytes': 0}}, 'nn::audio::detail::IAudioOutManager': {0: {'inbytes': 0, 'outbytes': 4, 'buffers': [6]}, 1: {'inbytes': 16, 'outbytes': 16, 'buffers': [5, 6], 'inhandles': [1], 'outinterfaces': ['nn::audio::detail::IAudioOut'], 'pid': True}}, 'nn::audio::detail::ICodecController': {0: {'inbytes': 0, 'outbytes': 0}, 1: {'inbytes': 0, 'outbytes': 0}, 2: {'inbytes': 0, 'outbytes': 0}, 3: {'inbytes': 0, 'outbytes': 0}, 4: {'inbytes': 4, 'outbytes': 0}, 5: {'inbytes': 0, 'outbytes': 4}, 6: {'inbytes': 0, 'outbytes': 4}, 7: {'inbytes': 4, 'outbytes': 0}, 8: {'inbytes': 0, 'outbytes': 4}, 9: {'inbytes': 0, 'outbytes': 0, 'outhandles': [1]}, 10: {'inbytes': 0, 'outbytes': 1}, 11: {'inbytes': 0, 'outbytes': 0}, 12: {'inbytes': 0, 'outbytes': 1}}, 'nn::audio::detail::IFinalOutputRecorder': {0: {'inbytes': 0, 'outbytes': 4}, 1: {'inbytes': 0, 'outbytes': 0}, 2: {'inbytes': 0, 'outbytes': 0}, 3: {'inbytes': 8, 'outbytes': 0, 'buffers': [5]}, 4: {'inbytes': 0, 'outbytes': 0, 'outhandles': [1]}, 5: {'inbytes': 0, 'outbytes': 4, 'buffers': [6]}, 6: {'inbytes': 8, 'outbytes': 1}}, 'nn::audio::detail::IAudioIn': {0: {'inbytes': 0, 'outbytes': 4}, 1: {'inbytes': 0, 'outbytes': 0}, 2: {'inbytes': 0, 'outbytes': 0}, 3: {'inbytes': 8, 'outbytes': 0, 'buffers': [5]}, 4: {'inbytes': 0, 'outbytes': 0, 'outhandles': [1]}, 5: {'inbytes': 0, 'outbytes': 4, 'buffers': [6]}, 6: {'inbytes': 8, 'outbytes': 1}}, 'nn::audio::detail::IFinalOutputRecorderManagerForDebugger': {0: {'inbytes': 8, 'outbytes': 0}, 1: {'inbytes': 8, 'outbytes': 0}}, 'nn::codec::detail::IHardwareOpusDecoder': {0: {'inbytes': 0, 'outbytes': 8, 'buffers': [6, 5]}, 1: {'inbytes': 0, 'outbytes': 0, 'buffers': [5]}}, 'nn::audio::detail::IAudioRendererManagerForApplet': {0: {'inbytes': 16, 'outbytes': 0, 'outhandles': [1]}, 1: {'inbytes': 16, 'outbytes': 0, 'outhandles': [1]}, 2: {'inbytes': 8, 'outbytes': 4}, 3: {'inbytes': 24, 'outbytes': 0}, 4: {'inbytes': 8, 'outbytes': 0}, 5: {'inbytes': 8, 'outbytes': 0}}, 'nn::sf::hipc::detail::IHipcManager': {0: {'inbytes': 0, 'outbytes': 4}, 1: {'inbytes': 4, 'outbytes': 0, 'outhandles': [2]}, 2: {'inbytes': 0, 'outbytes': 0, 'outhandles': [2]}, 3: {'inbytes': 0, 'outbytes': 2}, 4: {'inbytes': 4, 'outbytes': 0, 'outhandles': [2]}}, 'nn::audio::detail::IAudioInManager': {0: {'inbytes': 0, 'outbytes': 4, 'buffers': [6]}, 1: {'inbytes': 16, 'outbytes': 16, 'buffers': [5, 6], 'inhandles': [1], 'outinterfaces': ['nn::audio::detail::IAudioIn'], 'pid': True}}, 'nn::audioctrl::detail::IAudioController': {0: {'inbytes': 4, 'outbytes': 4}, 1: {'inbytes': 8, 'outbytes': 0}, 2: {'inbytes': 0, 'outbytes': 4}, 3: {'inbytes': 0, 'outbytes': 4}, 4: {'inbytes': 4, 'outbytes': 1}, 5: {'inbytes': 8, 'outbytes': 0}, 6: {'inbytes': 4, 'outbytes': 1}, 7: {'inbytes': 24, 'outbytes': 0}, 8: {'inbytes': 0, 'outbytes': 4}, 9: {'inbytes': 4, 'outbytes': 4}, 10: {'inbytes': 8, 'outbytes': 0}, 11: {'inbytes': 4, 'outbytes': 0}, 12: {'inbytes': 0, 'outbytes': 4}, 13: {'inbytes': 4, 'outbytes': 4}, 14: {'inbytes': 8, 'outbytes': 0}, 15: {'inbytes': 4, 'outbytes': 0}, 16: {'inbytes': 1, 'outbytes': 0}}, 'nn::audio::detail::IAudioRendererManagerForDebugger': {0: {'inbytes': 8, 'outbytes': 0}, 1: {'inbytes': 8, 'outbytes': 0}}}, 'LogManager.Prod': {'nn::sf::hipc::detail::IHipcManager': {0: {'inbytes': 0, 'outbytes': 4}, 1: {'inbytes': 4, 'outbytes': 0, 'outhandles': [2]}, 2: {'inbytes': 0, 'outbytes': 0, 'outhandles': [2]}, 3: {'inbytes': 0, 'outbytes': 2}, 4: {'inbytes': 4, 'outbytes': 0, 'outhandles': [2]}}, 'nn::lm::ILogService': {0: {'inbytes': 8, 'outbytes': 0, 'outinterfaces': ['nn::lm::ILogger'], 'pid': True}}, 'nn::lm::ILogger': {0: {'inbytes': 0, 'outbytes': 0, 'buffers': [33]}}}, 'wlan': {'nn::wlan::detail::ILocalGetFrame': {0: {'inbytes': 4, 'outbytes': 4, 'buffers': [6]}}, 'nn::wlan::detail::IInfraManager': {0: {'inbytes': 0, 'outbytes': 0}, 1: {'inbytes': 0, 'outbytes': 0}, 2: {'inbytes': 0, 'outbytes': 6}, 3: {'inbytes': 0, 'outbytes': 0, 'buffers': [21]}, 4: {'inbytes': 0, 'outbytes': 0}, 5: {'inbytes': 124, 'outbytes': 0}, 6: {'inbytes': 0, 'outbytes': 0}, 7: {'inbytes': 0, 'outbytes': 0}, 8: {'inbytes': 4, 'outbytes': 0, 'outhandles': [1]}, 9: {'inbytes': 0, 'outbytes': 60}, 10: {'inbytes': 0, 'outbytes': 4}, 11: {'inbytes': 0, 'outbytes': 0, 'buffers': [6]}, 12: {'inbytes': 0, 'outbytes': 4}, 13: {'inbytes': 4, 'outbytes': 0}, 14: {'inbytes': 0, 'outbytes': 0, 'buffers': [10]}, 15: {'inbytes': 0, 'outbytes': 0}, 16: {'inbytes': 0, 'outbytes': 0}, 17: {'inbytes': 8, 'outbytes': 0, 'buffers': [9]}}, 'nn::sf::hipc::detail::IHipcManager': {0: {'inbytes': 0, 'outbytes': 4}, 1: {'inbytes': 4, 'outbytes': 0, 'outhandles': [2]}, 2: {'inbytes': 0, 'outbytes': 0, 'outhandles': [2]}, 3: {'inbytes': 0, 'outbytes': 2}, 4: {'inbytes': 4, 'outbytes': 0, 'outhandles': [2]}}, 'nn::wlan::detail::ISocketManager': {0: {'inbytes': 0, 'outbytes': 0, 'buffers': [5]}, 1: {'inbytes': 4, 'outbytes': 0}, 2: {'inbytes': 4, 'outbytes': 4, 'buffers': [9]}, 3: {'inbytes': 4, 'outbytes': 0}, 4: {'inbytes': 8, 'outbytes': 0}, 5: {'inbytes': 2, 'outbytes': 4}, 6: {'inbytes': 0, 'outbytes': 6}, 7: {'inbytes': 1, 'outbytes': 0}, 8: {'inbytes': 0, 'outbytes': 8}, 9: {'inbytes': 4, 'outbytes': 0, 'inhandles': [1, 1, 1, 1, 1]}, 10: {'inbytes': 0, 'outbytes': 0}, 11: {'inbytes': 0, 'outbytes': 0}}, 'nn::wlan::detail::ILocalManager': {0: {'inbytes': 0, 'outbytes': 0}, 1: {'inbytes': 0, 'outbytes': 0}, 2: {'inbytes': 0, 'outbytes': 0}, 3: {'inbytes': 0, 'outbytes': 0}, 4: {'inbytes': 0, 'outbytes': 0}, 5: {'inbytes': 0, 'outbytes': 0}, 6: {'inbytes': 0, 'outbytes': 6}, 7: {'inbytes': 128, 'outbytes': 0}, 8: {'inbytes': 0, 'outbytes': 0}, 9: {'inbytes': 0, 'outbytes': 0, 'buffers': [21]}, 10: {'inbytes': 0, 'outbytes': 0}, 11: {'inbytes': 128, 'outbytes': 0}, 12: {'inbytes': 0, 'outbytes': 0}, 13: {'inbytes': 128, 'outbytes': 0}, 14: {'inbytes': 0, 'outbytes': 0}, 15: {'inbytes': 16, 'outbytes': 0}, 16: {'inbytes': 4, 'outbytes': 0}, 17: {'inbytes': 4, 'outbytes': 0, 'outhandles': [1]}, 18: {'inbytes': 0, 'outbytes': 60}, 19: {'inbytes': 0, 'outbytes': 0, 'buffers': [22]}, 20: {'inbytes': 0, 'outbytes': 0, 'outhandles': [1]}, 21: {'inbytes': 0, 'outbytes': 0, 'buffers': [22]}, 22: {'inbytes': 0, 'outbytes': 4}, 23: {'inbytes': 0, 'outbytes': 80}, 24: {'inbytes': 4, 'outbytes': 4, 'buffers': [5]}, 25: {'inbytes': 4, 'outbytes': 0}, 26: {'inbytes': 0, 'outbytes': 0, 'buffers': [5]}, 27: {'inbytes': 4, 'outbytes': 0}, 28: {'inbytes': 4, 'outbytes': 4, 'buffers': [9]}, 29: {'inbytes': 4, 'outbytes': 0}, 30: {'inbytes': 8, 'outbytes': 0}, 31: {'inbytes': 2, 'outbytes': 4}, 32: {'inbytes': 4, 'outbytes': 0, 'buffers': [25]}, 33: {'inbytes': 4, 'outbytes': 0, 'buffers': [25]}, 34: {'inbytes': 0, 'outbytes': 0, 'buffers': [25, 6]}, 35: {'inbytes': 16, 'outbytes': 0, 'buffers': [5]}, 36: {'inbytes': 0, 'outbytes': 0, 'buffers': [5]}, 37: {'inbytes': 0, 'outbytes': 0}, 38: {'inbytes': 4, 'outbytes': 4, 'buffers': [9]}, 39: {'inbytes': 4, 'outbytes': 0}, 40: {'inbytes': 8, 'outbytes': 0}, 41: {'inbytes': 4, 'outbytes': 4}, 42: {'inbytes': 4, 'outbytes': 0}, 43: {'inbytes': 0, 'outbytes': 4}, 44: {'inbytes': 4, 'outbytes': 0}}, 'nn::wlan::detail::ISocketGetFrame': {0: {'inbytes': 4, 'outbytes': 4, 'buffers': [6]}}, 'nn::wlan::detail::ILocalGetActionFrame': {0: {'inbytes': 4, 'outbytes': 12, 'buffers': [6]}}}, 'ldn': {'nn::sf::hipc::detail::IHipcManager': {0: {'inbytes': 0, 'outbytes': 4}, 1: {'inbytes': 4, 'outbytes': 0, 'outhandles': [2]}, 2: {'inbytes': 0, 'outbytes': 0, 'outhandles': [2]}, 3: {'inbytes': 0, 'outbytes': 2}, 4: {'inbytes': 4, 'outbytes': 0, 'outhandles': [2]}}, 'nn::ldn::detail::IUserLocalCommunicationService': {0: {'inbytes': 0, 'outbytes': 4}, 1: {'inbytes': 0, 'outbytes': 0, 'buffers': [26]}, 2: {'inbytes': 0, 'outbytes': 8}, 3: {'inbytes': 0, 'outbytes': 2}, 4: {'inbytes': 0, 'outbytes': 32}, 5: {'inbytes': 0, 'outbytes': 32}, 100: {'inbytes': 0, 'outbytes': 0, 'outhandles': [1]}, 101: {'inbytes': 0, 'outbytes': 0, 'buffers': [26, 10]}, 102: {'inbytes': 104, 'outbytes': 2, 'buffers': [34]}, 103: {'inbytes': 104, 'outbytes': 2, 'buffers': [34]}, 200: {'inbytes': 0, 'outbytes': 0}, 201: {'inbytes': 0, 'outbytes': 0}, 202: {'inbytes': 152, 'outbytes': 0}, 203: {'inbytes': 184, 'outbytes': 0, 'buffers': [9]}, 204: {'inbytes': 0, 'outbytes': 0}, 205: {'inbytes': 4, 'outbytes': 0}, 206: {'inbytes': 0, 'outbytes': 0, 'buffers': [33]}, 207: {'inbytes': 1, 'outbytes': 0}, 208: {'inbytes': 6, 'outbytes': 0}, 209: {'inbytes': 0, 'outbytes': 0}, 300: {'inbytes': 0, 'outbytes': 0}, 301: {'inbytes': 0, 'outbytes': 0}, 302: {'inbytes': 124, 'outbytes': 0, 'buffers': [25]}, 303: {'inbytes': 192, 'outbytes': 0}, 304: {'inbytes': 0, 'outbytes': 0}, 400: {'inbytes': 8, 'outbytes': 0, 'pid': True}, 401: {'inbytes': 0, 'outbytes': 0}}, 'nn::ldn::detail::IUserServiceCreator': {0: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::ldn::detail::IUserLocalCommunicationService']}}, 'nn::ldn::detail::ISystemServiceCreator': {0: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::ldn::detail::ISystemLocalCommunicationService']}}, 'nn::ldn::detail::IMonitorService': {0: {'inbytes': 0, 'outbytes': 4}, 1: {'inbytes': 0, 'outbytes': 0, 'buffers': [26]}, 2: {'inbytes': 0, 'outbytes': 8}, 3: {'inbytes': 0, 'outbytes': 2}, 4: {'inbytes': 0, 'outbytes': 32}, 5: {'inbytes': 0, 'outbytes': 32}, 100: {'inbytes': 0, 'outbytes': 0}, 101: {'inbytes': 0, 'outbytes': 0}}, 'nn::ldn::detail::ISystemLocalCommunicationService': {0: {'inbytes': 0, 'outbytes': 4}, 1: {'inbytes': 0, 'outbytes': 0, 'buffers': [26]}, 2: {'inbytes': 0, 'outbytes': 8}, 3: {'inbytes': 0, 'outbytes': 2}, 4: {'inbytes': 0, 'outbytes': 32}, 5: {'inbytes': 0, 'outbytes': 32}, 100: {'inbytes': 0, 'outbytes': 0, 'outhandles': [1]}, 101: {'inbytes': 0, 'outbytes': 0, 'buffers': [26, 10]}, 102: {'inbytes': 104, 'outbytes': 2, 'buffers': [34]}, 103: {'inbytes': 104, 'outbytes': 2, 'buffers': [34]}, 200: {'inbytes': 0, 'outbytes': 0}, 201: {'inbytes': 0, 'outbytes': 0}, 202: {'inbytes': 152, 'outbytes': 0}, 203: {'inbytes': 184, 'outbytes': 0, 'buffers': [9]}, 204: {'inbytes': 0, 'outbytes': 0}, 205: {'inbytes': 4, 'outbytes': 0}, 206: {'inbytes': 0, 'outbytes': 0, 'buffers': [33]}, 207: {'inbytes': 1, 'outbytes': 0}, 208: {'inbytes': 6, 'outbytes': 0}, 209: {'inbytes': 0, 'outbytes': 0}, 300: {'inbytes': 0, 'outbytes': 0}, 301: {'inbytes': 0, 'outbytes': 0}, 302: {'inbytes': 124, 'outbytes': 0, 'buffers': [25]}, 303: {'inbytes': 192, 'outbytes': 0}, 304: {'inbytes': 0, 'outbytes': 0}, 400: {'inbytes': 8, 'outbytes': 0, 'pid': True}, 401: {'inbytes': 0, 'outbytes': 0}}, 'nn::ldn::detail::IMonitorServiceCreator': {0: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::ldn::detail::IMonitorService']}}}, 'nvservices': {'nv::gemcoredump::INvGemCoreDump': {0: {'inbytes': 0, 'outbytes': 4}, 1: {'inbytes': 0, 'outbytes': 16}, 2: {'inbytes': 0, 'outbytes': 4, 'buffers': [34]}}, 'nn::sf::hipc::detail::IHipcManager': {0: {'inbytes': 0, 'outbytes': 4}, 1: {'inbytes': 4, 'outbytes': 0, 'outhandles': [2]}, 2: {'inbytes': 0, 'outbytes': 0, 'outhandles': [2]}, 3: {'inbytes': 0, 'outbytes': 2}, 4: {'inbytes': 4, 'outbytes': 0, 'outhandles': [2]}}, 'nv::gemcontrol::INvGemControl': {0: {'inbytes': 0, 'outbytes': 4}, 1: {'inbytes': 0, 'outbytes': 4, 'outhandles': [1]}, 2: {'inbytes': 1, 'outbytes': 4}, 3: {'inbytes': 16, 'outbytes': 4}, 4: {'inbytes': 16, 'outbytes': 4}, 5: {'inbytes': 0, 'outbytes': 16}, 6: {'inbytes': 0, 'outbytes': 4}}, 'nns::nvdrv::INvDrvDebugFSServices': {0: {'inbytes': 0, 'outbytes': 4, 'inhandles': [1]}, 1: {'inbytes': 4, 'outbytes': 0}, 2: {'inbytes': 4, 'outbytes': 4, 'buffers': [6]}, 3: {'inbytes': 4, 'outbytes': 4, 'buffers': [5, 6]}, 4: {'inbytes': 4, 'outbytes': 4, 'buffers': [5, 5]}}, 'nns::nvdrv::INvDrvServices': {0: {'inbytes': 0, 'outbytes': 8, 'buffers': [5]}, 1: {'inbytes': 8, 'outbytes': 4, 'buffers': [33, 34]}, 2: {'inbytes': 4, 'outbytes': 4}, 3: {'inbytes': 4, 'outbytes': 4, 'inhandles': [1, 1]}, 4: {'inbytes': 8, 'outbytes': 4, 'outhandles': [1]}, 5: {'inbytes': 8, 'outbytes': 4, 'inhandles': [1]}, 6: {'inbytes': 0, 'outbytes': 36}, 7: {'inbytes': 8, 'outbytes': 4}, 8: {'inbytes': 8, 'outbytes': 4, 'pid': True}, 9: {'inbytes': 0, 'outbytes': 0}}}, 'pcv': {'nn::sf::hipc::detail::IHipcManager': {0: {'inbytes': 0, 'outbytes': 4}, 1: {'inbytes': 4, 'outbytes': 0, 'outhandles': [2]}, 2: {'inbytes': 0, 'outbytes': 0, 'outhandles': [2]}, 3: {'inbytes': 0, 'outbytes': 2}, 4: {'inbytes': 4, 'outbytes': 0, 'outhandles': [2]}}, 'nn::timesrv::detail::service::IStaticService': {0: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::timesrv::detail::service::ISystemClock']}, 1: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::timesrv::detail::service::ISystemClock']}, 2: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::timesrv::detail::service::ISteadyClock']}, 3: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::timesrv::detail::service::ITimeZoneService']}, 4: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::timesrv::detail::service::ISystemClock']}, 100: {'inbytes': 0, 'outbytes': 1}, 101: {'inbytes': 1, 'outbytes': 0}}, 'nn::bpc::IPowerButtonManager': {0: {'inbytes': 0, 'outbytes': 4}, 1: {'inbytes': 4, 'outbytes': 0, 'outhandles': [1]}}, 'nn::pcv::detail::IPcvService': {0: {'inbytes': 8, 'outbytes': 0}, 1: {'inbytes': 8, 'outbytes': 0}, 2: {'inbytes': 8, 'outbytes': 0}, 3: {'inbytes': 4, 'outbytes': 4}, 4: {'inbytes': 4, 'outbytes': 12}, 5: {'inbytes': 8, 'outbytes': 8, 'buffers': [10]}, 6: {'inbytes': 8, 'outbytes': 0}, 7: {'inbytes': 8, 'outbytes': 0}, 8: {'inbytes': 8, 'outbytes': 0}, 9: {'inbytes': 4, 'outbytes': 1}, 10: {'inbytes': 4, 'outbytes': 12}, 11: {'inbytes': 8, 'outbytes': 0}, 12: {'inbytes': 4, 'outbytes': 4}, 13: {'inbytes': 4, 'outbytes': 4, 'buffers': [10]}, 14: {'inbytes': 4, 'outbytes': 0}, 15: {'inbytes': 0, 'outbytes': 0}, 16: {'inbytes': 0, 'outbytes': 1}, 17: {'inbytes': 0, 'outbytes': 0}}, 'nn::bpc::IRtcManager': {0: {'inbytes': 0, 'outbytes': 8}, 1: {'inbytes': 8, 'outbytes': 0}, 2: {'inbytes': 0, 'outbytes': 1}}, 'nn::timesrv::detail::service::ISteadyClock': {0: {'inbytes': 0, 'outbytes': 24}, 2: {'inbytes': 0, 'outbytes': 8}, 3: {'inbytes': 8, 'outbytes': 0}}, 'nn::bpc::IBoardPowerControlManager': {0: {'inbytes': 0, 'outbytes': 0}, 1: {'inbytes': 0, 'outbytes': 0}, 2: {'inbytes': 0, 'outbytes': 4}, 3: {'inbytes': 0, 'outbytes': 4}, 4: {'inbytes': 0, 'outbytes': 1}, 5: {'inbytes': 4, 'outbytes': 0, 'outhandles': [1]}}, 'nn::pcv::IImmediateManager': {0: {'inbytes': 8, 'outbytes': 0}}, 'nn::timesrv::detail::service::ISystemClock': {0: {'inbytes': 0, 'outbytes': 8}, 1: {'inbytes': 8, 'outbytes': 0}, 2: {'inbytes': 0, 'outbytes': 32}, 3: {'inbytes': 32, 'outbytes': 0}}, 'nn::timesrv::detail::service::ITimeZoneService': {0: {'inbytes': 0, 'outbytes': 36}, 1: {'inbytes': 36, 'outbytes': 0}, 2: {'inbytes': 0, 'outbytes': 4}, 3: {'inbytes': 4, 'outbytes': 4, 'buffers': [6]}, 4: {'inbytes': 36, 'outbytes': 0, 'buffers': [22]}, 100: {'inbytes': 8, 'outbytes': 32, 'buffers': [21]}, 101: {'inbytes': 8, 'outbytes': 32}, 201: {'inbytes': 8, 'outbytes': 4, 'buffers': [21, 10]}, 202: {'inbytes': 8, 'outbytes': 4, 'buffers': [10]}}, 'nn::bpc::IWakeupConfigManager': {0: {'inbytes': 8, 'outbytes': 4}, 1: {'inbytes': 4, 'outbytes': 0}, 2: {'inbytes': 0, 'outbytes': 16}}}, 'ppc': {'nn::fgm::sf::IDebugger': {0: {'inbytes': 8, 'outbytes': 0, 'inhandles': [1], 'outhandles': [1]}, 1: {'inbytes': 0, 'outbytes': 12, 'buffers': [6]}, 2: {'inbytes': 0, 'outbytes': 0}}, 'nn::apm::IManager': {0: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::apm::ISession']}, 1: {'inbytes': 0, 'outbytes': 4}}, 'nn::apm::IDebugManager': {0: {'inbytes': 0, 'outbytes': 40}, 1: {'inbytes': 0, 'outbytes': 40}, 2: {'inbytes': 0, 'outbytes': 0}}, 'nn::sf::hipc::detail::IHipcManager': {0: {'inbytes': 0, 'outbytes': 4}, 1: {'inbytes': 4, 'outbytes': 0, 'outhandles': [2]}, 2: {'inbytes': 0, 'outbytes': 0, 'outhandles': [2]}, 3: {'inbytes': 0, 'outbytes': 2}, 4: {'inbytes': 4, 'outbytes': 0, 'outhandles': [2]}}, 'nn::fgm::sf::IRequest': {0: {'inbytes': 16, 'outbytes': 0, 'outhandles': [1], 'pid': True}, 1: {'inbytes': 8, 'outbytes': 0}, 2: {'inbytes': 0, 'outbytes': 4}, 3: {'inbytes': 0, 'outbytes': 0}}, 'nn::apm::ISystemManager': {0: {'inbytes': 4, 'outbytes': 0}, 1: {'inbytes': 4, 'outbytes': 0, 'outhandles': [1]}}, 'nn::apm::IManagerPrivileged': {0: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::apm::ISession']}}, 'nn::apm::ISession': {0: {'inbytes': 8, 'outbytes': 0}, 1: {'inbytes': 4, 'outbytes': 4}}, 'nn::fgm::sf::ISession': {0: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::fgm::sf::IRequest']}}}, 'nvnflinger': {'nn::sf::hipc::detail::IHipcManager': {0: {'inbytes': 0, 'outbytes': 4}, 1: {'inbytes': 4, 'outbytes': 0, 'outhandles': [2]}, 2: {'inbytes': 0, 'outbytes': 0, 'outhandles': [2]}, 3: {'inbytes': 0, 'outbytes': 2}, 4: {'inbytes': 4, 'outbytes': 0, 'outhandles': [2]}}}, 'pcie.withoutHb': {'nn::pcie::detail::IManager': {0: {'inbytes': 24, 'outbytes': 0, 'inhandles': [1], 'outhandles': [1], 'outinterfaces': ['nn::pcie::detail::ISession']}, 1: {'inbytes': 0, 'outbytes': 4, 'buffers': [6]}}, 'nn::sf::hipc::detail::IHipcManager': {0: {'inbytes': 0, 'outbytes': 4}, 1: {'inbytes': 4, 'outbytes': 0, 'outhandles': [2]}, 2: {'inbytes': 0, 'outbytes': 0, 'outhandles': [2]}, 3: {'inbytes': 0, 'outbytes': 2}, 4: {'inbytes': 4, 'outbytes': 0, 'outhandles': [2]}}, 'nn::pcie::detail::ISession': {0: {'inbytes': 0, 'outbytes': 4, 'buffers': [6]}, 1: {'inbytes': 4, 'outbytes': 0, 'outhandles': [1]}, 2: {'inbytes': 4, 'outbytes': 0}, 3: {'inbytes': 4, 'outbytes': 0, 'buffers': [6]}, 4: {'inbytes': 8, 'outbytes': 24}, 5: {'inbytes': 12, 'outbytes': 4}, 6: {'inbytes': 16, 'outbytes': 0}, 7: {'inbytes': 16, 'outbytes': 0, 'buffers': [6]}, 8: {'inbytes': 16, 'outbytes': 0, 'buffers': [5]}, 9: {'inbytes': 8, 'outbytes': 4}, 10: {'inbytes': 8, 'outbytes': 4}, 11: {'inbytes': 24, 'outbytes': 8}, 12: {'inbytes': 16, 'outbytes': 0}, 13: {'inbytes': 16, 'outbytes': 0}, 14: {'inbytes': 16, 'outbytes': 8}, 15: {'inbytes': 4, 'outbytes': 16}, 16: {'inbytes': 8, 'outbytes': 0}, 17: {'inbytes': 8, 'outbytes': 0, 'outhandles': [1]}, 18: {'inbytes': 4, 'outbytes': 0}, 19: {'inbytes': 12, 'outbytes': 0}, 20: {'inbytes': 8, 'outbytes': 0}}}, 'account': {'nn::account::detail::IAsyncContext': {0: {'inbytes': 0, 'outbytes': 0, 'outhandles': [1]}, 1: {'inbytes': 0, 'outbytes': 0}, 2: {'inbytes': 0, 'outbytes': 1}, 3: {'inbytes': 0, 'outbytes': 0}}, 'nn::account::detail::INotifier': {0: {'inbytes': 0, 'outbytes': 0, 'outhandles': [1]}}, 'nn::account::baas::IManagerForSystemService': {0: {'inbytes': 0, 'outbytes': 0}, 1: {'inbytes': 0, 'outbytes': 8}, 2: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::account::detail::IAsyncContext']}, 3: {'inbytes': 0, 'outbytes': 4, 'buffers': [6]}, 100: {'inbytes': 8, 'outbytes': 0, 'buffers': [25], 'pid': True}, 120: {'inbytes': 0, 'outbytes': 8}, 130: {'inbytes': 0, 'outbytes': 8, 'buffers': [26, 6]}, 131: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::account::detail::IAsyncContext']}, 132: {'inbytes': 4, 'outbytes': 1, 'outinterfaces': ['nn::account::detail::IAsyncContext']}, 150: {'inbytes': 4, 'outbytes': 0, 'buffers': [25, 25], 'inhandles': [1], 'outinterfaces': ['nn::account::nas::IAuthorizationRequest']}}, 'nn::account::baas::IGuestLoginRequest': {0: {'inbytes': 0, 'outbytes': 16}, 11: {'inbytes': 0, 'outbytes': 4, 'buffers': [6]}, 12: {'inbytes': 0, 'outbytes': 8}, 13: {'inbytes': 0, 'outbytes': 8}, 14: {'inbytes': 0, 'outbytes': 0, 'buffers': [10]}, 15: {'inbytes': 0, 'outbytes': 4, 'buffers': [6]}}, 'nn::account::nas::IAuthorizationRequest': {0: {'inbytes': 0, 'outbytes': 16}, 10: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::account::detail::IAsyncContext']}, 20: {'inbytes': 0, 'outbytes': 4, 'buffers': [6]}, 21: {'inbytes': 0, 'outbytes': 4, 'buffers': [6]}, 22: {'inbytes': 0, 'outbytes': 0, 'buffers': [26]}}, 'nn::account::baas::IAdministrator': {0: {'inbytes': 0, 'outbytes': 0}, 1: {'inbytes': 0, 'outbytes': 8}, 2: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::account::detail::IAsyncContext']}, 3: {'inbytes': 0, 'outbytes': 4, 'buffers': [6]}, 100: {'inbytes': 8, 'outbytes': 0, 'buffers': [25], 'pid': True}, 120: {'inbytes': 0, 'outbytes': 8}, 130: {'inbytes': 0, 'outbytes': 8, 'buffers': [26, 6]}, 131: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::account::detail::IAsyncContext']}, 132: {'inbytes': 4, 'outbytes': 1, 'outinterfaces': ['nn::account::detail::IAsyncContext']}, 150: {'inbytes': 4, 'outbytes': 0, 'buffers': [25, 25], 'inhandles': [1], 'outinterfaces': ['nn::account::nas::IAuthorizationRequest']}, 200: {'inbytes': 0, 'outbytes': 1}, 201: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::account::detail::IAsyncContext']}, 202: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::account::detail::IAsyncContext']}, 203: {'inbytes': 0, 'outbytes': 0}, 220: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::account::detail::IAsyncContext']}, 250: {'inbytes': 0, 'outbytes': 1}, 251: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::account::nas::IOAuthProcedureForNintendoAccountLinkage']}, 252: {'inbytes': 16, 'outbytes': 0, 'outinterfaces': ['nn::account::nas::IOAuthProcedureForNintendoAccountLinkage']}, 255: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::account::http::IOAuthProcedure']}, 256: {'inbytes': 16, 'outbytes': 0, 'outinterfaces': ['nn::account::http::IOAuthProcedure']}, 280: {'inbytes': 16, 'outbytes': 0, 'outinterfaces': ['nn::account::http::IOAuthProcedure']}, 997: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::account::detail::IAsyncContext']}, 998: {'inbytes': 4, 'outbytes': 0}, 999: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::account::detail::IAsyncContext']}}, 'nn::account::profile::IProfileEditor': {0: {'inbytes': 0, 'outbytes': 56, 'buffers': [26]}, 1: {'inbytes': 0, 'outbytes': 56}, 10: {'inbytes': 0, 'outbytes': 4}, 11: {'inbytes': 0, 'outbytes': 4, 'buffers': [6]}, 100: {'inbytes': 56, 'outbytes': 0, 'buffers': [25]}, 101: {'inbytes': 56, 'outbytes': 0, 'buffers': [25, 5]}}, 'nn::account::IAccountServiceForSystemService': {0: {'inbytes': 0, 'outbytes': 4}, 1: {'inbytes': 16, 'outbytes': 1}, 2: {'inbytes': 0, 'outbytes': 0, 'buffers': [10]}, 3: {'inbytes': 0, 'outbytes': 0, 'buffers': [10]}, 4: {'inbytes': 0, 'outbytes': 16}, 5: {'inbytes': 16, 'outbytes': 0, 'outinterfaces': ['nn::account::profile::IProfile']}, 50: {'inbytes': 8, 'outbytes': 1, 'pid': True}, 51: {'inbytes': 1, 'outbytes': 16}, 100: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::account::detail::INotifier']}, 101: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::account::detail::INotifier']}, 102: {'inbytes': 16, 'outbytes': 0, 'outinterfaces': ['nn::account::baas::IManagerForSystemService']}, 103: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::account::detail::INotifier']}, 110: {'inbytes': 24, 'outbytes': 0, 'buffers': [5]}, 111: {'inbytes': 24, 'outbytes': 0}, 112: {'inbytes': 24, 'outbytes': 4, 'buffers': [6]}, 190: {'inbytes': 16, 'outbytes': 16}, 998: {'inbytes': 16, 'outbytes': 0}, 999: {'inbytes': 16, 'outbytes': 0}}, 'nn::account::profile::IProfile': {0: {'inbytes': 0, 'outbytes': 56, 'buffers': [26]}, 1: {'inbytes': 0, 'outbytes': 56}, 10: {'inbytes': 0, 'outbytes': 4}, 11: {'inbytes': 0, 'outbytes': 4, 'buffers': [6]}}, 'nn::account::IAccountServiceForApplication': {0: {'inbytes': 0, 'outbytes': 4}, 1: {'inbytes': 16, 'outbytes': 1}, 2: {'inbytes': 0, 'outbytes': 0, 'buffers': [10]}, 3: {'inbytes': 0, 'outbytes': 0, 'buffers': [10]}, 4: {'inbytes': 0, 'outbytes': 16}, 5: {'inbytes': 16, 'outbytes': 0, 'outinterfaces': ['nn::account::profile::IProfile']}, 50: {'inbytes': 8, 'outbytes': 1, 'pid': True}, 51: {'inbytes': 1, 'outbytes': 16}, 100: {'inbytes': 8, 'outbytes': 0, 'pid': True}, 101: {'inbytes': 16, 'outbytes': 0, 'outinterfaces': ['nn::account::baas::IManagerForApplication']}, 102: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::account::detail::IAsyncContext']}, 110: {'inbytes': 16, 'outbytes': 0, 'buffers': [5]}, 111: {'inbytes': 16, 'outbytes': 0}, 120: {'inbytes': 4, 'outbytes': 0, 'inhandles': [1], 'outinterfaces': ['nn::account::baas::IGuestLoginRequest']}}, 'nn::account::IBaasAccessTokenAccessor': {0: {'inbytes': 16, 'outbytes': 0, 'outinterfaces': ['nn::account::detail::IAsyncContext']}, 1: {'inbytes': 16, 'outbytes': 4, 'buffers': [6]}, 2: {'inbytes': 16, 'outbytes': 8}, 50: {'inbytes': 56, 'outbytes': 0, 'outinterfaces': ['nn::account::detail::IAsyncContext']}, 51: {'inbytes': 16, 'outbytes': 0, 'outinterfaces': ['nn::account::detail::IAsyncContext']}}, 'nn::account::nas::IOAuthProcedureForGuestLogin': {0: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::account::detail::IAsyncContext']}, 1: {'inbytes': 0, 'outbytes': 0, 'buffers': [26, 26]}, 2: {'inbytes': 0, 'outbytes': 0, 'buffers': [9]}, 3: {'inbytes': 0, 'outbytes': 0, 'buffers': [9], 'outinterfaces': ['nn::account::detail::IAsyncContext']}, 10: {'inbytes': 0, 'outbytes': 16}, 100: {'inbytes': 0, 'outbytes': 8}, 101: {'inbytes': 0, 'outbytes': 8}, 102: {'inbytes': 0, 'outbytes': 0, 'buffers': [10]}, 103: {'inbytes': 0, 'outbytes': 4, 'buffers': [6]}}, 'nn::sf::hipc::detail::IHipcManager': {0: {'inbytes': 0, 'outbytes': 4}, 1: {'inbytes': 4, 'outbytes': 0, 'outhandles': [2]}, 2: {'inbytes': 0, 'outbytes': 0, 'outhandles': [2]}, 3: {'inbytes': 0, 'outbytes': 2}, 4: {'inbytes': 4, 'outbytes': 0, 'outhandles': [2]}}, 'nn::account::http::IOAuthProcedure': {0: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::account::detail::IAsyncContext']}, 1: {'inbytes': 0, 'outbytes': 0, 'buffers': [26, 26]}, 2: {'inbytes': 0, 'outbytes': 0, 'buffers': [9]}, 3: {'inbytes': 0, 'outbytes': 0, 'buffers': [9], 'outinterfaces': ['nn::account::detail::IAsyncContext']}, 10: {'inbytes': 0, 'outbytes': 16}}, 'nn::account::IAccountServiceForAdministrator': {0: {'inbytes': 0, 'outbytes': 4}, 1: {'inbytes': 16, 'outbytes': 1}, 2: {'inbytes': 0, 'outbytes': 0, 'buffers': [10]}, 3: {'inbytes': 0, 'outbytes': 0, 'buffers': [10]}, 4: {'inbytes': 0, 'outbytes': 16}, 5: {'inbytes': 16, 'outbytes': 0, 'outinterfaces': ['nn::account::profile::IProfile']}, 50: {'inbytes': 8, 'outbytes': 1, 'pid': True}, 51: {'inbytes': 1, 'outbytes': 16}, 100: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::account::detail::INotifier']}, 101: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::account::detail::INotifier']}, 102: {'inbytes': 16, 'outbytes': 0, 'outinterfaces': ['nn::account::baas::IManagerForSystemService']}, 103: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::account::detail::INotifier']}, 110: {'inbytes': 24, 'outbytes': 0, 'buffers': [5]}, 111: {'inbytes': 24, 'outbytes': 0}, 112: {'inbytes': 24, 'outbytes': 4, 'buffers': [6]}, 190: {'inbytes': 16, 'outbytes': 16}, 200: {'inbytes': 0, 'outbytes': 16}, 201: {'inbytes': 16, 'outbytes': 0}, 202: {'inbytes': 16, 'outbytes': 0}, 203: {'inbytes': 16, 'outbytes': 0}, 204: {'inbytes': 24, 'outbytes': 0}, 205: {'inbytes': 16, 'outbytes': 0, 'outinterfaces': ['nn::account::profile::IProfileEditor']}, 230: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::account::detail::IAsyncContext']}, 250: {'inbytes': 16, 'outbytes': 0, 'outinterfaces': ['nn::account::baas::IAdministrator']}, 290: {'inbytes': 16, 'outbytes': 0, 'outinterfaces': ['nn::account::nas::IOAuthProcedureForGuestLogin']}, 998: {'inbytes': 16, 'outbytes': 0}, 999: {'inbytes': 16, 'outbytes': 0}}, 'nn::account::baas::IManagerForApplication': {0: {'inbytes': 0, 'outbytes': 0}, 1: {'inbytes': 0, 'outbytes': 8}, 2: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::account::detail::IAsyncContext']}, 3: {'inbytes': 0, 'outbytes': 4, 'buffers': [6]}, 130: {'inbytes': 0, 'outbytes': 8, 'buffers': [26, 6]}, 150: {'inbytes': 4, 'outbytes': 0, 'buffers': [25], 'inhandles': [1], 'outinterfaces': ['nn::account::nas::IAuthorizationRequest']}}, 'nn::account::nas::IOAuthProcedureForNintendoAccountLinkage': {0: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::account::detail::IAsyncContext']}, 1: {'inbytes': 0, 'outbytes': 0, 'buffers': [26, 26]}, 2: {'inbytes': 0, 'outbytes': 0, 'buffers': [9]}, 3: {'inbytes': 0, 'outbytes': 0, 'buffers': [9], 'outinterfaces': ['nn::account::detail::IAsyncContext']}, 10: {'inbytes': 0, 'outbytes': 16}, 100: {'inbytes': 4, 'outbytes': 0, 'buffers': [26, 26]}, 101: {'inbytes': 0, 'outbytes': 1}}}, 'ns': {'nn::ns::detail::IDevelopInterface': {0: {'inbytes': 24, 'outbytes': 8}, 1: {'inbytes': 8, 'outbytes': 0}, 2: {'inbytes': 8, 'outbytes': 0}, 4: {'inbytes': 0, 'outbytes': 0, 'outhandles': [1]}, 5: {'inbytes': 0, 'outbytes': 16}, 6: {'inbytes': 0, 'outbytes': 0}, 7: {'inbytes': 0, 'outbytes': 16, 'buffers': [5]}, 8: {'inbytes': 16, 'outbytes': 8}, 9: {'inbytes': 16, 'outbytes': 8}}, 'nn::ovln::IReceiver': {0: {'inbytes': 16, 'outbytes': 0}, 1: {'inbytes': 16, 'outbytes': 0}, 2: {'inbytes': 0, 'outbytes': 0, 'outhandles': [1]}, 3: {'inbytes': 0, 'outbytes': 128}, 4: {'inbytes': 0, 'outbytes': 136}}, 'nn::pdm::detail::IQueryService': {0: {'inbytes': 4, 'outbytes': 4, 'buffers': [6]}, 1: {'inbytes': 0, 'outbytes': 4, 'buffers': [6]}, 2: {'inbytes': 16, 'outbytes': 4, 'buffers': [6]}, 3: {'inbytes': 8, 'outbytes': 4, 'buffers': [6]}, 4: {'inbytes': 8, 'outbytes': 40}, 5: {'inbytes': 24, 'outbytes': 40}, 6: {'inbytes': 16, 'outbytes': 40}, 7: {'inbytes': 0, 'outbytes': 4, 'buffers': [6, 5]}, 8: {'inbytes': 4, 'outbytes': 4, 'buffers': [6]}, 9: {'inbytes': 0, 'outbytes': 12}}, 'nn::mii::detail::IDatabaseService': {0: {'inbytes': 4, 'outbytes': 1}, 1: {'inbytes': 0, 'outbytes': 1}, 2: {'inbytes': 4, 'outbytes': 4}, 3: {'inbytes': 4, 'outbytes': 4, 'buffers': [6]}, 4: {'inbytes': 4, 'outbytes': 4, 'buffers': [6]}, 5: {'inbytes': 92, 'outbytes': 88}, 6: {'inbytes': 12, 'outbytes': 88}, 7: {'inbytes': 4, 'outbytes': 88}, 8: {'inbytes': 4, 'outbytes': 4, 'buffers': [6]}, 9: {'inbytes': 4, 'outbytes': 4, 'buffers': [6]}, 10: {'inbytes': 72, 'outbytes': 68}, 11: {'inbytes': 17, 'outbytes': 4}, 12: {'inbytes': 20, 'outbytes': 0}, 13: {'inbytes': 68, 'outbytes': 0}, 14: {'inbytes': 16, 'outbytes': 0}, 15: {'inbytes': 0, 'outbytes': 0}, 16: {'inbytes': 0, 'outbytes': 0}, 17: {'inbytes': 0, 'outbytes': 0}, 18: {'inbytes': 0, 'outbytes': 0, 'buffers': [5]}, 19: {'inbytes': 0, 'outbytes': 0, 'buffers': [6]}, 20: {'inbytes': 0, 'outbytes': 1}, 21: {'inbytes': 88, 'outbytes': 4}}, 'nn::mii::detail::IStaticService': {0: {'inbytes': 4, 'outbytes': 0, 'outinterfaces': ['nn::mii::detail::IDatabaseService']}}, 'nn::ns::detail::IAsyncValue': {0: {'inbytes': 0, 'outbytes': 8}, 1: {'inbytes': 0, 'outbytes': 0, 'buffers': [6]}, 2: {'inbytes': 0, 'outbytes': 0}}, 'nn::ovln::ISenderService': {0: {'inbytes': 24, 'outbytes': 0, 'outinterfaces': ['nn::ovln::ISender']}}, 'nn::ns::detail::IAsyncResult': {0: {'inbytes': 0, 'outbytes': 0}, 1: {'inbytes': 0, 'outbytes': 0}}, 'nn::ns::detail::IApplicationManagerInterface': {0: {'inbytes': 4, 'outbytes': 4, 'buffers': [6]}, 1: {'inbytes': 0, 'outbytes': 8}, 2: {'inbytes': 0, 'outbytes': 0, 'outhandles': [1]}, 3: {'inbytes': 0, 'outbytes': 0, 'buffers': [6, 5]}, 4: {'inbytes': 8, 'outbytes': 0}, 5: {'inbytes': 8, 'outbytes': 0}, 6: {'inbytes': 0, 'outbytes': 1}, 7: {'inbytes': 0, 'outbytes': 0}, 8: {'inbytes': 16, 'outbytes': 1}, 9: {'inbytes': 16, 'outbytes': 0}, 11: {'inbytes': 8, 'outbytes': 128}, 16: {'inbytes': 16, 'outbytes': 0, 'buffers': [5]}, 17: {'inbytes': 16, 'outbytes': 4, 'buffers': [6]}, 18: {'inbytes': 8, 'outbytes': 1}, 19: {'inbytes': 8, 'outbytes': 8}, 21: {'inbytes': 16, 'outbytes': 0, 'buffers': [22]}, 22: {'inbytes': 8, 'outbytes': 0}, 26: {'inbytes': 16, 'outbytes': 0}, 27: {'inbytes': 0, 'outbytes': 0, 'buffers': [5]}, 30: {'inbytes': 8, 'outbytes': 0, 'outhandles': [1], 'outinterfaces': ['nn::ns::detail::IAsyncValue']}, 31: {'inbytes': 16, 'outbytes': 0, 'outhandles': [1], 'outinterfaces': ['nn::ns::detail::IAsyncResult']}, 32: {'inbytes': 8, 'outbytes': 0}, 33: {'inbytes': 8, 'outbytes': 0}, 34: {'inbytes': 0, 'outbytes': 0}, 35: {'inbytes': 0, 'outbytes': 0, 'buffers': [5]}, 36: {'inbytes': 16, 'outbytes': 0}, 37: {'inbytes': 0, 'outbytes': 4, 'buffers': [6]}, 38: {'inbytes': 8, 'outbytes': 0}, 39: {'inbytes': 8, 'outbytes': 0}, 40: {'inbytes': 8, 'outbytes': 8, 'buffers': [21, 6]}, 41: {'inbytes': 8, 'outbytes': 8}, 42: {'inbytes': 0, 'outbytes': 0}, 43: {'inbytes': 0, 'outbytes': 0}, 44: {'inbytes': 0, 'outbytes': 0, 'outhandles': [1]}, 45: {'inbytes': 0, 'outbytes': 0, 'outhandles': [1]}, 46: {'inbytes': 0, 'outbytes': 16}, 47: {'inbytes': 1, 'outbytes': 8}, 48: {'inbytes': 1, 'outbytes': 8}, 49: {'inbytes': 0, 'outbytes': 0, 'outhandles': [1]}, 52: {'inbytes': 0, 'outbytes': 0, 'outhandles': [1]}, 53: {'inbytes': 8, 'outbytes': 0}, 54: {'inbytes': 8, 'outbytes': 0}, 55: {'inbytes': 4, 'outbytes': 1}, 56: {'inbytes': 16, 'outbytes': 0}, 57: {'inbytes': 8, 'outbytes': 0}, 58: {'inbytes': 0, 'outbytes': 0}, 59: {'inbytes': 1, 'outbytes': 8}, 60: {'inbytes': 8, 'outbytes': 1}, 61: {'inbytes': 0, 'outbytes': 16}, 62: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::ns::detail::IGameCardStopper']}, 63: {'inbytes': 8, 'outbytes': 1}, 100: {'inbytes': 0, 'outbytes': 0}, 101: {'inbytes': 0, 'outbytes': 0}, 200: {'inbytes': 16, 'outbytes': 16}, 201: {'inbytes': 16, 'outbytes': 0, 'outinterfaces': ['nn::ns::detail::IProgressMonitorForDeleteUserSaveDataAll']}, 210: {'inbytes': 24, 'outbytes': 0}, 220: {'inbytes': 16, 'outbytes': 0}, 300: {'inbytes': 0, 'outbytes': 0, 'outhandles': [1]}, 301: {'inbytes': 0, 'outbytes': 4, 'buffers': [6]}, 302: {'inbytes': 8, 'outbytes': 8}, 303: {'inbytes': 8, 'outbytes': 0}, 304: {'inbytes': 0, 'outbytes': 8}, 305: {'inbytes': 8, 'outbytes': 0}, 306: {'inbytes': 0, 'outbytes': 8}, 307: {'inbytes': 8, 'outbytes': 0}, 400: {'inbytes': 16, 'outbytes': 4, 'buffers': [6]}, 401: {'inbytes': 0, 'outbytes': 0}, 403: {'inbytes': 0, 'outbytes': 4}, 402: {'inbytes': 8, 'outbytes': 0, 'outhandles': [1], 'outinterfaces': ['nn::ns::detail::IAsyncResult']}}, 'nn::ns::detail::ISystemUpdateInterface': {0: {'inbytes': 0, 'outbytes': 1}, 1: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::ns::detail::ISystemUpdateControl']}, 2: {'inbytes': 0, 'outbytes': 0}, 3: {'inbytes': 0, 'outbytes': 0}, 4: {'inbytes': 0, 'outbytes': 0}, 5: {'inbytes': 16, 'outbytes': 0}, 6: {'inbytes': 0, 'outbytes': 0}, 7: {'inbytes': 0, 'outbytes': 0, 'outhandles': [1]}, 8: {'inbytes': 0, 'outbytes': 0}}, 'nn::pl::detail::ISharedFontManager': {0: {'inbytes': 4, 'outbytes': 0}, 1: {'inbytes': 4, 'outbytes': 4}, 2: {'inbytes': 4, 'outbytes': 4}, 3: {'inbytes': 4, 'outbytes': 4}, 4: {'inbytes': 0, 'outbytes': 0, 'outhandles': [1]}, 5: {'inbytes': 8, 'outbytes': 8, 'buffers': [6, 6, 6]}}, 'nn::pdm::detail::INotifyService': {0: {'inbytes': 16, 'outbytes': 0}, 2: {'inbytes': 1, 'outbytes': 0}, 3: {'inbytes': 1, 'outbytes': 0}, 4: {'inbytes': 0, 'outbytes': 0}}, 'nn::ovln::IReceiverService': {0: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::ovln::IReceiver']}}, 'nn::ns::detail::IProgressMonitorForDeleteUserSaveDataAll': {0: {'inbytes': 0, 'outbytes': 0, 'outhandles': [1]}, 1: {'inbytes': 0, 'outbytes': 1}, 2: {'inbytes': 0, 'outbytes': 0}, 10: {'inbytes': 0, 'outbytes': 40}}, 'nn::ns::detail::IGameCardStopper': {}, 'nn::ns::detail::ISystemUpdateControl': {0: {'inbytes': 0, 'outbytes': 1}, 1: {'inbytes': 0, 'outbytes': 0, 'outhandles': [1], 'outinterfaces': ['nn::ns::detail::IAsyncValue']}, 2: {'inbytes': 0, 'outbytes': 0, 'outhandles': [1], 'outinterfaces': ['nn::ns::detail::IAsyncResult']}, 3: {'inbytes': 0, 'outbytes': 16}, 4: {'inbytes': 0, 'outbytes': 0}, 5: {'inbytes': 0, 'outbytes': 0, 'outhandles': [1], 'outinterfaces': ['nn::ns::detail::IAsyncResult']}, 6: {'inbytes': 0, 'outbytes': 16}, 7: {'inbytes': 0, 'outbytes': 1}, 8: {'inbytes': 0, 'outbytes': 0}, 9: {'inbytes': 0, 'outbytes': 8, 'buffers': [21]}, 10: {'inbytes': 0, 'outbytes': 8, 'buffers': [21, 6]}, 11: {'inbytes': 8, 'outbytes': 0, 'inhandles': [1]}, 12: {'inbytes': 0, 'outbytes': 8, 'buffers': [21]}, 13: {'inbytes': 0, 'outbytes': 8, 'buffers': [21, 6]}}, 'nn::ovln::ISender': {0: {'inbytes': 136, 'outbytes': 0}, 1: {'inbytes': 0, 'outbytes': 4}}, 'nn::sf::hipc::detail::IHipcManager': {0: {'inbytes': 0, 'outbytes': 4}, 1: {'inbytes': 4, 'outbytes': 0, 'outhandles': [2]}, 2: {'inbytes': 0, 'outbytes': 0, 'outhandles': [2]}, 3: {'inbytes': 0, 'outbytes': 2}, 4: {'inbytes': 4, 'outbytes': 0, 'outhandles': [2]}}, 'nn::aocsrv::detail::IAddOnContentManager': {0: {'inbytes': 8, 'outbytes': 4}, 1: {'inbytes': 16, 'outbytes': 4, 'buffers': [6]}, 2: {'inbytes': 8, 'outbytes': 4, 'pid': True}, 3: {'inbytes': 16, 'outbytes': 4, 'buffers': [6], 'pid': True}, 4: {'inbytes': 8, 'outbytes': 8}, 5: {'inbytes': 8, 'outbytes': 8, 'pid': True}}}, 'nfc': {'nn::nfc::detail::IUser': {0: {'inbytes': 16, 'outbytes': 0, 'buffers': [5], 'pid': True}, 1: {'inbytes': 0, 'outbytes': 0}, 2: {'inbytes': 0, 'outbytes': 4}, 3: {'inbytes': 0, 'outbytes': 1}}, 'nn::nfp::detail::ISystemManager': {0: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::nfp::detail::ISystem']}}, 'nn::nfc::detail::ISystem': {0: {'inbytes': 16, 'outbytes': 0, 'buffers': [5], 'pid': True}, 1: {'inbytes': 0, 'outbytes': 0}, 2: {'inbytes': 0, 'outbytes': 4}, 3: {'inbytes': 0, 'outbytes': 1}, 100: {'inbytes': 1, 'outbytes': 0}}, 'nn::nfp::detail::ISystem': {0: {'inbytes': 16, 'outbytes': 0, 'buffers': [5], 'pid': True}, 1: {'inbytes': 0, 'outbytes': 0}, 2: {'inbytes': 0, 'outbytes': 4, 'buffers': [10]}, 3: {'inbytes': 8, 'outbytes': 0}, 4: {'inbytes': 8, 'outbytes': 0}, 5: {'inbytes': 16, 'outbytes': 0}, 6: {'inbytes': 8, 'outbytes': 0}, 10: {'inbytes': 8, 'outbytes': 0}, 11: {'inbytes': 8, 'outbytes': 0}, 13: {'inbytes': 8, 'outbytes': 0, 'buffers': [26]}, 14: {'inbytes': 8, 'outbytes': 0, 'buffers': [26]}, 15: {'inbytes': 8, 'outbytes': 0, 'buffers': [26]}, 16: {'inbytes': 8, 'outbytes': 0, 'buffers': [26]}, 17: {'inbytes': 8, 'outbytes': 0, 'outhandles': [1]}, 18: {'inbytes': 8, 'outbytes': 0, 'outhandles': [1]}, 19: {'inbytes': 0, 'outbytes': 4}, 20: {'inbytes': 8, 'outbytes': 4}, 21: {'inbytes': 8, 'outbytes': 4}, 100: {'inbytes': 8, 'outbytes': 0}, 101: {'inbytes': 8, 'outbytes': 0, 'buffers': [26]}, 102: {'inbytes': 8, 'outbytes': 0, 'buffers': [26]}, 103: {'inbytes': 8, 'outbytes': 0, 'buffers': [25]}, 104: {'inbytes': 8, 'outbytes': 0}, 106: {'inbytes': 8, 'outbytes': 1}, 105: {'inbytes': 8, 'outbytes': 0}}, 'nn::nfc::am::detail::IAmManager': {0: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::nfc::am::detail::IAm']}}, 'nn::nfc::mifare::detail::IUserManager': {0: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::nfc::mifare::detail::IUser']}}, 'nn::nfp::detail::IDebug': {0: {'inbytes': 16, 'outbytes': 0, 'buffers': [5], 'pid': True}, 1: {'inbytes': 0, 'outbytes': 0}, 2: {'inbytes': 0, 'outbytes': 4, 'buffers': [10]}, 3: {'inbytes': 8, 'outbytes': 0}, 4: {'inbytes': 8, 'outbytes': 0}, 5: {'inbytes': 16, 'outbytes': 0}, 6: {'inbytes': 8, 'outbytes': 0}, 7: {'inbytes': 12, 'outbytes': 0}, 8: {'inbytes': 8, 'outbytes': 4, 'buffers': [6]}, 9: {'inbytes': 8, 'outbytes': 0, 'buffers': [5]}, 10: {'inbytes': 8, 'outbytes': 0}, 11: {'inbytes': 8, 'outbytes': 0}, 12: {'inbytes': 12, 'outbytes': 0, 'buffers': [5]}, 13: {'inbytes': 8, 'outbytes': 0, 'buffers': [26]}, 14: {'inbytes': 8, 'outbytes': 0, 'buffers': [26]}, 15: {'inbytes': 8, 'outbytes': 0, 'buffers': [26]}, 16: {'inbytes': 8, 'outbytes': 0, 'buffers': [26]}, 17: {'inbytes': 8, 'outbytes': 0, 'outhandles': [1]}, 18: {'inbytes': 8, 'outbytes': 0, 'outhandles': [1]}, 19: {'inbytes': 0, 'outbytes': 4}, 20: {'inbytes': 8, 'outbytes': 4}, 21: {'inbytes': 8, 'outbytes': 4}, 22: {'inbytes': 8, 'outbytes': 4}, 100: {'inbytes': 8, 'outbytes': 0}, 101: {'inbytes': 8, 'outbytes': 0, 'buffers': [26]}, 102: {'inbytes': 8, 'outbytes': 0, 'buffers': [26]}, 103: {'inbytes': 8, 'outbytes': 0, 'buffers': [25]}, 104: {'inbytes': 8, 'outbytes': 0}, 106: {'inbytes': 8, 'outbytes': 1}, 200: {'inbytes': 8, 'outbytes': 0, 'buffers': [26]}, 201: {'inbytes': 8, 'outbytes': 0, 'buffers': [25]}, 202: {'inbytes': 8, 'outbytes': 0}, 203: {'inbytes': 12, 'outbytes': 0}, 204: {'inbytes': 0, 'outbytes': 4, 'buffers': [6]}, 205: {'inbytes': 0, 'outbytes': 0, 'buffers': [5]}, 105: {'inbytes': 8, 'outbytes': 0}}, 'nn::sf::hipc::detail::IHipcManager': {0: {'inbytes': 0, 'outbytes': 4}, 1: {'inbytes': 4, 'outbytes': 0, 'outhandles': [2]}, 2: {'inbytes': 0, 'outbytes': 0, 'outhandles': [2]}, 3: {'inbytes': 0, 'outbytes': 2}, 4: {'inbytes': 4, 'outbytes': 0, 'outhandles': [2]}}, 'nn::nfc::am::detail::IAm': {0: {'inbytes': 0, 'outbytes': 0}, 1: {'inbytes': 0, 'outbytes': 0}, 2: {'inbytes': 8, 'outbytes': 0}}, 'nn::nfc::mifare::detail::IUser': {0: {'inbytes': 16, 'outbytes': 0, 'buffers': [5], 'pid': True}, 1: {'inbytes': 0, 'outbytes': 0}, 2: {'inbytes': 0, 'outbytes': 4, 'buffers': [10]}, 3: {'inbytes': 8, 'outbytes': 0}, 4: {'inbytes': 8, 'outbytes': 0}, 5: {'inbytes': 8, 'outbytes': 0, 'buffers': [6, 5]}, 6: {'inbytes': 8, 'outbytes': 0, 'buffers': [5]}, 7: {'inbytes': 8, 'outbytes': 0, 'buffers': [26]}, 8: {'inbytes': 8, 'outbytes': 0, 'outhandles': [1]}, 9: {'inbytes': 8, 'outbytes': 0, 'outhandles': [1]}, 10: {'inbytes': 0, 'outbytes': 4}, 11: {'inbytes': 8, 'outbytes': 4}, 12: {'inbytes': 8, 'outbytes': 4}}, 'nn::nfp::detail::IDebugManager': {0: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::nfp::detail::IDebug']}}, 'nn::nfc::detail::IUserManager': {0: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::nfc::detail::IUser']}}, 'nn::nfp::detail::IUser': {0: {'inbytes': 16, 'outbytes': 0, 'buffers': [5], 'pid': True}, 1: {'inbytes': 0, 'outbytes': 0}, 2: {'inbytes': 0, 'outbytes': 4, 'buffers': [10]}, 3: {'inbytes': 8, 'outbytes': 0}, 4: {'inbytes': 8, 'outbytes': 0}, 5: {'inbytes': 16, 'outbytes': 0}, 6: {'inbytes': 8, 'outbytes': 0}, 7: {'inbytes': 12, 'outbytes': 0}, 8: {'inbytes': 8, 'outbytes': 4, 'buffers': [6]}, 9: {'inbytes': 8, 'outbytes': 0, 'buffers': [5]}, 10: {'inbytes': 8, 'outbytes': 0}, 11: {'inbytes': 8, 'outbytes': 0}, 12: {'inbytes': 12, 'outbytes': 0, 'buffers': [5]}, 13: {'inbytes': 8, 'outbytes': 0, 'buffers': [26]}, 14: {'inbytes': 8, 'outbytes': 0, 'buffers': [26]}, 15: {'inbytes': 8, 'outbytes': 0, 'buffers': [26]}, 16: {'inbytes': 8, 'outbytes': 0, 'buffers': [26]}, 17: {'inbytes': 8, 'outbytes': 0, 'outhandles': [1]}, 18: {'inbytes': 8, 'outbytes': 0, 'outhandles': [1]}, 19: {'inbytes': 0, 'outbytes': 4}, 20: {'inbytes': 8, 'outbytes': 4}, 21: {'inbytes': 8, 'outbytes': 4}, 22: {'inbytes': 8, 'outbytes': 4}}, 'nn::nfc::detail::ISystemManager': {0: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::nfc::detail::ISystem']}}, 'nn::nfp::detail::IUserManager': {0: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::nfp::detail::IUser']}}}, 'psc': {'nn::psc::sf::IPmModule': {0: {'inbytes': 4, 'outbytes': 0, 'buffers': [5], 'outhandles': [1]}, 1: {'inbytes': 0, 'outbytes': 8}, 2: {'inbytes': 0, 'outbytes': 0}, 3: {'inbytes': 0, 'outbytes': 0}}, 'nn::sf::hipc::detail::IHipcManager': {0: {'inbytes': 0, 'outbytes': 4}, 1: {'inbytes': 4, 'outbytes': 0, 'outhandles': [2]}, 2: {'inbytes': 0, 'outbytes': 0, 'outhandles': [2]}, 3: {'inbytes': 0, 'outbytes': 2}, 4: {'inbytes': 4, 'outbytes': 0, 'outhandles': [2]}}, 'nn::psc::sf::IPmControl': {0: {'inbytes': 0, 'outbytes': 0, 'outhandles': [1]}, 1: {'inbytes': 12, 'outbytes': 0}, 2: {'inbytes': 0, 'outbytes': 0}, 3: {'inbytes': 0, 'outbytes': 4}, 4: {'inbytes': 0, 'outbytes': 0}, 5: {'inbytes': 0, 'outbytes': 0}, 6: {'inbytes': 0, 'outbytes': 40, 'buffers': [6, 6]}}, 'nn::psc::sf::IPmService': {0: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::psc::sf::IPmModule']}}}, 'capsrv': {'nn::sf::hipc::detail::IHipcManager': {0: {'inbytes': 0, 'outbytes': 4}, 1: {'inbytes': 4, 'outbytes': 0, 'outhandles': [2]}, 2: {'inbytes': 0, 'outbytes': 0, 'outhandles': [2]}, 3: {'inbytes': 0, 'outbytes': 2}, 4: {'inbytes': 4, 'outbytes': 0, 'outhandles': [2]}}, 'nn::mmnv::IRequest': {0: {'inbytes': 12, 'outbytes': 0}, 1: {'inbytes': 4, 'outbytes': 0}, 2: {'inbytes': 12, 'outbytes': 0}, 3: {'inbytes': 4, 'outbytes': 4}}, 'nn::capsrv::sf::ICaptureControllerService': {1: {'inbytes': 32, 'outbytes': 0, 'buffers': [70]}, 2: {'inbytes': 40, 'outbytes': 0, 'buffers': [70]}, 1001: {'inbytes': 16, 'outbytes': 0}, 1002: {'inbytes': 24, 'outbytes': 0}, 1011: {'inbytes': 8, 'outbytes': 0}, 2001: {'inbytes': 1, 'outbytes': 0}, 2002: {'inbytes': 1, 'outbytes': 0}}, 'nn::capsrv::sf::IAlbumAccessorService': {0: {'inbytes': 1, 'outbytes': 8}, 1: {'inbytes': 1, 'outbytes': 8, 'buffers': [6]}, 2: {'inbytes': 24, 'outbytes': 8, 'buffers': [6]}, 3: {'inbytes': 24, 'outbytes': 0}, 4: {'inbytes': 32, 'outbytes': 0}, 5: {'inbytes': 1, 'outbytes': 1}, 6: {'inbytes': 1, 'outbytes': 48}, 7: {'inbytes': 24, 'outbytes': 8}, 8: {'inbytes': 24, 'outbytes': 8, 'buffers': [6]}, 202: {'inbytes': 56, 'outbytes': 32, 'buffers': [5, 5]}, 301: {'inbytes': 0, 'outbytes': 32, 'buffers': [6]}, 401: {'inbytes': 0, 'outbytes': 1}, 501: {'inbytes': 2, 'outbytes': 8}, 10011: {'inbytes': 1, 'outbytes': 0}, 8001: {'inbytes': 1, 'outbytes': 0}, 8002: {'inbytes': 1, 'outbytes': 0}, 8011: {'inbytes': 1, 'outbytes': 0}, 8012: {'inbytes': 1, 'outbytes': 16}}}, 'am': {'nn::am::service::IWindowController': {0: {'inbytes': 4, 'outbytes': 0, 'outinterfaces': ['nn::am::service::IWindow']}, 1: {'inbytes': 0, 'outbytes': 8}, 10: {'inbytes': 0, 'outbytes': 0}, 11: {'inbytes': 0, 'outbytes': 0}, 12: {'inbytes': 0, 'outbytes': 0}}, 'nn::am::service::ILibraryAppletCreator': {0: {'inbytes': 8, 'outbytes': 0, 'outinterfaces': ['nn::am::service::ILibraryAppletAccessor']}, 1: {'inbytes': 0, 'outbytes': 0}, 2: {'inbytes': 0, 'outbytes': 1}, 10: {'inbytes': 8, 'outbytes': 0, 'outinterfaces': ['nn::am::service::IStorage']}, 11: {'inbytes': 16, 'outbytes': 0, 'inhandles': [1], 'outinterfaces': ['nn::am::service::IStorage']}}, 'nn::am::service::ILibraryAppletSelfAccessor': {0: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::am::service::IStorage']}, 1: {'inbytes': 0, 'outbytes': 0, 'ininterfaces': ['nn::am::service::IStorage']}, 2: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::am::service::IStorage']}, 3: {'inbytes': 0, 'outbytes': 0, 'ininterfaces': ['nn::am::service::IStorage']}, 5: {'inbytes': 0, 'outbytes': 0, 'outhandles': [1]}, 6: {'inbytes': 0, 'outbytes': 0, 'outhandles': [1]}, 10: {'inbytes': 0, 'outbytes': 0}, 11: {'inbytes': 0, 'outbytes': 8}, 12: {'inbytes': 0, 'outbytes': 16}, 13: {'inbytes': 0, 'outbytes': 1}, 14: {'inbytes': 0, 'outbytes': 16}, 20: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::am::service::IStorage']}, 25: {'inbytes': 0, 'outbytes': 0, 'outhandles': [1]}, 30: {'inbytes': 0, 'outbytes': 0, 'ininterfaces': ['nn::am::service::IStorage']}, 31: {'inbytes': 0, 'outbytes': 0, 'ininterfaces': ['nn::am::service::IStorage']}}, 'nn::am::service::IWindow': {}, 'nn::am::service::IAudioController': {0: {'inbytes': 8, 'outbytes': 0}, 1: {'inbytes': 0, 'outbytes': 4}, 2: {'inbytes': 0, 'outbytes': 4}, 3: {'inbytes': 16, 'outbytes': 0}, 4: {'inbytes': 4, 'outbytes': 0}}, 'nn::am::service::IApplicationCreator': {0: {'inbytes': 8, 'outbytes': 0, 'outinterfaces': ['nn::am::service::IApplicationAccessor']}, 1: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::am::service::IApplicationAccessor']}, 10: {'inbytes': 8, 'outbytes': 0, 'outinterfaces': ['nn::am::service::IApplicationAccessor']}, 100: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::am::service::IApplicationAccessor']}}, 'nn::am::service::ILockAccessor': {1: {'inbytes': 1, 'outbytes': 1, 'outhandles': [1]}, 2: {'inbytes': 0, 'outbytes': 0}, 3: {'inbytes': 0, 'outbytes': 0, 'outhandles': [1]}}, 'nn::am::service::IDisplayController': {0: {'inbytes': 0, 'outbytes': 0, 'buffers': [6]}, 1: {'inbytes': 0, 'outbytes': 0}, 2: {'inbytes': 0, 'outbytes': 0, 'buffers': [6]}, 3: {'inbytes': 0, 'outbytes': 0, 'buffers': [6]}, 4: {'inbytes': 0, 'outbytes': 0}, 5: {'inbytes': 0, 'outbytes': 1, 'buffers': [6]}, 6: {'inbytes': 0, 'outbytes': 1, 'buffers': [6]}, 7: {'inbytes': 0, 'outbytes': 1, 'buffers': [6]}, 10: {'inbytes': 0, 'outbytes': 0, 'outhandles': [1]}, 11: {'inbytes': 0, 'outbytes': 0}, 12: {'inbytes': 0, 'outbytes': 0, 'outhandles': [1]}, 13: {'inbytes': 0, 'outbytes': 0}, 14: {'inbytes': 0, 'outbytes': 0, 'outhandles': [1]}, 15: {'inbytes': 0, 'outbytes': 0}, 16: {'inbytes': 0, 'outbytes': 1, 'outhandles': [1]}, 17: {'inbytes': 0, 'outbytes': 1, 'outhandles': [1]}, 18: {'inbytes': 0, 'outbytes': 1, 'outhandles': [1]}}, 'nn::am::service::ICommonStateGetter': {0: {'inbytes': 0, 'outbytes': 0, 'outhandles': [1]}, 1: {'inbytes': 0, 'outbytes': 4}, 2: {'inbytes': 0, 'outbytes': 8}, 3: {'inbytes': 0, 'outbytes': 0}, 4: {'inbytes': 0, 'outbytes': 0}, 5: {'inbytes': 0, 'outbytes': 1}, 6: {'inbytes': 0, 'outbytes': 4}, 7: {'inbytes': 0, 'outbytes': 1}, 8: {'inbytes': 0, 'outbytes': 1}, 9: {'inbytes': 0, 'outbytes': 1}, 10: {'inbytes': 0, 'outbytes': 0}, 11: {'inbytes': 0, 'outbytes': 0}, 12: {'inbytes': 0, 'outbytes': 0}, 13: {'inbytes': 0, 'outbytes': 0, 'outhandles': [1]}, 20: {'inbytes': 0, 'outbytes': 0, 'ininterfaces': ['nn::am::service::IStorage']}, 30: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::am::service::ILockAccessor']}}, 'nn::am::service::ILibraryAppletProxy': {0: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::am::service::ICommonStateGetter']}, 1: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::am::service::ISelfController']}, 2: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::am::service::IWindowController']}, 3: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::am::service::IAudioController']}, 4: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::am::service::IDisplayController']}, 10: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::am::service::IProcessWindingController']}, 11: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::am::service::ILibraryAppletCreator']}, 20: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::am::service::ILibraryAppletSelfAccessor']}, 1000: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::am::service::IDebugFunctions']}}, 'nn::omm::detail::IOperationModeManager': {0: {'inbytes': 0, 'outbytes': 1}, 1: {'inbytes': 0, 'outbytes': 0, 'outhandles': [1]}, 2: {'inbytes': 0, 'outbytes': 0}, 3: {'inbytes': 0, 'outbytes': 0}, 4: {'inbytes': 0, 'outbytes': 0}, 5: {'inbytes': 0, 'outbytes': 1}, 6: {'inbytes': 0, 'outbytes': 0}, 7: {'inbytes': 0, 'outbytes': 0}}, 'nn::am::service::IOverlayFunctions': {0: {'inbytes': 0, 'outbytes': 0}, 1: {'inbytes': 0, 'outbytes': 0}, 2: {'inbytes': 0, 'outbytes': 8}, 3: {'inbytes': 8, 'outbytes': 0}}, 'nn::am::service::IProcessWindingController': {0: {'inbytes': 0, 'outbytes': 4}, 11: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::am::service::ILibraryAppletAccessor']}, 21: {'inbytes': 0, 'outbytes': 0, 'ininterfaces': ['nn::am::service::IStorage']}, 22: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::am::service::IStorage']}, 23: {'inbytes': 0, 'outbytes': 0}, 30: {'inbytes': 0, 'outbytes': 0}, 40: {'inbytes': 0, 'outbytes': 0, 'ininterfaces': ['nn::am::service::ILibraryAppletAccessor']}}, 'nn::am::service::ISelfController': {0: {'inbytes': 0, 'outbytes': 0}, 1: {'inbytes': 0, 'outbytes': 0}, 2: {'inbytes': 0, 'outbytes': 0}, 9: {'inbytes': 0, 'outbytes': 0, 'outhandles': [1]}, 10: {'inbytes': 4, 'outbytes': 0}, 11: {'inbytes': 1, 'outbytes': 0}, 12: {'inbytes': 1, 'outbytes': 0}, 13: {'inbytes': 3, 'outbytes': 0}, 14: {'inbytes': 1, 'outbytes': 0}, 40: {'inbytes': 0, 'outbytes': 8}, 50: {'inbytes': 1, 'outbytes': 0}, 51: {'inbytes': 0, 'outbytes': 0}, 60: {'inbytes': 16, 'outbytes': 0}, 61: {'inbytes': 1, 'outbytes': 0}, 62: {'inbytes': 4, 'outbytes': 0}, 63: {'inbytes': 0, 'outbytes': 4}, 64: {'inbytes': 4, 'outbytes': 0}}, 'nn::am::service::IApplicationFunctions': {1: {'inbytes': 4, 'outbytes': 0, 'outinterfaces': ['nn::am::service::IStorage']}, 10: {'inbytes': 8, 'outbytes': 0, 'ininterfaces': ['nn::am::service::IStorage']}, 20: {'inbytes': 16, 'outbytes': 8}, 21: {'inbytes': 0, 'outbytes': 8}, 22: {'inbytes': 4, 'outbytes': 0}, 23: {'inbytes': 0, 'outbytes': 16}, 30: {'inbytes': 8, 'outbytes': 0}, 31: {'inbytes': 0, 'outbytes': 0}, 40: {'inbytes': 0, 'outbytes': 1}}, 'nn::am::service::IApplicationProxy': {0: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::am::service::ICommonStateGetter']}, 1: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::am::service::ISelfController']}, 2: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::am::service::IWindowController']}, 3: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::am::service::IAudioController']}, 4: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::am::service::IDisplayController']}, 10: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::am::service::IProcessWindingController']}, 11: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::am::service::ILibraryAppletCreator']}, 20: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::am::service::IApplicationFunctions']}, 1000: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::am::service::IDebugFunctions']}}, 'nn::am::service::IOverlayAppletProxy': {0: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::am::service::ICommonStateGetter']}, 1: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::am::service::ISelfController']}, 2: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::am::service::IWindowController']}, 3: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::am::service::IAudioController']}, 4: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::am::service::IDisplayController']}, 10: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::am::service::IProcessWindingController']}, 11: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::am::service::ILibraryAppletCreator']}, 20: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::am::service::IOverlayFunctions']}, 1000: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::am::service::IDebugFunctions']}}, 'nn::am::service::IApplicationProxyService': {0: {'inbytes': 8, 'outbytes': 0, 'inhandles': [1], 'outinterfaces': ['nn::am::service::IApplicationProxy'], 'pid': True}}, 'nn::am::service::IStorage': {0: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::am::service::IStorageAccessor']}}, 'nn::am::service::ILibraryAppletAccessor': {0: {'inbytes': 0, 'outbytes': 0, 'outhandles': [1]}, 1: {'inbytes': 0, 'outbytes': 1}, 10: {'inbytes': 0, 'outbytes': 0}, 20: {'inbytes': 0, 'outbytes': 0}, 25: {'inbytes': 0, 'outbytes': 0}, 30: {'inbytes': 0, 'outbytes': 0}, 100: {'inbytes': 0, 'outbytes': 0, 'ininterfaces': ['nn::am::service::IStorage']}, 101: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::am::service::IStorage']}, 102: {'inbytes': 0, 'outbytes': 0, 'ininterfaces': ['nn::am::service::IStorage']}, 103: {'inbytes': 0, 'outbytes': 0, 'ininterfaces': ['nn::am::service::IStorage']}, 104: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::am::service::IStorage']}, 106: {'inbytes': 0, 'outbytes': 0, 'outhandles': [1]}, 110: {'inbytes': 0, 'outbytes': 1}, 120: {'inbytes': 0, 'outbytes': 8}, 150: {'inbytes': 0, 'outbytes': 0}, 105: {'inbytes': 0, 'outbytes': 0, 'outhandles': [1]}}, 'nn::am::service::IStorageAccessor': {0: {'inbytes': 0, 'outbytes': 8}, 10: {'inbytes': 8, 'outbytes': 0, 'buffers': [33]}, 11: {'inbytes': 8, 'outbytes': 0, 'buffers': [34]}}, 'nn::spsm::detail::IPowerStateInterface': {0: {'inbytes': 0, 'outbytes': 4}, 1: {'inbytes': 0, 'outbytes': 0, 'outhandles': [1]}, 2: {'inbytes': 0, 'outbytes': 4}, 3: {'inbytes': 1, 'outbytes': 0}, 4: {'inbytes': 0, 'outbytes': 0, 'outhandles': [1]}, 5: {'inbytes': 0, 'outbytes': 4}, 6: {'inbytes': 0, 'outbytes': 80}, 7: {'inbytes': 0, 'outbytes': 0}, 8: {'inbytes': 0, 'outbytes': 0, 'buffers': [6]}, 9: {'inbytes': 8, 'outbytes': 0}}, 'nn::am::service::IGlobalStateController': {0: {'inbytes': 0, 'outbytes': 0}, 1: {'inbytes': 0, 'outbytes': 0}, 2: {'inbytes': 1, 'outbytes': 0}, 3: {'inbytes': 0, 'outbytes': 0}, 4: {'inbytes': 0, 'outbytes': 0}, 10: {'inbytes': 0, 'outbytes': 0}}, 'nn::am::service::IAllSystemAppletProxiesService': {100: {'inbytes': 8, 'outbytes': 0, 'inhandles': [1], 'outinterfaces': ['nn::am::service::ISystemAppletProxy'], 'pid': True}, 200: {'inbytes': 8, 'outbytes': 0, 'inhandles': [1], 'outinterfaces': ['nn::am::service::ILibraryAppletProxy'], 'pid': True}, 300: {'inbytes': 8, 'outbytes': 0, 'inhandles': [1], 'outinterfaces': ['nn::am::service::IOverlayAppletProxy'], 'pid': True}, 350: {'inbytes': 8, 'outbytes': 0, 'inhandles': [1], 'outinterfaces': ['nn::am::service::IApplicationProxy'], 'pid': True}, 400: {'inbytes': 8, 'outbytes': 0, 'outinterfaces': ['nn::am::service::ILibraryAppletCreator'], 'pid': True}}, 'nn::sf::hipc::detail::IHipcManager': {0: {'inbytes': 0, 'outbytes': 4}, 1: {'inbytes': 4, 'outbytes': 0, 'outhandles': [2]}, 2: {'inbytes': 0, 'outbytes': 0, 'outhandles': [2]}, 3: {'inbytes': 0, 'outbytes': 2}, 4: {'inbytes': 4, 'outbytes': 0, 'outhandles': [2]}}, 'nn::idle::detail::IPolicyManagerSystem': {0: {'inbytes': 0, 'outbytes': 0, 'outhandles': [1]}, 1: {'inbytes': 0, 'outbytes': 0}, 2: {'inbytes': 0, 'outbytes': 0}, 3: {'inbytes': 40, 'outbytes': 0}, 4: {'inbytes': 0, 'outbytes': 0}}, 'nn::am::service::IHomeMenuFunctions': {10: {'inbytes': 0, 'outbytes': 0}, 11: {'inbytes': 0, 'outbytes': 0}, 12: {'inbytes': 0, 'outbytes': 0}, 20: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::am::service::IStorage']}, 21: {'inbytes': 0, 'outbytes': 0, 'outhandles': [1]}, 30: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::am::service::ILockAccessor']}}, 'nn::am::service::IApplicationAccessor': {0: {'inbytes': 0, 'outbytes': 0, 'outhandles': [1]}, 1: {'inbytes': 0, 'outbytes': 1}, 10: {'inbytes': 0, 'outbytes': 0}, 20: {'inbytes': 0, 'outbytes': 0}, 25: {'inbytes': 0, 'outbytes': 0}, 30: {'inbytes': 0, 'outbytes': 0}, 101: {'inbytes': 0, 'outbytes': 0}, 110: {'inbytes': 0, 'outbytes': 0}, 111: {'inbytes': 0, 'outbytes': 1}, 112: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::am::service::IAppletAccessor']}, 120: {'inbytes': 0, 'outbytes': 8}, 121: {'inbytes': 4, 'outbytes': 0, 'ininterfaces': ['nn::am::service::IStorage']}, 122: {'inbytes': 0, 'outbytes': 0, 'buffers': [6]}}, 'nn::am::service::IAppletAccessor': {0: {'inbytes': 0, 'outbytes': 0, 'outhandles': [1]}, 1: {'inbytes': 0, 'outbytes': 1}, 10: {'inbytes': 0, 'outbytes': 0}, 20: {'inbytes': 0, 'outbytes': 0}, 25: {'inbytes': 0, 'outbytes': 0}, 30: {'inbytes': 0, 'outbytes': 0}}, 'nn::am::service::ISystemAppletProxy': {0: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::am::service::ICommonStateGetter']}, 1: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::am::service::ISelfController']}, 2: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::am::service::IWindowController']}, 3: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::am::service::IAudioController']}, 4: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::am::service::IDisplayController']}, 10: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::am::service::IProcessWindingController']}, 11: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::am::service::ILibraryAppletCreator']}, 20: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::am::service::IHomeMenuFunctions']}, 21: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::am::service::IGlobalStateController']}, 22: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::am::service::IApplicationCreator']}, 1000: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::am::service::IDebugFunctions']}}, 'nn::am::service::IDebugFunctions': {0: {'inbytes': 4, 'outbytes': 0}, 1: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::am::service::IApplicationAccessor']}, 10: {'inbytes': 4, 'outbytes': 0}, 20: {'inbytes': 0, 'outbytes': 0}}}, 'ssl': {'nn::ssl::sf::ISslService': {0: {'inbytes': 16, 'outbytes': 0, 'outinterfaces': ['nn::ssl::sf::ISslContext'], 'pid': True}, 1: {'inbytes': 0, 'outbytes': 4}}, 'nn::sf::hipc::detail::IHipcManager': {0: {'inbytes': 0, 'outbytes': 4}, 1: {'inbytes': 4, 'outbytes': 0, 'outhandles': [2]}, 2: {'inbytes': 0, 'outbytes': 0, 'outhandles': [2]}, 3: {'inbytes': 0, 'outbytes': 2}, 4: {'inbytes': 4, 'outbytes': 0, 'outhandles': [2]}}, 'nn::ssl::sf::ISslContext': {0: {'inbytes': 8, 'outbytes': 0}, 1: {'inbytes': 4, 'outbytes': 4}, 2: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::ssl::sf::ISslConnection']}, 3: {'inbytes': 0, 'outbytes': 4}, 4: {'inbytes': 4, 'outbytes': 8, 'buffers': [5]}, 5: {'inbytes': 0, 'outbytes': 8, 'buffers': [5, 5]}, 6: {'inbytes': 8, 'outbytes': 0}, 7: {'inbytes': 8, 'outbytes': 0}, 8: {'inbytes': 4, 'outbytes': 8}}, 'nn::ssl::sf::ISslConnection': {0: {'inbytes': 4, 'outbytes': 4}, 1: {'inbytes': 0, 'outbytes': 0, 'buffers': [5]}, 2: {'inbytes': 4, 'outbytes': 0}, 3: {'inbytes': 4, 'outbytes': 0}, 4: {'inbytes': 0, 'outbytes': 4}, 5: {'inbytes': 0, 'outbytes': 4, 'buffers': [6]}, 6: {'inbytes': 0, 'outbytes': 4}, 7: {'inbytes': 0, 'outbytes': 4}, 8: {'inbytes': 0, 'outbytes': 0}, 9: {'inbytes': 0, 'outbytes': 8, 'buffers': [6]}, 10: {'inbytes': 0, 'outbytes': 4, 'buffers': [6]}, 11: {'inbytes': 0, 'outbytes': 4, 'buffers': [5]}, 12: {'inbytes': 0, 'outbytes': 4}, 13: {'inbytes': 0, 'outbytes': 4, 'buffers': [6]}, 14: {'inbytes': 8, 'outbytes': 4}, 15: {'inbytes': 0, 'outbytes': 0}, 16: {'inbytes': 0, 'outbytes': 4}, 17: {'inbytes': 4, 'outbytes': 0}, 18: {'inbytes': 0, 'outbytes': 4}, 19: {'inbytes': 0, 'outbytes': 0}, 20: {'inbytes': 4, 'outbytes': 0}, 21: {'inbytes': 0, 'outbytes': 4}}}, 'nim': {'nn::ntc::detail::service::IStaticService': {0: {'inbytes': 8, 'outbytes': 0, 'outinterfaces': ['nn::ntc::detail::service::IEnsureNetworkClockAvailabilityService']}}, 'nn::ntc::detail::service::IEnsureNetworkClockAvailabilityService': {0: {'inbytes': 0, 'outbytes': 0}, 1: {'inbytes': 0, 'outbytes': 0, 'outhandles': [1]}, 2: {'inbytes': 0, 'outbytes': 0}, 3: {'inbytes': 0, 'outbytes': 0}, 4: {'inbytes': 0, 'outbytes': 1}}, 'nn::nim::detail::INetworkInstallManager': {0: {'inbytes': 24, 'outbytes': 16}, 1: {'inbytes': 16, 'outbytes': 0}, 2: {'inbytes': 0, 'outbytes': 4, 'buffers': [6]}, 3: {'inbytes': 16, 'outbytes': 0, 'outhandles': [1], 'outinterfaces': ['nn::nim::detail::IAsyncResult']}, 4: {'inbytes': 16, 'outbytes': 40}, 5: {'inbytes': 16, 'outbytes': 0}, 6: {'inbytes': 16, 'outbytes': 16, 'buffers': [5]}, 7: {'inbytes': 16, 'outbytes': 0}, 8: {'inbytes': 0, 'outbytes': 4, 'buffers': [6]}, 9: {'inbytes': 16, 'outbytes': 0, 'outhandles': [1], 'outinterfaces': ['nn::nim::detail::IAsyncResult']}, 10: {'inbytes': 16, 'outbytes': 32}, 11: {'inbytes': 16, 'outbytes': 0}, 12: {'inbytes': 0, 'outbytes': 0, 'outhandles': [1], 'outinterfaces': ['nn::nim::detail::IAsyncValue']}, 13: {'inbytes': 16, 'outbytes': 0, 'outhandles': [1], 'outinterfaces': ['nn::nim::detail::IAsyncValue']}, 14: {'inbytes': 8, 'outbytes': 4, 'buffers': [6]}, 15: {'inbytes': 16, 'outbytes': 4, 'buffers': [6]}, 16: {'inbytes': 0, 'outbytes': 0, 'buffers': [5], 'outhandles': [1], 'outinterfaces': ['nn::nim::detail::IAsyncValue']}, 17: {'inbytes': 16, 'outbytes': 0}, 18: {'inbytes': 16, 'outbytes': 0, 'buffers': [5]}, 19: {'inbytes': 24, 'outbytes': 0, 'buffers': [22]}, 20: {'inbytes': 16, 'outbytes': 8}, 21: {'inbytes': 16, 'outbytes': 1}, 22: {'inbytes': 0, 'outbytes': 16}}, 'nn::sf::hipc::detail::IHipcManager': {0: {'inbytes': 0, 'outbytes': 4}, 1: {'inbytes': 4, 'outbytes': 0, 'outhandles': [2]}, 2: {'inbytes': 0, 'outbytes': 0, 'outhandles': [2]}, 3: {'inbytes': 0, 'outbytes': 2}, 4: {'inbytes': 4, 'outbytes': 0, 'outhandles': [2]}}, 'nn::nim::detail::IAsyncValue': {0: {'inbytes': 0, 'outbytes': 8}, 1: {'inbytes': 0, 'outbytes': 0, 'buffers': [6]}, 2: {'inbytes': 0, 'outbytes': 0}}, 'nn::nim::detail::IAsyncResult': {0: {'inbytes': 0, 'outbytes': 0}, 1: {'inbytes': 0, 'outbytes': 0}}}, 'lbl': {'nn::lbl::detail::ILblController': {0: {'inbytes': 0, 'outbytes': 0}, 1: {'inbytes': 0, 'outbytes': 0}, 2: {'inbytes': 4, 'outbytes': 0}, 3: {'inbytes': 0, 'outbytes': 4}, 4: {'inbytes': 0, 'outbytes': 0}, 5: {'inbytes': 0, 'outbytes': 4}, 6: {'inbytes': 8, 'outbytes': 0}, 7: {'inbytes': 8, 'outbytes': 0}, 8: {'inbytes': 0, 'outbytes': 4}, 9: {'inbytes': 0, 'outbytes': 0}, 10: {'inbytes': 0, 'outbytes': 0}, 11: {'inbytes': 0, 'outbytes': 1}, 12: {'inbytes': 0, 'outbytes': 0}, 13: {'inbytes': 0, 'outbytes': 0}, 14: {'inbytes': 0, 'outbytes': 1}, 15: {'inbytes': 4, 'outbytes': 0}, 16: {'inbytes': 0, 'outbytes': 4}, 17: {'inbytes': 8, 'outbytes': 0}, 18: {'inbytes': 4, 'outbytes': 4}, 19: {'inbytes': 12, 'outbytes': 0}, 20: {'inbytes': 0, 'outbytes': 12}, 21: {'inbytes': 12, 'outbytes': 0}, 22: {'inbytes': 0, 'outbytes': 12}}, 'nn::sf::hipc::detail::IHipcManager': {0: {'inbytes': 0, 'outbytes': 4}, 1: {'inbytes': 4, 'outbytes': 0, 'outhandles': [2]}, 2: {'inbytes': 0, 'outbytes': 0, 'outhandles': [2]}, 3: {'inbytes': 0, 'outbytes': 2}, 4: {'inbytes': 4, 'outbytes': 0, 'outhandles': [2]}}}, 'btm': {'nn::btm::IBtmSystemCore': {0: {'inbytes': 0, 'outbytes': 0}, 1: {'inbytes': 0, 'outbytes': 0}, 2: {'inbytes': 0, 'outbytes': 0}, 3: {'inbytes': 0, 'outbytes': 1}, 4: {'inbytes': 0, 'outbytes': 0}, 5: {'inbytes': 0, 'outbytes': 0}, 6: {'inbytes': 0, 'outbytes': 1}}, 'nn::btm::IBtm': {0: {'inbytes': 0, 'outbytes': 4}, 1: {'inbytes': 0, 'outbytes': 42}, 2: {'inbytes': 0, 'outbytes': 0, 'outhandles': [1]}, 3: {'inbytes': 0, 'outbytes': 0, 'buffers': [26]}, 4: {'inbytes': 7, 'outbytes': 0}, 5: {'inbytes': 0, 'outbytes': 0, 'buffers': [25]}, 6: {'inbytes': 4, 'outbytes': 0}, 7: {'inbytes': 4, 'outbytes': 0}, 8: {'inbytes': 0, 'outbytes': 0, 'outhandles': [1]}, 9: {'inbytes': 0, 'outbytes': 0, 'buffers': [26]}, 10: {'inbytes': 96, 'outbytes': 0}, 11: {'inbytes': 6, 'outbytes': 0}, 12: {'inbytes': 6, 'outbytes': 0}, 13: {'inbytes': 6, 'outbytes': 0}, 14: {'inbytes': 0, 'outbytes': 0}, 15: {'inbytes': 0, 'outbytes': 0}, 16: {'inbytes': 6, 'outbytes': 0}, 17: {'inbytes': 6, 'outbytes': 0, 'buffers': [25]}}, 'nn::btm::IBtmSystem': {0: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::btm::IBtmSystemCore']}}, 'nn::sf::hipc::detail::IHipcManager': {0: {'inbytes': 0, 'outbytes': 4}, 1: {'inbytes': 4, 'outbytes': 0, 'outhandles': [2]}, 2: {'inbytes': 0, 'outbytes': 0, 'outhandles': [2]}, 3: {'inbytes': 0, 'outbytes': 2}, 4: {'inbytes': 4, 'outbytes': 0, 'outhandles': [2]}}, 'nn::btm::IBtmDebug': {0: {'inbytes': 0, 'outbytes': 0, 'outhandles': [1]}, 1: {'inbytes': 0, 'outbytes': 0}, 2: {'inbytes': 0, 'outbytes': 0}, 3: {'inbytes': 0, 'outbytes': 0, 'buffers': [26]}, 4: {'inbytes': 6, 'outbytes': 0}, 5: {'inbytes': 6, 'outbytes': 0}, 6: {'inbytes': 12, 'outbytes': 0}, 7: {'inbytes': 4, 'outbytes': 0}, 8: {'inbytes': 6, 'outbytes': 0}}}, 'erpt': {'nn::erpt::sf::IManager': {0: {'inbytes': 4, 'outbytes': 0, 'buffers': [6]}, 1: {'inbytes': 0, 'outbytes': 0, 'outhandles': [1]}}, 'nn::sf::hipc::detail::IHipcManager': {0: {'inbytes': 0, 'outbytes': 4}, 1: {'inbytes': 4, 'outbytes': 0, 'outhandles': [2]}, 2: {'inbytes': 0, 'outbytes': 0, 'outhandles': [2]}, 3: {'inbytes': 0, 'outbytes': 2}, 4: {'inbytes': 4, 'outbytes': 0, 'outhandles': [2]}}, 'nn::erpt::sf::ISession': {0: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::erpt::sf::IReport']}, 1: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::erpt::sf::IManager']}}, 'nn::erpt::sf::IContext': {0: {'inbytes': 0, 'outbytes': 0, 'buffers': [5, 5]}, 1: {'inbytes': 4, 'outbytes': 0, 'buffers': [5, 5, 5]}}, 'nn::erpt::sf::IReport': {0: {'inbytes': 20, 'outbytes': 0}, 1: {'inbytes': 0, 'outbytes': 4, 'buffers': [6]}, 2: {'inbytes': 4, 'outbytes': 0}, 3: {'inbytes': 0, 'outbytes': 4}, 4: {'inbytes': 0, 'outbytes': 0}, 5: {'inbytes': 0, 'outbytes': 8}}}, 'vi': {'nn::visrv::sf::ISystemDisplayService': {2201: {'inbytes': 16, 'outbytes': 0}, 2203: {'inbytes': 24, 'outbytes': 0}, 2204: {'inbytes': 8, 'outbytes': 8}, 2205: {'inbytes': 16, 'outbytes': 0}, 2207: {'inbytes': 16, 'outbytes': 0}, 2209: {'inbytes': 16, 'outbytes': 0}, 2312: {'inbytes': 16, 'outbytes': 16, 'buffers': [6]}, 3000: {'inbytes': 8, 'outbytes': 8, 'buffers': [6]}, 3002: {'inbytes': 8, 'outbytes': 8, 'buffers': [6]}, 3200: {'inbytes': 8, 'outbytes': 16}, 3201: {'inbytes': 24, 'outbytes': 0}, 3202: {'inbytes': 8, 'outbytes': 8}, 3203: {'inbytes': 16, 'outbytes': 0}, 3204: {'inbytes': 8, 'outbytes': 4}, 3205: {'inbytes': 16, 'outbytes': 0}, 3206: {'inbytes': 8, 'outbytes': 4}, 3207: {'inbytes': 16, 'outbytes': 0}, 3208: {'inbytes': 8, 'outbytes': 4}, 3209: {'inbytes': 16, 'outbytes': 0}, 3210: {'inbytes': 8, 'outbytes': 4}, 3211: {'inbytes': 16, 'outbytes': 0}, 3214: {'inbytes': 8, 'outbytes': 4}, 3215: {'inbytes': 16, 'outbytes': 0}, 3216: {'inbytes': 8, 'outbytes': 4}, 3217: {'inbytes': 16, 'outbytes': 0}, 1200: {'inbytes': 8, 'outbytes': 8}, 1202: {'inbytes': 8, 'outbytes': 8}, 1203: {'inbytes': 8, 'outbytes': 8}, 3001: {'inbytes': 8, 'outbytes': 8, 'buffers': [6]}}, 'nn::cec::ICecManager': {0: {'inbytes': 0, 'outbytes': 8, 'outhandles': [1]}, 1: {'inbytes': 4, 'outbytes': 4}, 2: {'inbytes': 4, 'outbytes': 0}, 3: {'inbytes': 24, 'outbytes': 4}, 4: {'inbytes': 4, 'outbytes': 24}, 5: {'inbytes': 0, 'outbytes': 32}}, 'nn::visrv::sf::IManagerDisplayService': {4201: {'inbytes': 16, 'outbytes': 0}, 4205: {'inbytes': 16, 'outbytes': 0}, 2301: {'inbytes': 8, 'outbytes': 0}, 2302: {'inbytes': 8, 'outbytes': 0, 'outhandles': [1]}, 2402: {'inbytes': 8, 'outbytes': 4}, 4203: {'inbytes': 16, 'outbytes': 0}, 7000: {'inbytes': 1, 'outbytes': 0}, 2300: {'inbytes': 8, 'outbytes': 0, 'outhandles': [1]}, 8000: {'inbytes': 16, 'outbytes': 0}, 6000: {'inbytes': 16, 'outbytes': 0}, 6001: {'inbytes': 16, 'outbytes': 0}, 2010: {'inbytes': 24, 'outbytes': 8}, 2011: {'inbytes': 8, 'outbytes': 0}}, 'nn::visrv::sf::IApplicationDisplayService': {100: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nns::hosbinder::IHOSBinderDriver']}, 101: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::visrv::sf::ISystemDisplayService']}, 102: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::visrv::sf::IManagerDisplayService']}, 2101: {'inbytes': 16, 'outbytes': 0}, 5202: {'inbytes': 8, 'outbytes': 0, 'outhandles': [1]}, 1000: {'inbytes': 0, 'outbytes': 8, 'buffers': [6]}, 1010: {'inbytes': 64, 'outbytes': 8}, 1011: {'inbytes': 0, 'outbytes': 8}, 1020: {'inbytes': 8, 'outbytes': 0}, 1101: {'inbytes': 16, 'outbytes': 0}, 1102: {'inbytes': 8, 'outbytes': 16}, 2031: {'inbytes': 8, 'outbytes': 0}, 2020: {'inbytes': 80, 'outbytes': 8, 'buffers': [6], 'pid': True}, 2021: {'inbytes': 8, 'outbytes': 0}, 2030: {'inbytes': 16, 'outbytes': 16, 'buffers': [6]}}, 'nns::hosbinder::IHOSBinderDriver': {0: {'inbytes': 12, 'outbytes': 0, 'buffers': [5, 6]}, 1: {'inbytes': 12, 'outbytes': 0}, 2: {'inbytes': 8, 'outbytes': 0, 'outhandles': [1]}}, 'nn::visrv::sf::IApplicationRootService': {0: {'inbytes': 4, 'outbytes': 0, 'outinterfaces': ['nn::visrv::sf::IApplicationDisplayService']}}, 'nn::visrv::sf::ISystemRootService': {1: {'inbytes': 4, 'outbytes': 0, 'outinterfaces': ['nn::visrv::sf::IApplicationDisplayService']}, 3: {'inbytes': 12, 'outbytes': 0, 'outinterfaces': ['nn::visrv::sf::IApplicationDisplayService']}}, 'nn::sf::hipc::detail::IHipcManager': {0: {'inbytes': 0, 'outbytes': 4}, 1: {'inbytes': 4, 'outbytes': 0, 'outhandles': [2]}, 2: {'inbytes': 0, 'outbytes': 0, 'outhandles': [2]}, 3: {'inbytes': 0, 'outbytes': 2}, 4: {'inbytes': 4, 'outbytes': 0, 'outhandles': [2]}}, 'nn::visrv::sf::IManagerRootService': {2: {'inbytes': 4, 'outbytes': 0, 'outinterfaces': ['nn::visrv::sf::IApplicationDisplayService']}, 3: {'inbytes': 12, 'outbytes': 0, 'outinterfaces': ['nn::visrv::sf::IApplicationDisplayService']}}}, 'pctl': {'nn::pctl::detail::ipc::IParentalControlServiceFactory': {0: {'inbytes': 8, 'outbytes': 0, 'outinterfaces': ['nn::pctl::detail::ipc::IParentalControlService'], 'pid': True}}, 'nn::pctl::detail::ipc::IParentalControlService': {1403: {'inbytes': 0, 'outbytes': 1}, 1001: {'inbytes': 0, 'outbytes': 0}, 1002: {'inbytes': 16, 'outbytes': 0, 'buffers': [9]}, 1003: {'inbytes': 16, 'outbytes': 0, 'buffers': [9]}, 1004: {'inbytes': 0, 'outbytes': 0}, 1005: {'inbytes': 0, 'outbytes': 0}, 1006: {'inbytes': 0, 'outbytes': 1}, 1007: {'inbytes': 0, 'outbytes': 0}, 1008: {'inbytes': 0, 'outbytes': 0}, 1009: {'inbytes': 0, 'outbytes': 0}, 1010: {'inbytes': 0, 'outbytes': 1}, 1011: {'inbytes': 0, 'outbytes': 0}, 1031: {'inbytes': 0, 'outbytes': 1}, 1032: {'inbytes': 0, 'outbytes': 4}, 1033: {'inbytes': 4, 'outbytes': 0}, 1034: {'inbytes': 4, 'outbytes': 3}, 1035: {'inbytes': 0, 'outbytes': 3}, 1036: {'inbytes': 3, 'outbytes': 0}, 1037: {'inbytes': 0, 'outbytes': 4}, 1038: {'inbytes': 4, 'outbytes': 0}, 1039: {'inbytes': 0, 'outbytes': 4}, 1040: {'inbytes': 4, 'outbytes': 4, 'buffers': [10]}, 1041: {'inbytes': 0, 'outbytes': 0, 'buffers': [9]}, 1042: {'inbytes': 8, 'outbytes': 0}, 1043: {'inbytes': 0, 'outbytes': 0}, 1044: {'inbytes': 4, 'outbytes': 4, 'buffers': [6]}, 1045: {'inbytes': 0, 'outbytes': 0, 'buffers': [5]}, 1201: {'inbytes': 0, 'outbytes': 0, 'buffers': [9]}, 1202: {'inbytes': 0, 'outbytes': 0, 'buffers': [9]}, 1203: {'inbytes': 0, 'outbytes': 0, 'buffers': [9]}, 1204: {'inbytes': 0, 'outbytes': 32}, 1205: {'inbytes': 32, 'outbytes': 1, 'buffers': [9]}, 1206: {'inbytes': 0, 'outbytes': 4}, 1401: {'inbytes': 0, 'outbytes': 16, 'buffers': [9]}, 1402: {'inbytes': 16, 'outbytes': 16}, 1404: {'inbytes': 0, 'outbytes': 16}, 1405: {'inbytes': 1, 'outbytes': 0}, 1411: {'inbytes': 16, 'outbytes': 16}, 1421: {'inbytes': 16, 'outbytes': 4, 'buffers': [10]}, 1422: {'inbytes': 16, 'outbytes': 4, 'buffers': [6]}, 1423: {'inbytes': 16, 'outbytes': 4, 'buffers': [10]}, 1424: {'inbytes': 16, 'outbytes': 4}, 1431: {'inbytes': 0, 'outbytes': 0}, 1432: {'inbytes': 0, 'outbytes': 0, 'outhandles': [1]}, 1451: {'inbytes': 0, 'outbytes': 0}, 1452: {'inbytes': 0, 'outbytes': 0}, 1453: {'inbytes': 0, 'outbytes': 1}, 1454: {'inbytes': 0, 'outbytes': 8}, 1455: {'inbytes': 0, 'outbytes': 1}, 1456: {'inbytes': 0, 'outbytes': 52}, 1457: {'inbytes': 0, 'outbytes': 0, 'outhandles': [1]}, 1471: {'inbytes': 0, 'outbytes': 0}, 1472: {'inbytes': 0, 'outbytes': 0}, 1601: {'inbytes': 0, 'outbytes': 1}, 1602: {'inbytes': 0, 'outbytes': 1}, 1603: {'inbytes': 0, 'outbytes': 2}, 1901: {'inbytes': 8, 'outbytes': 0}, 1902: {'inbytes': 0, 'outbytes': 0}, 1941: {'inbytes': 0, 'outbytes': 0}, 1951: {'inbytes': 52, 'outbytes': 0}, 1012: {'inbytes': 0, 'outbytes': 4}, 2001: {'inbytes': 0, 'outbytes': 8, 'buffers': [9], 'outhandles': [1]}, 2002: {'inbytes': 8, 'outbytes': 16}, 2003: {'inbytes': 16, 'outbytes': 8, 'outhandles': [1]}, 2004: {'inbytes': 8, 'outbytes': 16}, 2005: {'inbytes': 0, 'outbytes': 8, 'outhandles': [1]}, 2006: {'inbytes': 8, 'outbytes': 16}, 2007: {'inbytes': 1, 'outbytes': 8, 'outhandles': [1]}, 2008: {'inbytes': 12, 'outbytes': 0}, 2009: {'inbytes': 16, 'outbytes': 12, 'buffers': [6], 'outhandles': [1]}, 2010: {'inbytes': 8, 'outbytes': 4, 'buffers': [6]}, 2011: {'inbytes': 16, 'outbytes': 12, 'buffers': [10], 'outhandles': [1]}, 2012: {'inbytes': 8, 'outbytes': 4, 'buffers': [10]}, 2013: {'inbytes': 0, 'outbytes': 8, 'outhandles': [1]}, 2014: {'inbytes': 8, 'outbytes': 0}}, 'nn::sf::hipc::detail::IHipcManager': {0: {'inbytes': 0, 'outbytes': 4}, 1: {'inbytes': 4, 'outbytes': 0, 'outhandles': [2]}, 2: {'inbytes': 0, 'outbytes': 0, 'outhandles': [2]}, 3: {'inbytes': 0, 'outbytes': 2}, 4: {'inbytes': 4, 'outbytes': 0, 'outhandles': [2]}}}, 'npns': {'nn::npns::INpnsSystem': {1: {'inbytes': 0, 'outbytes': 0}, 2: {'inbytes': 8, 'outbytes': 0}, 3: {'inbytes': 2, 'outbytes': 0, 'buffers': [6]}, 4: {'inbytes': 2, 'outbytes': 0, 'buffers': [6]}, 5: {'inbytes': 0, 'outbytes': 0, 'outhandles': [1]}, 6: {'inbytes': 0, 'outbytes': 0}, 7: {'inbytes': 0, 'outbytes': 0, 'outhandles': [1]}, 11: {'inbytes': 0, 'outbytes': 0, 'buffers': [9]}, 12: {'inbytes': 0, 'outbytes': 0, 'buffers': [9]}, 13: {'inbytes': 0, 'outbytes': 1, 'buffers': [9]}, 21: {'inbytes': 16, 'outbytes': 40}, 22: {'inbytes': 24, 'outbytes': 40}, 23: {'inbytes': 16, 'outbytes': 0}, 24: {'inbytes': 24, 'outbytes': 0}, 25: {'inbytes': 40, 'outbytes': 1}, 31: {'inbytes': 16, 'outbytes': 0}, 101: {'inbytes': 0, 'outbytes': 0}, 102: {'inbytes': 0, 'outbytes': 0}, 103: {'inbytes': 0, 'outbytes': 4}, 111: {'inbytes': 0, 'outbytes': 0, 'buffers': [10]}, 112: {'inbytes': 0, 'outbytes': 0}, 113: {'inbytes': 0, 'outbytes': 0}, 114: {'inbytes': 0, 'outbytes': 0, 'buffers': [9, 9]}, 115: {'inbytes': 0, 'outbytes': 0, 'buffers': [10, 10]}}, 'nn::npns::INpnsUser': {1: {'inbytes': 0, 'outbytes': 0}, 2: {'inbytes': 8, 'outbytes': 0}, 3: {'inbytes': 2, 'outbytes': 0, 'buffers': [6]}, 4: {'inbytes': 2, 'outbytes': 0, 'buffers': [6]}, 5: {'inbytes': 0, 'outbytes': 0, 'outhandles': [1]}, 7: {'inbytes': 0, 'outbytes': 0, 'outhandles': [1]}, 21: {'inbytes': 16, 'outbytes': 40}, 23: {'inbytes': 16, 'outbytes': 0}, 25: {'inbytes': 40, 'outbytes': 1}, 101: {'inbytes': 0, 'outbytes': 0}, 102: {'inbytes': 0, 'outbytes': 0}, 103: {'inbytes': 0, 'outbytes': 4}, 111: {'inbytes': 0, 'outbytes': 0, 'buffers': [10]}}, 'nn::sf::hipc::detail::IHipcManager': {0: {'inbytes': 0, 'outbytes': 4}, 1: {'inbytes': 4, 'outbytes': 0, 'outhandles': [2]}, 2: {'inbytes': 0, 'outbytes': 0, 'outhandles': [2]}, 3: {'inbytes': 0, 'outbytes': 2}, 4: {'inbytes': 4, 'outbytes': 0, 'outhandles': [2]}}}, 'eupld': {'nn::sf::hipc::detail::IHipcManager': {0: {'inbytes': 0, 'outbytes': 4}, 1: {'inbytes': 4, 'outbytes': 0, 'outhandles': [2]}, 2: {'inbytes': 0, 'outbytes': 0, 'outhandles': [2]}, 3: {'inbytes': 0, 'outbytes': 2}, 4: {'inbytes': 4, 'outbytes': 0, 'outhandles': [2]}}, 'nn::eupld::sf::IControl': {0: {'inbytes': 0, 'outbytes': 0, 'buffers': [5]}, 1: {'inbytes': 0, 'outbytes': 0, 'buffers': [5]}, 2: {'inbytes': 0, 'outbytes': 0, 'buffers': [5, 5]}, 3: {'inbytes': 8, 'outbytes': 0}}, 'nn::eupld::sf::IRequest': {0: {'inbytes': 0, 'outbytes': 0, 'outhandles': [1]}, 1: {'inbytes': 0, 'outbytes': 0}, 2: {'inbytes': 0, 'outbytes': 0, 'buffers': [5]}, 3: {'inbytes': 0, 'outbytes': 0, 'buffers': [6]}, 4: {'inbytes': 0, 'outbytes': 0}, 5: {'inbytes': 0, 'outbytes': 0}}}, 'arp': {'nn::arp::detail::IWriter': {0: {'inbytes': 0, 'outbytes': 0, 'outinterfaces': ['nn::arp::detail::IRegistrar']}, 1: {'inbytes': 8, 'outbytes': 0}}, 'nn::arp::detail::IReader': {0: {'inbytes': 8, 'outbytes': 16}, 1: {'inbytes': 8, 'outbytes': 16}, 2: {'inbytes': 8, 'outbytes': 0, 'buffers': [22]}, 3: {'inbytes': 8, 'outbytes': 0, 'buffers': [22]}}, 'nn::sf::hipc::detail::IHipcManager': {0: {'inbytes': 0, 'outbytes': 4}, 1: {'inbytes': 4, 'outbytes': 0, 'outhandles': [2]}, 2: {'inbytes': 0, 'outbytes': 0, 'outhandles': [2]}, 3: {'inbytes': 0, 'outbytes': 2}, 4: {'inbytes': 4, 'outbytes': 0, 'outhandles': [2]}}, 'nn::arp::detail::IRegistrar': {0: {'inbytes': 8, 'outbytes': 0}, 1: {'inbytes': 16, 'outbytes': 0}, 2: {'inbytes': 0, 'outbytes': 0, 'buffers': [21]}}}, 'es': {'nn::sf::hipc::detail::IHipcManager': {0: {'inbytes': 0, 'outbytes': 4}, 1: {'inbytes': 4, 'outbytes': 0, 'outhandles': [2]}, 2: {'inbytes': 0, 'outbytes': 0, 'outhandles': [2]}, 3: {'inbytes': 0, 'outbytes': 2}, 4: {'inbytes': 4, 'outbytes': 0, 'outhandles': [2]}}, 'nn::es::IETicketService': {1: {'inbytes': 0, 'outbytes': 0, 'buffers': [5, 5]}, 2: {'inbytes': 0, 'outbytes': 0, 'buffers': [5]}, 3: {'inbytes': 0, 'outbytes': 0, 'buffers': [9]}, 4: {'inbytes': 4, 'outbytes': 0}, 5: {'inbytes': 0, 'outbytes': 0}, 6: {'inbytes': 0, 'outbytes': 0}, 7: {'inbytes': 0, 'outbytes': 0, 'buffers': [9]}, 8: {'inbytes': 16, 'outbytes': 0, 'buffers': [22]}, 9: {'inbytes': 0, 'outbytes': 4}, 10: {'inbytes': 0, 'outbytes': 4}, 11: {'inbytes': 0, 'outbytes': 4, 'buffers': [10]}, 12: {'inbytes': 0, 'outbytes': 4, 'buffers': [10]}, 13: {'inbytes': 0, 'outbytes': 4, 'buffers': [10, 5]}, 14: {'inbytes': 16, 'outbytes': 8}, 15: {'inbytes': 16, 'outbytes': 8}, 16: {'inbytes': 16, 'outbytes': 8, 'buffers': [6]}, 17: {'inbytes': 16, 'outbytes': 8, 'buffers': [6]}, 18: {'inbytes': 0, 'outbytes': 0, 'buffers': [10, 9]}, 19: {'inbytes': 0, 'outbytes': 4, 'buffers': [10, 9]}, 20: {'inbytes': 0, 'outbytes': 0, 'buffers': [22, 22, 5]}}}, 'fatal': {'nn::sf::hipc::detail::IHipcManager': {0: {'inbytes': 0, 'outbytes': 4}, 1: {'inbytes': 4, 'outbytes': 0, 'outhandles': [2]}, 2: {'inbytes': 0, 'outbytes': 0, 'outhandles': [2]}, 3: {'inbytes': 0, 'outbytes': 2}, 4: {'inbytes': 4, 'outbytes': 0, 'outhandles': [2]}}, 'nn::fatalsrv::IService': {0: {'inbytes': 16, 'outbytes': 0, 'pid': True}, 1: {'inbytes': 16, 'outbytes': 0, 'pid': True}, 2: {'inbytes': 16, 'outbytes': 0, 'buffers': [21], 'pid': True}}, 'nn::fatalsrv::IPrivateService': {0: {'inbytes': 0, 'outbytes': 0, 'outhandles': [1]}}}}
def median(list): center_value = len(list) // 2 return list[center_value] def sort_list(list_to_order): while True: changed = False for index, value in enumerate(list_to_order): if not(index + 1 == len(list_to_order)): if value > list_to_order[index + 1]: greater_value = value next_lower_value = list_to_order[index + 1] list_to_order[index] = next_lower_value list_to_order[index + 1] = greater_value changed = True if not changed: break return list_to_order number_list = [] while True: try: input_number = float(input('Enter a number or Enter to finish: ')) except: break else: number_list.append(input_number) print(f'Numbers unsorted: {number_list}') print(f'Numbers sorted: {number_list}') print(f'''Count: {len(number_list)} Sum: {sum(number_list)} Highest: {max(number_list)} Lowest: {min(number_list)} Mean: {sum(number_list)/len(number_list):.2f} Median: {median(sort_list(number_list))} ''')
def median(list): center_value = len(list) // 2 return list[center_value] def sort_list(list_to_order): while True: changed = False for (index, value) in enumerate(list_to_order): if not index + 1 == len(list_to_order): if value > list_to_order[index + 1]: greater_value = value next_lower_value = list_to_order[index + 1] list_to_order[index] = next_lower_value list_to_order[index + 1] = greater_value changed = True if not changed: break return list_to_order number_list = [] while True: try: input_number = float(input('Enter a number or Enter to finish: ')) except: break else: number_list.append(input_number) print(f'Numbers unsorted: {number_list}') print(f'Numbers sorted: {number_list}') print(f'Count: {len(number_list)}\nSum: {sum(number_list)}\nHighest: {max(number_list)}\nLowest: {min(number_list)}\nMean: {sum(number_list) / len(number_list):.2f}\nMedian: {median(sort_list(number_list))}\n')
def soma(var1, var2): var = var1 +var2 return var def subtracao(var1, var2): var =var1 - var2 return var def multiplicacao(var1, var2): var =var1 * var2 return var def divisao(var1, var2): var =var1/var2 return var
def soma(var1, var2): var = var1 + var2 return var def subtracao(var1, var2): var = var1 - var2 return var def multiplicacao(var1, var2): var = var1 * var2 return var def divisao(var1, var2): var = var1 / var2 return var
class Settings: def __init__(self): pass # default settings master_title = 'Mr.' master_name = 'John' master_surname = 'Doe' master_gender = 'female' master_formal_address = 'sir' master_email_username = None master_email_password = None jarvis_name = 'jarvis' jarvis_gender = 'female' # messages sorry_messages = ['I am sorry, I could not understand that', 'Oh oh', 'I am afraid, I can\'t talk about that', 'Why do you want that?', 'I am thinking but this beats me...', 'Allright allright, I give up', 'Who knows', 'Don\'t get me wrong but I don\'t know all the answers', 'Hey, why don\'t you ask me another question while I think more about that?', 'Believe me I am trying but, I simply could not answer that', 'I think I do not understand you', 'Hmmm, I am doing my best,just be patient, OK?'] exit_messages = ['exit', 'terminate', 'go away', 'bored', 'enough', 'quit'] positive_answers = ['Yes', 'Of course', 'Definitely'] negative_answers = ['No', 'Nope', 'I don\'t think so', 'Sorry'] personal_message_for_jarvis = ['you', 'yourself'] personal_message_for_master = ['me', 'myself', 'I'] rudimentary_question_tags = ['who', 'why', 'when', 'where', 'what', 'which', 'how']
class Settings: def __init__(self): pass master_title = 'Mr.' master_name = 'John' master_surname = 'Doe' master_gender = 'female' master_formal_address = 'sir' master_email_username = None master_email_password = None jarvis_name = 'jarvis' jarvis_gender = 'female' sorry_messages = ['I am sorry, I could not understand that', 'Oh oh', "I am afraid, I can't talk about that", 'Why do you want that?', 'I am thinking but this beats me...', 'Allright allright, I give up', 'Who knows', "Don't get me wrong but I don't know all the answers", "Hey, why don't you ask me another question while I think more about that?", 'Believe me I am trying but, I simply could not answer that', 'I think I do not understand you', 'Hmmm, I am doing my best,just be patient, OK?'] exit_messages = ['exit', 'terminate', 'go away', 'bored', 'enough', 'quit'] positive_answers = ['Yes', 'Of course', 'Definitely'] negative_answers = ['No', 'Nope', "I don't think so", 'Sorry'] personal_message_for_jarvis = ['you', 'yourself'] personal_message_for_master = ['me', 'myself', 'I'] rudimentary_question_tags = ['who', 'why', 'when', 'where', 'what', 'which', 'how']
# Created by MechAviv # NPC ID :: 9131007 # Takeda Shingen if sm.getFieldID() == 807100000: sm.setSpeakerID(9131007) sm.sendNext("Get to the Honnou-ji Outer Wall and open the Eastern Door.") elif sm.getFieldID() == 807100001: # Honnou-ji Eastern Grounds sm.startQuest(57101) # Unhandled Field Effect [ObjectStateByString] Packet: 02 06 00 67 75 69 64 65 31 # Unhandled Field Effect [ObjectStateByString] Packet: 02 06 00 67 75 69 64 65 32 # Unhandled Field Effect [ObjectStateByString] Packet: 02 06 00 67 75 69 64 65 33 sm.setIntroBoxChat(9131007) sm.sendNext("You did all right, samurai. I'll let you join my side for now.") sm.setSpeakerID(9131007) sm.removeEscapeButton() sm.flipSpeaker() sm.flipDialoguePlayerAsSpeaker() sm.setBoxChat() sm.setColor(1) sm.sendSay("The battle goes well. I fear the Uesugi troops barged in too early. They may require assistance.") sm.setIntroBoxChat(9131007) sm.sendSay("Wouldn't surprise me. Kenshin couldn't keep her men under control if she had a stack of gold for each of them. It's not like her to be early though...") sm.setIntroBoxChat(9131007) sm.sendSay("It's not important. We're doing well so far and I hate to break good momentum. Men, prepare for the final charge! TO THE TEMPLE!") sm.setSpeakerID(9131007) sm.removeEscapeButton() sm.flipSpeaker() sm.flipDialoguePlayerAsSpeaker() sm.setBoxChat() sm.setColor(1) sm.sendPrev("We shall meet again, Tiger of Kai!") #sm.completeQuest(57101) #sm.warp(807100012, 0)
if sm.getFieldID() == 807100000: sm.setSpeakerID(9131007) sm.sendNext('Get to the Honnou-ji Outer Wall and open the Eastern Door.') elif sm.getFieldID() == 807100001: sm.startQuest(57101) sm.setIntroBoxChat(9131007) sm.sendNext("You did all right, samurai. I'll let you join my side for now.") sm.setSpeakerID(9131007) sm.removeEscapeButton() sm.flipSpeaker() sm.flipDialoguePlayerAsSpeaker() sm.setBoxChat() sm.setColor(1) sm.sendSay('The battle goes well. I fear the Uesugi troops barged in too early. They may require assistance.') sm.setIntroBoxChat(9131007) sm.sendSay("Wouldn't surprise me. Kenshin couldn't keep her men under control if she had a stack of gold for each of them. It's not like her to be early though...") sm.setIntroBoxChat(9131007) sm.sendSay("It's not important. We're doing well so far and I hate to break good momentum. Men, prepare for the final charge! TO THE TEMPLE!") sm.setSpeakerID(9131007) sm.removeEscapeButton() sm.flipSpeaker() sm.flipDialoguePlayerAsSpeaker() sm.setBoxChat() sm.setColor(1) sm.sendPrev('We shall meet again, Tiger of Kai!')
a,b,c=map(int,input().split()) e=180 d=a+b+c if(e==d): print("yes") else: print("no")
(a, b, c) = map(int, input().split()) e = 180 d = a + b + c if e == d: print('yes') else: print('no')
# https://www.hackerrank.com/challenges/encryption/problem def encryption(s): n = len(s) r, c = math.floor(math.sqrt(n)), math.ceil(math.sqrt(n)) if r*c<n: r+=1 res =[] for i in range(c): temp = [] j = 0 while i+j<n: temp.append(s[i+j]) j+=c res.append(''.join(temp)) print(' '.join(res)) # ======================================================= # print out specific length of substring in a big string # Example: print out substring length =4. # output: feed, theg, og # ======================================================= ct = 0 s = 'feedthedog' for i in range(4): j =0 sub = '' while j<c and ct<len(s): sub+=s[ct] # print(sub, s[ct], ct, j) j+=1 ct+=1 print(sub)
def encryption(s): n = len(s) (r, c) = (math.floor(math.sqrt(n)), math.ceil(math.sqrt(n))) if r * c < n: r += 1 res = [] for i in range(c): temp = [] j = 0 while i + j < n: temp.append(s[i + j]) j += c res.append(''.join(temp)) print(' '.join(res)) ct = 0 s = 'feedthedog' for i in range(4): j = 0 sub = '' while j < c and ct < len(s): sub += s[ct] j += 1 ct += 1 print(sub)
"""Workspace rules for importing Haskell packages.""" load("@ai_formation_hazel//tools:mangling.bzl", "hazel_workspace") load("@bazel_tools//tools/build_defs/repo:http.bzl", "http_archive") def new_cabal_package(package, sha256, url = None, strip_prefix = None): url = url or "https://hackage.haskell.org/package/%s/%s.tar.gz" % (package, package) strip_prefix = strip_prefix or package package_name, _ = package.rsplit("-", 1) http_archive( name = hazel_workspace(package_name), build_file = "@toktok//third_party/haskell:BUILD.%s" % package_name, sha256 = sha256, strip_prefix = strip_prefix, urls = [url], )
"""Workspace rules for importing Haskell packages.""" load('@ai_formation_hazel//tools:mangling.bzl', 'hazel_workspace') load('@bazel_tools//tools/build_defs/repo:http.bzl', 'http_archive') def new_cabal_package(package, sha256, url=None, strip_prefix=None): url = url or 'https://hackage.haskell.org/package/%s/%s.tar.gz' % (package, package) strip_prefix = strip_prefix or package (package_name, _) = package.rsplit('-', 1) http_archive(name=hazel_workspace(package_name), build_file='@toktok//third_party/haskell:BUILD.%s' % package_name, sha256=sha256, strip_prefix=strip_prefix, urls=[url])
#!/user/bin/env python '''rFree.py: This filter returns true if the rFree value for this structure is within the specified range References ---------- - `rFree <http://pdb101.rcsb.org/learn/guide-to-understanding-pdb-data/r-value-and-r-free>`_ ''' __author__ = "Mars (Shih-Cheng) Huang" __maintainer__ = "Mars (Shih-Cheng) Huang" __email__ = "marshuang80@gmail.com" __version__ = "0.2.0" __status__ = "Done" class RFree(object): '''This filter returns True if the rFree value for this structure in withing the specified range. Attributes ---------- min_Rfree : float The lower bound r_free value max_RFree : float The upper bound r_free value ''' def __init__(self, minRfree, maxRfree): self.min_Rfree = minRfree self.max_Rfree = maxRfree def __call__(self, t): if t[1].r_free == None: return False return (t[1].r_free >= self.min_Rfree and t[1].r_free <= self.max_Rfree)
"""rFree.py: This filter returns true if the rFree value for this structure is within the specified range References ---------- - `rFree <http://pdb101.rcsb.org/learn/guide-to-understanding-pdb-data/r-value-and-r-free>`_ """ __author__ = 'Mars (Shih-Cheng) Huang' __maintainer__ = 'Mars (Shih-Cheng) Huang' __email__ = 'marshuang80@gmail.com' __version__ = '0.2.0' __status__ = 'Done' class Rfree(object): """This filter returns True if the rFree value for this structure in withing the specified range. Attributes ---------- min_Rfree : float The lower bound r_free value max_RFree : float The upper bound r_free value """ def __init__(self, minRfree, maxRfree): self.min_Rfree = minRfree self.max_Rfree = maxRfree def __call__(self, t): if t[1].r_free == None: return False return t[1].r_free >= self.min_Rfree and t[1].r_free <= self.max_Rfree
# Declare some constants and variables WIDTH, HEIGHT = (600, 400) FPS = 60 BLACK = "#000000" DARKGRAY = "#404040" GRAY = "#808080" LIGHTGRAY = "#d3d3d3" WHITE = "#FFFFFF" ORANGE = "#FF6600" RED = "#FF1F00" PURPLE = "#800080" DARKPURPLE = "#301934"
(width, height) = (600, 400) fps = 60 black = '#000000' darkgray = '#404040' gray = '#808080' lightgray = '#d3d3d3' white = '#FFFFFF' orange = '#FF6600' red = '#FF1F00' purple = '#800080' darkpurple = '#301934'
def generate_log(logs): logs.create('test', '123', '0.0.0.0', 'os', '1.0.0', 'browser', '1.0.0', 'continent', 'country', 'country_emoji', 'region', 'city') def test_logs(logs): test_logs_log(logs) test_reset(logs) test_clean(logs) def test_logs_log(logs): generate_log(logs) assert len(logs.get_all()) == 1 log = logs.get_all()[0] assert log assert logs.get('test') assert log == logs.get('test') assert log['log_id'] == 'test' assert log['date'] == '123' assert log['ip'] == '0.0.0.0' assert log['os'] == 'os' assert log['os_version'] == '1.0.0' assert log['browser'] == 'browser' assert log['browser_version'] == '1.0.0' assert log['continent'] == 'continent' assert log['country'] == 'country' assert log['country_emoji'] == 'country_emoji' assert log['region'] == 'region' assert log['city'] == 'city' def test_reset(logs): generate_log(logs) logs.reset() assert len(logs.get_all()) == 0 assert not logs.get('test') logs.reset() def test_clean(logs): generate_log(logs) logs.clean() assert len(logs.get_all()) == 0 assert not logs.get('test') logs.clean()
def generate_log(logs): logs.create('test', '123', '0.0.0.0', 'os', '1.0.0', 'browser', '1.0.0', 'continent', 'country', 'country_emoji', 'region', 'city') def test_logs(logs): test_logs_log(logs) test_reset(logs) test_clean(logs) def test_logs_log(logs): generate_log(logs) assert len(logs.get_all()) == 1 log = logs.get_all()[0] assert log assert logs.get('test') assert log == logs.get('test') assert log['log_id'] == 'test' assert log['date'] == '123' assert log['ip'] == '0.0.0.0' assert log['os'] == 'os' assert log['os_version'] == '1.0.0' assert log['browser'] == 'browser' assert log['browser_version'] == '1.0.0' assert log['continent'] == 'continent' assert log['country'] == 'country' assert log['country_emoji'] == 'country_emoji' assert log['region'] == 'region' assert log['city'] == 'city' def test_reset(logs): generate_log(logs) logs.reset() assert len(logs.get_all()) == 0 assert not logs.get('test') logs.reset() def test_clean(logs): generate_log(logs) logs.clean() assert len(logs.get_all()) == 0 assert not logs.get('test') logs.clean()
first_number = int(input("Enter the first number: ")) second_number = int(input("Enter the second number: ")) operation = input("Choose operation(+, -, *, /, %): ") result = 0 if operation == "+" or operation == "-" or operation == "*": if operation == "+": result = first_number + second_number elif operation == "-": result = first_number - second_number elif operation == "*": result = first_number * second_number if result % 2 == 0: print(f"{first_number} {operation} {second_number} = {result} - even") else: print(f"{first_number} {operation} {second_number} = {result} - odd") elif operation == "/" or operation == "%": if second_number == 0: print(f"Cannot divide {first_number} by zero") elif operation == "/": result = first_number / second_number print(f"{first_number} / {second_number} = {result:.2f}") elif operation == "%": result = first_number % second_number print(f"{first_number} % {second_number} = {result}")
first_number = int(input('Enter the first number: ')) second_number = int(input('Enter the second number: ')) operation = input('Choose operation(+, -, *, /, %): ') result = 0 if operation == '+' or operation == '-' or operation == '*': if operation == '+': result = first_number + second_number elif operation == '-': result = first_number - second_number elif operation == '*': result = first_number * second_number if result % 2 == 0: print(f'{first_number} {operation} {second_number} = {result} - even') else: print(f'{first_number} {operation} {second_number} = {result} - odd') elif operation == '/' or operation == '%': if second_number == 0: print(f'Cannot divide {first_number} by zero') elif operation == '/': result = first_number / second_number print(f'{first_number} / {second_number} = {result:.2f}') elif operation == '%': result = first_number % second_number print(f'{first_number} % {second_number} = {result}')
# -*- coding: utf-8 -*- class PfigAttributeError(Exception): """ Exception raised when a attribute is wrong or missing """ pass class PfigTransactionError(Exception): """ Exception raised when a transaction is failed. """ pass
class Pfigattributeerror(Exception): """ Exception raised when a attribute is wrong or missing """ pass class Pfigtransactionerror(Exception): """ Exception raised when a transaction is failed. """ pass
WORD_VEC_SIZE = 256 # Suggest: 300 MAX_LENGTH = 8 ENDING_MARK = "<e>" LSTM_UNIT = 64 # Suggest: 512 ATTENTION_UNIT = 1 # Suggest: 128??? EPOCHS = 400
word_vec_size = 256 max_length = 8 ending_mark = '<e>' lstm_unit = 64 attention_unit = 1 epochs = 400
class Card(object): """docstring for Card""" def __init__(self, rank, suit): self.rank = rank self.suit = suit def is_same_suit(self, card): return self.suit == card.suit def is_same_rank(self, card): return self.rank == card.rank def __str__(self): return str(self.rank) + " of " + str(self.suit) def __repr__(self): return str(self.rank) + " of " + str(self.suit) def __eq__(self, card): return self.suit == card.suit and self.rank == card.rank def __gt__(self, card): return self.rank > card.rank def __ge__(self, card): return self.rank >= card.rank def __lt__(self, card): return self.rank < card.rank def __lt__(self, card): return self.rank <= card.rank
class Card(object): """docstring for Card""" def __init__(self, rank, suit): self.rank = rank self.suit = suit def is_same_suit(self, card): return self.suit == card.suit def is_same_rank(self, card): return self.rank == card.rank def __str__(self): return str(self.rank) + ' of ' + str(self.suit) def __repr__(self): return str(self.rank) + ' of ' + str(self.suit) def __eq__(self, card): return self.suit == card.suit and self.rank == card.rank def __gt__(self, card): return self.rank > card.rank def __ge__(self, card): return self.rank >= card.rank def __lt__(self, card): return self.rank < card.rank def __lt__(self, card): return self.rank <= card.rank
lines = open("../in/input02.txt").read().splitlines() count = 0 for line in lines: line = line.replace('-',' ').replace(':','').split(' ') # print(line) # print(line[3].count(line[2])) if int(line[0]) <= line[3].count(line[2]) <= int(line[1]): count = count + 1 print('part 1: ',count) lines = open("../in/input02.txt").read().splitlines() count = 0 for line in lines: line = line.replace('-',' ').replace(':','').split(' ') strarr = list(line[3]) # print(strarr) v = 0 if strarr[int(line[0])-1] == line[2]: v = v + 1 if strarr[int(line[1])-1] == line[2]: v = v + 1 if v == 1: count = count + 1 # print(line) # print(line[3].count(line[2])) print('part 2: ',count)
lines = open('../in/input02.txt').read().splitlines() count = 0 for line in lines: line = line.replace('-', ' ').replace(':', '').split(' ') if int(line[0]) <= line[3].count(line[2]) <= int(line[1]): count = count + 1 print('part 1: ', count) lines = open('../in/input02.txt').read().splitlines() count = 0 for line in lines: line = line.replace('-', ' ').replace(':', '').split(' ') strarr = list(line[3]) v = 0 if strarr[int(line[0]) - 1] == line[2]: v = v + 1 if strarr[int(line[1]) - 1] == line[2]: v = v + 1 if v == 1: count = count + 1 print('part 2: ', count)
""" Should emit: B020 - on lines 8, 21, and 36 """ items = [1, 2, 3] for items in items: print(items) items = [1, 2, 3] for item in items: print(item) values = {"secret": 123} for key, value in values.items(): print(f"{key}, {value}") for key, values in values.items(): print(f"{key}, {values}") # Variables defined in a comprehension are local in scope # to that comprehension and are therefore allowed. for var in [var for var in range(10)]: print(var) for var in (var for var in range(10)): print(var) for k, v in {k: v for k, v in zip(range(10), range(10, 20))}.items(): print(k, v) # However we still call out reassigning the iterable in the comprehension. for vars in [i for i in vars]: print(vars)
""" Should emit: B020 - on lines 8, 21, and 36 """ items = [1, 2, 3] for items in items: print(items) items = [1, 2, 3] for item in items: print(item) values = {'secret': 123} for (key, value) in values.items(): print(f'{key}, {value}') for (key, values) in values.items(): print(f'{key}, {values}') for var in [var for var in range(10)]: print(var) for var in (var for var in range(10)): print(var) for (k, v) in {k: v for (k, v) in zip(range(10), range(10, 20))}.items(): print(k, v) for vars in [i for i in vars]: print(vars)
''' This file will control the keyboard mapping to flying commands. The init routine will setup the default values, however, the api supports the ability to update the value for any of the flying commands. ''' LAND1 = "LAND1" FORWARD = "FORWARD" BACKWARD = "BACKWARD" LEFT = "LEFT" RIGHT = "RIGHT" CLOCKWISE = "CLOCKWISE" COUNTER_CLOCKWISE = "COUNTER_CLOCKWISE" UP = "UP" DOWN = "DOWN" LAND2 = "LAND2" HOVER = "HOVER" EMERGENCY = "EMERGENCY" SPEED_INC = "SPEED_INC" SPEED_DEC = "SPEED_DEC" mapping = { LAND1: 27, # ESC FORWARD: ord('w'), BACKWARD: ord('s'), LEFT: ord('a'), RIGHT: ord('d'), CLOCKWISE: ord('e'), COUNTER_CLOCKWISE: ord('q'), UP: ord('r'), DOWN: ord('f'), LAND2: ord('l'), HOVER: ord('h'), EMERGENCY: ord('x'), SPEED_INC: ord('+'), SPEED_DEC: ord('-') }
""" This file will control the keyboard mapping to flying commands. The init routine will setup the default values, however, the api supports the ability to update the value for any of the flying commands. """ land1 = 'LAND1' forward = 'FORWARD' backward = 'BACKWARD' left = 'LEFT' right = 'RIGHT' clockwise = 'CLOCKWISE' counter_clockwise = 'COUNTER_CLOCKWISE' up = 'UP' down = 'DOWN' land2 = 'LAND2' hover = 'HOVER' emergency = 'EMERGENCY' speed_inc = 'SPEED_INC' speed_dec = 'SPEED_DEC' mapping = {LAND1: 27, FORWARD: ord('w'), BACKWARD: ord('s'), LEFT: ord('a'), RIGHT: ord('d'), CLOCKWISE: ord('e'), COUNTER_CLOCKWISE: ord('q'), UP: ord('r'), DOWN: ord('f'), LAND2: ord('l'), HOVER: ord('h'), EMERGENCY: ord('x'), SPEED_INC: ord('+'), SPEED_DEC: ord('-')}
class Moon: position = [None, None, None] velocity = [None, None, None] def __init__(self, position): self.position = list(position) self.velocity = [0] * len(position) def ApplyGravity(self, moons): for moon in moons: for coord in range(len(moon.position)): if(self.position[coord] < moon.position[coord]): self.velocity[coord] += 1 elif(self.position[coord] > moon.position[coord]): self.velocity[coord] -= 1 def ApplyVelocity(self): for coord in range(len(self.velocity)): self.position[coord] += self.velocity[coord] def GetEnergy(self): pot = 0 for pos in self.position: pot += abs(pos) kin = 0 for vel in self.velocity: kin += abs(vel) return pot * kin f = open("input.txt") data = f.readlines() Moons = [] for i in data: coords = i[1:-2] coords = coords.split(", ") for coord in range(len(coords)): coords[coord] = int(coords[coord][2:]) Moons += [Moon(coords)] def TimeStep(): global Moons for moon in Moons: moon.ApplyGravity(Moons) for moon in Moons: moon.ApplyVelocity() for i in range(1000): TimeStep() totalEnergy = 0 for moon in Moons: totalEnergy += moon.GetEnergy() print(totalEnergy)
class Moon: position = [None, None, None] velocity = [None, None, None] def __init__(self, position): self.position = list(position) self.velocity = [0] * len(position) def apply_gravity(self, moons): for moon in moons: for coord in range(len(moon.position)): if self.position[coord] < moon.position[coord]: self.velocity[coord] += 1 elif self.position[coord] > moon.position[coord]: self.velocity[coord] -= 1 def apply_velocity(self): for coord in range(len(self.velocity)): self.position[coord] += self.velocity[coord] def get_energy(self): pot = 0 for pos in self.position: pot += abs(pos) kin = 0 for vel in self.velocity: kin += abs(vel) return pot * kin f = open('input.txt') data = f.readlines() moons = [] for i in data: coords = i[1:-2] coords = coords.split(', ') for coord in range(len(coords)): coords[coord] = int(coords[coord][2:]) moons += [moon(coords)] def time_step(): global Moons for moon in Moons: moon.ApplyGravity(Moons) for moon in Moons: moon.ApplyVelocity() for i in range(1000): time_step() total_energy = 0 for moon in Moons: total_energy += moon.GetEnergy() print(totalEnergy)
def default_cmp(x, y): """ Default comparison function """ if x < y: return -1 elif x > y: return +1 else: return 0 def order(seq, cmp = default_cmp, reverse = False): """ Return the order in which to take the items to obtained a sorted sequence.""" o = range(len(seq)) def wrap_cmp(x, y): x = seq[x] y = seq[y] return cmp(x, y) o.sort(cmp = wrap_cmp, reverse = reverse) return o
def default_cmp(x, y): """ Default comparison function """ if x < y: return -1 elif x > y: return +1 else: return 0 def order(seq, cmp=default_cmp, reverse=False): """ Return the order in which to take the items to obtained a sorted sequence.""" o = range(len(seq)) def wrap_cmp(x, y): x = seq[x] y = seq[y] return cmp(x, y) o.sort(cmp=wrap_cmp, reverse=reverse) return o
# -*- coding: utf-8 -*- """Top-level package for {{ cookiecutter.project_name }}.""" VERSION = tuple('{{cookiecutter.version}}'.split('.')) __author__ = '{{ cookiecutter.full_name }}' __email__ = '{{ cookiecutter.email }}' # string created from tuple to avoid inconsistency __version__ = ".".join([str(x) for x in VERSION])
"""Top-level package for {{ cookiecutter.project_name }}.""" version = tuple('{{cookiecutter.version}}'.split('.')) __author__ = '{{ cookiecutter.full_name }}' __email__ = '{{ cookiecutter.email }}' __version__ = '.'.join([str(x) for x in VERSION])
def compute(original_input): # copy of input input = [x for x in original_input] pointer = 0 while(input[pointer] != 99): if input[pointer] == 1: input[input[pointer+3]] = input[input[pointer+1]] + input[input[pointer+2]] elif input[pointer] == 2: input[input[pointer+3]] = input[input[pointer+1]] * input[input[pointer+2]] else: raise ValueError('Wrong optocode') pointer += 4 return input[0] def main(): input = open('input.txt', 'r').read().strip().split(',') input = [int(x) for x in input] output = 0 noun = 0 verb = -1 # 4690667 -> 1202 Alarm state while noun < 100 and output != 19690720: verb += 1 if verb > 99: verb = 0 noun += 1 input[1] = noun input[2] = verb output = compute(input) print("CODE IS: {0}".format(noun*100 + verb)) if __name__ == "__main__": main()
def compute(original_input): input = [x for x in original_input] pointer = 0 while input[pointer] != 99: if input[pointer] == 1: input[input[pointer + 3]] = input[input[pointer + 1]] + input[input[pointer + 2]] elif input[pointer] == 2: input[input[pointer + 3]] = input[input[pointer + 1]] * input[input[pointer + 2]] else: raise value_error('Wrong optocode') pointer += 4 return input[0] def main(): input = open('input.txt', 'r').read().strip().split(',') input = [int(x) for x in input] output = 0 noun = 0 verb = -1 while noun < 100 and output != 19690720: verb += 1 if verb > 99: verb = 0 noun += 1 input[1] = noun input[2] = verb output = compute(input) print('CODE IS: {0}'.format(noun * 100 + verb)) if __name__ == '__main__': main()
def wheat_from_chaff(values): last=len(values)-1 for i, j in enumerate(values): if j<0: continue rec=last while values[last]>=0: last-=1 if i>=last: break values[last], values[i]=values[i], values[last] if rec==last: last-=1 return values
def wheat_from_chaff(values): last = len(values) - 1 for (i, j) in enumerate(values): if j < 0: continue rec = last while values[last] >= 0: last -= 1 if i >= last: break (values[last], values[i]) = (values[i], values[last]) if rec == last: last -= 1 return values
# https://programmers.co.kr/learn/courses/30/lessons/60058?language=python3 def solution(p): answer = '' def is_balanced(p): return p.count("(") == p.count(")") def is_correct(p): count = 0 if is_balanced(p): for x in p: if x =='(': count += 1 else: count -=1 if count <0: return False return True return False def remove_and_transform(p): ret = "" for c in p[1:-1]: if c==')': ret += "(" else: ret += ")" return ret def func(p): if len(p) ==0: return "" for i in range(2,len(p)+2,2): if is_balanced(p[:i]) and is_balanced(p[i:]): u,v = p[:i],p[i:] if is_correct(u): u += func(v) return u else: nc = "(" + func(v) + ")" return nc + remove_and_transform(u) answer = func(p) return answer
def solution(p): answer = '' def is_balanced(p): return p.count('(') == p.count(')') def is_correct(p): count = 0 if is_balanced(p): for x in p: if x == '(': count += 1 else: count -= 1 if count < 0: return False return True return False def remove_and_transform(p): ret = '' for c in p[1:-1]: if c == ')': ret += '(' else: ret += ')' return ret def func(p): if len(p) == 0: return '' for i in range(2, len(p) + 2, 2): if is_balanced(p[:i]) and is_balanced(p[i:]): (u, v) = (p[:i], p[i:]) if is_correct(u): u += func(v) return u else: nc = '(' + func(v) + ')' return nc + remove_and_transform(u) answer = func(p) return answer
def rotLeft(a, d): # shift d times to the left (d is in the range of 1 - n) n = len(a) temp = [None for _ in range(n)] for i in range(n): temp[i-d] = a[i] return temp # driver code print(rotLeft([1,2,3,4,5], 4))
def rot_left(a, d): n = len(a) temp = [None for _ in range(n)] for i in range(n): temp[i - d] = a[i] return temp print(rot_left([1, 2, 3, 4, 5], 4))
A, B = [int(a) for a in input().split()] outlet = 1 ans = 0 while outlet < B: outlet += A-1 ans += 1 print(ans)
(a, b) = [int(a) for a in input().split()] outlet = 1 ans = 0 while outlet < B: outlet += A - 1 ans += 1 print(ans)
# -------------------------------------------------------------------------- # Copyright (c) Microsoft Corporation. All rights reserved. # Licensed under the MIT License. See License.txt in the project root for # license information. # # Code generated by Microsoft (R) AutoRest Code Generator. # Changes may cause incorrect behavior and will be lost if the code is # regenerated. # -------------------------------------------------------------------------- # pylint: disable=too-many-lines # pylint: disable=too-many-statements def load_arguments(self, _): with self.argument_context('datamigration get-assessment') as c: c.argument('connection_string', nargs='+', help='Sql Server Connection Strings') c.argument('output_folder', type=str, help='Output folder to store assessment report') c.argument('config_file_path', type=str, help='Path of the ConfigFile') c.argument('overwrite', help='Enable this parameter to overwrite the existing assessment report') with self.argument_context('datamigration register-integration-runtime') as c: c.argument('auth_key', type=str, help='AuthKey of Sql Migration Service') c.argument('ir_path', type=str, help='Path of Integration Runtime MSI')
def load_arguments(self, _): with self.argument_context('datamigration get-assessment') as c: c.argument('connection_string', nargs='+', help='Sql Server Connection Strings') c.argument('output_folder', type=str, help='Output folder to store assessment report') c.argument('config_file_path', type=str, help='Path of the ConfigFile') c.argument('overwrite', help='Enable this parameter to overwrite the existing assessment report') with self.argument_context('datamigration register-integration-runtime') as c: c.argument('auth_key', type=str, help='AuthKey of Sql Migration Service') c.argument('ir_path', type=str, help='Path of Integration Runtime MSI')
boot_capacity = float(input()) entries = 0 capacity = 0 suitcases_inside = 0 command = input() while command != "End": suitcases = float(command) entries += 1 suitcases_inside += 1 command = input() if entries % 3 == 0: capacity += suitcases + suitcases * 10 / 100 if capacity > boot_capacity: print(f"No more space!") print(f"Statistic: {suitcases_inside - 1} suitcases loaded.") break else: capacity += suitcases if capacity > boot_capacity: print(f"No more space!") print(f"Statistic: {suitcases_inside - 1} suitcases loaded.") break if command == "End": print(f"Congratulations! All suitcases are loaded!") print(f"Statistic: {suitcases_inside} suitcases loaded.") break
boot_capacity = float(input()) entries = 0 capacity = 0 suitcases_inside = 0 command = input() while command != 'End': suitcases = float(command) entries += 1 suitcases_inside += 1 command = input() if entries % 3 == 0: capacity += suitcases + suitcases * 10 / 100 if capacity > boot_capacity: print(f'No more space!') print(f'Statistic: {suitcases_inside - 1} suitcases loaded.') break else: capacity += suitcases if capacity > boot_capacity: print(f'No more space!') print(f'Statistic: {suitcases_inside - 1} suitcases loaded.') break if command == 'End': print(f'Congratulations! All suitcases are loaded!') print(f'Statistic: {suitcases_inside} suitcases loaded.') break
class LargerStrKey(str): def __lt__(x: str, y: str) -> bool: return x + y > y + x class Solution: def largestNumber(self, nums: List[int]) -> str: return ''.join(sorted(map(str, nums), key=LargerStrKey)).lstrip('0') or '0'
class Largerstrkey(str): def __lt__(x: str, y: str) -> bool: return x + y > y + x class Solution: def largest_number(self, nums: List[int]) -> str: return ''.join(sorted(map(str, nums), key=LargerStrKey)).lstrip('0') or '0'
""" Created on Sat Apr 18 10:45:11 2020 @author: Pieter Cawood """ class Location(object): def __init__(self, col, row): self.col = col self.row = row def __eq__(self, other): return self.col == other.col and self.row == other.row def __hash__(self): return hash(str(self.col) + str(self.row)) def __str__(self): return str((self.col, self.row)) class State(object): def __init__(self, time, location): self.time = time self.location = location self.g = 0 self.f = 0 def __eq__(self, other): return self.time == other.time and self.location == other.location def __hash__(self): return hash(str(self.time) + str(self.location.col) + str(self.location.row)) def __str__(self): return str((self.time, self.location.col, self.location.row)) def __lt__(self, other): if self.f < other.f: return True else: return False
""" Created on Sat Apr 18 10:45:11 2020 @author: Pieter Cawood """ class Location(object): def __init__(self, col, row): self.col = col self.row = row def __eq__(self, other): return self.col == other.col and self.row == other.row def __hash__(self): return hash(str(self.col) + str(self.row)) def __str__(self): return str((self.col, self.row)) class State(object): def __init__(self, time, location): self.time = time self.location = location self.g = 0 self.f = 0 def __eq__(self, other): return self.time == other.time and self.location == other.location def __hash__(self): return hash(str(self.time) + str(self.location.col) + str(self.location.row)) def __str__(self): return str((self.time, self.location.col, self.location.row)) def __lt__(self, other): if self.f < other.f: return True else: return False
"\n" "\nfoo" "bar\n" "foo\nbar"
""" """ '\nfoo' 'bar\n' 'foo\nbar'
{ "targets": [ { "target_name": "module", "sources": [ "cc/module.cc", "cc/functions.cc", "cc/satgraph.cc" ] } ] }
{'targets': [{'target_name': 'module', 'sources': ['cc/module.cc', 'cc/functions.cc', 'cc/satgraph.cc']}]}
# Copyright (c) 1996-2015 PSERC. All rights reserved. # Use of this source code is governed by a BSD-style # license that can be found in the LICENSE file. """PYPOWER solves power flow and Optimal Power Flow (OPF) problems. """
"""PYPOWER solves power flow and Optimal Power Flow (OPF) problems. """
# # PySNMP MIB module NSCHippiSonet-MIB (http://snmplabs.com/pysmi) # ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/NSCHippiSonet-MIB # Produced by pysmi-0.3.4 at Mon Apr 29 20:15:26 2019 # On host DAVWANG4-M-1475 platform Darwin version 18.5.0 by user davwang4 # Using Python version 3.7.3 (default, Mar 27 2019, 09:23:15) # Integer, ObjectIdentifier, OctetString = mibBuilder.importSymbols("ASN1", "Integer", "ObjectIdentifier", "OctetString") NamedValues, = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues") SingleValueConstraint, ConstraintsUnion, ValueRangeConstraint, ConstraintsIntersection, ValueSizeConstraint = mibBuilder.importSymbols("ASN1-REFINEMENT", "SingleValueConstraint", "ConstraintsUnion", "ValueRangeConstraint", "ConstraintsIntersection", "ValueSizeConstraint") nscHippiSonet, = mibBuilder.importSymbols("NSC-MIB", "nscHippiSonet") ModuleCompliance, NotificationGroup = mibBuilder.importSymbols("SNMPv2-CONF", "ModuleCompliance", "NotificationGroup") TimeTicks, Integer32, NotificationType, ModuleIdentity, Unsigned32, Counter64, ObjectIdentity, Bits, MibScalar, MibTable, MibTableRow, MibTableColumn, iso, IpAddress, Gauge32, MibIdentifier, Counter32 = mibBuilder.importSymbols("SNMPv2-SMI", "TimeTicks", "Integer32", "NotificationType", "ModuleIdentity", "Unsigned32", "Counter64", "ObjectIdentity", "Bits", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "iso", "IpAddress", "Gauge32", "MibIdentifier", "Counter32") DisplayString, PhysAddress, TextualConvention = mibBuilder.importSymbols("SNMPv2-TC", "DisplayString", "PhysAddress", "TextualConvention") nscHippiSonetEngineStatus = MibScalar((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 1), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: nscHippiSonetEngineStatus.setStatus('mandatory') nscHippiSonetRegisters = MibIdentifier((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 2)) nscHippiSonetMonitor = MibIdentifier((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 3)) nscHippiSonetAtoD = MibIdentifier((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 4)) nscHippiSonetSourceIField = MibScalar((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 5), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: nscHippiSonetSourceIField.setStatus('mandatory') nscHippiSonetProfile = MibIdentifier((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 6)) nscHippiSonetUnframer = MibIdentifier((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 2, 1)) nscHippiSonetUnframerStatus = MibScalar((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 2, 1, 1), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: nscHippiSonetUnframerStatus.setStatus('mandatory') nscHippiSonetUnframerOHdma = MibScalar((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 2, 1, 2), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: nscHippiSonetUnframerOHdma.setStatus('mandatory') nscHippiSonetFramer = MibIdentifier((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 2, 2)) nscHippiSonetFramerStatus = MibScalar((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 2, 2, 1), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: nscHippiSonetFramerStatus.setStatus('mandatory') nscHippiSonetFramerAdaptID = MibScalar((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 2, 2, 2), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: nscHippiSonetFramerAdaptID.setStatus('mandatory') nscHippiSonetFramerInput = MibScalar((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 2, 2, 3), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: nscHippiSonetFramerInput.setStatus('mandatory') nscHippiSonetFramerData = MibScalar((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 2, 2, 4), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: nscHippiSonetFramerData.setStatus('mandatory') nscHippiSonetFramerIField = MibScalar((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 2, 2, 5), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: nscHippiSonetFramerIField.setStatus('mandatory') nscHippiSonetMegaFifo = MibIdentifier((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 2, 3)) nscHippiSonetMFcontrol = MibScalar((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 2, 3, 1), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: nscHippiSonetMFcontrol.setStatus('mandatory') nscHippiSonetMFstatus = MibScalar((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 2, 3, 2), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: nscHippiSonetMFstatus.setStatus('mandatory') nscHippiSonetMFtimeout = MibScalar((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 2, 3, 3), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: nscHippiSonetMFtimeout.setStatus('mandatory') nscHippiSonetMFConnectStatus = MibScalar((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 2, 3, 4), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: nscHippiSonetMFConnectStatus.setStatus('mandatory') nscHippiSonetMonClock = MibScalar((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 3, 1), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: nscHippiSonetMonClock.setStatus('mandatory') nscHippiSonetMonMFFlowControl = MibScalar((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 3, 2), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: nscHippiSonetMonMFFlowControl.setStatus('mandatory') nscHippiSonetMonDLFlowControl = MibScalar((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 3, 3), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: nscHippiSonetMonDLFlowControl.setStatus('mandatory') nscHippiSonetMonBIPErrors = MibScalar((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 3, 4), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: nscHippiSonetMonBIPErrors.setStatus('mandatory') nscHippiSonetMonSrcBusy = MibScalar((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 3, 5), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: nscHippiSonetMonSrcBusy.setStatus('mandatory') nscHippiSonetMonSrcSOC = MibScalar((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 3, 6), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: nscHippiSonetMonSrcSOC.setStatus('mandatory') nscHippiSonetMonSrcEOC = MibScalar((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 3, 7), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: nscHippiSonetMonSrcEOC.setStatus('mandatory') nscHippiSonetMonDstConnectDuration = MibScalar((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 3, 8), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: nscHippiSonetMonDstConnectDuration.setStatus('mandatory') nscHippiSonetMonSrcConnectDuration = MibScalar((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 3, 9), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: nscHippiSonetMonSrcConnectDuration.setStatus('mandatory') nscHippiSonetMonDstConnectReject = MibScalar((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 3, 10), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: nscHippiSonetMonDstConnectReject.setStatus('mandatory') nscHippiSonetMonSrcConnectFail = MibScalar((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 3, 11), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: nscHippiSonetMonSrcConnectFail.setStatus('mandatory') nscHippiSonetMonLOF = MibScalar((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 3, 12), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: nscHippiSonetMonLOF.setStatus('mandatory') nscHippiSonetMonLOS = MibScalar((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 3, 13), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: nscHippiSonetMonLOS.setStatus('mandatory') nscHippiSonetMonDstBursts = MibScalar((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 3, 14), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: nscHippiSonetMonDstBursts.setStatus('mandatory') nscHippiSonetMonDstPackets = MibScalar((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 3, 15), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: nscHippiSonetMonDstPackets.setStatus('mandatory') nscHippiSonetMonDstSync = MibScalar((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 3, 16), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: nscHippiSonetMonDstSync.setStatus('mandatory') nscHippiSonetMonDstLLRC = MibScalar((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 3, 17), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: nscHippiSonetMonDstLLRC.setStatus('mandatory') nscHippiSonetMonDstPE = MibScalar((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 3, 18), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: nscHippiSonetMonDstPE.setStatus('mandatory') nscHippiSonetMonDstConnect = MibScalar((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 3, 19), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: nscHippiSonetMonDstConnect.setStatus('mandatory') nscHippiSonetMonSrcConnect = MibScalar((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 3, 20), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: nscHippiSonetMonSrcConnect.setStatus('mandatory') nscHippiSonetMonSrcPackets = MibScalar((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 3, 21), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: nscHippiSonetMonSrcPackets.setStatus('mandatory') nscHippiSonetMonSrcBursts = MibScalar((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 3, 22), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: nscHippiSonetMonSrcBursts.setStatus('mandatory') nscHippiSonetMonSrcForceErrors = MibScalar((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 3, 23), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: nscHippiSonetMonSrcForceErrors.setStatus('mandatory') nscHippiSonetMonSrcCRC = MibScalar((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 3, 24), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: nscHippiSonetMonSrcCRC.setStatus('mandatory') nscHippiSonetMonDstWords = MibScalar((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 3, 25), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: nscHippiSonetMonDstWords.setStatus('mandatory') nscHippiSonetMonSrcWords = MibScalar((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 3, 26), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: nscHippiSonetMonSrcWords.setStatus('mandatory') nscHippiSonetADRecvOpticalPower = MibScalar((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 4, 1), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: nscHippiSonetADRecvOpticalPower.setStatus('mandatory') nscHippiSonetADLaserBias = MibScalar((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 4, 2), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: nscHippiSonetADLaserBias.setStatus('mandatory') nscHippiSonetADLaserBackface = MibScalar((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 4, 3), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: nscHippiSonetADLaserBackface.setStatus('mandatory') nscHippiSonetADInternalTemp = MibScalar((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 4, 4), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: nscHippiSonetADInternalTemp.setStatus('mandatory') nscHippiSonetADExhaustTemp = MibScalar((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 4, 5), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: nscHippiSonetADExhaustTemp.setStatus('mandatory') nscHippiSonetOpticalRcvOffset = MibScalar((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 6, 1), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: nscHippiSonetOpticalRcvOffset.setStatus('mandatory') nscHippiSonetOpticalRcvSlope = MibScalar((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 6, 2), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: nscHippiSonetOpticalRcvSlope.setStatus('mandatory') nscHippiSonetBiasCurrent = MibScalar((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 6, 3), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: nscHippiSonetBiasCurrent.setStatus('mandatory') nscHippiSonetBiasTemp = MibScalar((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 6, 4), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: nscHippiSonetBiasTemp.setStatus('mandatory') nscHippiSonetBackfaceVoltage = MibScalar((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 6, 5), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: nscHippiSonetBackfaceVoltage.setStatus('mandatory') nscHippiSonetIField = MibScalar((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 6, 6), Integer32()).setMaxAccess("readwrite") if mibBuilder.loadTexts: nscHippiSonetIField.setStatus('mandatory') nscHippiSonetBootPort = MibScalar((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 6, 7), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 1))).setMaxAccess("readwrite") if mibBuilder.loadTexts: nscHippiSonetBootPort.setStatus('mandatory') nscHippiSonetPortSpeed = MibScalar((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 6, 8), Integer32()).setMaxAccess("readwrite") if mibBuilder.loadTexts: nscHippiSonetPortSpeed.setStatus('mandatory') nscHippiSonetThreshold = MibScalar((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 6, 9), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 7))).setMaxAccess("readwrite") if mibBuilder.loadTexts: nscHippiSonetThreshold.setStatus('mandatory') nscHippiTimeout = MibScalar((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 6, 10), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 32767))).setMaxAccess("readwrite") if mibBuilder.loadTexts: nscHippiTimeout.setStatus('mandatory') nscHippiSonetDipSwitch = MibScalar((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 6, 11), Integer32()).setMaxAccess("readwrite") if mibBuilder.loadTexts: nscHippiSonetDipSwitch.setStatus('mandatory') mibBuilder.exportSymbols("NSCHippiSonet-MIB", nscHippiSonetMonDstLLRC=nscHippiSonetMonDstLLRC, nscHippiSonetMonSrcEOC=nscHippiSonetMonSrcEOC, nscHippiSonetMonDstConnectDuration=nscHippiSonetMonDstConnectDuration, nscHippiSonetMonSrcWords=nscHippiSonetMonSrcWords, nscHippiSonetMonLOS=nscHippiSonetMonLOS, nscHippiSonetRegisters=nscHippiSonetRegisters, nscHippiSonetEngineStatus=nscHippiSonetEngineStatus, nscHippiSonetOpticalRcvOffset=nscHippiSonetOpticalRcvOffset, nscHippiSonetBackfaceVoltage=nscHippiSonetBackfaceVoltage, nscHippiSonetOpticalRcvSlope=nscHippiSonetOpticalRcvSlope, nscHippiSonetMFtimeout=nscHippiSonetMFtimeout, nscHippiSonetBiasTemp=nscHippiSonetBiasTemp, nscHippiSonetMFcontrol=nscHippiSonetMFcontrol, nscHippiSonetMonDstSync=nscHippiSonetMonDstSync, nscHippiSonetMonSrcBursts=nscHippiSonetMonSrcBursts, nscHippiSonetMonDLFlowControl=nscHippiSonetMonDLFlowControl, nscHippiSonetMonDstConnect=nscHippiSonetMonDstConnect, nscHippiSonetFramerAdaptID=nscHippiSonetFramerAdaptID, nscHippiSonetMFstatus=nscHippiSonetMFstatus, nscHippiSonetMegaFifo=nscHippiSonetMegaFifo, nscHippiSonetSourceIField=nscHippiSonetSourceIField, nscHippiSonetIField=nscHippiSonetIField, nscHippiSonetMonDstConnectReject=nscHippiSonetMonDstConnectReject, nscHippiSonetMonClock=nscHippiSonetMonClock, nscHippiSonetFramerInput=nscHippiSonetFramerInput, nscHippiSonetFramerData=nscHippiSonetFramerData, nscHippiSonetADLaserBias=nscHippiSonetADLaserBias, nscHippiSonetFramerStatus=nscHippiSonetFramerStatus, nscHippiSonetMonMFFlowControl=nscHippiSonetMonMFFlowControl, nscHippiSonetMonSrcSOC=nscHippiSonetMonSrcSOC, nscHippiSonetMonSrcForceErrors=nscHippiSonetMonSrcForceErrors, nscHippiSonetADLaserBackface=nscHippiSonetADLaserBackface, nscHippiSonetMonDstBursts=nscHippiSonetMonDstBursts, nscHippiSonetBiasCurrent=nscHippiSonetBiasCurrent, nscHippiSonetDipSwitch=nscHippiSonetDipSwitch, nscHippiSonetMonDstPackets=nscHippiSonetMonDstPackets, nscHippiSonetMonSrcConnect=nscHippiSonetMonSrcConnect, nscHippiSonetMonSrcConnectDuration=nscHippiSonetMonSrcConnectDuration, nscHippiSonetMonLOF=nscHippiSonetMonLOF, nscHippiSonetProfile=nscHippiSonetProfile, nscHippiSonetBootPort=nscHippiSonetBootPort, nscHippiSonetAtoD=nscHippiSonetAtoD, nscHippiSonetFramer=nscHippiSonetFramer, nscHippiSonetADInternalTemp=nscHippiSonetADInternalTemp, nscHippiSonetFramerIField=nscHippiSonetFramerIField, nscHippiSonetPortSpeed=nscHippiSonetPortSpeed, nscHippiSonetMonBIPErrors=nscHippiSonetMonBIPErrors, nscHippiSonetMFConnectStatus=nscHippiSonetMFConnectStatus, nscHippiSonetUnframerStatus=nscHippiSonetUnframerStatus, nscHippiSonetUnframer=nscHippiSonetUnframer, nscHippiSonetMonDstPE=nscHippiSonetMonDstPE, nscHippiSonetThreshold=nscHippiSonetThreshold, nscHippiSonetMonSrcCRC=nscHippiSonetMonSrcCRC, nscHippiSonetMonDstWords=nscHippiSonetMonDstWords, nscHippiSonetADExhaustTemp=nscHippiSonetADExhaustTemp, nscHippiSonetMonSrcPackets=nscHippiSonetMonSrcPackets, nscHippiSonetMonSrcBusy=nscHippiSonetMonSrcBusy, nscHippiSonetADRecvOpticalPower=nscHippiSonetADRecvOpticalPower, nscHippiTimeout=nscHippiTimeout, nscHippiSonetMonitor=nscHippiSonetMonitor, nscHippiSonetUnframerOHdma=nscHippiSonetUnframerOHdma, nscHippiSonetMonSrcConnectFail=nscHippiSonetMonSrcConnectFail)
(integer, object_identifier, octet_string) = mibBuilder.importSymbols('ASN1', 'Integer', 'ObjectIdentifier', 'OctetString') (named_values,) = mibBuilder.importSymbols('ASN1-ENUMERATION', 'NamedValues') (single_value_constraint, constraints_union, value_range_constraint, constraints_intersection, value_size_constraint) = mibBuilder.importSymbols('ASN1-REFINEMENT', 'SingleValueConstraint', 'ConstraintsUnion', 'ValueRangeConstraint', 'ConstraintsIntersection', 'ValueSizeConstraint') (nsc_hippi_sonet,) = mibBuilder.importSymbols('NSC-MIB', 'nscHippiSonet') (module_compliance, notification_group) = mibBuilder.importSymbols('SNMPv2-CONF', 'ModuleCompliance', 'NotificationGroup') (time_ticks, integer32, notification_type, module_identity, unsigned32, counter64, object_identity, bits, mib_scalar, mib_table, mib_table_row, mib_table_column, iso, ip_address, gauge32, mib_identifier, counter32) = mibBuilder.importSymbols('SNMPv2-SMI', 'TimeTicks', 'Integer32', 'NotificationType', 'ModuleIdentity', 'Unsigned32', 'Counter64', 'ObjectIdentity', 'Bits', 'MibScalar', 'MibTable', 'MibTableRow', 'MibTableColumn', 'iso', 'IpAddress', 'Gauge32', 'MibIdentifier', 'Counter32') (display_string, phys_address, textual_convention) = mibBuilder.importSymbols('SNMPv2-TC', 'DisplayString', 'PhysAddress', 'TextualConvention') nsc_hippi_sonet_engine_status = mib_scalar((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 1), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: nscHippiSonetEngineStatus.setStatus('mandatory') nsc_hippi_sonet_registers = mib_identifier((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 2)) nsc_hippi_sonet_monitor = mib_identifier((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 3)) nsc_hippi_sonet_ato_d = mib_identifier((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 4)) nsc_hippi_sonet_source_i_field = mib_scalar((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 5), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: nscHippiSonetSourceIField.setStatus('mandatory') nsc_hippi_sonet_profile = mib_identifier((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 6)) nsc_hippi_sonet_unframer = mib_identifier((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 2, 1)) nsc_hippi_sonet_unframer_status = mib_scalar((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 2, 1, 1), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: nscHippiSonetUnframerStatus.setStatus('mandatory') nsc_hippi_sonet_unframer_o_hdma = mib_scalar((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 2, 1, 2), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: nscHippiSonetUnframerOHdma.setStatus('mandatory') nsc_hippi_sonet_framer = mib_identifier((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 2, 2)) nsc_hippi_sonet_framer_status = mib_scalar((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 2, 2, 1), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: nscHippiSonetFramerStatus.setStatus('mandatory') nsc_hippi_sonet_framer_adapt_id = mib_scalar((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 2, 2, 2), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: nscHippiSonetFramerAdaptID.setStatus('mandatory') nsc_hippi_sonet_framer_input = mib_scalar((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 2, 2, 3), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: nscHippiSonetFramerInput.setStatus('mandatory') nsc_hippi_sonet_framer_data = mib_scalar((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 2, 2, 4), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: nscHippiSonetFramerData.setStatus('mandatory') nsc_hippi_sonet_framer_i_field = mib_scalar((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 2, 2, 5), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: nscHippiSonetFramerIField.setStatus('mandatory') nsc_hippi_sonet_mega_fifo = mib_identifier((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 2, 3)) nsc_hippi_sonet_m_fcontrol = mib_scalar((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 2, 3, 1), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: nscHippiSonetMFcontrol.setStatus('mandatory') nsc_hippi_sonet_m_fstatus = mib_scalar((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 2, 3, 2), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: nscHippiSonetMFstatus.setStatus('mandatory') nsc_hippi_sonet_m_ftimeout = mib_scalar((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 2, 3, 3), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: nscHippiSonetMFtimeout.setStatus('mandatory') nsc_hippi_sonet_mf_connect_status = mib_scalar((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 2, 3, 4), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: nscHippiSonetMFConnectStatus.setStatus('mandatory') nsc_hippi_sonet_mon_clock = mib_scalar((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 3, 1), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: nscHippiSonetMonClock.setStatus('mandatory') nsc_hippi_sonet_mon_mf_flow_control = mib_scalar((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 3, 2), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: nscHippiSonetMonMFFlowControl.setStatus('mandatory') nsc_hippi_sonet_mon_dl_flow_control = mib_scalar((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 3, 3), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: nscHippiSonetMonDLFlowControl.setStatus('mandatory') nsc_hippi_sonet_mon_bip_errors = mib_scalar((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 3, 4), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: nscHippiSonetMonBIPErrors.setStatus('mandatory') nsc_hippi_sonet_mon_src_busy = mib_scalar((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 3, 5), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: nscHippiSonetMonSrcBusy.setStatus('mandatory') nsc_hippi_sonet_mon_src_soc = mib_scalar((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 3, 6), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: nscHippiSonetMonSrcSOC.setStatus('mandatory') nsc_hippi_sonet_mon_src_eoc = mib_scalar((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 3, 7), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: nscHippiSonetMonSrcEOC.setStatus('mandatory') nsc_hippi_sonet_mon_dst_connect_duration = mib_scalar((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 3, 8), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: nscHippiSonetMonDstConnectDuration.setStatus('mandatory') nsc_hippi_sonet_mon_src_connect_duration = mib_scalar((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 3, 9), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: nscHippiSonetMonSrcConnectDuration.setStatus('mandatory') nsc_hippi_sonet_mon_dst_connect_reject = mib_scalar((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 3, 10), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: nscHippiSonetMonDstConnectReject.setStatus('mandatory') nsc_hippi_sonet_mon_src_connect_fail = mib_scalar((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 3, 11), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: nscHippiSonetMonSrcConnectFail.setStatus('mandatory') nsc_hippi_sonet_mon_lof = mib_scalar((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 3, 12), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: nscHippiSonetMonLOF.setStatus('mandatory') nsc_hippi_sonet_mon_los = mib_scalar((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 3, 13), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: nscHippiSonetMonLOS.setStatus('mandatory') nsc_hippi_sonet_mon_dst_bursts = mib_scalar((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 3, 14), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: nscHippiSonetMonDstBursts.setStatus('mandatory') nsc_hippi_sonet_mon_dst_packets = mib_scalar((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 3, 15), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: nscHippiSonetMonDstPackets.setStatus('mandatory') nsc_hippi_sonet_mon_dst_sync = mib_scalar((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 3, 16), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: nscHippiSonetMonDstSync.setStatus('mandatory') nsc_hippi_sonet_mon_dst_llrc = mib_scalar((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 3, 17), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: nscHippiSonetMonDstLLRC.setStatus('mandatory') nsc_hippi_sonet_mon_dst_pe = mib_scalar((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 3, 18), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: nscHippiSonetMonDstPE.setStatus('mandatory') nsc_hippi_sonet_mon_dst_connect = mib_scalar((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 3, 19), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: nscHippiSonetMonDstConnect.setStatus('mandatory') nsc_hippi_sonet_mon_src_connect = mib_scalar((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 3, 20), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: nscHippiSonetMonSrcConnect.setStatus('mandatory') nsc_hippi_sonet_mon_src_packets = mib_scalar((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 3, 21), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: nscHippiSonetMonSrcPackets.setStatus('mandatory') nsc_hippi_sonet_mon_src_bursts = mib_scalar((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 3, 22), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: nscHippiSonetMonSrcBursts.setStatus('mandatory') nsc_hippi_sonet_mon_src_force_errors = mib_scalar((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 3, 23), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: nscHippiSonetMonSrcForceErrors.setStatus('mandatory') nsc_hippi_sonet_mon_src_crc = mib_scalar((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 3, 24), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: nscHippiSonetMonSrcCRC.setStatus('mandatory') nsc_hippi_sonet_mon_dst_words = mib_scalar((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 3, 25), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: nscHippiSonetMonDstWords.setStatus('mandatory') nsc_hippi_sonet_mon_src_words = mib_scalar((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 3, 26), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: nscHippiSonetMonSrcWords.setStatus('mandatory') nsc_hippi_sonet_ad_recv_optical_power = mib_scalar((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 4, 1), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: nscHippiSonetADRecvOpticalPower.setStatus('mandatory') nsc_hippi_sonet_ad_laser_bias = mib_scalar((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 4, 2), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: nscHippiSonetADLaserBias.setStatus('mandatory') nsc_hippi_sonet_ad_laser_backface = mib_scalar((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 4, 3), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: nscHippiSonetADLaserBackface.setStatus('mandatory') nsc_hippi_sonet_ad_internal_temp = mib_scalar((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 4, 4), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: nscHippiSonetADInternalTemp.setStatus('mandatory') nsc_hippi_sonet_ad_exhaust_temp = mib_scalar((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 4, 5), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: nscHippiSonetADExhaustTemp.setStatus('mandatory') nsc_hippi_sonet_optical_rcv_offset = mib_scalar((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 6, 1), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: nscHippiSonetOpticalRcvOffset.setStatus('mandatory') nsc_hippi_sonet_optical_rcv_slope = mib_scalar((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 6, 2), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: nscHippiSonetOpticalRcvSlope.setStatus('mandatory') nsc_hippi_sonet_bias_current = mib_scalar((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 6, 3), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: nscHippiSonetBiasCurrent.setStatus('mandatory') nsc_hippi_sonet_bias_temp = mib_scalar((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 6, 4), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: nscHippiSonetBiasTemp.setStatus('mandatory') nsc_hippi_sonet_backface_voltage = mib_scalar((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 6, 5), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: nscHippiSonetBackfaceVoltage.setStatus('mandatory') nsc_hippi_sonet_i_field = mib_scalar((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 6, 6), integer32()).setMaxAccess('readwrite') if mibBuilder.loadTexts: nscHippiSonetIField.setStatus('mandatory') nsc_hippi_sonet_boot_port = mib_scalar((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 6, 7), integer32().subtype(subtypeSpec=value_range_constraint(0, 1))).setMaxAccess('readwrite') if mibBuilder.loadTexts: nscHippiSonetBootPort.setStatus('mandatory') nsc_hippi_sonet_port_speed = mib_scalar((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 6, 8), integer32()).setMaxAccess('readwrite') if mibBuilder.loadTexts: nscHippiSonetPortSpeed.setStatus('mandatory') nsc_hippi_sonet_threshold = mib_scalar((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 6, 9), integer32().subtype(subtypeSpec=value_range_constraint(0, 7))).setMaxAccess('readwrite') if mibBuilder.loadTexts: nscHippiSonetThreshold.setStatus('mandatory') nsc_hippi_timeout = mib_scalar((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 6, 10), integer32().subtype(subtypeSpec=value_range_constraint(1, 32767))).setMaxAccess('readwrite') if mibBuilder.loadTexts: nscHippiTimeout.setStatus('mandatory') nsc_hippi_sonet_dip_switch = mib_scalar((1, 3, 6, 1, 4, 1, 10, 2, 1, 5, 6, 11), integer32()).setMaxAccess('readwrite') if mibBuilder.loadTexts: nscHippiSonetDipSwitch.setStatus('mandatory') mibBuilder.exportSymbols('NSCHippiSonet-MIB', nscHippiSonetMonDstLLRC=nscHippiSonetMonDstLLRC, nscHippiSonetMonSrcEOC=nscHippiSonetMonSrcEOC, nscHippiSonetMonDstConnectDuration=nscHippiSonetMonDstConnectDuration, nscHippiSonetMonSrcWords=nscHippiSonetMonSrcWords, nscHippiSonetMonLOS=nscHippiSonetMonLOS, nscHippiSonetRegisters=nscHippiSonetRegisters, nscHippiSonetEngineStatus=nscHippiSonetEngineStatus, nscHippiSonetOpticalRcvOffset=nscHippiSonetOpticalRcvOffset, nscHippiSonetBackfaceVoltage=nscHippiSonetBackfaceVoltage, nscHippiSonetOpticalRcvSlope=nscHippiSonetOpticalRcvSlope, nscHippiSonetMFtimeout=nscHippiSonetMFtimeout, nscHippiSonetBiasTemp=nscHippiSonetBiasTemp, nscHippiSonetMFcontrol=nscHippiSonetMFcontrol, nscHippiSonetMonDstSync=nscHippiSonetMonDstSync, nscHippiSonetMonSrcBursts=nscHippiSonetMonSrcBursts, nscHippiSonetMonDLFlowControl=nscHippiSonetMonDLFlowControl, nscHippiSonetMonDstConnect=nscHippiSonetMonDstConnect, nscHippiSonetFramerAdaptID=nscHippiSonetFramerAdaptID, nscHippiSonetMFstatus=nscHippiSonetMFstatus, nscHippiSonetMegaFifo=nscHippiSonetMegaFifo, nscHippiSonetSourceIField=nscHippiSonetSourceIField, nscHippiSonetIField=nscHippiSonetIField, nscHippiSonetMonDstConnectReject=nscHippiSonetMonDstConnectReject, nscHippiSonetMonClock=nscHippiSonetMonClock, nscHippiSonetFramerInput=nscHippiSonetFramerInput, nscHippiSonetFramerData=nscHippiSonetFramerData, nscHippiSonetADLaserBias=nscHippiSonetADLaserBias, nscHippiSonetFramerStatus=nscHippiSonetFramerStatus, nscHippiSonetMonMFFlowControl=nscHippiSonetMonMFFlowControl, nscHippiSonetMonSrcSOC=nscHippiSonetMonSrcSOC, nscHippiSonetMonSrcForceErrors=nscHippiSonetMonSrcForceErrors, nscHippiSonetADLaserBackface=nscHippiSonetADLaserBackface, nscHippiSonetMonDstBursts=nscHippiSonetMonDstBursts, nscHippiSonetBiasCurrent=nscHippiSonetBiasCurrent, nscHippiSonetDipSwitch=nscHippiSonetDipSwitch, nscHippiSonetMonDstPackets=nscHippiSonetMonDstPackets, nscHippiSonetMonSrcConnect=nscHippiSonetMonSrcConnect, nscHippiSonetMonSrcConnectDuration=nscHippiSonetMonSrcConnectDuration, nscHippiSonetMonLOF=nscHippiSonetMonLOF, nscHippiSonetProfile=nscHippiSonetProfile, nscHippiSonetBootPort=nscHippiSonetBootPort, nscHippiSonetAtoD=nscHippiSonetAtoD, nscHippiSonetFramer=nscHippiSonetFramer, nscHippiSonetADInternalTemp=nscHippiSonetADInternalTemp, nscHippiSonetFramerIField=nscHippiSonetFramerIField, nscHippiSonetPortSpeed=nscHippiSonetPortSpeed, nscHippiSonetMonBIPErrors=nscHippiSonetMonBIPErrors, nscHippiSonetMFConnectStatus=nscHippiSonetMFConnectStatus, nscHippiSonetUnframerStatus=nscHippiSonetUnframerStatus, nscHippiSonetUnframer=nscHippiSonetUnframer, nscHippiSonetMonDstPE=nscHippiSonetMonDstPE, nscHippiSonetThreshold=nscHippiSonetThreshold, nscHippiSonetMonSrcCRC=nscHippiSonetMonSrcCRC, nscHippiSonetMonDstWords=nscHippiSonetMonDstWords, nscHippiSonetADExhaustTemp=nscHippiSonetADExhaustTemp, nscHippiSonetMonSrcPackets=nscHippiSonetMonSrcPackets, nscHippiSonetMonSrcBusy=nscHippiSonetMonSrcBusy, nscHippiSonetADRecvOpticalPower=nscHippiSonetADRecvOpticalPower, nscHippiTimeout=nscHippiTimeout, nscHippiSonetMonitor=nscHippiSonetMonitor, nscHippiSonetUnframerOHdma=nscHippiSonetUnframerOHdma, nscHippiSonetMonSrcConnectFail=nscHippiSonetMonSrcConnectFail)
# # Copyright 2019 The Bazel Authors. 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. # # Tests compiling using an external Linaro toolchain on a Linux machine # """ARM7 (ARM 32-bit) C/C++ toolchain.""" load( "@bazel_tools//tools/cpp:cc_toolchain_config_lib.bzl", "action_config", "feature", "flag_group", "flag_set", "tool", "tool_path", "with_feature_set", ) load("@bazel_tools//tools/build_defs/cc:action_names.bzl", "ACTION_NAMES") def _impl(ctx): toolchain_identifier = "armeabi-v7a" host_system_name = "armeabi-v7a" target_system_name = "arm_a15" target_cpu = "armeabi-v7a" target_libc = "glibc_2.19" compiler = "gcc" abi_version = "gcc" abi_libc_version = "glibc_2.19" cc_target_os = None # Specify the sysroot. builtin_sysroot = None sysroot_feature = feature( name = "sysroot", enabled = True, flag_sets = [ flag_set( actions = [ ACTION_NAMES.preprocess_assemble, ACTION_NAMES.linkstamp_compile, ACTION_NAMES.c_compile, ACTION_NAMES.cpp_compile, ACTION_NAMES.cpp_header_parsing, ACTION_NAMES.cpp_module_compile, ACTION_NAMES.cpp_module_codegen, ACTION_NAMES.lto_backend, ACTION_NAMES.clif_match, ACTION_NAMES.cpp_link_executable, ACTION_NAMES.cpp_link_dynamic_library, ACTION_NAMES.cpp_link_nodeps_dynamic_library, ], flag_groups = [ flag_group( flags = ["--sysroot=%{sysroot}"], expand_if_available = "sysroot", ), ], ), ], ) # Support both opt and dbg compile modes (flags defined below). opt_feature = feature(name = "opt") dbg_feature = feature(name = "dbg") # Compiler flags that are _not_ filtered by the `nocopts` rule attribute. unfiltered_compile_flags_feature = feature( name = "unfiltered_compile_flags", enabled = True, flag_sets = [ flag_set( actions = [ ACTION_NAMES.assemble, ACTION_NAMES.preprocess_assemble, ACTION_NAMES.linkstamp_compile, ACTION_NAMES.c_compile, ACTION_NAMES.cpp_compile, ACTION_NAMES.cpp_header_parsing, ACTION_NAMES.cpp_module_compile, ACTION_NAMES.cpp_module_codegen, ACTION_NAMES.lto_backend, ACTION_NAMES.clif_match, ], flag_groups = [ flag_group( flags = [ "-no-canonical-prefixes", "-Wno-builtin-macro-redefined", "-D__DATE__=\"redacted\"", "-D__TIMESTAMP__=\"redacted\"", "-D__TIME__=\"redacted\"", ], ), ], ), ], ) # Default compiler settings (in addition to unfiltered settings above). default_compile_flags_feature = feature( name = "default_compile_flags", enabled = True, flag_sets = [ flag_set( actions = [ ACTION_NAMES.assemble, ACTION_NAMES.preprocess_assemble, ACTION_NAMES.linkstamp_compile, ACTION_NAMES.c_compile, ACTION_NAMES.cpp_compile, ACTION_NAMES.cpp_header_parsing, ACTION_NAMES.cpp_module_compile, ACTION_NAMES.cpp_module_codegen, ACTION_NAMES.lto_backend, ACTION_NAMES.clif_match, ], flag_groups = [ flag_group( flags = [ "--sysroot=external/org_linaro_components_toolchain_gcc_armv7/arm-linux-gnueabihf/libc", "-mfloat-abi=hard", "-mfpu=vfp", "-nostdinc", "-isystem", "external/org_linaro_components_toolchain_gcc_armv7/lib/gcc/arm-linux-gnueabihf/7.4.1/include", "-isystem", "external/org_linaro_components_toolchain_gcc_armv7/lib/gcc/arm-linux-gnueabihf/7.4.1/include-fixed", "-isystem", "external/org_linaro_components_toolchain_gcc_armv7/arm-linux-gnueabihf/include/c++/7.4.1", "-isystem", "external/org_linaro_components_toolchain_gcc_armv7/arm-linux-gnueabihf/libc/usr/include", "-U_FORTIFY_SOURCE", "-fstack-protector", "-fPIE", "-fdiagnostics-color=always", "-Wall", "-Wunused-but-set-parameter", "-Wno-free-nonheap-object", "-fno-omit-frame-pointer", # Disable warnings about GCC 7.1 ABI change. "-Wno-psabi", ], ), ], ), flag_set( actions = [ ACTION_NAMES.assemble, ACTION_NAMES.preprocess_assemble, ACTION_NAMES.linkstamp_compile, ACTION_NAMES.c_compile, ACTION_NAMES.cpp_compile, ACTION_NAMES.cpp_header_parsing, ACTION_NAMES.cpp_module_compile, ACTION_NAMES.cpp_module_codegen, ACTION_NAMES.lto_backend, ACTION_NAMES.clif_match, ], flag_groups = [flag_group(flags = ["-g"])], with_features = [with_feature_set(features = ["dbg"])], ), flag_set( actions = [ ACTION_NAMES.assemble, ACTION_NAMES.preprocess_assemble, ACTION_NAMES.linkstamp_compile, ACTION_NAMES.c_compile, ACTION_NAMES.cpp_compile, ACTION_NAMES.cpp_header_parsing, ACTION_NAMES.cpp_module_compile, ACTION_NAMES.cpp_module_codegen, ACTION_NAMES.lto_backend, ACTION_NAMES.clif_match, ], flag_groups = [ flag_group( flags = [ "-g0", "-O3", "-DNDEBUG", "-ffunction-sections", "-fdata-sections", ], ), ], with_features = [with_feature_set(features = ["opt"])], ), flag_set( actions = [ ACTION_NAMES.linkstamp_compile, ACTION_NAMES.cpp_compile, ACTION_NAMES.cpp_header_parsing, ACTION_NAMES.cpp_module_compile, ACTION_NAMES.cpp_module_codegen, ACTION_NAMES.lto_backend, ACTION_NAMES.clif_match, ], flag_groups = [ flag_group( flags = [ "-isystem", "external/org_linaro_components_toolchain_gcc_armv7/arm-linux-gnueabihf/include/c++/7.4.1/arm-linux-gnueabihf", "-isystem", "external/org_linaro_components_toolchain_gcc_armv7/arm-linux-gnueabihf/include/c++/7.4.1", "-isystem", "external/org_linaro_components_toolchain_gcc_armv7/include/c++/7.4.1/arm-linux-gnueabihf", "-isystem", "external/org_linaro_components_toolchain_gcc_armv7/include/c++/7.4.1", "-isystem", "external/org_linaro_components_toolchain_gcc_armv7/arm-linux-gnueabihf/include/c++/7.4.1", ], ), ], ), ], ) # User compile flags specified through --copt/--cxxopt/--conlyopt. user_compile_flags_feature = feature( name = "user_compile_flags", enabled = True, flag_sets = [ flag_set( actions = [ ACTION_NAMES.assemble, ACTION_NAMES.preprocess_assemble, ACTION_NAMES.linkstamp_compile, ACTION_NAMES.c_compile, ACTION_NAMES.cpp_compile, ACTION_NAMES.cpp_header_parsing, ACTION_NAMES.cpp_module_compile, ACTION_NAMES.cpp_module_codegen, ACTION_NAMES.lto_backend, ACTION_NAMES.clif_match, ], flag_groups = [ flag_group( flags = ["%{user_compile_flags}"], iterate_over = "user_compile_flags", expand_if_available = "user_compile_flags", ), ], ), ], ) # Define linker settings. all_link_actions = [ ACTION_NAMES.cpp_link_executable, ACTION_NAMES.cpp_link_dynamic_library, ACTION_NAMES.cpp_link_nodeps_dynamic_library, ] default_link_flags_feature = feature( name = "default_link_flags", enabled = True, flag_sets = [ flag_set( actions = all_link_actions, flag_groups = [ flag_group( flags = [ "--sysroot=external/org_linaro_components_toolchain_gcc_armv7/arm-linux-gnueabihf/libc", "-lstdc++", "-latomic", "-lm", "-lpthread", "-Ltools/arm/linaro_linux_gcc_armv7/clang_more_libs", "-Lexternal/org_linaro_components_toolchain_gcc_armv7/arm-linux-gnueabihf/lib", "-Lexternal/org_linaro_components_toolchain_gcc_armv7/arm-linux-gnueabihf/libc/lib", "-Lexternal/org_linaro_components_toolchain_gcc_armv7/arm-linux-gnueabihf/libc/usr/lib", "-Bexternal/org_linaro_components_toolchain_gcc_armv7/arm-linux-gnueabihf/bin", "-Wl,--dynamic-linker=/lib/ld-linux-armhf.so.3", "-no-canonical-prefixes", "-pie", "-Wl,-z,relro,-z,now", ], ), ], ), flag_set( actions = all_link_actions, flag_groups = [flag_group(flags = ["-Wl,--gc-sections"])], with_features = [with_feature_set(features = ["opt"])], ), ], ) # Define objcopy settings. objcopy_embed_data_action = action_config( action_name = "objcopy_embed_data", enabled = True, tools = [ tool(path = "linaro_linux_gcc_armv7/arm-linux-gnueabihf-objcopy"), ], ) action_configs = [objcopy_embed_data_action] objcopy_embed_flags_feature = feature( name = "objcopy_embed_flags", enabled = True, flag_sets = [ flag_set( actions = ["objcopy_embed_data"], flag_groups = [flag_group(flags = ["-I", "binary"])], ), ], ) # Define build support flags. supports_dynamic_linker_feature = feature(name = "supports_dynamic_linker", enabled = True) supports_pic_feature = feature(name = "supports_pic", enabled = True) # Create the list of all available build features. features = [ default_compile_flags_feature, default_link_flags_feature, supports_pic_feature, objcopy_embed_flags_feature, opt_feature, dbg_feature, user_compile_flags_feature, sysroot_feature, unfiltered_compile_flags_feature, ] # Specify the built-in include directories (set with -isystem). cxx_builtin_include_directories = [ "%package(@org_linaro_components_toolchain_gcc_armv7//include)%", "%package(@org_linaro_components_toolchain_gcc_armv7//arm-linux-gnueabihf/libc/usr/include)%", "%package(@org_linaro_components_toolchain_gcc_armv7//arm-linux-gnueabihf/libc/usr/lib/include)%", "%package(@org_linaro_components_toolchain_gcc_armv7//arm-linux-gnueabihf/libc/lib/gcc/arm-linux-gnueabihf/7.4.1/include-fixed)%", "%package(@org_linaro_components_toolchain_gcc_armv7//include)%/c++/7.4.1", "%package(@org_linaro_components_toolchain_gcc_armv7//arm-linux-gnueabihf/libc/lib/gcc/arm-linux-gnueabihf/7.4.1/include)%", "%package(@org_linaro_components_toolchain_gcc_armv7//lib/gcc/arm-linux-gnueabihf/7.4.1/include)%", "%package(@org_linaro_components_toolchain_gcc_armv7//lib/gcc/arm-linux-gnueabihf/7.4.1/include-fixed)%", "%package(@org_linaro_components_toolchain_gcc_armv7//arm-linux-gnueabihf/include)%/c++/7.4.1", ] # List the names of any generated artifacts. artifact_name_patterns = [] # Set any variables to be passed to make. make_variables = [] # Specify the location of all the build tools. tool_paths = [ tool_path( name = "ar", path = "arm/linaro_linux_gcc_armv7/arm-linux-gnueabihf-ar", ), tool_path( name = "compat-ld", path = "arm/linaro_linux_gcc_armv7/arm-linux-gnueabihf-ld", ), tool_path( name = "cpp", path = "arm/linaro_linux_gcc_armv7/arm-linux-gnueabihf-gcc", ), tool_path( name = "gcc", path = "arm/linaro_linux_gcc_armv7/arm-linux-gnueabihf-gcc", ), tool_path( name = "ld", path = "arm/linaro_linux_gcc_armv7/arm-linux-gnueabihf-ld", ), tool_path( name = "nm", path = "arm/linaro_linux_gcc_armv7/arm-linux-gnueabihf-nm", ), tool_path( name = "objcopy", path = "arm/linaro_linux_gcc_armv7/arm-linux-gnueabihf-objcopy", ), tool_path( name = "objdump", path = "arm/linaro_linux_gcc_armv7/arm-linux-gnueabihf-objdump", ), tool_path( name = "strip", path = "arm/linaro_linux_gcc_armv7/arm-linux-gnueabihf-strip", ), # Note: These don't actually exist and don't seem to get used, but they # are required by cc_binary() anyway. tool_path( name = "dwp", path = "arm/linaro_linux_gcc_aarch64/aarch64-linux-gnu-dwp", ), tool_path( name = "gcov", path = "arm-frc-linux-gnueabi/arm-frc-linux-gnueabi-gcov-4.9", ), ] # Not sure what this is for but everybody's doing it (including the default # built-in toolchain config @ # https://github.com/bazelbuild/bazel/blob/master/tools/cpp/cc_toolchain_config.bzl) # so... out = ctx.actions.declare_file(ctx.label.name) ctx.actions.write(out, "Fake executable") # Create and return the CcToolchainConfigInfo object. return [ cc_common.create_cc_toolchain_config_info( ctx = ctx, features = features, action_configs = action_configs, artifact_name_patterns = artifact_name_patterns, cxx_builtin_include_directories = cxx_builtin_include_directories, toolchain_identifier = toolchain_identifier, host_system_name = host_system_name, target_system_name = target_system_name, target_cpu = target_cpu, target_libc = target_libc, compiler = compiler, abi_version = abi_version, abi_libc_version = abi_libc_version, tool_paths = tool_paths, make_variables = make_variables, builtin_sysroot = builtin_sysroot, cc_target_os = cc_target_os, ), DefaultInfo( executable = out, ), ] cc_toolchain_config = rule( implementation = _impl, attrs = { "cpu": attr.string(mandatory = True, values = ["armeabi-v7a"]), "compiler": attr.string(mandatory = False, values = ["gcc"]), }, provides = [CcToolchainConfigInfo], executable = True, )
"""ARM7 (ARM 32-bit) C/C++ toolchain.""" load('@bazel_tools//tools/cpp:cc_toolchain_config_lib.bzl', 'action_config', 'feature', 'flag_group', 'flag_set', 'tool', 'tool_path', 'with_feature_set') load('@bazel_tools//tools/build_defs/cc:action_names.bzl', 'ACTION_NAMES') def _impl(ctx): toolchain_identifier = 'armeabi-v7a' host_system_name = 'armeabi-v7a' target_system_name = 'arm_a15' target_cpu = 'armeabi-v7a' target_libc = 'glibc_2.19' compiler = 'gcc' abi_version = 'gcc' abi_libc_version = 'glibc_2.19' cc_target_os = None builtin_sysroot = None sysroot_feature = feature(name='sysroot', enabled=True, flag_sets=[flag_set(actions=[ACTION_NAMES.preprocess_assemble, ACTION_NAMES.linkstamp_compile, ACTION_NAMES.c_compile, ACTION_NAMES.cpp_compile, ACTION_NAMES.cpp_header_parsing, ACTION_NAMES.cpp_module_compile, ACTION_NAMES.cpp_module_codegen, ACTION_NAMES.lto_backend, ACTION_NAMES.clif_match, ACTION_NAMES.cpp_link_executable, ACTION_NAMES.cpp_link_dynamic_library, ACTION_NAMES.cpp_link_nodeps_dynamic_library], flag_groups=[flag_group(flags=['--sysroot=%{sysroot}'], expand_if_available='sysroot')])]) opt_feature = feature(name='opt') dbg_feature = feature(name='dbg') unfiltered_compile_flags_feature = feature(name='unfiltered_compile_flags', enabled=True, flag_sets=[flag_set(actions=[ACTION_NAMES.assemble, ACTION_NAMES.preprocess_assemble, ACTION_NAMES.linkstamp_compile, ACTION_NAMES.c_compile, ACTION_NAMES.cpp_compile, ACTION_NAMES.cpp_header_parsing, ACTION_NAMES.cpp_module_compile, ACTION_NAMES.cpp_module_codegen, ACTION_NAMES.lto_backend, ACTION_NAMES.clif_match], flag_groups=[flag_group(flags=['-no-canonical-prefixes', '-Wno-builtin-macro-redefined', '-D__DATE__="redacted"', '-D__TIMESTAMP__="redacted"', '-D__TIME__="redacted"'])])]) default_compile_flags_feature = feature(name='default_compile_flags', enabled=True, flag_sets=[flag_set(actions=[ACTION_NAMES.assemble, ACTION_NAMES.preprocess_assemble, ACTION_NAMES.linkstamp_compile, ACTION_NAMES.c_compile, ACTION_NAMES.cpp_compile, ACTION_NAMES.cpp_header_parsing, ACTION_NAMES.cpp_module_compile, ACTION_NAMES.cpp_module_codegen, ACTION_NAMES.lto_backend, ACTION_NAMES.clif_match], flag_groups=[flag_group(flags=['--sysroot=external/org_linaro_components_toolchain_gcc_armv7/arm-linux-gnueabihf/libc', '-mfloat-abi=hard', '-mfpu=vfp', '-nostdinc', '-isystem', 'external/org_linaro_components_toolchain_gcc_armv7/lib/gcc/arm-linux-gnueabihf/7.4.1/include', '-isystem', 'external/org_linaro_components_toolchain_gcc_armv7/lib/gcc/arm-linux-gnueabihf/7.4.1/include-fixed', '-isystem', 'external/org_linaro_components_toolchain_gcc_armv7/arm-linux-gnueabihf/include/c++/7.4.1', '-isystem', 'external/org_linaro_components_toolchain_gcc_armv7/arm-linux-gnueabihf/libc/usr/include', '-U_FORTIFY_SOURCE', '-fstack-protector', '-fPIE', '-fdiagnostics-color=always', '-Wall', '-Wunused-but-set-parameter', '-Wno-free-nonheap-object', '-fno-omit-frame-pointer', '-Wno-psabi'])]), flag_set(actions=[ACTION_NAMES.assemble, ACTION_NAMES.preprocess_assemble, ACTION_NAMES.linkstamp_compile, ACTION_NAMES.c_compile, ACTION_NAMES.cpp_compile, ACTION_NAMES.cpp_header_parsing, ACTION_NAMES.cpp_module_compile, ACTION_NAMES.cpp_module_codegen, ACTION_NAMES.lto_backend, ACTION_NAMES.clif_match], flag_groups=[flag_group(flags=['-g'])], with_features=[with_feature_set(features=['dbg'])]), flag_set(actions=[ACTION_NAMES.assemble, ACTION_NAMES.preprocess_assemble, ACTION_NAMES.linkstamp_compile, ACTION_NAMES.c_compile, ACTION_NAMES.cpp_compile, ACTION_NAMES.cpp_header_parsing, ACTION_NAMES.cpp_module_compile, ACTION_NAMES.cpp_module_codegen, ACTION_NAMES.lto_backend, ACTION_NAMES.clif_match], flag_groups=[flag_group(flags=['-g0', '-O3', '-DNDEBUG', '-ffunction-sections', '-fdata-sections'])], with_features=[with_feature_set(features=['opt'])]), flag_set(actions=[ACTION_NAMES.linkstamp_compile, ACTION_NAMES.cpp_compile, ACTION_NAMES.cpp_header_parsing, ACTION_NAMES.cpp_module_compile, ACTION_NAMES.cpp_module_codegen, ACTION_NAMES.lto_backend, ACTION_NAMES.clif_match], flag_groups=[flag_group(flags=['-isystem', 'external/org_linaro_components_toolchain_gcc_armv7/arm-linux-gnueabihf/include/c++/7.4.1/arm-linux-gnueabihf', '-isystem', 'external/org_linaro_components_toolchain_gcc_armv7/arm-linux-gnueabihf/include/c++/7.4.1', '-isystem', 'external/org_linaro_components_toolchain_gcc_armv7/include/c++/7.4.1/arm-linux-gnueabihf', '-isystem', 'external/org_linaro_components_toolchain_gcc_armv7/include/c++/7.4.1', '-isystem', 'external/org_linaro_components_toolchain_gcc_armv7/arm-linux-gnueabihf/include/c++/7.4.1'])])]) user_compile_flags_feature = feature(name='user_compile_flags', enabled=True, flag_sets=[flag_set(actions=[ACTION_NAMES.assemble, ACTION_NAMES.preprocess_assemble, ACTION_NAMES.linkstamp_compile, ACTION_NAMES.c_compile, ACTION_NAMES.cpp_compile, ACTION_NAMES.cpp_header_parsing, ACTION_NAMES.cpp_module_compile, ACTION_NAMES.cpp_module_codegen, ACTION_NAMES.lto_backend, ACTION_NAMES.clif_match], flag_groups=[flag_group(flags=['%{user_compile_flags}'], iterate_over='user_compile_flags', expand_if_available='user_compile_flags')])]) all_link_actions = [ACTION_NAMES.cpp_link_executable, ACTION_NAMES.cpp_link_dynamic_library, ACTION_NAMES.cpp_link_nodeps_dynamic_library] default_link_flags_feature = feature(name='default_link_flags', enabled=True, flag_sets=[flag_set(actions=all_link_actions, flag_groups=[flag_group(flags=['--sysroot=external/org_linaro_components_toolchain_gcc_armv7/arm-linux-gnueabihf/libc', '-lstdc++', '-latomic', '-lm', '-lpthread', '-Ltools/arm/linaro_linux_gcc_armv7/clang_more_libs', '-Lexternal/org_linaro_components_toolchain_gcc_armv7/arm-linux-gnueabihf/lib', '-Lexternal/org_linaro_components_toolchain_gcc_armv7/arm-linux-gnueabihf/libc/lib', '-Lexternal/org_linaro_components_toolchain_gcc_armv7/arm-linux-gnueabihf/libc/usr/lib', '-Bexternal/org_linaro_components_toolchain_gcc_armv7/arm-linux-gnueabihf/bin', '-Wl,--dynamic-linker=/lib/ld-linux-armhf.so.3', '-no-canonical-prefixes', '-pie', '-Wl,-z,relro,-z,now'])]), flag_set(actions=all_link_actions, flag_groups=[flag_group(flags=['-Wl,--gc-sections'])], with_features=[with_feature_set(features=['opt'])])]) objcopy_embed_data_action = action_config(action_name='objcopy_embed_data', enabled=True, tools=[tool(path='linaro_linux_gcc_armv7/arm-linux-gnueabihf-objcopy')]) action_configs = [objcopy_embed_data_action] objcopy_embed_flags_feature = feature(name='objcopy_embed_flags', enabled=True, flag_sets=[flag_set(actions=['objcopy_embed_data'], flag_groups=[flag_group(flags=['-I', 'binary'])])]) supports_dynamic_linker_feature = feature(name='supports_dynamic_linker', enabled=True) supports_pic_feature = feature(name='supports_pic', enabled=True) features = [default_compile_flags_feature, default_link_flags_feature, supports_pic_feature, objcopy_embed_flags_feature, opt_feature, dbg_feature, user_compile_flags_feature, sysroot_feature, unfiltered_compile_flags_feature] cxx_builtin_include_directories = ['%package(@org_linaro_components_toolchain_gcc_armv7//include)%', '%package(@org_linaro_components_toolchain_gcc_armv7//arm-linux-gnueabihf/libc/usr/include)%', '%package(@org_linaro_components_toolchain_gcc_armv7//arm-linux-gnueabihf/libc/usr/lib/include)%', '%package(@org_linaro_components_toolchain_gcc_armv7//arm-linux-gnueabihf/libc/lib/gcc/arm-linux-gnueabihf/7.4.1/include-fixed)%', '%package(@org_linaro_components_toolchain_gcc_armv7//include)%/c++/7.4.1', '%package(@org_linaro_components_toolchain_gcc_armv7//arm-linux-gnueabihf/libc/lib/gcc/arm-linux-gnueabihf/7.4.1/include)%', '%package(@org_linaro_components_toolchain_gcc_armv7//lib/gcc/arm-linux-gnueabihf/7.4.1/include)%', '%package(@org_linaro_components_toolchain_gcc_armv7//lib/gcc/arm-linux-gnueabihf/7.4.1/include-fixed)%', '%package(@org_linaro_components_toolchain_gcc_armv7//arm-linux-gnueabihf/include)%/c++/7.4.1'] artifact_name_patterns = [] make_variables = [] tool_paths = [tool_path(name='ar', path='arm/linaro_linux_gcc_armv7/arm-linux-gnueabihf-ar'), tool_path(name='compat-ld', path='arm/linaro_linux_gcc_armv7/arm-linux-gnueabihf-ld'), tool_path(name='cpp', path='arm/linaro_linux_gcc_armv7/arm-linux-gnueabihf-gcc'), tool_path(name='gcc', path='arm/linaro_linux_gcc_armv7/arm-linux-gnueabihf-gcc'), tool_path(name='ld', path='arm/linaro_linux_gcc_armv7/arm-linux-gnueabihf-ld'), tool_path(name='nm', path='arm/linaro_linux_gcc_armv7/arm-linux-gnueabihf-nm'), tool_path(name='objcopy', path='arm/linaro_linux_gcc_armv7/arm-linux-gnueabihf-objcopy'), tool_path(name='objdump', path='arm/linaro_linux_gcc_armv7/arm-linux-gnueabihf-objdump'), tool_path(name='strip', path='arm/linaro_linux_gcc_armv7/arm-linux-gnueabihf-strip'), tool_path(name='dwp', path='arm/linaro_linux_gcc_aarch64/aarch64-linux-gnu-dwp'), tool_path(name='gcov', path='arm-frc-linux-gnueabi/arm-frc-linux-gnueabi-gcov-4.9')] out = ctx.actions.declare_file(ctx.label.name) ctx.actions.write(out, 'Fake executable') return [cc_common.create_cc_toolchain_config_info(ctx=ctx, features=features, action_configs=action_configs, artifact_name_patterns=artifact_name_patterns, cxx_builtin_include_directories=cxx_builtin_include_directories, toolchain_identifier=toolchain_identifier, host_system_name=host_system_name, target_system_name=target_system_name, target_cpu=target_cpu, target_libc=target_libc, compiler=compiler, abi_version=abi_version, abi_libc_version=abi_libc_version, tool_paths=tool_paths, make_variables=make_variables, builtin_sysroot=builtin_sysroot, cc_target_os=cc_target_os), default_info(executable=out)] cc_toolchain_config = rule(implementation=_impl, attrs={'cpu': attr.string(mandatory=True, values=['armeabi-v7a']), 'compiler': attr.string(mandatory=False, values=['gcc'])}, provides=[CcToolchainConfigInfo], executable=True)
class Solution: def maxProfit(self, prices, fee): """ :type prices: List[int] :type fee: int :rtype: int """ # two states: one is hold, one is free hold = -prices[0] free = 0 for price in prices[1:]: hold, free = max(hold, free - price), max(free, hold + price - fee) return free
class Solution: def max_profit(self, prices, fee): """ :type prices: List[int] :type fee: int :rtype: int """ hold = -prices[0] free = 0 for price in prices[1:]: (hold, free) = (max(hold, free - price), max(free, hold + price - fee)) return free
class DataCheckAction: """Base class for all DataCheckActions.""" def __init__(self, action_code, details=None): """ A recommended action returned by a DataCheck. Arguments: action_code (DataCheckActionCode): Action code associated with the action. details (dict, optional): Additional useful information associated with the action """ self.action_code = action_code self.details = details or {} def __eq__(self, other): """Checks for equality. Two DataCheckAction objs are considered equivalent if all of their attributes are equivalent.""" return (self.action_code == other.action_code and self.details == other.details) def to_dict(self): action_dict = { "code": self.action_code.name, "details": self.details } return action_dict
class Datacheckaction: """Base class for all DataCheckActions.""" def __init__(self, action_code, details=None): """ A recommended action returned by a DataCheck. Arguments: action_code (DataCheckActionCode): Action code associated with the action. details (dict, optional): Additional useful information associated with the action """ self.action_code = action_code self.details = details or {} def __eq__(self, other): """Checks for equality. Two DataCheckAction objs are considered equivalent if all of their attributes are equivalent.""" return self.action_code == other.action_code and self.details == other.details def to_dict(self): action_dict = {'code': self.action_code.name, 'details': self.details} return action_dict
def test_python_is_installed(host): assert host.run('python --version').rc == 0 def test_sudo_is_installed(host): assert host.run('sudo --version').rc == 0
def test_python_is_installed(host): assert host.run('python --version').rc == 0 def test_sudo_is_installed(host): assert host.run('sudo --version').rc == 0
"""Errors for messaging_service_scripts.""" class EndToEnd: """Errors for end-to-end benchmark code.""" class ReceivedUnexpectedObjectError(Exception): """Got an unexpected object from another process.""" class SubprocessTimeoutError(Exception): """Subprocess output timed out.""" class SubprocessFailedOperationError(Exception): """Subprocess reported a failure while performing an operation."""
"""Errors for messaging_service_scripts.""" class Endtoend: """Errors for end-to-end benchmark code.""" class Receivedunexpectedobjecterror(Exception): """Got an unexpected object from another process.""" class Subprocesstimeouterror(Exception): """Subprocess output timed out.""" class Subprocessfailedoperationerror(Exception): """Subprocess reported a failure while performing an operation."""
### we prepend t_ to tablenames and f_ to fieldnames for disambiguity ######################################## db.define_table('t_queue', Field('f_name', type='string', label=T('Name')), auth.signature, format='%(f_name)s', migrate=settings.migrate) db.define_table('t_queue_archive',db.t_queue,Field('current_record','reference t_queue',readable=False,writable=False))
db.define_table('t_queue', field('f_name', type='string', label=t('Name')), auth.signature, format='%(f_name)s', migrate=settings.migrate) db.define_table('t_queue_archive', db.t_queue, field('current_record', 'reference t_queue', readable=False, writable=False))
# -*- coding: utf-8 -*- # @author: Longxing Tan, tanlongxing888@163.com # @date: 2020-09 class GBDTRegressor(object): # This model can predict multiple steps time series prediction by GBDT model, and the main 3 mode can be all included def __init__(self, use_model, each_model_per_prediction, extend_prediction_to_train, extend_weights=None): pass def train(self, x_train, y_train, x_valid=None, y_valid=None, categorical_features=None, fit_params={}): pass def predict(self): pass def get_feature_importance(self): pass def _get_null_importance(self): pass def _get_permutation_importance(self): pass def _get_lofo_importance(self): pass
class Gbdtregressor(object): def __init__(self, use_model, each_model_per_prediction, extend_prediction_to_train, extend_weights=None): pass def train(self, x_train, y_train, x_valid=None, y_valid=None, categorical_features=None, fit_params={}): pass def predict(self): pass def get_feature_importance(self): pass def _get_null_importance(self): pass def _get_permutation_importance(self): pass def _get_lofo_importance(self): pass
# Definition for a binary tree node. # class TreeNode: # def __init__(self, val=0, left=None, right=None): # self.val = val # self.left = left # self.right = right class Solution: def maximumAverageSubtree(self, root: TreeNode) -> float: maxScore = 0 def dfs(curr): nonlocal maxScore if not curr: return (0, 0) leftSum, leftCount = dfs(curr.left) rightSum, rightCount = dfs(curr.right) totalSum = curr.val + leftSum + rightSum totalCount = 1 + leftCount + rightCount maxScore = max(maxScore, totalSum / totalCount) return (totalSum, totalCount) ans = dfs(root) return maxScore def maximumAverageSubtree(self, root: TreeNode) -> float: def dfs(curr): if not curr: return (0, 0, 0) leftSum, leftCount, leftMax = dfs(curr.left) rightSum, rightCount, rightMax = dfs(curr.right) totalSum = curr.val + leftSum + rightSum totalCount = 1 + leftCount + rightCount maxOfThree = max(leftMax, rightMax, totalSum / totalCount) return (totalSum, totalCount, maxOfThree) ans = dfs(root) return ans[2]
class Solution: def maximum_average_subtree(self, root: TreeNode) -> float: max_score = 0 def dfs(curr): nonlocal maxScore if not curr: return (0, 0) (left_sum, left_count) = dfs(curr.left) (right_sum, right_count) = dfs(curr.right) total_sum = curr.val + leftSum + rightSum total_count = 1 + leftCount + rightCount max_score = max(maxScore, totalSum / totalCount) return (totalSum, totalCount) ans = dfs(root) return maxScore def maximum_average_subtree(self, root: TreeNode) -> float: def dfs(curr): if not curr: return (0, 0, 0) (left_sum, left_count, left_max) = dfs(curr.left) (right_sum, right_count, right_max) = dfs(curr.right) total_sum = curr.val + leftSum + rightSum total_count = 1 + leftCount + rightCount max_of_three = max(leftMax, rightMax, totalSum / totalCount) return (totalSum, totalCount, maxOfThree) ans = dfs(root) return ans[2]
#shift cracker global iora; iora = "" alpha = ['a', 'b', 'c', 'd', 'e', 'f', 'g', 'h', 'i', 'j', 'k', 'l', 'm', 'n', 'o', 'p', 'q', 'r', 's', 't', 'u', 'v', 'w', 'x', 'y', 'z'] def crack(text): for integer in range(0,len(text)): v = text[integer] vv = text[integer+1] vvv = text[integer+2] if(v == " " and vvv == " "): iora = vv break #for the first 1 letter word being i shift = abs(8 - alpha.index(vv)) print("assuming i the shift is: "+ str(shift)) newlist = [] for integer in range(0,len(text)): if text[integer] == ' ': newlist.append(" ") continue newlist.append(alpha[alpha.index(text[integer])-shift]) out = ''.join(newlist) print(out) #for the first 1 letter word being a shift = abs(0 - alpha.index(vv)) print("assuming a the shift is: "+ str(shift)) newlist = [] for integer in range(0,len(text)): if text[integer] == ' ': newlist.append(" ") continue newlist.append(alpha[alpha.index(text[integer])-shift]) out = ''.join(newlist) print(out) crack("wkh vwrub ri d yhub kxqjub fdwhusloodu")
global iora iora = '' alpha = ['a', 'b', 'c', 'd', 'e', 'f', 'g', 'h', 'i', 'j', 'k', 'l', 'm', 'n', 'o', 'p', 'q', 'r', 's', 't', 'u', 'v', 'w', 'x', 'y', 'z'] def crack(text): for integer in range(0, len(text)): v = text[integer] vv = text[integer + 1] vvv = text[integer + 2] if v == ' ' and vvv == ' ': iora = vv break shift = abs(8 - alpha.index(vv)) print('assuming i the shift is: ' + str(shift)) newlist = [] for integer in range(0, len(text)): if text[integer] == ' ': newlist.append(' ') continue newlist.append(alpha[alpha.index(text[integer]) - shift]) out = ''.join(newlist) print(out) shift = abs(0 - alpha.index(vv)) print('assuming a the shift is: ' + str(shift)) newlist = [] for integer in range(0, len(text)): if text[integer] == ' ': newlist.append(' ') continue newlist.append(alpha[alpha.index(text[integer]) - shift]) out = ''.join(newlist) print(out) crack('wkh vwrub ri d yhub kxqjub fdwhusloodu')
class Singleton(type): instance = None def __call__(cls, *args, **kw): if not cls.instance: cls.instance = super(Singleton, cls).__call__(*args, **kw) return cls.instance class SingletonObject(object): __metaclass__ = Singleton a = SingletonObject() b = SingletonObject() print("singleton object a: " + a.__class__.__name__) print("singleton object b: " + b.__class__.__name__)
class Singleton(type): instance = None def __call__(cls, *args, **kw): if not cls.instance: cls.instance = super(Singleton, cls).__call__(*args, **kw) return cls.instance class Singletonobject(object): __metaclass__ = Singleton a = singleton_object() b = singleton_object() print('singleton object a: ' + a.__class__.__name__) print('singleton object b: ' + b.__class__.__name__)
# Django settings for example project. ########################################################################### INSTALLED_APPS = ( 'django.contrib.auth', 'django.contrib.contenttypes', 'django.contrib.sessions', 'django.contrib.sites', 'django.contrib.admin', 'example', #################################### 'ajax_select', # <- add the app #################################### ) ########################################################################### # DEFINE THE SEARCH CHANNELS: AJAX_LOOKUP_CHANNELS = { # simplest way, automatically construct a search channel by passing a dictionary 'label' : {'model':'example.label', 'search_field':'name'}, # Custom channels are specified with a tuple # channel: ( module.where_lookup_is, ClassNameOfLookup ) 'person' : ('example.lookups', 'PersonLookup'), 'group' : ('example.lookups', 'GroupLookup'), 'song' : ('example.lookups', 'SongLookup'), 'cliche' : ('example.lookups','ClicheLookup') } AJAX_SELECT_BOOTSTRAP = True # True: [easiest] # use the admin's jQuery if present else load from jquery's CDN # use jqueryUI if present else load from jquery's CDN # use jqueryUI theme if present else load one from jquery's CDN # False/None/Not set: [default] # you should include jQuery, jqueryUI + theme in your template AJAX_SELECT_INLINES = 'inline' # 'inline': [easiest] # includes the js and css inline # this gets you up and running easily # but on large admin pages or with higher traffic it will be a bit wasteful. # 'staticfiles': # @import the css/js from {{STATIC_URL}}/ajax_selects using django's staticfiles app # requires staticfiles to be installed and to run its management command to collect files # this still includes the css/js multiple times and is thus inefficient # but otherwise harmless # False/None: [default] # does not inline anything. include the css/js files in your compressor stack # or include them in the head of the admin/base_site.html template # this is the most efficient but takes the longest to configure # when using staticfiles you may implement your own ajax_select.css and customize to taste ########################################################################### # STANDARD CONFIG SETTINGS ############################################### DEBUG = True TEMPLATE_DEBUG = DEBUG ADMINS = ( # ('Your Name', 'your_email@domain.com'), ) MANAGERS = ADMINS DATABASE_ENGINE = 'sqlite3' # 'postgresql_psycopg2', 'postgresql', 'mysql', 'sqlite3' or 'oracle'. DATABASE_NAME = 'ajax_selects_example' # Or path to database file if using sqlite3. DATABASE_USER = '' # Not used with sqlite3. DATABASE_PASSWORD = '' # Not used with sqlite3. DATABASE_HOST = '' # Set to empty string for localhost. Not used with sqlite3. DATABASE_PORT = '' # Set to empty string for default. Not used with sqlite3. DATABASES = { 'default': { 'ENGINE': 'django.db.backends.sqlite3', 'NAME': 'ajax_selects_example' } } # Local time zone for this installation. Choices can be found here: # http://en.wikipedia.org/wiki/List_of_tz_zones_by_name # although not all choices may be available on all operating systems. # If running in a Windows environment this must be set to the same as your # system time zone. TIME_ZONE = 'America/Chicago' # Language code for this installation. All choices can be found here: # http://www.i18nguy.com/unicode/language-identifiers.html LANGUAGE_CODE = 'en-us' # for testing translations # LANGUAGE_CODE = 'de-at' SITE_ID = 1 # If you set this to False, Django will make some optimizations so as not # to load the internationalization machinery. USE_I18N = True # Absolute path to the directory that holds media. # Example: "/home/media/media.lawrence.com/" MEDIA_ROOT = '' # URL that handles the media served from MEDIA_ROOT. Make sure to use a # trailing slash if there is a path component (optional in other cases). # Examples: "http://media.lawrence.com", "http://example.com/media/" MEDIA_URL = '' # URL prefix for admin media -- CSS, JavaScript and images. Make sure to use a # trailing slash. # Examples: "http://foo.com/media/", "/media/". STATIC_URL = '/media/' # Make this unique, and don't share it with nobody. SECRET_KEY = '=9fhrrwrazha6r_m)r#+in*@n@i322ubzy4r+zz%wz$+y(=qpb' ROOT_URLCONF = 'example.urls' TEMPLATE_DIRS = ( # Put strings here, like "/home/html/django_templates" or "C:/www/django/templates". # Always use forward slashes, even on Windows. # Don't forget to use absolute paths, not relative paths. )
installed_apps = ('django.contrib.auth', 'django.contrib.contenttypes', 'django.contrib.sessions', 'django.contrib.sites', 'django.contrib.admin', 'example', 'ajax_select') ajax_lookup_channels = {'label': {'model': 'example.label', 'search_field': 'name'}, 'person': ('example.lookups', 'PersonLookup'), 'group': ('example.lookups', 'GroupLookup'), 'song': ('example.lookups', 'SongLookup'), 'cliche': ('example.lookups', 'ClicheLookup')} ajax_select_bootstrap = True ajax_select_inlines = 'inline' debug = True template_debug = DEBUG admins = () managers = ADMINS database_engine = 'sqlite3' database_name = 'ajax_selects_example' database_user = '' database_password = '' database_host = '' database_port = '' databases = {'default': {'ENGINE': 'django.db.backends.sqlite3', 'NAME': 'ajax_selects_example'}} time_zone = 'America/Chicago' language_code = 'en-us' site_id = 1 use_i18_n = True media_root = '' media_url = '' static_url = '/media/' secret_key = '=9fhrrwrazha6r_m)r#+in*@n@i322ubzy4r+zz%wz$+y(=qpb' root_urlconf = 'example.urls' template_dirs = ()
def load_wmap(filename): wmap = dict() with open(filename, 'rb') as fp: for line in fp: entry = line.strip().split('\t') if len(entry) != 2: continue try: wmap[entry[1].decode('utf-8')] = int(entry[0]) except ValueError: pass return wmap class BaseWMAP(object): def __init__(self, existing_wmap_filename=None): self.wmap = dict() if existing_wmap_filename is not None: self.wmap = load_wmap(existing_wmap_filename) self.next_id = max(self.wmap.values()) + 1 else: self.next_id = 0 def __str__(self): inv_wmap = {v: k for k, v in self.wmap.items()} out = '' for word_id, item in sorted(inv_wmap.items()): out += '%d\t%s\n' % (word_id, item.encode('utf-8')) return out def wmap(self, dataset): for sentence in dataset: self.wmap_sentence(sentence) def wmap_sentence(self, sentence_dmrs): raise NotImplementedError('sentence_wmap is not implemented.') def get_or_add_value(self, value): if value not in self.wmap: self.wmap[value] = self.next_id self.next_id += 1 return self.wmap[value] def get_wmap(self): return self.wmap def write_wmap(self, filename): inv_wmap = {v: k for k, v in self.wmap.items()} with open(filename, 'wb') as fp: for word_id, item in sorted(inv_wmap.items()): fp.write('%d\t%s\n' % (word_id, item.encode('utf-8'))) class SourceGraphWMAP(BaseWMAP): def wmap_sentence(self, sentence_dmrs): if sentence_dmrs is None: return for entity in sentence_dmrs: label = entity.attrib.get('label') if label is not None: entity.attrib['label_idx'] = str(self.get_or_add_value(label)) return sentence_dmrs
def load_wmap(filename): wmap = dict() with open(filename, 'rb') as fp: for line in fp: entry = line.strip().split('\t') if len(entry) != 2: continue try: wmap[entry[1].decode('utf-8')] = int(entry[0]) except ValueError: pass return wmap class Basewmap(object): def __init__(self, existing_wmap_filename=None): self.wmap = dict() if existing_wmap_filename is not None: self.wmap = load_wmap(existing_wmap_filename) self.next_id = max(self.wmap.values()) + 1 else: self.next_id = 0 def __str__(self): inv_wmap = {v: k for (k, v) in self.wmap.items()} out = '' for (word_id, item) in sorted(inv_wmap.items()): out += '%d\t%s\n' % (word_id, item.encode('utf-8')) return out def wmap(self, dataset): for sentence in dataset: self.wmap_sentence(sentence) def wmap_sentence(self, sentence_dmrs): raise not_implemented_error('sentence_wmap is not implemented.') def get_or_add_value(self, value): if value not in self.wmap: self.wmap[value] = self.next_id self.next_id += 1 return self.wmap[value] def get_wmap(self): return self.wmap def write_wmap(self, filename): inv_wmap = {v: k for (k, v) in self.wmap.items()} with open(filename, 'wb') as fp: for (word_id, item) in sorted(inv_wmap.items()): fp.write('%d\t%s\n' % (word_id, item.encode('utf-8'))) class Sourcegraphwmap(BaseWMAP): def wmap_sentence(self, sentence_dmrs): if sentence_dmrs is None: return for entity in sentence_dmrs: label = entity.attrib.get('label') if label is not None: entity.attrib['label_idx'] = str(self.get_or_add_value(label)) return sentence_dmrs
class Event: def __init__(self, _src, _target, _type, _time): self.src = _src self.target = _target self.type = _type self.time = _time def __eq__(self, other): return self.__dict__ == other.__dict__
class Event: def __init__(self, _src, _target, _type, _time): self.src = _src self.target = _target self.type = _type self.time = _time def __eq__(self, other): return self.__dict__ == other.__dict__
__author__ = 'Viswanath Chidambaram' __email__ = 'viswanc@thoughtworks.com' __version__ = '0.0.1'
__author__ = 'Viswanath Chidambaram' __email__ = 'viswanc@thoughtworks.com' __version__ = '0.0.1'
def test_str(project_client): project = project_client assert project.__str__() == project._domain.__str__() def test_get_repository(rubicon_client): rubicon = rubicon_client assert rubicon.repository == rubicon.config.repository
def test_str(project_client): project = project_client assert project.__str__() == project._domain.__str__() def test_get_repository(rubicon_client): rubicon = rubicon_client assert rubicon.repository == rubicon.config.repository
def to_d3_graph(g): """convert networkx format graph to d3 format node/edge attributes are copied """ data = {'nodes': [], 'edges': []} for n in g.nodes_iter(): node = g.node[n] # print('node', node) for f in ('topics', 'bow', 'hashtag_bow'): if f in node: del node[f] node['name'] = n data['nodes'].append(node) name2index = {n: i for i, n in enumerate(g.nodes_iter())} for s, t in g.edges_iter(): edge = g[s][t] edge['source'] = name2index[s] edge['target'] = name2index[t] data['edges'].append(edge) return data def add_subgraph_specific_attributes_to_graph( mother_graph, children_graphs_with_attrs): """ merge sub graphs into mother graph and add sub graph specific attributes to both nodes and edges in the sub graph for each children, it should be a subgraph of mother_g children_graphs_with_attrs: list of tuples of (graph, dict) """ for sub_g, attrs in children_graphs_with_attrs: for n in sub_g.nodes_iter(): assert n in mother_graph, '{} not in mother graph'.format(n) mother_graph.node[n].update(attrs) for s, t in sub_g.edges_iter(): assert mother_graph.has_edge(s, t) mother_graph[s][t].update(attrs) return mother_graph
def to_d3_graph(g): """convert networkx format graph to d3 format node/edge attributes are copied """ data = {'nodes': [], 'edges': []} for n in g.nodes_iter(): node = g.node[n] for f in ('topics', 'bow', 'hashtag_bow'): if f in node: del node[f] node['name'] = n data['nodes'].append(node) name2index = {n: i for (i, n) in enumerate(g.nodes_iter())} for (s, t) in g.edges_iter(): edge = g[s][t] edge['source'] = name2index[s] edge['target'] = name2index[t] data['edges'].append(edge) return data def add_subgraph_specific_attributes_to_graph(mother_graph, children_graphs_with_attrs): """ merge sub graphs into mother graph and add sub graph specific attributes to both nodes and edges in the sub graph for each children, it should be a subgraph of mother_g children_graphs_with_attrs: list of tuples of (graph, dict) """ for (sub_g, attrs) in children_graphs_with_attrs: for n in sub_g.nodes_iter(): assert n in mother_graph, '{} not in mother graph'.format(n) mother_graph.node[n].update(attrs) for (s, t) in sub_g.edges_iter(): assert mother_graph.has_edge(s, t) mother_graph[s][t].update(attrs) return mother_graph
# EXAMPLE PATH: define the actual path on your system gpkg_path = "C:/Users/joker/OneDrive/Mantsa 6. vuosi/Work/PYQGIS-dev/data/practical_data.gpkg" # windows gpkg_layer = QgsVectorLayer(gpkg_path, "whole_gpkg", "ogr") # returns a list of strings describing the sublayers # !!::!! separetes the values # EXAMPLE: 1!!::!!Paavo!!::!!3027!!::!!MultiPolygon!!::!!geom!!::!! sub_strings = gpkg_layer.dataProvider().subLayers() for sub_string in sub_strings: layer_name = sub_string.split(gpkg_layer.dataProvider().sublayerSeparator())[1] uri = "{0}|layername={1}".format(gpkg_path, layer_name) # Create layer sub_vlayer = QgsVectorLayer(uri, layer_name, 'ogr') # Add layer to map if sub_vlayer.isValid(): QgsProject.instance().addMapLayer(sub_vlayer) else: print("Can't add layer", layer_name)
gpkg_path = 'C:/Users/joker/OneDrive/Mantsa 6. vuosi/Work/PYQGIS-dev/data/practical_data.gpkg' gpkg_layer = qgs_vector_layer(gpkg_path, 'whole_gpkg', 'ogr') sub_strings = gpkg_layer.dataProvider().subLayers() for sub_string in sub_strings: layer_name = sub_string.split(gpkg_layer.dataProvider().sublayerSeparator())[1] uri = '{0}|layername={1}'.format(gpkg_path, layer_name) sub_vlayer = qgs_vector_layer(uri, layer_name, 'ogr') if sub_vlayer.isValid(): QgsProject.instance().addMapLayer(sub_vlayer) else: print("Can't add layer", layer_name)
class HttpError(Exception): def __init__(self, res, data): self.res = res self.status = res.status_code self.reason = res.reason_phrase self.method = res.method if isinstance(data, dict): self.message = data.get('statusMessage', '') else: self.message = str(data) error = '{0.reason} ({0.status}): {0.message}' super().__init__(error.format(self)) class RequestError(Exception): pass
class Httperror(Exception): def __init__(self, res, data): self.res = res self.status = res.status_code self.reason = res.reason_phrase self.method = res.method if isinstance(data, dict): self.message = data.get('statusMessage', '') else: self.message = str(data) error = '{0.reason} ({0.status}): {0.message}' super().__init__(error.format(self)) class Requesterror(Exception): pass
# -*- python -*- # Copyright 2009, Google Inc. # All rights reserved. # # Redistribution and use in source and binary forms, with or without # modification, are permitted provided that the following conditions are # met: # # * Redistributions of source code must retain the above copyright # notice, this list of conditions and the following disclaimer. # * Redistributions in binary form must reproduce the above # copyright notice, this list of conditions and the following disclaimer # in the documentation and/or other materials provided with the # distribution. # * Neither the name of Google Inc. nor the names of its # contributors may be used to endorse or promote products derived from # this software without specific prior written permission. # # THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS # "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT # LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR # A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT # OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, # SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT # LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, # DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY # THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT # (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE # OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. { 'variables': { 'conditions': [ ['OS=="linux"', { 'syscall_handler': [ 'linux/nacl_syscall_impl.c' ], }], ['OS=="mac"', { 'syscall_handler': [ 'linux/nacl_syscall_impl.c' ], }], ['OS=="win"', { 'syscall_handler': [ 'win/nacl_syscall_impl.c' ], 'msvs_cygwin_shell': 0, }], ], }, 'includes': [ '../../../build/common.gypi', ], 'target_defaults': { 'variables':{ 'target_base': 'none', }, 'target_conditions': [ ['OS=="linux" or OS=="mac"', { 'cflags': [ '-fexceptions', ], 'cflags_cc' : [ '-frtti', ] }], ['OS=="mac"', { 'xcode_settings': { 'GCC_ENABLE_CPP_EXCEPTIONS': 'YES', # -fexceptions 'GCC_ENABLE_CPP_RTTI': 'YES', # -frtti } }], ['target_base=="sel"', { 'sources': [ 'dyn_array.c', 'env_cleanser.c', 'nacl_all_modules.c', 'nacl_app_thread.c', 'nacl_bottom_half.c', 'nacl_closure.c', 'nacl_debug.cc', 'nacl_desc_effector_ldr.c', 'nacl_globals.c', 'nacl_memory_object.c', 'nacl_signal_common.c', 'nacl_sync_queue.c', 'nacl_syscall_common.c', 'nacl_syscall_hook.c', 'nacl_text.c', 'sel_addrspace.c', 'sel_ldr.c', 'sel_ldr-inl.c', 'sel_ldr_standard.c', 'elf_util.c', 'sel_main_chrome.c', 'sel_mem.c', 'sel_qualify.c', 'sel_util.c', 'sel_util-inl.c', 'sel_validate_image.c', ], 'include_dirs': [ # For generated header files from the x86-64 validator, # e.g. nacl_disallows.h. '<(SHARED_INTERMEDIATE_DIR)', '<(DEPTH)/gdb_utils/src', ], 'sources!': [ '<(syscall_handler)', ], 'actions': [ { 'action_name': 'nacl_syscall_handler', 'inputs': [ 'nacl_syscall_handlers_gen2.py', '<(syscall_handler)', ], 'action': # TODO(gregoryd): find out how to generate a file # in such a location that can be found in both # NaCl and Chrome builds. ['<@(python_exe)', 'nacl_syscall_handlers_gen2.py', '-c', '-f', 'Video', '-f', 'Audio', '-f', 'Multimedia', '-i', '<@(syscall_handler)', '-o', '<@(_outputs)'], 'msvs_cygwin_shell': 0, 'msvs_quote_cmd': 0, 'outputs': [ '<(INTERMEDIATE_DIR)/nacl_syscall_handlers.c', ], 'process_outputs_as_sources': 1, 'message': 'Creating nacl_syscall_handlers.c', }, ], 'conditions': [ ['OS=="mac"', { 'sources': [ 'osx/nacl_ldt.c', 'osx/nacl_thread_nice.c', 'linux/sel_memory.c', 'linux/x86/sel_segments.c', 'osx/outer_sandbox.c', ], }], ['OS=="win"', { 'sources': [ 'win/nacl_ldt.c', 'win/nacl_thread_nice.c', 'win/sel_memory.c', 'win/sel_segments.c', ], }], # TODO(gregoryd): move arm-specific stuff into a separate gyp file. ['target_arch=="arm"', { 'sources': [ 'arch/arm/nacl_app.c', 'arch/arm/nacl_switch_to_app_arm.c', 'arch/arm/sel_rt.c', 'arch/arm/nacl_tls.c', 'arch/arm/sel_ldr_arm.c', 'arch/arm/sel_addrspace_arm.c', 'arch/arm/nacl_switch.S', 'arch/arm/nacl_syscall.S', 'arch/arm/springboard.S', 'arch/arm/tramp_arm.S', 'linux/nacl_signal_arm.c', ], }], ['OS=="linux"', { 'sources': [ 'linux/sel_memory.c', 'linux/nacl_thread_nice.c', ], 'conditions': [ ['target_arch=="ia32" or target_arch=="x64"', { 'sources': [ 'linux/x86/nacl_ldt.c', 'linux/x86/sel_segments.c', ], }], ['target_arch=="arm"', { 'sources': [ 'linux/arm/sel_segments.c', ], }], ], }], ['OS=="linux" or OS=="mac" or OS=="FreeBSD"', { 'sources': [ 'posix/nacl_signal.c', ], }], ['OS=="win"', { 'sources': [ 'win/nacl_signal.c', ], }], ], }], ], }, 'targets': [ { 'target_name': 'sel', 'type': 'static_library', 'variables': { 'target_base': 'sel', }, 'dependencies': [ 'gio_wrapped_desc', '<(DEPTH)/native_client/src/trusted/desc/desc.gyp:nrd_xfer', '<(DEPTH)/native_client/src/shared/gio/gio.gyp:gio', '<(DEPTH)/native_client/src/shared/platform/platform.gyp:platform', '<(DEPTH)/native_client/src/shared/srpc/srpc.gyp:nonnacl_srpc', '<(DEPTH)/native_client/src/trusted/gdb_rsp/gdb_rsp.gyp:gdb_rsp', '<(DEPTH)/native_client/src/trusted/debug_stub/debug_stub.gyp:debug_stub', ], 'conditions': [ ['target_arch=="arm"', { 'dependencies': [ '<(DEPTH)/native_client/src/trusted/validator_arm/validator_arm.gyp:ncvalidate_arm_v2', ], }], ['target_arch=="ia32" or target_arch=="x64"', { 'dependencies': [ 'arch/x86/service_runtime_x86.gyp:service_runtime_x86_common', ], }], ['target_arch == "ia32"', { 'dependencies': [ 'arch/x86_32/service_runtime_x86_32.gyp:service_runtime_x86_32', ], }], ['target_arch == "x64"', { 'dependencies': [ 'arch/x86_64/service_runtime_x86_64.gyp:service_runtime_x86_64', '<(DEPTH)/native_client/src/trusted/validator_x86/validator_x86.gyp:ncvalidate_sfi', ], }], ['nacl_standalone==0 and OS=="win"', { 'dependencies': [ '<(DEPTH)/native_client/src/trusted/handle_pass/handle_pass.gyp:ldrhandle', ], }], ['OS=="win" and win32_breakpad==1', { 'dependencies': [ '<(DEPTH)/native_client/src/trusted/nacl_breakpad/nacl_breakpad.gyp:nacl_breakpad', ], }], ], }, { 'target_name': 'container', 'type': 'static_library', 'sources': [ 'generic_container/container.c', ], }, { 'target_name': 'nacl_xdr', 'type': 'static_library', 'sources': [ 'fs/xdr.c', 'fs/obj_proxy.c', ], }, { 'target_name': 'gio_wrapped_desc', 'type': 'static_library', 'sources': [ 'gio_shm.c', 'gio_shm_unbounded.c', 'gio_nacl_desc.c', ], 'dependencies': [ '<(DEPTH)/native_client/src/shared/gio/gio.gyp:gio', '<(DEPTH)/native_client/src/shared/platform/platform.gyp:platform', '<(DEPTH)/native_client/src/trusted/desc/desc.gyp:nrd_xfer', ], }, { 'target_name': 'sel_ldr', 'type': 'executable', # TODO(gregoryd): currently building sel_ldr without SDL 'dependencies': [ 'sel', 'gio_wrapped_desc', '<(DEPTH)/native_client/src/shared/platform/platform.gyp:platform', '<(DEPTH)/native_client/src/trusted/platform_qualify/platform_qualify.gyp:platform_qual_lib', ], 'sources': [ 'sel_main.c', ], }, # no tests are built here; see service_runtime_test.gyp ], 'conditions': [ ['OS=="win"', { 'targets': [ { 'target_name': 'sel64', 'type': 'static_library', 'variables': { 'target_base': 'sel', 'win_target': 'x64', }, 'dependencies': [ 'gio_wrapped_desc64', '<(DEPTH)/native_client/src/trusted/desc/desc.gyp:nrd_xfer64', '<(DEPTH)/native_client/src/shared/gio/gio.gyp:gio64', '<(DEPTH)/native_client/src/trusted/validator_x86/validator_x86.gyp:ncvalidate_sfi64', '<(DEPTH)/native_client/src/trusted/validator_x86/validator_x86.gyp:ncopcode_utils_gen', '<(DEPTH)/native_client/src/shared/srpc/srpc.gyp:nonnacl_srpc64', 'arch/x86/service_runtime_x86.gyp:service_runtime_x86_common64', 'arch/x86_64/service_runtime_x86_64.gyp:service_runtime_x86_64', '<(DEPTH)/native_client/src/trusted/gdb_rsp/gdb_rsp.gyp:gdb_rsp64', '<(DEPTH)/native_client/src/trusted/debug_stub/debug_stub.gyp:debug_stub64', ], 'conditions': [ ['nacl_standalone==0 and OS=="win"', { 'dependencies': [ '<(DEPTH)/native_client/src/trusted/handle_pass/handle_pass.gyp:ldrhandle64', ], }], ['win64_breakpad==1', { 'dependencies': [ '<(DEPTH)/native_client/src/trusted/nacl_breakpad/nacl_breakpad.gyp:nacl_breakpad64', ], }], ], }, { 'target_name': 'container64', 'type': 'static_library', 'variables': { 'win_target': 'x64', }, 'sources': [ 'generic_container/container.c', ], }, { 'target_name': 'nacl_xdr64', 'type': 'static_library', 'variables': { 'win_target': 'x64', }, 'sources': [ 'fs/xdr.c', 'fs/obj_proxy.c', ], }, { 'target_name': 'gio_wrapped_desc64', 'type': 'static_library', 'variables': { 'win_target': 'x64', }, 'sources': [ 'gio_shm.c', 'gio_shm_unbounded.c', 'gio_nacl_desc.c', ], 'dependencies': [ '<(DEPTH)/native_client/src/shared/gio/gio.gyp:gio64', '<(DEPTH)/native_client/src/shared/platform/platform.gyp:platform64', '<(DEPTH)/native_client/src/trusted/desc/desc.gyp:nrd_xfer64', ], }, { 'target_name': 'sel_ldr64', 'type': 'executable', 'variables': { 'win_target': 'x64', }, # TODO(gregoryd): currently building sel_ldr without SDL 'dependencies': [ 'sel64', 'gio_wrapped_desc64', '<(DEPTH)/native_client/src/shared/platform/platform.gyp:platform64', '<(DEPTH)/native_client/src/trusted/platform_qualify/platform_qualify.gyp:platform_qual_lib64', ], 'sources': [ 'sel_main.c', ], }, # TODO(bsy): no tests are built; see build.scons ], }], ] }
{'variables': {'conditions': [['OS=="linux"', {'syscall_handler': ['linux/nacl_syscall_impl.c']}], ['OS=="mac"', {'syscall_handler': ['linux/nacl_syscall_impl.c']}], ['OS=="win"', {'syscall_handler': ['win/nacl_syscall_impl.c'], 'msvs_cygwin_shell': 0}]]}, 'includes': ['../../../build/common.gypi'], 'target_defaults': {'variables': {'target_base': 'none'}, 'target_conditions': [['OS=="linux" or OS=="mac"', {'cflags': ['-fexceptions'], 'cflags_cc': ['-frtti']}], ['OS=="mac"', {'xcode_settings': {'GCC_ENABLE_CPP_EXCEPTIONS': 'YES', 'GCC_ENABLE_CPP_RTTI': 'YES'}}], ['target_base=="sel"', {'sources': ['dyn_array.c', 'env_cleanser.c', 'nacl_all_modules.c', 'nacl_app_thread.c', 'nacl_bottom_half.c', 'nacl_closure.c', 'nacl_debug.cc', 'nacl_desc_effector_ldr.c', 'nacl_globals.c', 'nacl_memory_object.c', 'nacl_signal_common.c', 'nacl_sync_queue.c', 'nacl_syscall_common.c', 'nacl_syscall_hook.c', 'nacl_text.c', 'sel_addrspace.c', 'sel_ldr.c', 'sel_ldr-inl.c', 'sel_ldr_standard.c', 'elf_util.c', 'sel_main_chrome.c', 'sel_mem.c', 'sel_qualify.c', 'sel_util.c', 'sel_util-inl.c', 'sel_validate_image.c'], 'include_dirs': ['<(SHARED_INTERMEDIATE_DIR)', '<(DEPTH)/gdb_utils/src'], 'sources!': ['<(syscall_handler)'], 'actions': [{'action_name': 'nacl_syscall_handler', 'inputs': ['nacl_syscall_handlers_gen2.py', '<(syscall_handler)'], 'action': ['<@(python_exe)', 'nacl_syscall_handlers_gen2.py', '-c', '-f', 'Video', '-f', 'Audio', '-f', 'Multimedia', '-i', '<@(syscall_handler)', '-o', '<@(_outputs)'], 'msvs_cygwin_shell': 0, 'msvs_quote_cmd': 0, 'outputs': ['<(INTERMEDIATE_DIR)/nacl_syscall_handlers.c'], 'process_outputs_as_sources': 1, 'message': 'Creating nacl_syscall_handlers.c'}], 'conditions': [['OS=="mac"', {'sources': ['osx/nacl_ldt.c', 'osx/nacl_thread_nice.c', 'linux/sel_memory.c', 'linux/x86/sel_segments.c', 'osx/outer_sandbox.c']}], ['OS=="win"', {'sources': ['win/nacl_ldt.c', 'win/nacl_thread_nice.c', 'win/sel_memory.c', 'win/sel_segments.c']}], ['target_arch=="arm"', {'sources': ['arch/arm/nacl_app.c', 'arch/arm/nacl_switch_to_app_arm.c', 'arch/arm/sel_rt.c', 'arch/arm/nacl_tls.c', 'arch/arm/sel_ldr_arm.c', 'arch/arm/sel_addrspace_arm.c', 'arch/arm/nacl_switch.S', 'arch/arm/nacl_syscall.S', 'arch/arm/springboard.S', 'arch/arm/tramp_arm.S', 'linux/nacl_signal_arm.c']}], ['OS=="linux"', {'sources': ['linux/sel_memory.c', 'linux/nacl_thread_nice.c'], 'conditions': [['target_arch=="ia32" or target_arch=="x64"', {'sources': ['linux/x86/nacl_ldt.c', 'linux/x86/sel_segments.c']}], ['target_arch=="arm"', {'sources': ['linux/arm/sel_segments.c']}]]}], ['OS=="linux" or OS=="mac" or OS=="FreeBSD"', {'sources': ['posix/nacl_signal.c']}], ['OS=="win"', {'sources': ['win/nacl_signal.c']}]]}]]}, 'targets': [{'target_name': 'sel', 'type': 'static_library', 'variables': {'target_base': 'sel'}, 'dependencies': ['gio_wrapped_desc', '<(DEPTH)/native_client/src/trusted/desc/desc.gyp:nrd_xfer', '<(DEPTH)/native_client/src/shared/gio/gio.gyp:gio', '<(DEPTH)/native_client/src/shared/platform/platform.gyp:platform', '<(DEPTH)/native_client/src/shared/srpc/srpc.gyp:nonnacl_srpc', '<(DEPTH)/native_client/src/trusted/gdb_rsp/gdb_rsp.gyp:gdb_rsp', '<(DEPTH)/native_client/src/trusted/debug_stub/debug_stub.gyp:debug_stub'], 'conditions': [['target_arch=="arm"', {'dependencies': ['<(DEPTH)/native_client/src/trusted/validator_arm/validator_arm.gyp:ncvalidate_arm_v2']}], ['target_arch=="ia32" or target_arch=="x64"', {'dependencies': ['arch/x86/service_runtime_x86.gyp:service_runtime_x86_common']}], ['target_arch == "ia32"', {'dependencies': ['arch/x86_32/service_runtime_x86_32.gyp:service_runtime_x86_32']}], ['target_arch == "x64"', {'dependencies': ['arch/x86_64/service_runtime_x86_64.gyp:service_runtime_x86_64', '<(DEPTH)/native_client/src/trusted/validator_x86/validator_x86.gyp:ncvalidate_sfi']}], ['nacl_standalone==0 and OS=="win"', {'dependencies': ['<(DEPTH)/native_client/src/trusted/handle_pass/handle_pass.gyp:ldrhandle']}], ['OS=="win" and win32_breakpad==1', {'dependencies': ['<(DEPTH)/native_client/src/trusted/nacl_breakpad/nacl_breakpad.gyp:nacl_breakpad']}]]}, {'target_name': 'container', 'type': 'static_library', 'sources': ['generic_container/container.c']}, {'target_name': 'nacl_xdr', 'type': 'static_library', 'sources': ['fs/xdr.c', 'fs/obj_proxy.c']}, {'target_name': 'gio_wrapped_desc', 'type': 'static_library', 'sources': ['gio_shm.c', 'gio_shm_unbounded.c', 'gio_nacl_desc.c'], 'dependencies': ['<(DEPTH)/native_client/src/shared/gio/gio.gyp:gio', '<(DEPTH)/native_client/src/shared/platform/platform.gyp:platform', '<(DEPTH)/native_client/src/trusted/desc/desc.gyp:nrd_xfer']}, {'target_name': 'sel_ldr', 'type': 'executable', 'dependencies': ['sel', 'gio_wrapped_desc', '<(DEPTH)/native_client/src/shared/platform/platform.gyp:platform', '<(DEPTH)/native_client/src/trusted/platform_qualify/platform_qualify.gyp:platform_qual_lib'], 'sources': ['sel_main.c']}], 'conditions': [['OS=="win"', {'targets': [{'target_name': 'sel64', 'type': 'static_library', 'variables': {'target_base': 'sel', 'win_target': 'x64'}, 'dependencies': ['gio_wrapped_desc64', '<(DEPTH)/native_client/src/trusted/desc/desc.gyp:nrd_xfer64', '<(DEPTH)/native_client/src/shared/gio/gio.gyp:gio64', '<(DEPTH)/native_client/src/trusted/validator_x86/validator_x86.gyp:ncvalidate_sfi64', '<(DEPTH)/native_client/src/trusted/validator_x86/validator_x86.gyp:ncopcode_utils_gen', '<(DEPTH)/native_client/src/shared/srpc/srpc.gyp:nonnacl_srpc64', 'arch/x86/service_runtime_x86.gyp:service_runtime_x86_common64', 'arch/x86_64/service_runtime_x86_64.gyp:service_runtime_x86_64', '<(DEPTH)/native_client/src/trusted/gdb_rsp/gdb_rsp.gyp:gdb_rsp64', '<(DEPTH)/native_client/src/trusted/debug_stub/debug_stub.gyp:debug_stub64'], 'conditions': [['nacl_standalone==0 and OS=="win"', {'dependencies': ['<(DEPTH)/native_client/src/trusted/handle_pass/handle_pass.gyp:ldrhandle64']}], ['win64_breakpad==1', {'dependencies': ['<(DEPTH)/native_client/src/trusted/nacl_breakpad/nacl_breakpad.gyp:nacl_breakpad64']}]]}, {'target_name': 'container64', 'type': 'static_library', 'variables': {'win_target': 'x64'}, 'sources': ['generic_container/container.c']}, {'target_name': 'nacl_xdr64', 'type': 'static_library', 'variables': {'win_target': 'x64'}, 'sources': ['fs/xdr.c', 'fs/obj_proxy.c']}, {'target_name': 'gio_wrapped_desc64', 'type': 'static_library', 'variables': {'win_target': 'x64'}, 'sources': ['gio_shm.c', 'gio_shm_unbounded.c', 'gio_nacl_desc.c'], 'dependencies': ['<(DEPTH)/native_client/src/shared/gio/gio.gyp:gio64', '<(DEPTH)/native_client/src/shared/platform/platform.gyp:platform64', '<(DEPTH)/native_client/src/trusted/desc/desc.gyp:nrd_xfer64']}, {'target_name': 'sel_ldr64', 'type': 'executable', 'variables': {'win_target': 'x64'}, 'dependencies': ['sel64', 'gio_wrapped_desc64', '<(DEPTH)/native_client/src/shared/platform/platform.gyp:platform64', '<(DEPTH)/native_client/src/trusted/platform_qualify/platform_qualify.gyp:platform_qual_lib64'], 'sources': ['sel_main.c']}]}]]}
''' 1. Write a Python program to find the single element appears once in a list where every element appears four times except for one. Input : [1, 1, 1, 2, 2, 2, 3] Output : 3 2. Write a Python program to find two elements appear twice in a list where all the other elements appear exactly twice in the list. Input : [1, 2, 1, 3, 2, 5] Output :[5, 3] 3. Write a Python program to add the digits of a positive integer repeatedly until the result has a single digit. Input : 48 Output : 3 For example given number is 59, the result will be 5. Step 1: 5 + 9 = 14 Step 1: 1 + 4 = 5 '''
""" 1. Write a Python program to find the single element appears once in a list where every element appears four times except for one. Input : [1, 1, 1, 2, 2, 2, 3] Output : 3 2. Write a Python program to find two elements appear twice in a list where all the other elements appear exactly twice in the list. Input : [1, 2, 1, 3, 2, 5] Output :[5, 3] 3. Write a Python program to add the digits of a positive integer repeatedly until the result has a single digit. Input : 48 Output : 3 For example given number is 59, the result will be 5. Step 1: 5 + 9 = 14 Step 1: 1 + 4 = 5 """
# Implementation of Doubly Linked List. """In computer science, a doubly linked list is a linked data structure that consists of a set of sequentially linked records called nodes. ... The beginning and ending nodes' previous and next links, respectively, point to some kind of terminator, typically a sentinel node or null, to facilitate traversal of the list""" class Node: def __init__(self, data=None, next=None, prev=None): self.data = data self.next = next self.prev = prev class LinkedList: def __init__(self): self.head = None def insertAtBeginning(self, data): if self.head is None: node = Node(data, self.head, None) self.head = node return else: node = Node(data, self.head, None) self.head.prev = node self.head = node def getLength(self): count=0 monkey=self.head while monkey: count+=1 monkey = monkey.next return count def insertSpecificPosition(self, index, data) : if index < 0 or index > self.getLength(): raise Exception("Invalid Index") if index == 0: self.insertAtBeginning(data) return count = 0 monkey = self.head while monkey: if count == index-1: node = Node(data, monkey.next, monkey) print("Item Inserted", data) monkey.next.prev = node monkey.next = node break monkey = monkey.next count += 1 def deleteAtEnd(self): if self.head is None: print("List is Empty, Deletion operation is Abandaned") return None if self.head.next is None: #If one node in a DLL print("Deleted item: ", self.head.data) temp = self.head temp = None self.head = None else: monkey = self.head while monkey.next != None: monkey = monkey.next print("Deleted item: ", monkey.data) monkey.prev.next = None monkey = None def deleteData(self, value): if self.head is None: print("List is empty!!") return elif self.head.data == value: print("Deleted item is: ", self.head.data) if self.head.next is None: self.head = None return else: self.head = self.head.next self.head.prev = None return monkey = self.head while monkey: if monkey.data == value and monkey.next is None: self.deleteAtEnd() monkey = monkey.next else: monkey = self.head while monkey.next: if monkey.data == value: print("Deleted item is: ", monkey.data) monkey.prev.next = monkey.next monkey.next.prev = monkey.prev monkey = monkey.next def searchElement(self, value): if self.head is None: print("List is Empty") return else: monkey = self.head count = 0 while monkey: if monkey.data == value: print(value, " is founded at the position ", count) break monkey = monkey.next count += 1 else: print(value," is NOT in the List!!") def display(self): if self.head is None: print("List is Empty") return monkey = self.head while monkey: print(monkey.data) monkey = monkey.next MenuDriven = LinkedList() while(1): print("\n1. INSERT AT BEGINNING") print("2. INSERT AT SPECIFIC POSITION") print("3. DELETE LAST NODE") print("4. DELETE A SPECIFIC DATA") print("5. SEARCH") print("6. DISPLAY") print("7. EXIT") userInput = int(input("Enter your choice: ")) if userInput == 1: BegValue = int(input("Enter the Beginning value: ")) MenuDriven.insertAtBeginning(BegValue) elif userInput == 2: index = int(input("Enter the index: ")) userData = int(input("Enter the value: ")) MenuDriven.insertSpecificPosition(index, userData) elif userInput == 3: MenuDriven.deleteAtEnd() elif userInput == 4: delValue = int(input("Enter the value to Delete: ")) MenuDriven.deleteData(delValue) elif userInput == 5: searchVal = int(input("Enter the value to be Searched: ")) MenuDriven.searchElement(searchVal) elif userInput == 6: MenuDriven.display() elif userInput == 7: break else: print(userInput, " is NOT available in the MENU!!")
"""In computer science, a doubly linked list is a linked data structure that consists of a set of sequentially linked records called nodes. ... The beginning and ending nodes' previous and next links, respectively, point to some kind of terminator, typically a sentinel node or null, to facilitate traversal of the list""" class Node: def __init__(self, data=None, next=None, prev=None): self.data = data self.next = next self.prev = prev class Linkedlist: def __init__(self): self.head = None def insert_at_beginning(self, data): if self.head is None: node = node(data, self.head, None) self.head = node return else: node = node(data, self.head, None) self.head.prev = node self.head = node def get_length(self): count = 0 monkey = self.head while monkey: count += 1 monkey = monkey.next return count def insert_specific_position(self, index, data): if index < 0 or index > self.getLength(): raise exception('Invalid Index') if index == 0: self.insertAtBeginning(data) return count = 0 monkey = self.head while monkey: if count == index - 1: node = node(data, monkey.next, monkey) print('Item Inserted', data) monkey.next.prev = node monkey.next = node break monkey = monkey.next count += 1 def delete_at_end(self): if self.head is None: print('List is Empty, Deletion operation is Abandaned') return None if self.head.next is None: print('Deleted item: ', self.head.data) temp = self.head temp = None self.head = None else: monkey = self.head while monkey.next != None: monkey = monkey.next print('Deleted item: ', monkey.data) monkey.prev.next = None monkey = None def delete_data(self, value): if self.head is None: print('List is empty!!') return elif self.head.data == value: print('Deleted item is: ', self.head.data) if self.head.next is None: self.head = None return else: self.head = self.head.next self.head.prev = None return monkey = self.head while monkey: if monkey.data == value and monkey.next is None: self.deleteAtEnd() monkey = monkey.next else: monkey = self.head while monkey.next: if monkey.data == value: print('Deleted item is: ', monkey.data) monkey.prev.next = monkey.next monkey.next.prev = monkey.prev monkey = monkey.next def search_element(self, value): if self.head is None: print('List is Empty') return else: monkey = self.head count = 0 while monkey: if monkey.data == value: print(value, ' is founded at the position ', count) break monkey = monkey.next count += 1 else: print(value, ' is NOT in the List!!') def display(self): if self.head is None: print('List is Empty') return monkey = self.head while monkey: print(monkey.data) monkey = monkey.next menu_driven = linked_list() while 1: print('\n1. INSERT AT BEGINNING') print('2. INSERT AT SPECIFIC POSITION') print('3. DELETE LAST NODE') print('4. DELETE A SPECIFIC DATA') print('5. SEARCH') print('6. DISPLAY') print('7. EXIT') user_input = int(input('Enter your choice: ')) if userInput == 1: beg_value = int(input('Enter the Beginning value: ')) MenuDriven.insertAtBeginning(BegValue) elif userInput == 2: index = int(input('Enter the index: ')) user_data = int(input('Enter the value: ')) MenuDriven.insertSpecificPosition(index, userData) elif userInput == 3: MenuDriven.deleteAtEnd() elif userInput == 4: del_value = int(input('Enter the value to Delete: ')) MenuDriven.deleteData(delValue) elif userInput == 5: search_val = int(input('Enter the value to be Searched: ')) MenuDriven.searchElement(searchVal) elif userInput == 6: MenuDriven.display() elif userInput == 7: break else: print(userInput, ' is NOT available in the MENU!!')
class RuleChecker: def __init__(self): pass ''' data: a list of data that has the format {'price': 0.5}, sorted by time descending ''' def check(self, rule, data): return getattr(self, rule)(data) def oldest_newest_single_larger_than_5per(self, tickerData): data = tickerData['data'] print(data) return True def oldest_latest_avg_of_5_larger_than_5per(self, tickerData): data = tickerData['data'] parsedData = list(map(lambda x: float(x['price']), data)) if len(data) < 10: print("Failed for rule oldest_latest_avg_of_5_larger_than_5per: There are fewer than 10 data") return False latestAvg = sum(parsedData[:5]) / 5.0 oldestAvg = sum(parsedData[-5:]) / 5.0 percentageChange = 100 * (latestAvg - oldestAvg) / oldestAvg msg = '{0} - {1} - oldest_latest_avg_of_5_larger_than_5per: {2}%'.format(tickerData['exchange'], tickerData['ticker'], percentageChange) if (abs(percentageChange) > 5): print('!!!ALERT!!! ' + msg + ' !!!ALERT!!!') return True print(msg) return False if __name__ == '__main__': data = [{'price': 4615}, {'price': 4615}, {'price': 4380}, {'price': 3935.1}, {'price': 4149.9}, {'price': 3918}, {'price': 3850}, {'price': 3720}, {'price': 3700}, {'price': 3579.7}, {'price': 3499.8}, {'price': 3499.1}, {'price': 3699.8}, {'price': 3577}, {'price': 3577.1}, {'price': 3644.6}, {'price': 3546.3}, {'price': 3480.2}, {'price': 3354.8}, {'price': 3310.6}, {'price': 3132.1}, {'price': 3152.1}, {'price': 2995.2}, {'price': 3167}, {'price': 3387}, {'price': 3374.3}, {'price': 3421.1}, {'price': 3091.8}, {'price': 2993}, {'price': 3092.7}, {'price': 2947.9}, {'price': 3254.4}, {'price': 3540}, {'price': 3514.3}, {'price': 3474.1}, {'price': 3601.6}, {'price': 3750}, {'price': 3947.4}, {'price': 3892.3}, {'price': 3653.6}, {'price': 3588.9}, {'price': 3774.7}, {'price': 3863.6}, {'price': 4051.2}, {'price': 3946.5}, {'price': 3827.9}, {'price': 3811.7}, {'price': 3619}, {'price': 3671.9}, {'price': 3661}, {'price': 3751.7}, {'price': 3592.3}, {'price': 3601.2}, {'price': 3396.9}, {'price': 3458.4}, {'price': 3508.4}, {'price': 3424.8}, {'price': 3670.5}, {'price': 3772.1}, {'price': 3674.8}, {'price': 3454.21}, {'price': 3602}, {'price': 3357.9}, {'price': 3283.7}, {'price': 3042.3}, {'price': 2927.9}, {'price': 2814.1}, {'price': 2900.7}, {'price': 2834.7}, {'price': 2729.5}, {'price': 2705.7}, {'price': 2438.5}, {'price': 2341}, {'price': 2279.4}, {'price': 2309}, {'price': 2321.1}, {'price': 2201.7}, {'price': 2287.2}, {'price': 2368.2}, {'price': 2172}, {'price': 2091}, {'price': 2196.7}, {'price': 2363.1}, {'price': 2361.3}, {'price': 2365.5}, {'price': 2358.3}, {'price': 2241.3}, {'price': 2050}, {'price': 2000}, {'price': 1888.52}, {'price': 1686.05}, {'price': 1851.1199}, {'price': 1999}, {'price': 2087.9999}, {'price': 2059.6}, {'price': 2137.94}, {'price': 2140}, {'price': 2247.81705}, {'price': 2235.185}, {'price': 2260.62005}] checker = RuleChecker('gatecoin') print(checker.check('oldest_latest_avg_of_5_larger_than_5per', data))
class Rulechecker: def __init__(self): pass "\n data: a list of data that has the format {'price': 0.5}, sorted by time descending\n " def check(self, rule, data): return getattr(self, rule)(data) def oldest_newest_single_larger_than_5per(self, tickerData): data = tickerData['data'] print(data) return True def oldest_latest_avg_of_5_larger_than_5per(self, tickerData): data = tickerData['data'] parsed_data = list(map(lambda x: float(x['price']), data)) if len(data) < 10: print('Failed for rule oldest_latest_avg_of_5_larger_than_5per: There are fewer than 10 data') return False latest_avg = sum(parsedData[:5]) / 5.0 oldest_avg = sum(parsedData[-5:]) / 5.0 percentage_change = 100 * (latestAvg - oldestAvg) / oldestAvg msg = '{0} - {1} - oldest_latest_avg_of_5_larger_than_5per: {2}%'.format(tickerData['exchange'], tickerData['ticker'], percentageChange) if abs(percentageChange) > 5: print('!!!ALERT!!! ' + msg + ' !!!ALERT!!!') return True print(msg) return False if __name__ == '__main__': data = [{'price': 4615}, {'price': 4615}, {'price': 4380}, {'price': 3935.1}, {'price': 4149.9}, {'price': 3918}, {'price': 3850}, {'price': 3720}, {'price': 3700}, {'price': 3579.7}, {'price': 3499.8}, {'price': 3499.1}, {'price': 3699.8}, {'price': 3577}, {'price': 3577.1}, {'price': 3644.6}, {'price': 3546.3}, {'price': 3480.2}, {'price': 3354.8}, {'price': 3310.6}, {'price': 3132.1}, {'price': 3152.1}, {'price': 2995.2}, {'price': 3167}, {'price': 3387}, {'price': 3374.3}, {'price': 3421.1}, {'price': 3091.8}, {'price': 2993}, {'price': 3092.7}, {'price': 2947.9}, {'price': 3254.4}, {'price': 3540}, {'price': 3514.3}, {'price': 3474.1}, {'price': 3601.6}, {'price': 3750}, {'price': 3947.4}, {'price': 3892.3}, {'price': 3653.6}, {'price': 3588.9}, {'price': 3774.7}, {'price': 3863.6}, {'price': 4051.2}, {'price': 3946.5}, {'price': 3827.9}, {'price': 3811.7}, {'price': 3619}, {'price': 3671.9}, {'price': 3661}, {'price': 3751.7}, {'price': 3592.3}, {'price': 3601.2}, {'price': 3396.9}, {'price': 3458.4}, {'price': 3508.4}, {'price': 3424.8}, {'price': 3670.5}, {'price': 3772.1}, {'price': 3674.8}, {'price': 3454.21}, {'price': 3602}, {'price': 3357.9}, {'price': 3283.7}, {'price': 3042.3}, {'price': 2927.9}, {'price': 2814.1}, {'price': 2900.7}, {'price': 2834.7}, {'price': 2729.5}, {'price': 2705.7}, {'price': 2438.5}, {'price': 2341}, {'price': 2279.4}, {'price': 2309}, {'price': 2321.1}, {'price': 2201.7}, {'price': 2287.2}, {'price': 2368.2}, {'price': 2172}, {'price': 2091}, {'price': 2196.7}, {'price': 2363.1}, {'price': 2361.3}, {'price': 2365.5}, {'price': 2358.3}, {'price': 2241.3}, {'price': 2050}, {'price': 2000}, {'price': 1888.52}, {'price': 1686.05}, {'price': 1851.1199}, {'price': 1999}, {'price': 2087.9999}, {'price': 2059.6}, {'price': 2137.94}, {'price': 2140}, {'price': 2247.81705}, {'price': 2235.185}, {'price': 2260.62005}] checker = rule_checker('gatecoin') print(checker.check('oldest_latest_avg_of_5_larger_than_5per', data))
# import yaml # print(yaml.safe_load("""--- # version: 1 # disable_existing_loggers: False # formatters: # simple: # format: '[%(levelname)s] [%(asctime)s:%(name)s] %(message)s' # handlers: # console: # class: logging.StreamHandler # level: WARNING # formatter: simple # stream: ext://sys.stdout # file_handler: # class: logging.FileHandler # level: DEBUG # formatter: simple # filename: autosklearn.log # distributed_logfile: # class: logging.FileHandler # level: DEBUG # formatter: simple # filename: distributed.log # root: # level: CRITICAL # handlers: [console, file_handler] # loggers: # autosklearn.metalearning: # level: NOTSET # handlers: [file_handler] # propagate: no # autosklearn.automl_common.common.utils.backend: # level: DEBUG # handlers: [file_handler] # propagate: no # smac.intensification.intensification.Intensifier: # level: INFO # handlers: [file_handler, console] # smac.optimizer.local_search.LocalSearch: # level: INFO # handlers: [file_handler, console] # smac.optimizer.smbo.SMBO: # level: INFO # handlers: [file_handler, console]""")) # {'version': 1, 'disable_existing_loggers': False, # 'formatters': # {'simple': {'format': '[%(levelname)s] [%(asctime)s:%(name)s] %(message)s'}}, # 'handlers': # { # 'console': # {'class': 'logging.StreamHandler', 'level': 'WARNING', 'formatter': 'simple', # 'stream': 'ext://sys.stdout'}, # 'file_handler': # {'class': 'logging.FileHandler', 'level': 'DEBUG', 'formatter': 'simple', # 'filename': 'autosklearn.log'}, # 'distributed_logfile': # {'class': 'logging.FileHandler', 'level': 'DEBUG', 'formatter': 'simple', # 'filename': 'distributed.log'}}, # 'root': {'level': 'CRITICAL', 'handlers': ['console', 'file_handler']}, # 'loggers': # { # 'autosklearn.metalearning': # {'level': 'NOTSET', 'handlers': ['file_handler'], # 'propagate': False}, # 'autosklearn.automl_common.common.utils.backend': # {'level': 'DEBUG', 'handlers': ['file_handler'], # 'propagate': False}, # 'smac.intensification.intensification.Intensifier': # {'level': 'INFO', 'handlers': ['file_handler', 'console']}, # 'smac.optimizer.local_search.LocalSearch': # {'level': 'INFO', 'handlers': ['file_handler', 'console']}, # 'smac.optimizer.smbo.SMBO': # {'level': 'INFO', 'handlers': ['file_handler', 'console']}}} config = { "version": 1, "disable_existing_loggers": False, "formatters": { "simple": {"format": "[%(levelname)s] [%(asctime)s:%(name)s] %(message)s"} }, "handlers": { "console": { "class": "logging.StreamHandler", "level": "INFO", "formatter": "simple", "stream": "ext://sys.stdout", }, }, # "root": {"level": "CRITICAL", "handlers": ["console", "file_handler"]}, "loggers": { "autosklearn.metalearning": { "level": "NOTSET", "handlers": ["file_handler"], "propagate": False, }, "autosklearn.automl_common.common.utils.backend": { "level": "DEBUG", "handlers": ["file_handler"], "propagate": False, }, "smac.intensification.intensification.Intensifier": { "level": "INFO", "handlers": ["file_handler", "console"], }, "smac.optimizer.local_search.LocalSearch": { "level": "INFO", "handlers": ["file_handler", "console"], }, "smac.optimizer.smbo.SMBO": { "level": "INFO", "handlers": ["file_handler", "console"], }, }, }
config = {'version': 1, 'disable_existing_loggers': False, 'formatters': {'simple': {'format': '[%(levelname)s] [%(asctime)s:%(name)s] %(message)s'}}, 'handlers': {'console': {'class': 'logging.StreamHandler', 'level': 'INFO', 'formatter': 'simple', 'stream': 'ext://sys.stdout'}}, 'loggers': {'autosklearn.metalearning': {'level': 'NOTSET', 'handlers': ['file_handler'], 'propagate': False}, 'autosklearn.automl_common.common.utils.backend': {'level': 'DEBUG', 'handlers': ['file_handler'], 'propagate': False}, 'smac.intensification.intensification.Intensifier': {'level': 'INFO', 'handlers': ['file_handler', 'console']}, 'smac.optimizer.local_search.LocalSearch': {'level': 'INFO', 'handlers': ['file_handler', 'console']}, 'smac.optimizer.smbo.SMBO': {'level': 'INFO', 'handlers': ['file_handler', 'console']}}}
'Constant strings for scripts in the repo' UPLOAD_CONTAINER = 'results' UPLOAD_TOKEN_VAR = 'PERFLAB_UPLOAD_TOKEN' UPLOAD_STORAGE_URI = 'https://pvscmdupload.{}.core.windows.net' UPLOAD_QUEUE = 'resultsqueue'
"""Constant strings for scripts in the repo""" upload_container = 'results' upload_token_var = 'PERFLAB_UPLOAD_TOKEN' upload_storage_uri = 'https://pvscmdupload.{}.core.windows.net' upload_queue = 'resultsqueue'
for _ in range(int(input())): n,m=map(int,input().split()) l=[] for i in range(n): l1=list(map(int,input().split())) l.append(l1) for i in range(n): for j in range(m): if i%2==1: if j%2==1: if l[i][j]%2==0: l[i][j]+=1 else: if l[i][j]%2==1: l[i][j]+=1 else: if j%2==0: if l[i][j]%2==0: l[i][j]+=1 else: if l[i][j]%2==1: l[i][j]+=1 for i in l: print(*i)
for _ in range(int(input())): (n, m) = map(int, input().split()) l = [] for i in range(n): l1 = list(map(int, input().split())) l.append(l1) for i in range(n): for j in range(m): if i % 2 == 1: if j % 2 == 1: if l[i][j] % 2 == 0: l[i][j] += 1 elif l[i][j] % 2 == 1: l[i][j] += 1 elif j % 2 == 0: if l[i][j] % 2 == 0: l[i][j] += 1 elif l[i][j] % 2 == 1: l[i][j] += 1 for i in l: print(*i)
""" Jobs service. This Django app manages API endpoints related to managing 'pg_cron'-based scheduling around data lifecycles, particularly around refreshing materialized views. This scheduling service is colocated with the database in order to keep the scheduling logic defined within the same runtime as the data management service, which may help reduce fault model considerations. It also translates 'cron', originally a file based with /etc/crontab, into a PostgreSQL table persisted as /var/lib/postgresql/data, which may benefit from PostgreSQL's replication/backup/clustering strategies. """
""" Jobs service. This Django app manages API endpoints related to managing 'pg_cron'-based scheduling around data lifecycles, particularly around refreshing materialized views. This scheduling service is colocated with the database in order to keep the scheduling logic defined within the same runtime as the data management service, which may help reduce fault model considerations. It also translates 'cron', originally a file based with /etc/crontab, into a PostgreSQL table persisted as /var/lib/postgresql/data, which may benefit from PostgreSQL's replication/backup/clustering strategies. """
class Solution(object): def search(self, nums, target): """ :type nums: List[int] :type target: int :rtype: int """ def binarySearch (arr, l, r, x): if r >= l: mid = l + (r - l) // 2 if arr[mid] == x: return mid elif arr[mid] > x: return binarySearch(arr, l, mid-1, x) else: return binarySearch(arr, mid + 1, r, x) else: return -1 return binarySearch(nums, 0, len(nums)-1, target)
class Solution(object): def search(self, nums, target): """ :type nums: List[int] :type target: int :rtype: int """ def binary_search(arr, l, r, x): if r >= l: mid = l + (r - l) // 2 if arr[mid] == x: return mid elif arr[mid] > x: return binary_search(arr, l, mid - 1, x) else: return binary_search(arr, mid + 1, r, x) else: return -1 return binary_search(nums, 0, len(nums) - 1, target)
src = Split(''' api/api_readholdingregisters.c pdu/readholdingregisters.c adu/rtu/rtu.c adu/rtu/mbcrc.c physical/serial.c auxiliary/log.c auxiliary/other.c api/mbm.c ''') component = aos_component('mbmaster', src) component.add_global_includes('include') component.add_global_macros('AOS_COMP_MBMASTER=1')
src = split('\n api/api_readholdingregisters.c\n pdu/readholdingregisters.c\n adu/rtu/rtu.c\n adu/rtu/mbcrc.c\n physical/serial.c\n auxiliary/log.c\n auxiliary/other.c\n api/mbm.c\n') component = aos_component('mbmaster', src) component.add_global_includes('include') component.add_global_macros('AOS_COMP_MBMASTER=1')
class Simulator: # the maximum number of steps the agent should take before we interrupt him to break infinite cycles max_steps = 500 # the recommended number of random game walkthroughs for vocabulary initialization # should ideally cover all possible states and used words initialization_iterations = 1024 # if the game rewards are in e.g. [-30, 30], set the reward scale to 30 so that the result is in [-1, 1] reward_scale = 1 # reference to the underlying game class game = None def __init__(self): raise NotImplementedError("Simulator is an abstract class.") def restart(self): raise NotImplementedError("Simulator is an abstract class.") def startup_actions(self): raise NotImplementedError("Simulator is an abstract class.") def write(self, text): raise NotImplementedError("Simulator is an abstract class.") def read(self, timeout=0.01): raise NotImplementedError("Simulator is an abstract class.") def close(self): raise NotImplementedError("Simulator is an abstract class.") class UnknownEndingException(Exception): """Reached a state without any actions but cannot assign a reward, unknown state"""
class Simulator: max_steps = 500 initialization_iterations = 1024 reward_scale = 1 game = None def __init__(self): raise not_implemented_error('Simulator is an abstract class.') def restart(self): raise not_implemented_error('Simulator is an abstract class.') def startup_actions(self): raise not_implemented_error('Simulator is an abstract class.') def write(self, text): raise not_implemented_error('Simulator is an abstract class.') def read(self, timeout=0.01): raise not_implemented_error('Simulator is an abstract class.') def close(self): raise not_implemented_error('Simulator is an abstract class.') class Unknownendingexception(Exception): """Reached a state without any actions but cannot assign a reward, unknown state"""
# Element der Fibonacci-Folge berechnen: def fib(n): if n == 0: # f(0) = 0 return 0 elif n == 1: # f(1) = 1 return 1 else: # f(n) = f(n-1) + f(n-2) return fib (n-1) + fib (n-2) # Ackermann-Funktion berechnen: def ack(m,n): if m == 0: # A(0,n) = n+1 return n+1 elif n == 0: # A(m,0) = A(m-1,1) return ack(m-1,1) else: # A(m,n) = A(m-1,A(m,n-1)) return ack(m-1, ack(m,n-1)) # Hailstone-Folge ausgeben: def hailstone(n): print(n) if n!=1: if n % 2 == 0: hailstone(n//2) else: hailstone(3*n+1)
def fib(n): if n == 0: return 0 elif n == 1: return 1 else: return fib(n - 1) + fib(n - 2) def ack(m, n): if m == 0: return n + 1 elif n == 0: return ack(m - 1, 1) else: return ack(m - 1, ack(m, n - 1)) def hailstone(n): print(n) if n != 1: if n % 2 == 0: hailstone(n // 2) else: hailstone(3 * n + 1)
class To_int_ask: def __init__(self): pass def func_(self): try: self.a = int(input('> ')) return self.a except ValueError: print('''Maybe you entered some str symbol's, try with out it''') ret = self.func_() return ret
class To_Int_Ask: def __init__(self): pass def func_(self): try: self.a = int(input('> ')) return self.a except ValueError: print("Maybe you entered some str symbol's, try with out it") ret = self.func_() return ret
""" 443. Two Sum - Greater than target https://www.lintcode.com/problem/two-sum-greater-than-target/description """ class Solution: """ @param nums: an array of integer @param target: An integer @return: an integer """ def twoSum2(self, nums, target): # write your code here nums = sorted(nums) n = len(nums) count = 0 left, right = 0, n -1 while left < right: if left < right and nums[left] + nums[right] > target: count += right - left right -= 1 if left < right and nums[left] + nums[right] <= target: left += 1 return count
""" 443. Two Sum - Greater than target https://www.lintcode.com/problem/two-sum-greater-than-target/description """ class Solution: """ @param nums: an array of integer @param target: An integer @return: an integer """ def two_sum2(self, nums, target): nums = sorted(nums) n = len(nums) count = 0 (left, right) = (0, n - 1) while left < right: if left < right and nums[left] + nums[right] > target: count += right - left right -= 1 if left < right and nums[left] + nums[right] <= target: left += 1 return count
n,k=map(int, input().split()) s = input() nums = [] sums = [] cnt = 1 for i in range(1, n): if s[i - 1] != s[i]: nums.append(int(s[i - 1])) sums.append(cnt) cnt = 1 else: cnt += 1 candi = 0 ansli = [] if s[0] == "0": if s[-1] == "0": k = min(k, len(sums)//2 + 1) candi = sum(sums[:2 * k]) ansli.append(candi) for i in range(1, len(sums)//2 + 2): if i == 1: candi = candi - sums[0] + sums[2 * k] + sums[2 * k + 1] else: pass else: pass
(n, k) = map(int, input().split()) s = input() nums = [] sums = [] cnt = 1 for i in range(1, n): if s[i - 1] != s[i]: nums.append(int(s[i - 1])) sums.append(cnt) cnt = 1 else: cnt += 1 candi = 0 ansli = [] if s[0] == '0': if s[-1] == '0': k = min(k, len(sums) // 2 + 1) candi = sum(sums[:2 * k]) ansli.append(candi) for i in range(1, len(sums) // 2 + 2): if i == 1: candi = candi - sums[0] + sums[2 * k] + sums[2 * k + 1] else: pass else: pass
#!/usr/bin/env python3 # -*- coding: utf-8 -*- add(1, 2) + "!" result =add(1, 2) + "!" result= add(1, 2) + "!" result = add(1, 2) + "!" x= add(1, 2) + "!" def add(x: int, y: int) -> int: add(1, 2) + "!" result =add(1, 2) + "!" result= add(1, 2) + "!" result = add(1, 2) + "!" x= add(1, 2) + "!" def xadd(x: int, y: int) -> int: add(1, 2) + "!" result =add(1, 2) + "!" result= add(1, 2) + "!" result = add(1, 2) + "!" x= add(1, 2) + "!" return x + y + "!" return x + y + "!"
add(1, 2) + '!' result = add(1, 2) + '!' result = add(1, 2) + '!' result = add(1, 2) + '!' x = add(1, 2) + '!' def add(x: int, y: int) -> int: add(1, 2) + '!' result = add(1, 2) + '!' result = add(1, 2) + '!' result = add(1, 2) + '!' x = add(1, 2) + '!' def xadd(x: int, y: int) -> int: add(1, 2) + '!' result = add(1, 2) + '!' result = add(1, 2) + '!' result = add(1, 2) + '!' x = add(1, 2) + '!' return x + y + '!' return x + y + '!'
#-- powertools.vendorize ''' script to vendorize dependencies for a module ''' #-------------------------------------------------------------------------------------------------# #-------------------------------------------------------------------------------------------------#
""" script to vendorize dependencies for a module """
# -*- coding: utf-8 -*- #auth table for developer and others #search bar(using keywords) #public,private projects #group accesses for many groups #this for the main categories.. db.define_table('category', Field('name',requires=(IS_SLUG(),IS_LOWER(),IS_NOT_IN_DB(db,'category.name')))) ##this is for sub_category db.define_table('subcategory', Field('category','reference category',requires=(IS_IN_DB(db,'category.id','%(name)s'))), Field('title',requires=(IS_SLUG(),IS_LOWER(),IS_NOT_IN_DB(db,'subcategory.title'),IS_NOT_EMPTY()),label="Sub Category"), ) ## this for app upload form db.define_table('project', Field('title','string',unique=True), Field('category','reference category',requires=(IS_IN_DB(db,'category.id','%(name)s (%(id)s)'))), Field('subcategory','reference subcategory', requires=(IS_IN_DB(db,'subcategory.id','%(title)s' '(%(category)s)')),comment="Select the sub-category corresponding to the id above"), Field('logo','upload',requires=IS_NOT_EMPTY()), Field('image','upload',label='ScreenShot',requires=(IS_NOT_EMPTY(),IS_IMAGE()),autodelete=True), Field('files','upload',comment="upload as a single zip file",requires=IS_NOT_EMPTY()), Field('features',"text",requires=IS_NOT_EMPTY()), Field('body',"text",requires=IS_NOT_EMPTY(),label='Description'), Field('rating','double',writable=False,readable=False,default=0), Field('permissions',requires=IS_IN_SET(['public','private'],error_message="It should be either public or private")), #Field('no_of_reviews','integer',writable=False,readable=False,default=0), Field('commenters','integer',writable=False,readable=False,default=0), Field('downloads','integer',writable=False,readable=False,default=0), auth.signature) ##comments database db.define_table('comments', Field('project','reference project',readable=False,writable=False), #Field('parent_comment','reference comment',readable=False,writable=False), Field('rating','integer'), Field('body','text',requires=IS_NOT_EMPTY(),label="Comment"), auth.signature) ###collooraters db.define_table('allowed_users', Field('projectadmin_email',type='string'), Field('other_email',type='string'), Field('project_name',type='string') ) ##this a function returns the name of the project's author def author(id): user=db.auth_user(id) return ("%(first_name)s %(last_name)s" %user) #db.comments.rating.requires=IS_IN_SET(range(1,6)) ##rating database #db.define_table('rating', # Field('post','reference post',readable=False,writable=False), # Field('score','integer',default=0), # auth.signature) #db.define_table('rater', # Field('project','reference project',readable=False,writable=False), # Field('rating','integer'), # auth.signature) #db.comments.rating.requires=IS_IN_SET(range(1,6)) ##password change db.auth_user.password.requires=IS_STRONG(min=8,special=1,upper=1)
db.define_table('category', field('name', requires=(is_slug(), is_lower(), is_not_in_db(db, 'category.name')))) db.define_table('subcategory', field('category', 'reference category', requires=is_in_db(db, 'category.id', '%(name)s')), field('title', requires=(is_slug(), is_lower(), is_not_in_db(db, 'subcategory.title'), is_not_empty()), label='Sub Category')) db.define_table('project', field('title', 'string', unique=True), field('category', 'reference category', requires=is_in_db(db, 'category.id', '%(name)s (%(id)s)')), field('subcategory', 'reference subcategory', requires=is_in_db(db, 'subcategory.id', '%(title)s(%(category)s)'), comment='Select the sub-category corresponding to the id above'), field('logo', 'upload', requires=is_not_empty()), field('image', 'upload', label='ScreenShot', requires=(is_not_empty(), is_image()), autodelete=True), field('files', 'upload', comment='upload as a single zip file', requires=is_not_empty()), field('features', 'text', requires=is_not_empty()), field('body', 'text', requires=is_not_empty(), label='Description'), field('rating', 'double', writable=False, readable=False, default=0), field('permissions', requires=is_in_set(['public', 'private'], error_message='It should be either public or private')), field('commenters', 'integer', writable=False, readable=False, default=0), field('downloads', 'integer', writable=False, readable=False, default=0), auth.signature) db.define_table('comments', field('project', 'reference project', readable=False, writable=False), field('rating', 'integer'), field('body', 'text', requires=is_not_empty(), label='Comment'), auth.signature) db.define_table('allowed_users', field('projectadmin_email', type='string'), field('other_email', type='string'), field('project_name', type='string')) def author(id): user = db.auth_user(id) return '%(first_name)s %(last_name)s' % user db.auth_user.password.requires = is_strong(min=8, special=1, upper=1)
num = 1 num = 2 num2 = 3
num = 1 num = 2 num2 = 3
""" Helper variables, lists, dictionaries, used for a clean display in the template. """ # Advanced Search Template Helpers ----------------------------------- SORT_OPTIONS_ORDER = ['Router Name', 'Fingerprint', 'Country Code', 'Bandwidth', 'Uptime', 'Last Descriptor Published', 'Hostname', 'IP Address', 'ORPort', 'DirPort', 'Platform', 'Contact', 'Authority', 'Bad Directory', 'Bad Exit', 'Directory', 'Exit', 'Fast', 'Guard', 'Hibernating', 'HS Directory', 'Named', 'Stable', 'Running', 'Valid',] SORT_OPTIONS = {'Router Name': 'nickname', 'Fingerprint': 'fingerprint', 'Country Code': 'country', 'Bandwidth': 'bandwidthkbps', 'Uptime': 'uptime', 'Last Descriptor Published': 'published', 'Hostname': 'hostname', 'IP Address': 'address', 'ORPort': 'orport', 'DirPort': 'dirport', 'Platform': 'platform', 'Contact': 'contact', 'Authority': 'isauthority', 'Bad Directory': 'isbaddirectory', 'Bad Exit': 'isbadexit', 'V2Dir': 'isv2dir', 'Exit': 'isexit', 'Fast': 'isfast', 'Guard': 'isguard', 'Hibernating': 'ishibernating', 'HS Directory': 'ishsdir', 'Named': 'isnamed', 'Stable': 'isstable', 'Running': 'isrunning', 'Valid': 'isvalid', } SEARCH_OPTIONS_FIELDS_ORDER = ['Fingerprint', 'Router Name', 'Country Code', 'Bandwidth (kb/s)', 'Uptime (days)', 'Last Descriptor Published', 'IP Address', 'Onion Router Port', 'Directory Server Port', 'Platform'] SEARCH_OPTIONS_FIELDS = {'Fingerprint': 'fingerprint', 'Router Name': 'nickname', 'Country Code': 'country', 'Bandwidth (kb/s)': 'bandwidthkbps', 'Uptime (days)': 'uptimedays', 'Last Descriptor Published': 'published', 'IP Address': 'address', #'Hostname': 'hostname', 'Onion Router Port': 'orport', 'Directory Server Port': 'dirport', 'Platform': 'platform', } SEARCH_OPTIONS_FIELDS_BOOLEANS = { 'Fingerprint': ['Equals (case insensitive)', 'Contains (case insensitive)', 'Starts With (case insensitive)',], 'Router Name': ['Equals (case insensitive)', 'Equals (case sensitive)', 'Contains (case insensitive)', 'Contains (case sensitive)', 'Starts With (case insensitive)', 'Starts With (case sensitive)',], 'Country Code': ['Equals (case insensitive)',], 'Bandwidth (kb/s)': ['Equals', 'Is Less Than', 'Is Greater Than',], 'Uptime (days)': ['Equals', 'Is Less Than', 'Is Greater Than',], 'Last Descriptor Published': ['Equals', 'Is Less Than', 'Is Greater Than',], 'IP Address': ['Equals', 'Starts With',], 'Onion Router Port': ['Equals', 'Is Less Than', 'Is Greater Than',], 'Directory Server Port': ['Equals', 'Is Less Than', 'Is Greater Than',], 'Platform': ['Contains (case insensitive)',], } SEARCH_OPTIONS_BOOLEANS_ORDER = ['Equals', 'Contains', 'Is Less Than', 'Is Greater Than'] SEARCH_OPTIONS_BOOLEANS = {'Equals': 'exact', 'Equals (case sensitive)': 'exact', 'Equals (case insensitive)': 'iexact', 'Contains': 'contains', 'Contains (case insensitive)': 'icontains', 'Is Less Than': 'lt', 'Is Greater Than': 'gt', 'Starts With': 'startswith', 'Starts With (case insensitive)': 'istartswith', } FILTER_OPTIONS_ORDER = ['Authority', 'BadDirectory', 'BadExit', 'Directory', 'Exit', 'Fast', 'Guard', 'Hibernating', 'HS Directory', 'Named', 'Stable', 'Running', 'Valid'] FILTER_OPTIONS = {'Authority': 'isauthority', 'BadDirectory': 'isbaddirectory', 'BadExit': 'isbadexit', 'Directory': 'isv2dir', 'Exit': 'isexit', 'Fast': 'isfast', 'Guard': 'isguard', 'Hibernating': 'ishibernating', 'HS Directory': 'ishsdir', 'Named': 'isnamed', 'Stable': 'isstable', 'Running': 'isrunning', 'Valid': 'isvalid', }
""" Helper variables, lists, dictionaries, used for a clean display in the template. """ sort_options_order = ['Router Name', 'Fingerprint', 'Country Code', 'Bandwidth', 'Uptime', 'Last Descriptor Published', 'Hostname', 'IP Address', 'ORPort', 'DirPort', 'Platform', 'Contact', 'Authority', 'Bad Directory', 'Bad Exit', 'Directory', 'Exit', 'Fast', 'Guard', 'Hibernating', 'HS Directory', 'Named', 'Stable', 'Running', 'Valid'] sort_options = {'Router Name': 'nickname', 'Fingerprint': 'fingerprint', 'Country Code': 'country', 'Bandwidth': 'bandwidthkbps', 'Uptime': 'uptime', 'Last Descriptor Published': 'published', 'Hostname': 'hostname', 'IP Address': 'address', 'ORPort': 'orport', 'DirPort': 'dirport', 'Platform': 'platform', 'Contact': 'contact', 'Authority': 'isauthority', 'Bad Directory': 'isbaddirectory', 'Bad Exit': 'isbadexit', 'V2Dir': 'isv2dir', 'Exit': 'isexit', 'Fast': 'isfast', 'Guard': 'isguard', 'Hibernating': 'ishibernating', 'HS Directory': 'ishsdir', 'Named': 'isnamed', 'Stable': 'isstable', 'Running': 'isrunning', 'Valid': 'isvalid'} search_options_fields_order = ['Fingerprint', 'Router Name', 'Country Code', 'Bandwidth (kb/s)', 'Uptime (days)', 'Last Descriptor Published', 'IP Address', 'Onion Router Port', 'Directory Server Port', 'Platform'] search_options_fields = {'Fingerprint': 'fingerprint', 'Router Name': 'nickname', 'Country Code': 'country', 'Bandwidth (kb/s)': 'bandwidthkbps', 'Uptime (days)': 'uptimedays', 'Last Descriptor Published': 'published', 'IP Address': 'address', 'Onion Router Port': 'orport', 'Directory Server Port': 'dirport', 'Platform': 'platform'} search_options_fields_booleans = {'Fingerprint': ['Equals (case insensitive)', 'Contains (case insensitive)', 'Starts With (case insensitive)'], 'Router Name': ['Equals (case insensitive)', 'Equals (case sensitive)', 'Contains (case insensitive)', 'Contains (case sensitive)', 'Starts With (case insensitive)', 'Starts With (case sensitive)'], 'Country Code': ['Equals (case insensitive)'], 'Bandwidth (kb/s)': ['Equals', 'Is Less Than', 'Is Greater Than'], 'Uptime (days)': ['Equals', 'Is Less Than', 'Is Greater Than'], 'Last Descriptor Published': ['Equals', 'Is Less Than', 'Is Greater Than'], 'IP Address': ['Equals', 'Starts With'], 'Onion Router Port': ['Equals', 'Is Less Than', 'Is Greater Than'], 'Directory Server Port': ['Equals', 'Is Less Than', 'Is Greater Than'], 'Platform': ['Contains (case insensitive)']} search_options_booleans_order = ['Equals', 'Contains', 'Is Less Than', 'Is Greater Than'] search_options_booleans = {'Equals': 'exact', 'Equals (case sensitive)': 'exact', 'Equals (case insensitive)': 'iexact', 'Contains': 'contains', 'Contains (case insensitive)': 'icontains', 'Is Less Than': 'lt', 'Is Greater Than': 'gt', 'Starts With': 'startswith', 'Starts With (case insensitive)': 'istartswith'} filter_options_order = ['Authority', 'BadDirectory', 'BadExit', 'Directory', 'Exit', 'Fast', 'Guard', 'Hibernating', 'HS Directory', 'Named', 'Stable', 'Running', 'Valid'] filter_options = {'Authority': 'isauthority', 'BadDirectory': 'isbaddirectory', 'BadExit': 'isbadexit', 'Directory': 'isv2dir', 'Exit': 'isexit', 'Fast': 'isfast', 'Guard': 'isguard', 'Hibernating': 'ishibernating', 'HS Directory': 'ishsdir', 'Named': 'isnamed', 'Stable': 'isstable', 'Running': 'isrunning', 'Valid': 'isvalid'}
PROJECT_URL = "https://github.com/sebiweise/Home-Assistant-Parcello/" ISSUE_URL = "{}issues".format(PROJECT_URL) DOMAIN = "parcello" VERSION = "0.0.1" ISSUE_URL = "https://github.com/sebiweise/Home-Assistant-Parcello/issues" PLATFORM = "sensor" API_BASEURL = "https://api-v4.parcello.org/v1/app" # Configuration Properties CONF_SCAN_INTERVAL = "scan_interval" CONF_API_KEY = "api_key" # Defaults DEFAULT_SCAN_INTERVAL = 5
project_url = 'https://github.com/sebiweise/Home-Assistant-Parcello/' issue_url = '{}issues'.format(PROJECT_URL) domain = 'parcello' version = '0.0.1' issue_url = 'https://github.com/sebiweise/Home-Assistant-Parcello/issues' platform = 'sensor' api_baseurl = 'https://api-v4.parcello.org/v1/app' conf_scan_interval = 'scan_interval' conf_api_key = 'api_key' default_scan_interval = 5
class DatabaseManipulator: def __init__(self, conexao): self.__conexao = conexao self.__cursor = self.__conexao.cursor() def getConexao(self): return self.__conexao def setConexao(self, conexao): self.__conexao = conexao def getCursor(self): return self.__cursor
class Databasemanipulator: def __init__(self, conexao): self.__conexao = conexao self.__cursor = self.__conexao.cursor() def get_conexao(self): return self.__conexao def set_conexao(self, conexao): self.__conexao = conexao def get_cursor(self): return self.__cursor
# # Copyright 2017 Google Inc. All Rights Reserved. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS-IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. # { 'includes' : [ '../common.gypi', ], 'variables': { # Used by make_into_app.gypi. We can define this once per target, or # globally here. 'target_app_location_param': '<(PRODUCT_DIR)/demos', }, 'targets': [ { 'target_name': 'iondemohud_assets', 'type': 'static_library', 'includes': [ '../dev/zipasset_generator.gypi', ], 'dependencies': [ '<(ion_dir)/port/port.gyp:ionport', ], 'sources': [ 'res/iondemohud.iad', ], }, # target: iondemohud_assets { 'target_name': 'textdemo_assets', 'type': 'static_library', 'includes': [ '../dev/zipasset_generator.gypi', ], 'dependencies': [ '<(ion_dir)/port/port.gyp:ionport', ], 'sources': [ 'res/textdemo_assets.iad', ], }, # target: textdemo_assets { 'target_name': 'threadingdemo_assets', 'type': 'static_library', 'includes': [ '../dev/zipasset_generator.gypi', ], 'dependencies': [ '<(ion_dir)/port/port.gyp:ionport', ], 'sources': [ 'threadingdemo_assets.iad', ], }, # target: threadingdemo_assets { 'target_name': 'particles_assets', 'type': 'static_library', 'includes': [ '../dev/zipasset_generator.gypi', ], 'dependencies': [ '<(ion_dir)/port/port.gyp:ionport', ], 'sources': [ 'particles_assets.iad', ], }, # target: particles_assets { 'target_name': 'physics_assets', 'type': 'static_library', 'includes': [ '../dev/zipasset_generator.gypi', ], 'dependencies': [ '<(ion_dir)/port/port.gyp:ionport', ], 'sources': [ 'physics_assets.iad', ], }, # target: physics_assets { 'target_name': 'gearsdemo_assets', 'type': 'static_library', 'includes': [ '../dev/zipasset_generator.gypi', ], 'dependencies': [ '<(ion_dir)/port/port.gyp:ionport', ], 'sources': [ 'gearsdemo_assets.iad', ], }, # target: gearsdemo_assets { 'target_name': 'shapedemo_assets', 'type': 'static_library', 'includes': [ '../dev/zipasset_generator.gypi', ], 'dependencies': [ '<(ion_dir)/port/port.gyp:ionport', ], 'sources': [ 'shapedemo_assets.iad', ], }, # target: shapedemo_assets { 'target_name': 'skindemo_assets', 'type': 'static_library', 'includes': [ '../dev/zipasset_generator.gypi', ], 'dependencies': [ '<(ion_dir)/port/port.gyp:ionport', ], 'sources': [ 'skindemo_assets.iad', 'skindemo_data_assets.iad', ], }, # target: skindemo_assets { 'target_name': 'iondraw', 'includes': [ 'demobase.gypi', ], 'variables': { 'demo_class_name': 'IonDraw' }, 'sources': [ 'iondraw.cc', 'hud.cc', 'hud.h', ], 'dependencies': [ ':iondemohud_assets', '<(ion_dir)/external/freetype2.gyp:ionfreetype2', ], }, { # This will do the right things to get a runnable "thing", depending on # platform. 'variables': { # The exact package name defined above, as a shared lib: 'make_this_target_into_an_app_param': 'iondraw', # The name of the .java class 'apk_class_name_param': 'IonDraw', }, 'includes': [ 'demo_apk_variables.gypi', ], }, { 'target_name': 'ionsimpledraw', 'includes': [ 'demobase.gypi', ], 'variables': { 'demo_class_name': 'IonSimpleDraw' }, 'sources': [ 'ionsimpledraw.cc', ], }, { 'variables': { 'make_this_target_into_an_app_param': 'ionsimpledraw', 'apk_class_name_param': 'IonSimpleDraw', }, 'includes': [ 'demo_apk_variables.gypi', ], }, { 'target_name': 'nobuffershape', 'includes': [ 'demobase.gypi', ], 'variables': { 'demo_class_name': 'NoBufferShape' }, 'sources': [ 'nobuffershape.cc', ], }, { 'variables': { 'make_this_target_into_an_app_param': 'nobuffershape', 'apk_class_name_param': 'NoBufferShape', }, 'dependencies': [ '<(ion_dir)/gfxutils/gfxutils.gyp:iongfxutils', ], 'includes': [ 'demo_apk_variables.gypi', ], }, { 'target_name': 'tess', 'includes': [ 'demobase.gypi', ], 'variables': { 'demo_class_name': 'Tess' }, 'sources': [ 'tess.cc', ], }, { 'variables': { 'make_this_target_into_an_app_param': 'tess', 'apk_class_name_param': 'Tess', }, 'dependencies': [ '<(ion_dir)/gfxutils/gfxutils.gyp:iongfxutils', ], 'includes': [ 'demo_apk_variables.gypi', ], }, { 'target_name': 'particles', 'includes': [ 'demobase.gypi', ], 'variables': { 'demo_class_name': 'IonParticlesDemo' }, 'sources': [ 'particles.cc', ], 'dependencies': [ ':particles_assets', '<(ion_dir)/external/freetype2.gyp:ionfreetype2', ], }, { 'variables': { 'make_this_target_into_an_app_param': 'particles', 'apk_class_name_param': 'IonParticlesDemo', }, 'includes': [ 'demo_apk_variables.gypi', ], }, { 'target_name': 'physics', 'defines': [ 'ION_DEMO_CORE_PROFILE=1', ], 'includes': [ 'demobase.gypi', ], 'variables': { 'demo_class_name': 'IonPhysicsDemo' }, 'sources': [ 'physics.cc', ], 'dependencies': [ ':physics_assets', '<(ion_dir)/external/freetype2.gyp:ionfreetype2', ], }, { 'variables': { 'make_this_target_into_an_app_param': 'physics', 'apk_class_name_param': 'IonPhysicsDemo', }, 'includes': [ 'demo_apk_variables.gypi', ], }, { 'target_name': 'gearsdemo', 'defines': [ 'ION_DEMO_CORE_PROFILE=1', ], 'includes': [ 'demobase.gypi', ], 'variables': { 'demo_class_name': 'IonGearsDemo' }, 'sources': [ 'gearsdemo.cc', ], 'dependencies': [ 'gearsdemo_assets', ], }, { 'variables': { 'make_this_target_into_an_app_param': 'gearsdemo', 'apk_class_name_param': 'IonGearsDemo', }, 'includes': [ 'demo_apk_variables.gypi', ], }, { 'target_name': 'shapedemo', 'includes': [ 'demobase.gypi', ], 'variables': { 'demo_class_name': 'IonShapeDemo' }, 'sources': [ 'shapedemo.cc', ], 'dependencies': [ 'shapedemo_assets', ], }, { 'variables': { 'make_this_target_into_an_app_param': 'shapedemo', 'apk_class_name_param': 'IonShapeDemo', }, 'includes': [ 'demo_apk_variables.gypi', ], }, { 'target_name': 'skindemo', 'includes': [ 'demobase.gypi', ], 'variables': { 'demo_class_name': 'IonSkinDemo' }, 'sources': [ 'hud.cc', 'hud.h', 'skindemo.cc', ], 'dependencies': [ ':iondemohud_assets', ':skindemo_assets', '<(ion_dir)/external/external.gyp:ionopenctm', ], }, { 'variables': { 'make_this_target_into_an_app_param': 'skindemo', 'apk_class_name_param': 'IonSkinDemo', }, 'includes': [ 'demo_apk_variables.gypi', ], }, { 'target_name': 'textdemo', 'includes': [ 'demobase.gypi', ], 'variables': { 'demo_class_name': 'IonTextDemo' }, 'sources': [ 'textdemo.cc', ], 'dependencies': [ ':textdemo_assets', '<(ion_dir)/external/freetype2.gyp:ionfreetype2', '<(ion_dir)/external/icu.gyp:ionicu', ], }, { 'variables': { 'make_this_target_into_an_app_param': 'textdemo', 'apk_class_name_param': 'IonTextDemo', }, 'includes': [ 'demo_apk_variables.gypi', ], }, { 'target_name': 'threadingdemo', 'includes': [ 'demobase.gypi', ], 'variables': { 'demo_class_name': 'IonThreadingDemo' }, 'sources': [ 'threadingdemo.cc', ], 'dependencies': [ ':threadingdemo_assets', ], }, { 'variables': { 'make_this_target_into_an_app_param': 'threadingdemo', 'apk_class_name_param': 'IonThreadingDemo', }, 'includes': [ 'demo_apk_variables.gypi', ], }, { 'target_name': 'volatilescene', 'includes': [ 'demobase.gypi', ], 'variables': { 'demo_class_name': 'IonVolatileScene' }, 'sources': [ 'volatilescene.cc', ], }, { 'variables': { 'make_this_target_into_an_app_param': 'volatilescene', 'apk_class_name_param': 'IonVolatileScene', }, 'includes': [ 'demo_apk_variables.gypi', ], }, ], }
{'includes': ['../common.gypi'], 'variables': {'target_app_location_param': '<(PRODUCT_DIR)/demos'}, 'targets': [{'target_name': 'iondemohud_assets', 'type': 'static_library', 'includes': ['../dev/zipasset_generator.gypi'], 'dependencies': ['<(ion_dir)/port/port.gyp:ionport'], 'sources': ['res/iondemohud.iad']}, {'target_name': 'textdemo_assets', 'type': 'static_library', 'includes': ['../dev/zipasset_generator.gypi'], 'dependencies': ['<(ion_dir)/port/port.gyp:ionport'], 'sources': ['res/textdemo_assets.iad']}, {'target_name': 'threadingdemo_assets', 'type': 'static_library', 'includes': ['../dev/zipasset_generator.gypi'], 'dependencies': ['<(ion_dir)/port/port.gyp:ionport'], 'sources': ['threadingdemo_assets.iad']}, {'target_name': 'particles_assets', 'type': 'static_library', 'includes': ['../dev/zipasset_generator.gypi'], 'dependencies': ['<(ion_dir)/port/port.gyp:ionport'], 'sources': ['particles_assets.iad']}, {'target_name': 'physics_assets', 'type': 'static_library', 'includes': ['../dev/zipasset_generator.gypi'], 'dependencies': ['<(ion_dir)/port/port.gyp:ionport'], 'sources': ['physics_assets.iad']}, {'target_name': 'gearsdemo_assets', 'type': 'static_library', 'includes': ['../dev/zipasset_generator.gypi'], 'dependencies': ['<(ion_dir)/port/port.gyp:ionport'], 'sources': ['gearsdemo_assets.iad']}, {'target_name': 'shapedemo_assets', 'type': 'static_library', 'includes': ['../dev/zipasset_generator.gypi'], 'dependencies': ['<(ion_dir)/port/port.gyp:ionport'], 'sources': ['shapedemo_assets.iad']}, {'target_name': 'skindemo_assets', 'type': 'static_library', 'includes': ['../dev/zipasset_generator.gypi'], 'dependencies': ['<(ion_dir)/port/port.gyp:ionport'], 'sources': ['skindemo_assets.iad', 'skindemo_data_assets.iad']}, {'target_name': 'iondraw', 'includes': ['demobase.gypi'], 'variables': {'demo_class_name': 'IonDraw'}, 'sources': ['iondraw.cc', 'hud.cc', 'hud.h'], 'dependencies': [':iondemohud_assets', '<(ion_dir)/external/freetype2.gyp:ionfreetype2']}, {'variables': {'make_this_target_into_an_app_param': 'iondraw', 'apk_class_name_param': 'IonDraw'}, 'includes': ['demo_apk_variables.gypi']}, {'target_name': 'ionsimpledraw', 'includes': ['demobase.gypi'], 'variables': {'demo_class_name': 'IonSimpleDraw'}, 'sources': ['ionsimpledraw.cc']}, {'variables': {'make_this_target_into_an_app_param': 'ionsimpledraw', 'apk_class_name_param': 'IonSimpleDraw'}, 'includes': ['demo_apk_variables.gypi']}, {'target_name': 'nobuffershape', 'includes': ['demobase.gypi'], 'variables': {'demo_class_name': 'NoBufferShape'}, 'sources': ['nobuffershape.cc']}, {'variables': {'make_this_target_into_an_app_param': 'nobuffershape', 'apk_class_name_param': 'NoBufferShape'}, 'dependencies': ['<(ion_dir)/gfxutils/gfxutils.gyp:iongfxutils'], 'includes': ['demo_apk_variables.gypi']}, {'target_name': 'tess', 'includes': ['demobase.gypi'], 'variables': {'demo_class_name': 'Tess'}, 'sources': ['tess.cc']}, {'variables': {'make_this_target_into_an_app_param': 'tess', 'apk_class_name_param': 'Tess'}, 'dependencies': ['<(ion_dir)/gfxutils/gfxutils.gyp:iongfxutils'], 'includes': ['demo_apk_variables.gypi']}, {'target_name': 'particles', 'includes': ['demobase.gypi'], 'variables': {'demo_class_name': 'IonParticlesDemo'}, 'sources': ['particles.cc'], 'dependencies': [':particles_assets', '<(ion_dir)/external/freetype2.gyp:ionfreetype2']}, {'variables': {'make_this_target_into_an_app_param': 'particles', 'apk_class_name_param': 'IonParticlesDemo'}, 'includes': ['demo_apk_variables.gypi']}, {'target_name': 'physics', 'defines': ['ION_DEMO_CORE_PROFILE=1'], 'includes': ['demobase.gypi'], 'variables': {'demo_class_name': 'IonPhysicsDemo'}, 'sources': ['physics.cc'], 'dependencies': [':physics_assets', '<(ion_dir)/external/freetype2.gyp:ionfreetype2']}, {'variables': {'make_this_target_into_an_app_param': 'physics', 'apk_class_name_param': 'IonPhysicsDemo'}, 'includes': ['demo_apk_variables.gypi']}, {'target_name': 'gearsdemo', 'defines': ['ION_DEMO_CORE_PROFILE=1'], 'includes': ['demobase.gypi'], 'variables': {'demo_class_name': 'IonGearsDemo'}, 'sources': ['gearsdemo.cc'], 'dependencies': ['gearsdemo_assets']}, {'variables': {'make_this_target_into_an_app_param': 'gearsdemo', 'apk_class_name_param': 'IonGearsDemo'}, 'includes': ['demo_apk_variables.gypi']}, {'target_name': 'shapedemo', 'includes': ['demobase.gypi'], 'variables': {'demo_class_name': 'IonShapeDemo'}, 'sources': ['shapedemo.cc'], 'dependencies': ['shapedemo_assets']}, {'variables': {'make_this_target_into_an_app_param': 'shapedemo', 'apk_class_name_param': 'IonShapeDemo'}, 'includes': ['demo_apk_variables.gypi']}, {'target_name': 'skindemo', 'includes': ['demobase.gypi'], 'variables': {'demo_class_name': 'IonSkinDemo'}, 'sources': ['hud.cc', 'hud.h', 'skindemo.cc'], 'dependencies': [':iondemohud_assets', ':skindemo_assets', '<(ion_dir)/external/external.gyp:ionopenctm']}, {'variables': {'make_this_target_into_an_app_param': 'skindemo', 'apk_class_name_param': 'IonSkinDemo'}, 'includes': ['demo_apk_variables.gypi']}, {'target_name': 'textdemo', 'includes': ['demobase.gypi'], 'variables': {'demo_class_name': 'IonTextDemo'}, 'sources': ['textdemo.cc'], 'dependencies': [':textdemo_assets', '<(ion_dir)/external/freetype2.gyp:ionfreetype2', '<(ion_dir)/external/icu.gyp:ionicu']}, {'variables': {'make_this_target_into_an_app_param': 'textdemo', 'apk_class_name_param': 'IonTextDemo'}, 'includes': ['demo_apk_variables.gypi']}, {'target_name': 'threadingdemo', 'includes': ['demobase.gypi'], 'variables': {'demo_class_name': 'IonThreadingDemo'}, 'sources': ['threadingdemo.cc'], 'dependencies': [':threadingdemo_assets']}, {'variables': {'make_this_target_into_an_app_param': 'threadingdemo', 'apk_class_name_param': 'IonThreadingDemo'}, 'includes': ['demo_apk_variables.gypi']}, {'target_name': 'volatilescene', 'includes': ['demobase.gypi'], 'variables': {'demo_class_name': 'IonVolatileScene'}, 'sources': ['volatilescene.cc']}, {'variables': {'make_this_target_into_an_app_param': 'volatilescene', 'apk_class_name_param': 'IonVolatileScene'}, 'includes': ['demo_apk_variables.gypi']}]}
""" Two-Fer module. """ def two_fer(name="you"): """ :param name:str name of the person :return str message. """ return f"One for {name}, one for me."
""" Two-Fer module. """ def two_fer(name='you'): """ :param name:str name of the person :return str message. """ return f'One for {name}, one for me.'
N = int(input()) def get_impact(s: str): strength = 1 impact = 0 for c in s: if c == 'S': impact += strength else: strength *= 2 return impact for i in range(N): d, p = input().split() d = int(d) sol = 0 if p.count('S') > d: sol = 'IMPOSSIBLE' else: while get_impact(p) > d: sol += 1 p = p[::-1].replace('SC', 'CS', 1)[::-1] print('Case #{}: {}'.format(i + 1, sol))
n = int(input()) def get_impact(s: str): strength = 1 impact = 0 for c in s: if c == 'S': impact += strength else: strength *= 2 return impact for i in range(N): (d, p) = input().split() d = int(d) sol = 0 if p.count('S') > d: sol = 'IMPOSSIBLE' else: while get_impact(p) > d: sol += 1 p = p[::-1].replace('SC', 'CS', 1)[::-1] print('Case #{}: {}'.format(i + 1, sol))
# -*- coding: utf-8 -*- """Top-level package for Movie Recommender.""" __author__ = """SPICED""" __email__ = 'kristian@spiced-academy.com' __version__ = '0.1.0'
"""Top-level package for Movie Recommender.""" __author__ = 'SPICED' __email__ = 'kristian@spiced-academy.com' __version__ = '0.1.0'
#!/usr/bin/env python """ Copyright 2014 Denys Sobchyshak 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. """ __author__ = 'Denys Sobchyshak' __email__ = 'denys.sobchyshak@gmail.com' def geom_series(z, t): return (1.0-z**(t+1))/(1.0-z) def d(t1=0, t2=1, r=0.1, n=1, spot=None): if not spot: return (1+r/n)**(-(t2-t1)*n) else: return (1+spot[t2-1])**(-t2) def f_rate(t1=1, t2=2, spot=[0.063, 0.069]): return ((1+spot[t2-1])**t2/(1+spot[t1-1])**t1)**(1/(t2-t1))-1
""" Copyright 2014 Denys Sobchyshak 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. """ __author__ = 'Denys Sobchyshak' __email__ = 'denys.sobchyshak@gmail.com' def geom_series(z, t): return (1.0 - z ** (t + 1)) / (1.0 - z) def d(t1=0, t2=1, r=0.1, n=1, spot=None): if not spot: return (1 + r / n) ** (-(t2 - t1) * n) else: return (1 + spot[t2 - 1]) ** (-t2) def f_rate(t1=1, t2=2, spot=[0.063, 0.069]): return ((1 + spot[t2 - 1]) ** t2 / (1 + spot[t1 - 1]) ** t1) ** (1 / (t2 - t1)) - 1
n = int(input()) if 0 <= n <= 100: if n == 0: print('E') elif 1 <= n <= 35: print('D') elif 36 <= n <= 60: print('C') elif 61 <= n <= 85: print('B') elif 86 <= n <= 100: print('A')
n = int(input()) if 0 <= n <= 100: if n == 0: print('E') elif 1 <= n <= 35: print('D') elif 36 <= n <= 60: print('C') elif 61 <= n <= 85: print('B') elif 86 <= n <= 100: print('A')